`;\n }\n cols += '';\n this.processDataRecordsAsync(worksheetData, rows => {\n this.sheetData += rows;\n this.sheetData += '';\n if ((hasMultiColumnHeader || hasMultiRowHeader) && this.mergeCellsCounter > 0) {\n this.sheetData += `${this.mergeCellStr}`;\n }\n done(cols, this.sheetData);\n });\n }\n }\n processDataRecordsAsync(worksheetData, done) {\n const rowDataArr = [];\n const height = worksheetData.options.rowHeight;\n this.rowHeight = height ? ' ht=\"' + height + '\" customHeight=\"1\"' : '';\n const isHierarchicalGrid = worksheetData.isHierarchical;\n const hasUserSetIndex = worksheetData.owner.columns.some(c => c.exportIndex !== undefined);\n let recordHeaders = [];\n yieldingLoop(worksheetData.rowCount - worksheetData.multiColumnHeaderRows - 1, 1000, i => {\n if (!worksheetData.isEmpty) {\n if (!isHierarchicalGrid) {\n if (hasUserSetIndex) {\n recordHeaders = worksheetData.rootKeys;\n } else {\n recordHeaders = worksheetData.owner.columns.filter(c => c.headerType === ExportHeaderType.ColumnHeader && !c.skip).sort((a, b) => a.startIndex - b.startIndex).sort((a, b) => a.pinnedIndex - b.pinnedIndex).map(c => c.field);\n }\n } else {\n const record = worksheetData.data[i];\n if (record.type === ExportRecordType.HeaderRecord) {\n const recordOwner = worksheetData.owners.get(record.owner);\n const hasMultiColumnHeaders = recordOwner.columns.some(c => !c.skip && c.headerType === ExportHeaderType.MultiColumnHeader);\n if (hasMultiColumnHeaders) {\n this.hGridPrintMultiColHeaders(worksheetData, rowDataArr, record, recordOwner);\n }\n }\n recordHeaders = Object.keys(worksheetData.data[i].data);\n }\n rowDataArr.push(this.processRow(worksheetData, i, recordHeaders, isHierarchicalGrid));\n }\n }, () => {\n done(rowDataArr.join(''));\n });\n }\n hGridPrintMultiColHeaders(worksheetData, rowDataArr, record, owner) {\n for (let j = 0; j < owner.maxLevel; j++) {\n const recordLevel = record.level;\n const outlineLevel = recordLevel > 0 ? ` outlineLevel=\"${recordLevel}\"` : '';\n this.maxOutlineLevel = this.maxOutlineLevel < recordLevel ? recordLevel : this.maxOutlineLevel;\n const sHidden = record.hidden ? ` hidden=\"1\"` : '';\n this.rowIndex++;\n let row = ``;\n const headersForLevel = owner.columns.filter(c => (c.level < j && c.headerType !== ExportHeaderType.MultiColumnHeader || c.level === j) && c.columnSpan > 0 && !c.skip).sort((a, b) => a.startIndex - b.startIndex).sort((a, b) => a.pinnedIndex - b.pinnedIndex);\n let startValue = 0 + record.level;\n for (const currentCol of headersForLevel) {\n if (currentCol.level === j) {\n let columnCoordinate;\n columnCoordinate = ExcelStrings.getExcelColumn(startValue) + this.rowIndex;\n const columnValue = worksheetData.dataDictionary.saveValue(currentCol.header, true);\n row += `${columnValue}`;\n if (j !== owner.maxLevel) {\n this.mergeCellsCounter++;\n this.mergeCellStr += ` `;\n }\n }\n this.mergeCellStr += `${columnCoordinate}\" />`;\n }\n }\n startValue += currentCol.columnSpan;\n }\n row += ``;\n rowDataArr.push(row);\n }\n }\n processRow(worksheetData, i, headersForLevel, isHierarchicalGrid) {\n const record = worksheetData.data[i];\n const rowData = new Array(worksheetData.columnCount + 2);\n const rowLevel = record.level;\n const outlineLevel = rowLevel > 0 ? ` outlineLevel=\"${rowLevel}\"` : '';\n this.maxOutlineLevel = this.maxOutlineLevel < rowLevel ? rowLevel : this.maxOutlineLevel;\n const sHidden = record.hidden ? ` hidden=\"1\"` : '';\n this.rowIndex++;\n const pivotGridColumns = this.pivotGridRowHeadersMap.get(this.rowIndex) ?? \"\";\n rowData[0] = `${pivotGridColumns}`;\n const keys = worksheetData.isSpecialData ? [record.data] : headersForLevel;\n const isDataRecord = record.type === ExportRecordType.HierarchicalGridRecord || record.type === ExportRecordType.DataRecord || record.type === ExportRecordType.GroupedRecord || record.type === ExportRecordType.TreeGridRecord;\n const isValidRecordType = isDataRecord || record.type === ExportRecordType.SummaryRecord;\n if (isValidRecordType && worksheetData.hasSummaries) {\n this.resolveSummaryDimensions(record, isDataRecord, worksheetData.isGroupedGrid);\n }\n for (let j = 0; j < keys.length; j++) {\n const col = j + (isHierarchicalGrid ? rowLevel : worksheetData.isPivotGrid ? worksheetData.owner.maxRowLevel : 0);\n const cellData = this.getCellData(worksheetData, i, col, keys[j]);\n rowData[j + 1] = cellData;\n }\n rowData[keys.length + 1] = '';\n return rowData.join('');\n }\n getCellData(worksheetData, row, column, key) {\n const dictionary = worksheetData.dataDictionary;\n let columnName = ExcelStrings.getExcelColumn(column) + this.rowIndex;\n const fullRow = worksheetData.data[row];\n const isHeaderRecord = fullRow.type === ExportRecordType.HeaderRecord;\n const isSummaryRecord = fullRow.type === ExportRecordType.SummaryRecord;\n const isValidRecordType = fullRow.type === ExportRecordType.GroupedRecord || fullRow.type === ExportRecordType.DataRecord || fullRow.type === ExportRecordType.HierarchicalGridRecord || fullRow.type === ExportRecordType.TreeGridRecord;\n this.firstDataRow = this.firstDataRow > this.rowIndex ? this.rowIndex : this.firstDataRow;\n const cellValue = worksheetData.isSpecialData ? fullRow.data : fullRow.data[key];\n if (cellValue === GRID_LEVEL_COL || key === GRID_LEVEL_COL) {\n columnName = ExcelStrings.getExcelColumn(worksheetData.columnCount + 1) + this.rowIndex;\n }\n if (worksheetData.hasSummaries && (isValidRecordType || worksheetData.isGroupedGrid && isSummaryRecord)) {\n this.setSummaryCoordinates(columnName, key, fullRow.hierarchicalOwner, worksheetData.isGroupedGrid && isSummaryRecord);\n }\n if (fullRow.summaryKey && fullRow.summaryKey === GRID_ROOT_SUMMARY && key !== GRID_LEVEL_COL && worksheetData.isGroupedGrid) {\n this.setRootSummaryStartCoordinate(column, key);\n if (this.firstColumn > column) {\n this.setRootSummaryStartCoordinate(worksheetData.columnCount + 1, GRID_LEVEL_COL);\n this.firstColumn = column;\n }\n }\n const targetColArr = Array.from(worksheetData.owners.values()).map(arr => arr.columns).find(product => product.some(item => item.field === key));\n const targetCol = targetColArr ? targetColArr.find(col => col.field === key) : undefined;\n if ((cellValue === undefined || cellValue === null) && !worksheetData.hasSummaries) {\n return ``;\n } else if (worksheetData.hasSummaries && (isValidRecordType || isHeaderRecord) || !worksheetData.hasSummaries) {\n const savedValue = dictionary.saveValue(cellValue, isHeaderRecord);\n const isSavedAsString = savedValue !== -1;\n const isSavedAsDate = !isSavedAsString && cellValue instanceof Date;\n let value = isSavedAsString ? savedValue : cellValue;\n if (isSavedAsDate) {\n const timeZoneOffset = value.getTimezoneOffset() * 60000;\n const isoString = new Date(value - timeZoneOffset).toISOString();\n value = isoString.substring(0, isoString.indexOf('.'));\n }\n const type = isSavedAsString ? ` t=\"s\"` : isSavedAsDate ? ` t=\"d\"` : '';\n const isTime = targetCol?.dataType === 'time';\n const isDateTime = targetCol?.dataType === 'dateTime';\n const isPercentage = targetCol?.dataType === 'percent';\n const isColumnCurrencyType = targetCol?.dataType === 'currency';\n const format = isPercentage ? ` s=\"12\"` : isDateTime ? ` s=\"11\"` : isTime ? ` s=\"10\"` : isHeaderRecord ? ` s=\"3\"` : isSavedAsString ? '' : isSavedAsDate ? ` s=\"2\"` : isColumnCurrencyType ? ` s=\"${this.currencyStyleMap.get(targetCol.currencyCode)?.styleXf || 0}\"` : ` s=\"1\"`;\n return `${value}`;\n } else {\n let summaryFunc = `\"${cellValue ?? \"\"}\"`;\n if (isSummaryRecord && cellValue) {\n const dimensionMapKey = this.isValidGrid ? fullRow.hierarchicalOwner ?? GRID_PARENT : null;\n const level = worksheetData.isGroupedGrid ? worksheetData.maxLevel : fullRow.level;\n summaryFunc = this.getSummaryFunction(cellValue.label, key, dimensionMapKey, level, targetCol);\n if (!summaryFunc) {\n const cellStr = `${cellValue.label}: ${cellValue.value}`;\n const savedValue = dictionary.saveValue(cellStr, false);\n return `${savedValue}`;\n }\n return `${summaryFunc}`;\n }\n return `${summaryFunc}`;\n }\n }\n resolveSummaryDimensions(record, isDataRecord, isGroupedGrid) {\n if (this.isValidGrid && this.currentHierarchicalOwner !== '' && this.currentHierarchicalOwner !== record.owner && !this.hierarchicalDimensionMap.get(this.currentHierarchicalOwner)) {\n this.hierarchicalDimensionMap.set(this.currentHierarchicalOwner, new Map(this.dimensionMap));\n }\n if (isDataRecord) {\n if (this.currentSummaryOwner !== record.summaryKey || this.currentHierarchicalOwner !== record.hierarchicalOwner) {\n this.dimensionMap.clear();\n }\n this.currentSummaryOwner = record.summaryKey;\n // For grouped grid we need to reset the parent map\n // so we can change the startCoordinate for each record\n if (isGroupedGrid && this.currentHierarchicalOwner !== '' && record.hierarchicalOwner === GRID_PARENT) {\n this.hierarchicalDimensionMap.delete(GRID_PARENT);\n }\n this.currentHierarchicalOwner = record.hierarchicalOwner;\n }\n }\n setSummaryCoordinates(columnName, key, hierarchicalOwner, useLastValidEndCoordinate) {\n const targetDimensionMap = this.hierarchicalDimensionMap.get(hierarchicalOwner) ?? this.dimensionMap;\n if (!targetDimensionMap.get(key)) {\n const initialDimensions = {\n startCoordinate: columnName,\n endCoordinate: columnName\n };\n targetDimensionMap.set(key, initialDimensions);\n } else {\n if (useLastValidEndCoordinate) {\n this.setEndCoordinates(targetDimensionMap, true);\n } else {\n targetDimensionMap.get(key).endCoordinate = columnName;\n this.lastValidRow = targetDimensionMap.get(key).endCoordinate.match(/[a-z]+|[^a-z]+/gi)[1];\n }\n }\n if (this.isValidGrid && !useLastValidEndCoordinate && hierarchicalOwner !== GRID_PARENT) {\n const parentMap = this.hierarchicalDimensionMap.get(GRID_PARENT);\n this.setEndCoordinates(parentMap);\n }\n }\n setEndCoordinates(map, useLastValidEndCoordinate = false) {\n for (const a of map.values()) {\n const colName = a.endCoordinate.match(/[a-z]+|[^a-z]+/gi)[0];\n a.endCoordinate = `${colName}${useLastValidEndCoordinate ? this.lastValidRow : this.rowIndex}`;\n }\n }\n getSummaryFunction(type, key, dimensionMapKey, recordLevel, col) {\n const dimensionMap = dimensionMapKey ? this.hierarchicalDimensionMap.get(dimensionMapKey) : this.dimensionMap;\n const dimensions = dimensionMap.get(key);\n const levelDimensions = dimensionMap.get(GRID_LEVEL_COL);\n let func = '';\n let funcType = '';\n let result = '';\n const currencyInfo = this.currencyStyleMap.get(col.currencyCode);\n switch (type.toLowerCase()) {\n case \"count\":\n return `\"Count: \"&_xlfn.COUNTIF(${levelDimensions.startCoordinate}:${levelDimensions.endCoordinate}, ${recordLevel})`;\n case \"min\":\n func = `_xlfn.MIN(_xlfn.IF(${levelDimensions.startCoordinate}:${levelDimensions.endCoordinate}=${recordLevel}, ${dimensions.startCoordinate}:${dimensions.endCoordinate}))`;\n funcType = `\"Min: \"&`;\n result = funcType + (col.dataType === 'currency' && currencyInfo ? `_xlfn.TEXT(${func}, \"${currencyInfo.symbol}#,##0.00\")` : `${func}`);\n return result;\n case \"max\":\n func = `_xlfn.MAX(_xlfn.IF(${levelDimensions.startCoordinate}:${levelDimensions.endCoordinate}=${recordLevel}, ${dimensions.startCoordinate}:${dimensions.endCoordinate}))`;\n funcType = `\"Max: \"&`;\n result = funcType + (col.dataType === 'currency' && currencyInfo ? `_xlfn.TEXT(${func}, \"${currencyInfo.symbol}#,##0.00\")` : `${func}`);\n return result;\n case \"sum\":\n func = `_xlfn.SUMIF(${levelDimensions.startCoordinate}:${levelDimensions.endCoordinate}, ${recordLevel}, ${dimensions.startCoordinate}:${dimensions.endCoordinate})`;\n funcType = `\"Sum: \"&`;\n result = funcType + (col.dataType === 'currency' && currencyInfo ? `_xlfn.TEXT(${func}, \"${currencyInfo.symbol}#,##0.00\")` : `${func}`);\n return result;\n case \"avg\":\n func = `_xlfn.AVERAGEIF(${levelDimensions.startCoordinate}:${levelDimensions.endCoordinate}, ${recordLevel}, ${dimensions.startCoordinate}:${dimensions.endCoordinate})`;\n funcType = `\"Avg: \"&`;\n result = funcType + (col.dataType === 'currency' && currencyInfo ? `_xlfn.TEXT(${func}, \"${currencyInfo.symbol}#,##0.00\")` : `${func}`);\n return result;\n case \"earliest\":\n // TODO: get date format from locale\n return `\"Earliest: \"&_xlfn.TEXT(_xlfn.MIN(_xlfn.IF(${levelDimensions.startCoordinate}:${levelDimensions.endCoordinate}=${recordLevel}, ${dimensions.startCoordinate}:${dimensions.endCoordinate})), \"m/d/yyyy\")`;\n case \"latest\":\n // TODO: get date format from locale\n return `\"Latest: \"&_xlfn.TEXT(_xlfn.MAX(_xlfn.IF(${levelDimensions.startCoordinate}:${levelDimensions.endCoordinate}=${recordLevel}, ${dimensions.startCoordinate}:${dimensions.endCoordinate})), \"m/d/yyyy\")`;\n }\n }\n setRootSummaryStartCoordinate(column, key) {\n const firstDataRecordColName = ExcelStrings.getExcelColumn(column) + this.firstDataRow;\n const targetMap = this.hierarchicalDimensionMap.get(GRID_PARENT);\n if (targetMap.get(key).startCoordinate !== firstDataRecordColName) {\n targetMap.get(key).startCoordinate = firstDataRecordColName;\n }\n }\n printHeaders(worksheetData, headersForLevel, i, isVertical) {\n let startValue = 0;\n let str = '';\n const isHierarchicalGrid = worksheetData.isHierarchical;\n let rowStyle = isHierarchicalGrid ? ' s=\"3\"' : '';\n const dictionary = worksheetData.dataDictionary;\n const owner = worksheetData.owner;\n const maxLevel = isVertical ? owner.maxRowLevel : owner.maxLevel;\n for (const currentCol of headersForLevel) {\n const spanLength = isVertical ? currentCol.rowSpan : currentCol.columnSpan;\n if (currentCol.level === i) {\n let columnCoordinate;\n const column = isVertical ? this.rowIndex : startValue + (owner.maxRowLevel ?? 0);\n const rowCoordinate = isVertical ? startValue + owner.maxLevel + 2 : this.rowIndex;\n const columnValue = dictionary.saveValue(currentCol.header, true, false);\n columnCoordinate = (currentCol.field === GRID_LEVEL_COL ? ExcelStrings.getExcelColumn(worksheetData.columnCount + 1) : ExcelStrings.getExcelColumn(column)) + rowCoordinate;\n rowStyle = isVertical && currentCol.rowSpan > 1 ? ' s=\"4\"' : rowStyle;\n str = `${columnValue}`;\n if (isVertical) {\n if (this.pivotGridRowHeadersMap.has(rowCoordinate)) {\n this.pivotGridRowHeadersMap.set(rowCoordinate, this.pivotGridRowHeadersMap.get(rowCoordinate) + str);\n } else {\n this.pivotGridRowHeadersMap.set(rowCoordinate, str);\n }\n } else {\n this.sheetData += str;\n }\n if (i !== maxLevel) {\n this.mergeCellsCounter++;\n this.mergeCellStr += ` `;\n isVertical ? this.pivotGridRowHeadersMap.set(row, str) : this.sheetData += str;\n }\n }\n this.mergeCellStr += `${columnCoordinate}\" />`;\n }\n }\n startValue += spanLength;\n }\n }\n }\n return WorksheetFile;\n})();\n/**\n * @hidden\n */\nclass StyleFile {\n writeElement(folder) {\n folder['styles.xml'] = strToU8(ExcelStrings.getStyles());\n }\n}\n/**\n * @hidden\n */\nclass WorkbookFile {\n writeElement(folder, worksheetData) {\n folder['workbook.xml'] = strToU8(ExcelStrings.getWorkbook(worksheetData.options.worksheetName));\n }\n}\n/**\n * @hidden\n */\nclass ContentTypesFile {\n writeElement(folder, worksheetData) {\n const hasSharedStrings = !worksheetData.isEmpty || worksheetData.options.alwaysExportHeaders;\n folder['[Content_Types].xml'] = strToU8(ExcelStrings.getContentTypesXML(hasSharedStrings, worksheetData.options.exportAsTable));\n }\n}\n/**\n * @hidden\n */\nclass SharedStringsFile {\n writeElement(folder, worksheetData) {\n const dict = worksheetData.dataDictionary;\n const sortedValues = dict.getKeys();\n const sharedStrings = new Array(sortedValues.length);\n for (const value of sortedValues) {\n sharedStrings[dict.getSanitizedValue(value)] = '' + value + '';\n }\n folder['sharedStrings.xml'] = strToU8(ExcelStrings.getSharedStringXML(dict.stringsCount, sortedValues.length, sharedStrings.join('')));\n }\n}\n/**\n * @hidden\n */\nclass TablesFile {\n writeElement(folder, worksheetData) {\n const columnCount = worksheetData.columnCount;\n const lastColumn = ExcelStrings.getExcelColumn(columnCount - 1) + worksheetData.rowCount;\n const autoFilterDimension = 'A1:' + lastColumn;\n const tableDimension = worksheetData.isEmpty ? 'A1:' + ExcelStrings.getExcelColumn(columnCount - 1) + (worksheetData.rowCount + 1) : autoFilterDimension;\n const hasUserSetIndex = worksheetData.owner.columns.some(c => c.exportIndex !== undefined);\n const values = hasUserSetIndex ? worksheetData.rootKeys : worksheetData.owner.columns.filter(c => !c.skip).sort((a, b) => a.startIndex - b.startIndex).sort((a, b) => a.pinnedIndex - b.pinnedIndex).map(c => c.header);\n let sortString = '';\n let tableColumns = '';\n for (let i = 0; i < columnCount; i++) {\n const value = values[i];\n tableColumns += '';\n }\n tableColumns += '';\n if (worksheetData.sort) {\n const sortingExpression = worksheetData.sort;\n const sc = ExcelStrings.getExcelColumn(values.indexOf(sortingExpression.fieldName));\n const dir = sortingExpression.dir - 1;\n sortString = ``;\n }\n folder['table1.xml'] = strToU8(ExcelStrings.getTablesXML(autoFilterDimension, tableDimension, tableColumns, sortString));\n }\n}\n/**\n * @hidden\n */\nclass WorksheetRelsFile {\n writeElement(folder) {\n folder['sheet1.xml.rels'] = strToU8(ExcelStrings.getWorksheetRels());\n }\n}\n\n/** @hidden */\nclass RootExcelFolder {\n get folderName() {\n return '';\n }\n childFiles() {\n return [ExcelFileTypes.ContentTypesFile];\n }\n childFolders() {\n return [ExcelFolderTypes.RootRelsExcelFolder, ExcelFolderTypes.DocPropsExcelFolder, ExcelFolderTypes.XLExcelFolder];\n }\n}\n/** @hidden */\nclass RootRelsExcelFolder {\n get folderName() {\n return '_rels';\n }\n childFiles() {\n return [ExcelFileTypes.RootRelsFile];\n }\n childFolders() {\n return [];\n }\n}\n/** @hidden */\nclass DocPropsExcelFolder {\n get folderName() {\n return 'docProps';\n }\n childFiles() {\n return [ExcelFileTypes.AppFile, ExcelFileTypes.CoreFile];\n }\n childFolders() {\n return [];\n }\n}\n/** @hidden */\nclass XLExcelFolder {\n get folderName() {\n return 'xl';\n }\n childFiles(data) {\n const retVal = [ExcelFileTypes.StyleFile, ExcelFileTypes.WorkbookFile];\n if (!data.isEmpty || data.options.alwaysExportHeaders) {\n retVal.push(ExcelFileTypes.SharedStringsFile);\n }\n return retVal;\n }\n childFolders(data) {\n const retVal = [ExcelFolderTypes.XLRelsExcelFolder, ExcelFolderTypes.ThemeExcelFolder, ExcelFolderTypes.WorksheetsExcelFolder];\n if ((!data.isEmpty || data.options.alwaysExportHeaders) && data.options.exportAsTable) {\n retVal.push(ExcelFolderTypes.TablesExcelFolder);\n }\n return retVal;\n }\n}\n/** @hidden */\nclass XLRelsExcelFolder {\n get folderName() {\n return '_rels';\n }\n childFiles() {\n return [ExcelFileTypes.WorkbookRelsFile];\n }\n childFolders() {\n return [];\n }\n}\n/** @hidden */\nclass ThemeExcelFolder {\n get folderName() {\n return 'theme';\n }\n childFiles() {\n return [ExcelFileTypes.ThemeFile];\n }\n childFolders() {\n return [];\n }\n}\n/** @hidden */\nclass WorksheetsExcelFolder {\n get folderName() {\n return 'worksheets';\n }\n childFiles() {\n return [ExcelFileTypes.WorksheetFile];\n }\n childFolders(data) {\n return data.isEmpty && !data.options.alwaysExportHeaders || !data.options.exportAsTable ? [] : [ExcelFolderTypes.WorksheetsRelsExcelFolder];\n }\n}\n/** @hidden */\nclass TablesExcelFolder {\n get folderName() {\n return 'tables';\n }\n childFiles() {\n return [ExcelFileTypes.TablesFile];\n }\n childFolders() {\n return [];\n }\n}\n/** @hidden */\nclass WorksheetsRelsExcelFolder {\n get folderName() {\n return '_rels';\n }\n childFiles() {\n return [ExcelFileTypes.WorksheetRelsFile];\n }\n childFolders() {\n return [];\n }\n}\n\n/** @hidden */\nclass ExcelElementsFactory {\n static getExcelFolder(type) {\n switch (type) {\n case ExcelFolderTypes.RootExcelFolder:\n return new RootExcelFolder();\n case ExcelFolderTypes.RootRelsExcelFolder:\n return new RootRelsExcelFolder();\n case ExcelFolderTypes.DocPropsExcelFolder:\n return new DocPropsExcelFolder();\n case ExcelFolderTypes.XLExcelFolder:\n return new XLExcelFolder();\n case ExcelFolderTypes.XLRelsExcelFolder:\n return new XLRelsExcelFolder();\n case ExcelFolderTypes.ThemeExcelFolder:\n return new ThemeExcelFolder();\n case ExcelFolderTypes.WorksheetsExcelFolder:\n return new WorksheetsExcelFolder();\n case ExcelFolderTypes.WorksheetsRelsExcelFolder:\n return new WorksheetsRelsExcelFolder();\n case ExcelFolderTypes.TablesExcelFolder:\n return new TablesExcelFolder();\n default:\n throw new Error('Unknown excel folder type!');\n }\n }\n static getExcelFile(type) {\n switch (type) {\n case ExcelFileTypes.RootRelsFile:\n return new RootRelsFile();\n case ExcelFileTypes.AppFile:\n return new AppFile();\n case ExcelFileTypes.CoreFile:\n return new CoreFile();\n case ExcelFileTypes.WorkbookRelsFile:\n return new WorkbookRelsFile();\n case ExcelFileTypes.ThemeFile:\n return new ThemeFile();\n case ExcelFileTypes.WorksheetFile:\n return new WorksheetFile();\n case ExcelFileTypes.StyleFile:\n return new StyleFile();\n case ExcelFileTypes.WorkbookFile:\n return new WorkbookFile();\n case ExcelFileTypes.ContentTypesFile:\n return new ContentTypesFile();\n case ExcelFileTypes.SharedStringsFile:\n return new SharedStringsFile();\n case ExcelFileTypes.WorksheetRelsFile:\n return new WorksheetRelsFile();\n case ExcelFileTypes.TablesFile:\n return new TablesFile();\n default:\n throw Error('Unknown excel file type!');\n }\n }\n}\n\n/** @hidden */\nlet WorksheetDataDictionary = /*#__PURE__*/(() => {\n class WorksheetDataDictionary {\n static {\n this.DEFAULT_FONT = '11pt Calibri';\n }\n static {\n this.TEXT_PADDING = 5;\n }\n constructor(columnCount, columnWidth, columnWidthsList) {\n this.hasNumberValues = false;\n this.hasDateValues = false;\n this._dictionary = {};\n this._widthsDictionary = {};\n this._counter = 0;\n this.dirtyKeyCollections();\n this._columnWidths = new Array(columnCount);\n if (columnWidth) {\n this._columnWidths.fill(columnWidth);\n } else {\n this._columnWidths = columnWidthsList;\n }\n this.stringsCount = 0;\n }\n get columnWidths() {\n return this._columnWidths;\n }\n saveValue(value, isHeader, shouldSanitizeValue = true) {\n let sanitizedValue = '';\n const isDate = value instanceof Date;\n const isSavedAsString = isHeader || typeof value !== 'number' && value !== Number(value) && !Number.isFinite(value) && !isDate;\n if (isSavedAsString) {\n sanitizedValue = shouldSanitizeValue ? ExportUtilities.sanitizeValue(value) : value;\n if (this._dictionary[sanitizedValue] === undefined) {\n this._dictionary[sanitizedValue] = this._counter++;\n this.dirtyKeyCollections();\n }\n this.stringsCount++;\n } else if (isDate) {\n this.hasDateValues = true;\n } else {\n this.hasNumberValues = true;\n }\n return isSavedAsString ? this.getSanitizedValue(sanitizedValue) : -1;\n }\n getValue(value) {\n return this.getSanitizedValue(ExportUtilities.sanitizeValue(value));\n }\n getSanitizedValue(sanitizedValue) {\n return this._dictionary[sanitizedValue];\n }\n getKeys() {\n if (!this._keysAreValid) {\n this._keys = Object.keys(this._dictionary);\n this._keysAreValid = true;\n }\n return this._keys;\n }\n getTextWidth(value) {\n if (this._widthsDictionary[value] === undefined) {\n const context = this.getContext();\n const metrics = context.measureText(value);\n this._widthsDictionary[value] = metrics.width + WorksheetDataDictionary.TEXT_PADDING;\n }\n return this._widthsDictionary[value];\n }\n getContext() {\n if (!this._context) {\n const canvas = document.createElement('canvas');\n this._context = canvas.getContext('2d');\n this._context.font = WorksheetDataDictionary.DEFAULT_FONT;\n }\n return this._context;\n }\n dirtyKeyCollections() {\n this._keysAreValid = false;\n }\n }\n return WorksheetDataDictionary;\n})();\n/** @hidden */\nclass WorksheetData {\n constructor(_data, options, sort, columnCount, rootKeys, indexOfLastPinnedColumn, columnWidths, owner, owners) {\n this._data = _data;\n this.options = options;\n this.sort = sort;\n this.columnCount = columnCount;\n this.rootKeys = rootKeys;\n this.indexOfLastPinnedColumn = indexOfLastPinnedColumn;\n this.columnWidths = columnWidths;\n this.owner = owner;\n this.owners = owners;\n this.initializeData();\n }\n get data() {\n return this._data;\n }\n get rowCount() {\n return this._rowCount;\n }\n get isEmpty() {\n return !this.rowCount || this.rowCount === this.owner.maxLevel + 1 || !this.columnCount || this.owner.columns.every(c => c.skip);\n }\n get isSpecialData() {\n return this._isSpecialData;\n }\n get dataDictionary() {\n return this._dataDictionary;\n }\n get hasMultiColumnHeader() {\n return this._hasMultiColumnHeader;\n }\n get hasSummaries() {\n return this._hasSummaries;\n }\n get hasMultiRowHeader() {\n return this._hasMultiRowHeader;\n }\n get isHierarchical() {\n return this._isHierarchical;\n }\n get isTreeGrid() {\n return this._isTreeGrid;\n }\n get isPivotGrid() {\n return this._isPivotGrid;\n }\n get isGroupedGrid() {\n return this._data.some(d => d.type === ExportRecordType.GroupedRecord);\n }\n get maxLevel() {\n return [...new Set(this._data.map(item => item.level))].sort((a, b) => a > b ? -1 : 1)[0];\n }\n get multiColumnHeaderRows() {\n return !this.options.ignoreMultiColumnHeaders ? Array.from(this.owners.values()).map(c => c.maxLevel).reduce((a, b) => a + b) : 0;\n }\n initializeData() {\n this._dataDictionary = new WorksheetDataDictionary(this.columnCount, this.options.columnWidth, this.columnWidths);\n this._hasMultiColumnHeader = Array.from(this.owners.values()).some(o => o.columns.some(col => !col.skip && col.headerType === ExportHeaderType.MultiColumnHeader));\n this._hasMultiRowHeader = Array.from(this.owners.values()).some(o => o.columns.some(col => !col.skip && col.headerType === ExportHeaderType.MultiRowHeader));\n this._isHierarchical = this.data[0]?.type === ExportRecordType.HierarchicalGridRecord || !(typeof Array.from(this.owners.keys())[0] === 'string');\n this._hasSummaries = this._data.filter(d => d.type === ExportRecordType.SummaryRecord).length > 0;\n this._isTreeGrid = this._data.filter(d => d.type === ExportRecordType.TreeGridRecord).length > 0;\n this._isPivotGrid = this.data[0]?.type === ExportRecordType.PivotGridRecord;\n const exportMultiColumnHeaders = this._hasMultiColumnHeader && !this.options.ignoreMultiColumnHeaders;\n if (this._isHierarchical || exportMultiColumnHeaders || this._isPivotGrid) {\n this.options.exportAsTable = false;\n }\n if (!this._data || this._data.length === 0) {\n if (!this._isHierarchical) {\n this._rowCount = this.owner.maxLevel + 1;\n }\n return;\n }\n this._isSpecialData = ExportUtilities.isSpecialData(this._data[0].data);\n this._rowCount = this._data.length + this.multiColumnHeaderRows + 1;\n }\n}\nconst EXCEL_MAX_ROWS = 1048576;\nconst EXCEL_MAX_COLS = 16384;\n/**\n * **Ignite UI for Angular Excel Exporter Service** -\n * [Documentation](https://www.infragistics.com/products/ignite-ui-angular/angular/components/exporter_excel.html)\n *\n * The Ignite UI for Angular Excel Exporter service can export data in Microsoft® Excel® format from both raw data\n * (array) or from an `IgxGrid`.\n *\n * Example:\n * ```typescript\n * public localData = [\n * { Name: \"Eric Ridley\", Age: \"26\" },\n * { Name: \"Alanis Brook\", Age: \"22\" },\n * { Name: \"Jonathan Morris\", Age: \"23\" }\n * ];\n *\n * constructor(private excelExportService: IgxExcelExporterService) {\n * }\n *\n * this.excelExportService.exportData(this.localData, new IgxExcelExporterOptions(\"FileName\"));\n * ```\n */\nlet IgxExcelExporterService = /*#__PURE__*/(() => {\n class IgxExcelExporterService extends IgxBaseExporter {\n constructor() {\n super(...arguments);\n /**\n * This event is emitted when the export process finishes.\n * ```typescript\n * this.exporterService.exportEnded.subscribe((args: IExcelExportEndedEventArgs) => {\n * // put event handler code here\n * });\n * ```\n *\n * @memberof IgxExcelExporterService\n */\n this.exportEnded = new EventEmitter();\n }\n static async populateZipFileConfig(fileStructure, folder, worksheetData) {\n for (const childFolder of folder.childFolders(worksheetData)) {\n const folderInstance = ExcelElementsFactory.getExcelFolder(childFolder);\n const childStructure = fileStructure[folderInstance.folderName] = {};\n await IgxExcelExporterService.populateZipFileConfig(childStructure, folderInstance, worksheetData);\n }\n for (const childFile of folder.childFiles(worksheetData)) {\n const fileInstance = ExcelElementsFactory.getExcelFile(childFile);\n if (fileInstance instanceof WorksheetFile) {\n await fileInstance.writeElementAsync(fileStructure, worksheetData);\n } else {\n fileInstance.writeElement(fileStructure, worksheetData);\n }\n }\n }\n exportDataImplementation(data, options, done) {\n const firstDataElement = data[0];\n const isHierarchicalGrid = firstDataElement?.type === ExportRecordType.HierarchicalGridRecord;\n const isPivotGrid = firstDataElement?.type === ExportRecordType.PivotGridRecord;\n let rootKeys;\n let columnCount;\n let columnWidths;\n let indexOfLastPinnedColumn;\n let defaultOwner;\n const columnsExceedLimit = typeof firstDataElement !== 'undefined' ? isHierarchicalGrid ? data.some(d => Object.keys(d.data).length > EXCEL_MAX_COLS) : Object.keys(firstDataElement.data).length > EXCEL_MAX_COLS : false;\n if (data.length > EXCEL_MAX_ROWS || columnsExceedLimit) {\n throw Error('The Excel file can contain up to 1,048,576 rows and 16,384 columns.');\n }\n if (typeof firstDataElement !== 'undefined') {\n let maxLevel = 0;\n data.forEach(r => {\n maxLevel = Math.max(maxLevel, r.level);\n });\n if (maxLevel > 7) {\n throw Error('Can create an outline of up to eight levels!');\n }\n if (isHierarchicalGrid) {\n columnCount = data.map(a => this._ownersMap.get(a.owner).columns.filter(c => !c.skip).length + a.level).sort((a, b) => b - a)[0];\n rootKeys = this._ownersMap.get(firstDataElement.owner).columns.filter(c => !c.skip).map(c => c.field);\n defaultOwner = this._ownersMap.get(firstDataElement.owner);\n } else {\n defaultOwner = this._ownersMap.get(DEFAULT_OWNER);\n const columns = defaultOwner.columns.filter(col => col.field !== GRID_LEVEL_COL && !col.skip && col.headerType === ExportHeaderType.ColumnHeader);\n columnWidths = defaultOwner.columnWidths;\n indexOfLastPinnedColumn = defaultOwner.indexOfLastPinnedColumn;\n columnCount = isPivotGrid ? columns.length + this.pivotGridFilterFieldsCount : columns.length;\n rootKeys = columns.map(c => c.field);\n }\n } else {\n const ownersKeys = Array.from(this._ownersMap.keys());\n defaultOwner = this._ownersMap.get(ownersKeys[0]);\n columnWidths = defaultOwner.columnWidths;\n columnCount = defaultOwner.columns.filter(col => col.field !== GRID_LEVEL_COL && !col.skip && col.headerType === ExportHeaderType.ColumnHeader).length;\n }\n const worksheetData = new WorksheetData(data, options, this._sort, columnCount, rootKeys, indexOfLastPinnedColumn, columnWidths, defaultOwner, this._ownersMap);\n const rootFolder = ExcelElementsFactory.getExcelFolder(ExcelFolderTypes.RootExcelFolder);\n const fileData = {};\n IgxExcelExporterService.populateZipFileConfig(fileData, rootFolder, worksheetData).then(() => {\n zip(fileData, (_, result) => {\n this.saveFile(result, options.fileName);\n this.exportEnded.emit({\n xlsx: fileData\n });\n done();\n });\n });\n }\n saveFile(data, fileName) {\n const blob = new Blob([data], {\n type: 'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet'\n });\n ExportUtilities.saveBlobToFile(blob, fileName);\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxExcelExporterService_BaseFactory;\n return function IgxExcelExporterService_Factory(t) {\n return (ɵIgxExcelExporterService_BaseFactory || (ɵIgxExcelExporterService_BaseFactory = i0.ɵɵgetInheritedFactory(IgxExcelExporterService)))(t || IgxExcelExporterService);\n };\n })();\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: IgxExcelExporterService,\n factory: IgxExcelExporterService.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return IgxExcelExporterService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Objects of this class are used to configure the Excel exporting process.\n */\nclass IgxExcelExporterOptions extends IgxExporterOptionsBase {\n constructor(fileName) {\n super(fileName, '.xlsx');\n /**\n * Specifies if column pinning should be ignored. If ignoreColumnsOrder is set to true,\n * this option will always be considered as set to true.\n * ```typescript\n * let ignorePinning = this.exportOptions.ignorePinning;\n * this.exportOptions.ignorePinning = true;\n * ```\n *\n * @memberof IgxExcelExporterOptions\n */\n this.ignorePinning = false;\n /**\n * Specifies whether the exported data should be formatted as Excel table. (True by default)\n * ```typescript\n * let exportAsTable = this.exportOptions.exportAsTable;\n * this.exportOptions.exportAsTable = false;\n * ```\n *\n * @memberof IgxExcelExporterOptions\n */\n this.exportAsTable = true;\n }\n /**\n * Gets the width of the columns in the exported excel file.\n * ```typescript\n * let width = this.exportOptions.columnWidth;\n * ```\n *\n * @memberof IgxExcelExporterOptions\n */\n get columnWidth() {\n return this._columnWidth;\n }\n /**\n * Sets the width of the columns in the exported excel file. If left unspecified,\n * the width of the column or the default width of the excel columns will be used.\n * ```typescript\n * this.exportOptions.columnWidth = 55;\n * ```\n *\n * @memberof IgxExcelExporterOptions\n */\n set columnWidth(value) {\n if (value < 0) {\n throw Error('Invalid value for column width!');\n }\n this._columnWidth = value;\n }\n /**\n * Gets the height of the rows in the exported excel file.\n * ```typescript\n * let height = this.exportOptions.rowHeight;\n * ```\n *\n * @memberof IgxExcelExporterOptions\n */\n get rowHeight() {\n return this._rowHeight;\n }\n /**\n * Sets the height of the rows in the exported excel file. If left unspecified or 0,\n * the default height of the excel rows will be used.\n * ```typescript\n * this.exportOptions.rowHeight = 25;\n * ```\n *\n * @memberof IgxExcelExporterOptions\n */\n set rowHeight(value) {\n if (value < 0) {\n throw Error('Invalid value for row height!');\n }\n this._rowHeight = value;\n }\n /**\n * Gets the name of the worksheet in the exported excel file.\n * ```typescript\n * let worksheetName = this.exportOptions.worksheetName;\n * ```\n *\n * @memberof IgxExcelExporterOptions\n */\n get worksheetName() {\n if (this._worksheetName === undefined || this._worksheetName === null) {\n return 'Sheet1';\n }\n return this._worksheetName;\n }\n /**\n * Sets the name of the worksheet in the exported excel file.\n * ```typescript\n * this.exportOptions.worksheetName = \"Worksheet\";\n * ```\n *\n * @memberof IgxExcelExporterOptions\n */\n set worksheetName(value) {\n this._worksheetName = value;\n }\n}\nclass IgxAngularAnimationPlayer {\n get position() {\n return this._innerPlayer.getPosition();\n }\n set position(value) {\n this.internalPlayer.setPosition(value);\n }\n constructor(internalPlayer) {\n this.internalPlayer = internalPlayer;\n this.animationStart = new EventEmitter();\n this.animationEnd = new EventEmitter();\n this.internalPlayer.onDone(() => this.onDone());\n const innerRenderer = this.internalPlayer._renderer;\n // We need inner player as Angular.AnimationPlayer.getPosition returns always 0.\n // To workaround this we are getting the positions from the inner player.\n // This is logged in Angular here - https://github.com/angular/angular/issues/18891\n // As soon as this is resolved we can remove this hack\n this._innerPlayer = innerRenderer.engine.players[innerRenderer.engine.players.length - 1];\n }\n init() {\n this.internalPlayer.init();\n }\n play() {\n this.animationStart.emit({\n owner: this\n });\n this.internalPlayer.play();\n }\n finish() {\n this.internalPlayer.finish();\n // TODO: when animation finish angular deletes all onDone handlers. Add handlers again if needed\n }\n reset() {\n this.internalPlayer.reset();\n // calling reset does not change hasStarted to false. This is why we are doing it here via internal field\n this.internalPlayer._started = false;\n }\n destroy() {\n this.internalPlayer.destroy();\n }\n hasStarted() {\n return this.internalPlayer.hasStarted();\n }\n onDone() {\n this.animationEnd.emit({\n owner: this\n });\n }\n}\nlet IgxAngularAnimationService = /*#__PURE__*/(() => {\n class IgxAngularAnimationService {\n constructor(builder) {\n this.builder = builder;\n }\n buildAnimation(animationMetaData, element) {\n if (!animationMetaData) {\n return null;\n }\n const animationBuilder = this.builder.build(animationMetaData);\n const player = new IgxAngularAnimationPlayer(animationBuilder.create(element));\n return player;\n }\n static {\n this.ɵfac = function IgxAngularAnimationService_Factory(t) {\n return new (t || IgxAngularAnimationService)(i0.ɵɵinject(i1.AnimationBuilder));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: IgxAngularAnimationService,\n factory: IgxAngularAnimationService.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return IgxAngularAnimationService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nvar HorizontalAlignment = /*#__PURE__*/function (HorizontalAlignment) {\n HorizontalAlignment[HorizontalAlignment[\"Left\"] = -1] = \"Left\";\n HorizontalAlignment[HorizontalAlignment[\"Center\"] = -0.5] = \"Center\";\n HorizontalAlignment[HorizontalAlignment[\"Right\"] = 0] = \"Right\";\n return HorizontalAlignment;\n}(HorizontalAlignment || {});\nvar VerticalAlignment = /*#__PURE__*/function (VerticalAlignment) {\n VerticalAlignment[VerticalAlignment[\"Top\"] = -1] = \"Top\";\n VerticalAlignment[VerticalAlignment[\"Middle\"] = -0.5] = \"Middle\";\n VerticalAlignment[VerticalAlignment[\"Bottom\"] = 0] = \"Bottom\";\n return VerticalAlignment;\n}(VerticalAlignment || {});\n/**\n * Defines the possible values of the overlays' position strategy.\n */\nvar RelativePositionStrategy = /*#__PURE__*/function (RelativePositionStrategy) {\n RelativePositionStrategy[\"Connected\"] = \"connected\";\n RelativePositionStrategy[\"Auto\"] = \"auto\";\n RelativePositionStrategy[\"Elastic\"] = \"elastic\";\n return RelativePositionStrategy;\n}(RelativePositionStrategy || {});\n/**\n * Defines the possible positions for the relative overlay settings presets.\n */\nvar RelativePosition = /*#__PURE__*/function (RelativePosition) {\n RelativePosition[\"Above\"] = \"above\";\n RelativePosition[\"Below\"] = \"below\";\n RelativePosition[\"Before\"] = \"before\";\n RelativePosition[\"After\"] = \"after\";\n RelativePosition[\"Default\"] = \"default\";\n return RelativePosition;\n}(RelativePosition || {});\n/**\n * Defines the possible positions for the absolute overlay settings presets.\n */\nvar AbsolutePosition = /*#__PURE__*/function (AbsolutePosition) {\n AbsolutePosition[\"Bottom\"] = \"bottom\";\n AbsolutePosition[\"Top\"] = \"top\";\n AbsolutePosition[\"Center\"] = \"center\";\n return AbsolutePosition;\n}(AbsolutePosition || {});\n// TODO: make this interface\nclass Point {\n constructor(x, y) {\n this.x = x;\n this.y = y;\n }\n}\n/** @hidden @internal */\nclass Util {\n /**\n * Calculates the rectangle of target for provided overlay settings. Defaults to 0,0,0,0,0,0 rectangle\n * if no target is provided\n *\n * @param settings Overlay settings for which to calculate target rectangle\n */\n static getTargetRect(target) {\n let targetRect = {\n bottom: 0,\n height: 0,\n left: 0,\n right: 0,\n top: 0,\n width: 0\n };\n if (target instanceof HTMLElement) {\n targetRect = target.getBoundingClientRect();\n } else if (target instanceof Point) {\n const targetPoint = target;\n targetRect = {\n bottom: targetPoint.y,\n height: 0,\n left: targetPoint.x,\n right: targetPoint.x,\n top: targetPoint.y,\n width: 0\n };\n }\n return targetRect;\n }\n static getViewportRect(document) {\n const width = document.documentElement.clientWidth;\n const height = document.documentElement.clientHeight;\n const scrollPosition = Util.getViewportScrollPosition(document);\n return {\n top: scrollPosition.y,\n left: scrollPosition.x,\n right: scrollPosition.x + width,\n bottom: scrollPosition.y + height,\n width,\n height\n };\n }\n static getViewportScrollPosition(document) {\n const documentElement = document.documentElement;\n const documentRect = documentElement.getBoundingClientRect();\n const horizontalScrollPosition = -documentRect.left || document.body.scrollLeft || window.scrollX || documentElement.scrollLeft || 0;\n const verticalScrollPosition = -documentRect.top || document.body.scrollTop || window.scrollY || documentElement.scrollTop || 0;\n return new Point(horizontalScrollPosition, verticalScrollPosition);\n }\n static cloneInstance(object) {\n const clonedObj = Object.assign(Object.create(Object.getPrototypeOf(object)), object);\n clonedObj.settings = cloneValue(clonedObj.settings);\n return clonedObj;\n }\n}\n\n/**\n * Positions the element based on the directions and start point passed in trough PositionSettings.\n * It is possible to either pass a start point or an HTMLElement as a positioning base.\n */\nclass ConnectedPositioningStrategy {\n constructor(settings) {\n this._defaultSettings = {\n horizontalDirection: HorizontalAlignment.Right,\n verticalDirection: VerticalAlignment.Bottom,\n horizontalStartPoint: HorizontalAlignment.Left,\n verticalStartPoint: VerticalAlignment.Bottom,\n openAnimation: scaleInVerTop,\n closeAnimation: scaleOutVerTop,\n minSize: {\n width: 0,\n height: 0\n }\n };\n this.settings = Object.assign({}, this._defaultSettings, settings);\n }\n /**\n * Position the element based on the PositionStrategy implementing this interface.\n *\n * @param contentElement The HTML element to be positioned\n * @param size Size of the element\n * @param document reference to the Document object\n * @param initialCall should be true if this is the initial call to the method\n * @param target attaching target for the component to show\n * ```typescript\n * settings.positionStrategy.position(content, size, document, true);\n * ```\n */\n position(contentElement, size, document, initialCall, target) {\n const targetElement = target || this.settings.target;\n const rects = this.calculateElementRectangles(contentElement, targetElement);\n this.setStyle(contentElement, rects.targetRect, rects.elementRect, {});\n }\n /**\n * Creates clone of this position strategy\n * @returns clone of this position strategy\n */\n clone() {\n return Util.cloneInstance(this);\n }\n /**\n * Obtains the DomRect objects for the required elements - target and element to position\n *\n * @returns target and element DomRect objects\n */\n calculateElementRectangles(contentElement, target) {\n return {\n targetRect: Util.getTargetRect(target),\n elementRect: contentElement.getBoundingClientRect()\n };\n }\n /**\n * Sets element's style which effectively positions provided element according\n * to provided position settings\n *\n * @param element Element to position\n * @param targetRect Bounding rectangle of strategy target\n * @param elementRect Bounding rectangle of the element\n */\n setStyle(element, targetRect, elementRect, connectedFit) {\n const horizontalOffset = connectedFit.horizontalOffset ? connectedFit.horizontalOffset : 0;\n const verticalOffset = connectedFit.verticalOffset ? connectedFit.verticalOffset : 0;\n const startPoint = {\n x: targetRect.right + targetRect.width * this.settings.horizontalStartPoint + horizontalOffset,\n y: targetRect.bottom + targetRect.height * this.settings.verticalStartPoint + verticalOffset\n };\n const wrapperRect = element.parentElement.getBoundingClientRect();\n // clean up styles - if auto position strategy is chosen we may pass here several times\n element.style.right = '';\n element.style.left = '';\n element.style.bottom = '';\n element.style.top = '';\n switch (this.settings.horizontalDirection) {\n case HorizontalAlignment.Left:\n element.style.right = `${Math.round(wrapperRect.right - startPoint.x)}px`;\n break;\n case HorizontalAlignment.Center:\n element.style.left = `${Math.round(startPoint.x - wrapperRect.left - elementRect.width / 2)}px`;\n break;\n case HorizontalAlignment.Right:\n element.style.left = `${Math.round(startPoint.x - wrapperRect.left)}px`;\n break;\n }\n switch (this.settings.verticalDirection) {\n case VerticalAlignment.Top:\n element.style.bottom = `${Math.round(wrapperRect.bottom - startPoint.y)}px`;\n break;\n case VerticalAlignment.Middle:\n element.style.top = `${Math.round(startPoint.y - wrapperRect.top - elementRect.height / 2)}px`;\n break;\n case VerticalAlignment.Bottom:\n element.style.top = `${Math.round(startPoint.y - wrapperRect.top)}px`;\n break;\n }\n }\n}\nclass BaseFitPositionStrategy extends ConnectedPositioningStrategy {\n /**\n * Position the element based on the PositionStrategy implementing this interface.\n *\n * @param contentElement The HTML element to be positioned\n * @param size Size of the element\n * @param document reference to the Document object\n * @param initialCall should be true if this is the initial call to the method\n * @param target attaching target for the component to show\n * ```typescript\n * settings.positionStrategy.position(content, size, document, true);\n * ```\n */\n position(contentElement, size, document, initialCall, target) {\n const targetElement = target || this.settings.target;\n const rects = super.calculateElementRectangles(contentElement, targetElement);\n const connectedFit = {};\n if (initialCall) {\n connectedFit.targetRect = rects.targetRect;\n connectedFit.contentElementRect = rects.elementRect;\n this._initialSettings = this._initialSettings || Object.assign({}, this.settings);\n this.settings = Object.assign({}, this._initialSettings);\n connectedFit.viewPortRect = Util.getViewportRect(document);\n this.updateViewPortFit(connectedFit);\n if (this.shouldFitInViewPort(connectedFit)) {\n this.fitInViewport(contentElement, connectedFit);\n }\n }\n this.setStyle(contentElement, rects.targetRect, rects.elementRect, connectedFit);\n }\n /**\n * Checks if element can fit in viewport and updates provided connectedFit\n * with the result\n *\n * @param connectedFit connectedFit to update\n */\n updateViewPortFit(connectedFit) {\n connectedFit.left = this.calculateLeft(connectedFit.targetRect, connectedFit.contentElementRect, this.settings.horizontalStartPoint, this.settings.horizontalDirection, connectedFit.horizontalOffset ? connectedFit.horizontalOffset : 0);\n connectedFit.right = connectedFit.left + connectedFit.contentElementRect.width;\n connectedFit.fitHorizontal = {\n back: Math.round(connectedFit.left),\n forward: Math.round(connectedFit.viewPortRect.width - connectedFit.right)\n };\n connectedFit.top = this.calculateTop(connectedFit.targetRect, connectedFit.contentElementRect, this.settings.verticalStartPoint, this.settings.verticalDirection, connectedFit.verticalOffset ? connectedFit.verticalOffset : 0);\n connectedFit.bottom = connectedFit.top + connectedFit.contentElementRect.height;\n connectedFit.fitVertical = {\n back: Math.round(connectedFit.top),\n forward: Math.round(connectedFit.viewPortRect.height - connectedFit.bottom)\n };\n }\n /**\n * Calculates the position of the left border of the element if it gets positioned\n * with provided start point and direction\n *\n * @param targetRect Rectangle of the target where element is attached\n * @param elementRect Rectangle of the element\n * @param startPoint Start point of the target\n * @param direction Direction in which to show the element\n */\n calculateLeft(targetRect, elementRect, startPoint, direction, offset) {\n return targetRect.right + targetRect.width * startPoint + elementRect.width * direction + offset;\n }\n /**\n * Calculates the position of the top border of the element if it gets positioned\n * with provided position settings related to the target\n *\n * @param targetRect Rectangle of the target where element is attached\n * @param elementRect Rectangle of the element\n * @param startPoint Start point of the target\n * @param direction Direction in which to show the element\n */\n calculateTop(targetRect, elementRect, startPoint, direction, offset) {\n return targetRect.bottom + targetRect.height * startPoint + elementRect.height * direction + offset;\n }\n /**\n * Returns whether the element should fit in viewport\n *\n * @param connectedFit connectedFit object containing all necessary parameters\n */\n shouldFitInViewPort(connectedFit) {\n return connectedFit.fitHorizontal.back < 0 || connectedFit.fitHorizontal.forward < 0 || connectedFit.fitVertical.back < 0 || connectedFit.fitVertical.forward < 0;\n }\n}\n\n/**\n * Positions the element as in **Connected** positioning strategy and re-positions the element in\n * the view port (calculating a different start point) in case the element is partially getting out of view\n */\nclass AutoPositionStrategy extends BaseFitPositionStrategy {\n /**\n * Fits the element into viewport according to the position settings\n *\n * @param element element to fit in viewport\n * @param connectedFit connectedFit object containing all necessary parameters\n */\n fitInViewport(element, connectedFit) {\n const transformString = [];\n if (connectedFit.fitHorizontal.back < 0 || connectedFit.fitHorizontal.forward < 0) {\n if (this.canFlipHorizontal(connectedFit)) {\n this.flipHorizontal();\n this.flipAnimation(FlipDirection.Horizontal);\n } else {\n const horizontalPush = this.horizontalPush(connectedFit);\n transformString.push(`translateX(${horizontalPush}px)`);\n }\n }\n if (connectedFit.fitVertical.back < 0 || connectedFit.fitVertical.forward < 0) {\n if (this.canFlipVertical(connectedFit)) {\n this.flipVertical();\n this.flipAnimation(FlipDirection.Vertical);\n } else {\n const verticalPush = this.verticalPush(connectedFit);\n transformString.push(`translateY(${verticalPush}px)`);\n }\n }\n element.style.transform = transformString.join(' ').trim();\n }\n /**\n * Checks if element can be flipped without get off the viewport\n *\n * @param connectedFit connectedFit object containing all necessary parameters\n * @returns true if element can be flipped and stain in viewport\n */\n canFlipHorizontal(connectedFit) {\n // HorizontalAlignment can be Left = -1; Center = -0.5 or Right = 0.\n // To virtually flip direction and start point (both are HorizontalAlignment) we can do this:\n // flippedAlignment = (-1) * (HorizontalAlignment + 1)\n // this way:\n // (-1) * (Left + 1) = 0 = Right\n // (-1) * (Center + 1) = -0.5 = Center\n // (-1) * (Right + 1) = -1 = Left\n const flippedStartPoint = -1 * (this.settings.horizontalStartPoint + 1);\n const flippedDirection = -1 * (this.settings.horizontalDirection + 1);\n const leftBorder = this.calculateLeft(connectedFit.targetRect, connectedFit.contentElementRect, flippedStartPoint, flippedDirection, 0);\n const rightBorder = leftBorder + connectedFit.contentElementRect.width;\n return 0 < leftBorder && rightBorder < connectedFit.viewPortRect.width;\n }\n /**\n * Checks if element can be flipped without get off the viewport\n *\n * @param connectedFit connectedFit object containing all necessary parameters\n * @returns true if element can be flipped and stain in viewport\n */\n canFlipVertical(connectedFit) {\n const flippedStartPoint = -1 * (this.settings.verticalStartPoint + 1);\n const flippedDirection = -1 * (this.settings.verticalDirection + 1);\n const topBorder = this.calculateTop(connectedFit.targetRect, connectedFit.contentElementRect, flippedStartPoint, flippedDirection, 0);\n const bottomBorder = topBorder + connectedFit.contentElementRect.height;\n return 0 < topBorder && bottomBorder < connectedFit.viewPortRect.height;\n }\n /**\n * Flips direction and start point of the position settings\n */\n flipHorizontal() {\n switch (this.settings.horizontalDirection) {\n case HorizontalAlignment.Left:\n this.settings.horizontalDirection = HorizontalAlignment.Right;\n break;\n case HorizontalAlignment.Right:\n this.settings.horizontalDirection = HorizontalAlignment.Left;\n break;\n }\n switch (this.settings.horizontalStartPoint) {\n case HorizontalAlignment.Left:\n this.settings.horizontalStartPoint = HorizontalAlignment.Right;\n break;\n case HorizontalAlignment.Right:\n this.settings.horizontalStartPoint = HorizontalAlignment.Left;\n break;\n }\n }\n /**\n * Flips direction and start point of the position settings\n */\n flipVertical() {\n switch (this.settings.verticalDirection) {\n case VerticalAlignment.Top:\n this.settings.verticalDirection = VerticalAlignment.Bottom;\n break;\n case VerticalAlignment.Bottom:\n this.settings.verticalDirection = VerticalAlignment.Top;\n break;\n }\n switch (this.settings.verticalStartPoint) {\n case VerticalAlignment.Top:\n this.settings.verticalStartPoint = VerticalAlignment.Bottom;\n break;\n case VerticalAlignment.Bottom:\n this.settings.verticalStartPoint = VerticalAlignment.Top;\n break;\n }\n }\n /**\n * Calculates necessary horizontal push according to provided connectedFit\n *\n * @param connectedFit connectedFit object containing all necessary parameters\n * @returns amount of necessary translation which will push the element into viewport\n */\n horizontalPush(connectedFit) {\n const leftExtend = connectedFit.left;\n const rightExtend = connectedFit.right - connectedFit.viewPortRect.width;\n // if leftExtend < 0 overlay goes beyond left end of the screen. We should push it back with exactly\n // as much as it is beyond the screen.\n // if rightExtend > 0 overlay goes beyond right end of the screen. We should push it back with the\n // extend but with amount not bigger than what left between left border of screen and left border of\n // overlay, e.g. leftExtend\n if (leftExtend < 0) {\n return Math.abs(leftExtend);\n } else if (rightExtend > 0) {\n return -Math.min(rightExtend, leftExtend);\n } else {\n return 0;\n }\n }\n /**\n * Calculates necessary vertical push according to provided connectedFit\n *\n * @param connectedFit connectedFit object containing all necessary parameters\n * @returns amount of necessary translation which will push the element into viewport\n */\n verticalPush(connectedFit) {\n const topExtend = connectedFit.top;\n const bottomExtend = connectedFit.bottom - connectedFit.viewPortRect.height;\n if (topExtend < 0) {\n return Math.abs(topExtend);\n } else if (bottomExtend > 0) {\n return -Math.min(bottomExtend, topExtend);\n } else {\n return 0;\n }\n }\n /**\n * Changes open and close animation with reverse animation if one exists\n *\n * @param flipDirection direction for which to change the animations\n */\n flipAnimation(flipDirection) {\n if (this.settings.openAnimation) {\n this.settings.openAnimation = this.updateAnimation(this.settings.openAnimation, flipDirection);\n }\n if (this.settings.closeAnimation) {\n this.settings.closeAnimation = this.updateAnimation(this.settings.closeAnimation, flipDirection);\n }\n }\n /**\n * Tries to find the reverse animation according to provided direction\n *\n * @param animation animation to update\n * @param direction required animation direction\n * @returns reverse animation in given direction if one exists\n */\n updateAnimation(animation, direction) {\n switch (direction) {\n case FlipDirection.Horizontal:\n if (AnimationUtil.instance().isHorizontalAnimation(animation)) {\n return AnimationUtil.instance().reverseAnimationResolver(animation);\n }\n break;\n case FlipDirection.Vertical:\n if (AnimationUtil.instance().isVerticalAnimation(animation)) {\n return AnimationUtil.instance().reverseAnimationResolver(animation);\n }\n break;\n }\n return animation;\n }\n}\nvar FlipDirection = /*#__PURE__*/function (FlipDirection) {\n FlipDirection[FlipDirection[\"Horizontal\"] = 0] = \"Horizontal\";\n FlipDirection[FlipDirection[\"Vertical\"] = 1] = \"Vertical\";\n return FlipDirection;\n}(FlipDirection || {});\n/**\n * Positions the element based on the directions passed in trough PositionSettings.\n * These are Top/Middle/Bottom for verticalDirection and Left/Center/Right for horizontalDirection\n */\nclass GlobalPositionStrategy {\n constructor(settings) {\n this._defaultSettings = {\n horizontalDirection: HorizontalAlignment.Center,\n verticalDirection: VerticalAlignment.Middle,\n horizontalStartPoint: HorizontalAlignment.Center,\n verticalStartPoint: VerticalAlignment.Middle,\n openAnimation: fadeIn,\n closeAnimation: fadeOut,\n minSize: {\n width: 0,\n height: 0\n }\n };\n this.settings = Object.assign({}, this._defaultSettings, settings);\n }\n /**\n * Position the element based on the PositionStrategy implementing this interface.\n *\n * @param contentElement The HTML element to be positioned\n * @param size Size of the element\n * @param document reference to the Document object\n * @param initialCall should be true if this is the initial call to the method\n * @param target attaching target for the component to show\n * ```typescript\n * settings.positionStrategy.position(content, size, document, true);\n * ```\n */\n position(contentElement) {\n contentElement.classList.add('igx-overlay__content--relative');\n contentElement.parentElement.classList.add('igx-overlay__wrapper--flex');\n this.setPosition(contentElement);\n }\n /**\n * Clone the strategy instance.\n * ```typescript\n * settings.positionStrategy.clone();\n * ```\n */\n clone() {\n return Util.cloneInstance(this);\n }\n setPosition(contentElement) {\n switch (this.settings.horizontalDirection) {\n case HorizontalAlignment.Left:\n contentElement.parentElement.style.justifyContent = 'flex-start';\n break;\n case HorizontalAlignment.Center:\n contentElement.parentElement.style.justifyContent = 'center';\n break;\n case HorizontalAlignment.Right:\n contentElement.parentElement.style.justifyContent = 'flex-end';\n break;\n default:\n break;\n }\n switch (this.settings.verticalDirection) {\n case VerticalAlignment.Top:\n contentElement.parentElement.style.alignItems = 'flex-start';\n break;\n case VerticalAlignment.Middle:\n contentElement.parentElement.style.alignItems = 'center';\n break;\n case VerticalAlignment.Bottom:\n contentElement.parentElement.style.alignItems = 'flex-end';\n break;\n default:\n break;\n }\n }\n}\n\n/**\n * Positions the element inside the containing outlet based on the directions passed in trough PositionSettings.\n * These are Top/Middle/Bottom for verticalDirection and Left/Center/Right for horizontalDirection\n */\nclass ContainerPositionStrategy extends GlobalPositionStrategy {\n constructor(settings) {\n super(settings);\n }\n /**\n * Position the element based on the PositionStrategy implementing this interface.\n */\n position(contentElement) {\n contentElement.classList.add('igx-overlay__content--relative');\n contentElement.parentElement.classList.add('igx-overlay__wrapper--flex-container');\n this.setPosition(contentElement);\n }\n}\n\n/**\n * Positions the element as in **Connected** positioning strategy and resize the element\n * to fit in the view port in case the element is partially getting out of view\n */\nclass ElasticPositionStrategy extends BaseFitPositionStrategy {\n /**\n * Fits the element into viewport according to the position settings\n *\n * @param element element to fit in viewport\n * @param connectedFit connectedFit object containing all necessary parameters\n */\n fitInViewport(element, connectedFit) {\n element.classList.add('igx-overlay__content--elastic');\n const transformString = [];\n if (connectedFit.fitHorizontal.back < 0 || connectedFit.fitHorizontal.forward < 0) {\n const maxReduction = Math.max(0, connectedFit.contentElementRect.width - this.settings.minSize.width);\n const leftExtend = Math.max(0, -connectedFit.fitHorizontal.back);\n const rightExtend = Math.max(0, -connectedFit.fitHorizontal.forward);\n const reduction = Math.min(maxReduction, leftExtend + rightExtend);\n element.style.width = `${connectedFit.contentElementRect.width - reduction}px`;\n // if direction is center and element goes off the screen in left direction we should push the\n // element to the right. Prevents left still going out of view when normally positioned\n if (this.settings.horizontalDirection === HorizontalAlignment.Center) {\n // the amount of translation depends on whether element goes off the screen to the left,\n // to the right or in both directions, as well as how much it goes of the screen and finally\n // on the minSize. The translation should be proportional between left and right extend\n // taken from the reduction\n const translation = leftExtend * reduction / (leftExtend + rightExtend);\n if (translation > 0) {\n transformString.push(`translateX(${translation}px)`);\n }\n }\n }\n if (connectedFit.fitVertical.back < 0 || connectedFit.fitVertical.forward < 0) {\n const maxReduction = Math.max(0, connectedFit.contentElementRect.height - this.settings.minSize.height);\n const topExtend = Math.max(0, -connectedFit.fitVertical.back);\n const bottomExtend = Math.max(0, -connectedFit.fitVertical.forward);\n const reduction = Math.min(maxReduction, topExtend + bottomExtend);\n element.style.height = `${connectedFit.contentElementRect.height - reduction}px`;\n // if direction is middle and element goes off the screen in top direction we should push the\n // element to the bottom. Prevents top still going out of view when normally positioned\n if (this.settings.verticalDirection === VerticalAlignment.Middle) {\n // the amount of translation depends on whether element goes off the screen to the top,\n // to the bottom or in both directions, as well as how much it goes of the screen and finally\n // on the minSize. The translation should be proportional between top and bottom extend\n // taken from the reduction\n const translation = topExtend * reduction / (topExtend + bottomExtend);\n if (translation > 0) {\n transformString.push(`translateY(${translation}px)`);\n }\n }\n }\n element.style.transform = transformString.join(' ').trim();\n }\n}\nclass ScrollStrategy {\n constructor() {}\n}\n\n/**\n * Empty scroll strategy. Does nothing.\n */\nclass NoOpScrollStrategy extends ScrollStrategy {\n constructor() {\n super();\n }\n /**\n * Initializes the strategy. Should be called once\n */\n initialize() {}\n /**\n * Detaches the strategy\n * ```typescript\n * settings.scrollStrategy.detach();\n * ```\n */\n attach() {}\n /**\n * Detaches the strategy\n * ```typescript\n * settings.scrollStrategy.detach();\n * ```\n */\n detach() {}\n}\n\n/**\n * [Documentation](https://www.infragistics.com/products/ignite-ui-angular/angular/components/overlay-main)\n * The overlay service allows users to show components on overlay div above all other elements in the page.\n */\nlet IgxOverlayService = /*#__PURE__*/(() => {\n class IgxOverlayService {\n constructor(_factoryResolver, _appRef, _injector, document, _zone, platformUtil, animationService) {\n this._factoryResolver = _factoryResolver;\n this._appRef = _appRef;\n this._injector = _injector;\n this.document = document;\n this._zone = _zone;\n this.platformUtil = platformUtil;\n this.animationService = animationService;\n /**\n * Emitted just before the overlay content starts to open.\n * ```typescript\n * opening(event: OverlayCancelableEventArgs){\n * const opening = event;\n * }\n * ```\n */\n this.opening = new EventEmitter();\n /**\n * Emitted after the overlay content is opened and all animations are finished.\n * ```typescript\n * opened(event: OverlayEventArgs){\n * const opened = event;\n * }\n * ```\n */\n this.opened = new EventEmitter();\n /**\n * Emitted just before the overlay content starts to close.\n * ```typescript\n * closing(event: OverlayCancelableEventArgs){\n * const closing = event;\n * }\n * ```\n */\n this.closing = new EventEmitter();\n /**\n * Emitted after the overlay content is closed and all animations are finished.\n * ```typescript\n * closed(event: OverlayEventArgs){\n * const closed = event;\n * }\n * ```\n */\n this.closed = new EventEmitter();\n /**\n * Emitted before the content is appended to the overlay.\n * ```typescript\n * contentAppending(event: OverlayEventArgs){\n * const contentAppending = event;\n * }\n * ```\n */\n this.contentAppending = new EventEmitter();\n /**\n * Emitted after the content is appended to the overlay, and before animations are started.\n * ```typescript\n * contentAppended(event: OverlayEventArgs){\n * const contentAppended = event;\n * }\n * ```\n */\n this.contentAppended = new EventEmitter();\n /**\n * Emitted just before the overlay animation start.\n * ```typescript\n * animationStarting(event: OverlayAnimationEventArgs){\n * const animationStarting = event;\n * }\n * ```\n */\n this.animationStarting = new EventEmitter();\n this._componentId = 0;\n this._overlayInfos = [];\n this.destroy$ = new Subject();\n this._cursorStyleIsSet = false;\n this._defaultSettings = {\n excludeFromOutsideClick: [],\n positionStrategy: new GlobalPositionStrategy(),\n scrollStrategy: new NoOpScrollStrategy(),\n modal: true,\n closeOnOutsideClick: true,\n closeOnEscape: false\n };\n /** @hidden */\n this.repositionAll = () => {\n for (let i = this._overlayInfos.length; i--;) {\n this.reposition(this._overlayInfos[i].id);\n }\n };\n this.documentClicked = ev => {\n // if we get to modal overlay just return - we should not close anything under it\n // if we get to non-modal overlay do the next:\n // 1. Check it has close on outside click. If not go on to next overlay;\n // 2. If true check if click is on the element. If it is on the element we have closed\n // already all previous non-modal with close on outside click elements, so we return. If\n // not close the overlay and check next\n for (let i = this._overlayInfos.length; i--;) {\n const info = this._overlayInfos[i];\n if (info.settings.modal) {\n return;\n }\n if (info.settings.closeOnOutsideClick) {\n const target = ev.composed ? ev.composedPath()[0] : ev.target;\n const overlayElement = info.elementRef.nativeElement;\n // check if the click is on the overlay element or on an element from the exclusion list, and if so do not close the overlay\n const excludeElements = info.settings.excludeFromOutsideClick ? [...info.settings.excludeFromOutsideClick, overlayElement] : [overlayElement];\n const isInsideClick = excludeElements.some(e => e.contains(target));\n if (isInsideClick) {\n return;\n // if the click is outside click, but close animation has started do nothing\n } else if (!info.closeAnimationPlayer?.hasStarted()) {\n this._hide(info.id, ev);\n }\n }\n }\n };\n this._document = this.document;\n }\n /**\n * Creates overlay settings with global or container position strategy and preset position settings\n *\n * @param position Preset position settings. Default position is 'center'\n * @param outlet The outlet container to attach the overlay to\n * @returns Non-modal overlay settings based on Global or Container position strategy and the provided position.\n */\n static createAbsoluteOverlaySettings(position, outlet) {\n const positionSettings = this.createAbsolutePositionSettings(position);\n const strategy = outlet ? new ContainerPositionStrategy(positionSettings) : new GlobalPositionStrategy(positionSettings);\n const overlaySettings = {\n positionStrategy: strategy,\n scrollStrategy: new NoOpScrollStrategy(),\n modal: false,\n closeOnOutsideClick: true,\n outlet\n };\n return overlaySettings;\n }\n /**\n * Creates overlay settings with auto, connected or elastic position strategy and preset position settings\n *\n * @param target Attaching target for the component to show\n * @param strategy The relative position strategy to be applied to the overlay settings. Default is Auto positioning strategy.\n * @param position Preset position settings. By default the element is positioned below the target, left aligned.\n * @returns Non-modal overlay settings based on the provided target, strategy and position.\n */\n static createRelativeOverlaySettings(target, position, strategy) {\n const positionSettings = this.createRelativePositionSettings(position);\n const overlaySettings = {\n target,\n positionStrategy: this.createPositionStrategy(strategy, positionSettings),\n scrollStrategy: new NoOpScrollStrategy(),\n modal: false,\n closeOnOutsideClick: true\n };\n return overlaySettings;\n }\n static createAbsolutePositionSettings(position) {\n let positionSettings;\n switch (position) {\n case AbsolutePosition.Bottom:\n positionSettings = {\n horizontalDirection: HorizontalAlignment.Center,\n verticalDirection: VerticalAlignment.Bottom,\n openAnimation: slideInBottom,\n closeAnimation: slideOutBottom\n };\n break;\n case AbsolutePosition.Top:\n positionSettings = {\n horizontalDirection: HorizontalAlignment.Center,\n verticalDirection: VerticalAlignment.Top,\n openAnimation: slideInTop,\n closeAnimation: slideOutTop\n };\n break;\n case AbsolutePosition.Center:\n default:\n positionSettings = {\n horizontalDirection: HorizontalAlignment.Center,\n verticalDirection: VerticalAlignment.Middle,\n openAnimation: fadeIn,\n closeAnimation: fadeOut\n };\n }\n return positionSettings;\n }\n static createRelativePositionSettings(position) {\n let positionSettings;\n switch (position) {\n case RelativePosition.Above:\n positionSettings = {\n horizontalStartPoint: HorizontalAlignment.Center,\n verticalStartPoint: VerticalAlignment.Top,\n horizontalDirection: HorizontalAlignment.Center,\n verticalDirection: VerticalAlignment.Top,\n openAnimation: scaleInVerBottom,\n closeAnimation: scaleOutVerBottom\n };\n break;\n case RelativePosition.Below:\n positionSettings = {\n horizontalStartPoint: HorizontalAlignment.Center,\n verticalStartPoint: VerticalAlignment.Bottom,\n horizontalDirection: HorizontalAlignment.Center,\n verticalDirection: VerticalAlignment.Bottom,\n openAnimation: scaleInVerTop,\n closeAnimation: scaleOutVerTop\n };\n break;\n case RelativePosition.After:\n positionSettings = {\n horizontalStartPoint: HorizontalAlignment.Right,\n verticalStartPoint: VerticalAlignment.Middle,\n horizontalDirection: HorizontalAlignment.Right,\n verticalDirection: VerticalAlignment.Middle,\n openAnimation: scaleInHorLeft,\n closeAnimation: scaleOutHorLeft\n };\n break;\n case RelativePosition.Before:\n positionSettings = {\n horizontalStartPoint: HorizontalAlignment.Left,\n verticalStartPoint: VerticalAlignment.Middle,\n horizontalDirection: HorizontalAlignment.Left,\n verticalDirection: VerticalAlignment.Middle,\n openAnimation: scaleInHorRight,\n closeAnimation: scaleOutHorRight\n };\n break;\n case RelativePosition.Default:\n default:\n positionSettings = {\n horizontalStartPoint: HorizontalAlignment.Left,\n verticalStartPoint: VerticalAlignment.Bottom,\n horizontalDirection: HorizontalAlignment.Right,\n verticalDirection: VerticalAlignment.Bottom,\n openAnimation: scaleInVerTop,\n closeAnimation: scaleOutVerTop\n };\n break;\n }\n return positionSettings;\n }\n static createPositionStrategy(strategy, positionSettings) {\n switch (strategy) {\n case RelativePositionStrategy.Connected:\n return new ConnectedPositioningStrategy(positionSettings);\n case RelativePositionStrategy.Elastic:\n return new ElasticPositionStrategy(positionSettings);\n case RelativePositionStrategy.Auto:\n default:\n return new AutoPositionStrategy(positionSettings);\n }\n }\n attach(componentOrElement, viewContainerRefOrSettings, moduleRefOrSettings) {\n const info = this.getOverlayInfo(componentOrElement, this.getUserViewContainerOrModuleRef(viewContainerRefOrSettings, moduleRefOrSettings));\n if (!info) {\n console.warn('Overlay was not able to attach provided component!');\n return null;\n }\n info.id = (this._componentId++).toString();\n info.visible = false;\n const settings = Object.assign({}, this._defaultSettings, this.getUserOverlaySettings(viewContainerRefOrSettings, moduleRefOrSettings));\n // Emit the contentAppending event before appending the content\n const eventArgs = {\n id: info.id,\n elementRef: info.elementRef,\n componentRef: info.componentRef,\n settings\n };\n this.contentAppending.emit(eventArgs);\n // Append the content to the overlay\n info.settings = eventArgs.settings;\n this._overlayInfos.push(info);\n info.hook = this.placeElementHook(info.elementRef.nativeElement);\n const elementRect = info.elementRef.nativeElement.getBoundingClientRect();\n info.initialSize = {\n width: elementRect.width,\n height: elementRect.height\n };\n this.moveElementToOverlay(info);\n this.contentAppended.emit({\n id: info.id,\n componentRef: info.componentRef\n });\n info.settings.scrollStrategy.initialize(this._document, this, info.id);\n info.settings.scrollStrategy.attach();\n this.addOutsideClickListener(info);\n this.addResizeHandler();\n this.addCloseOnEscapeListener(info);\n this.buildAnimationPlayers(info);\n return info.id;\n }\n /**\n * Remove overlay with the provided id.\n *\n * @param id Id of the overlay to remove\n * ```typescript\n * this.overlay.detach(id);\n * ```\n */\n detach(id) {\n const info = this.getOverlayById(id);\n if (!info) {\n console.warn('igxOverlay.detach was called with wrong id: ', id);\n return;\n }\n info.detached = true;\n this.finishAnimations(info);\n info.settings.scrollStrategy.detach();\n this.removeOutsideClickListener(info);\n this.removeResizeHandler();\n this.cleanUp(info);\n }\n /**\n * Remove all the overlays.\n * ```typescript\n * this.overlay.detachAll();\n * ```\n */\n detachAll() {\n for (let i = this._overlayInfos.length; i--;) {\n this.detach(this._overlayInfos[i].id);\n }\n }\n /**\n * Shows the overlay for provided id.\n *\n * @param id Id to show overlay for\n * @param settings Display settings for the overlay, such as positioning and scroll/close behavior.\n */\n show(id, settings) {\n const info = this.getOverlayById(id);\n if (!info) {\n console.warn('igxOverlay.show was called with wrong id: ', id);\n return;\n }\n const eventArgs = {\n id,\n componentRef: info.componentRef,\n cancel: false\n };\n this.opening.emit(eventArgs);\n if (eventArgs.cancel) {\n return;\n }\n if (settings) {\n // TODO: update attach\n }\n this.updateSize(info);\n info.settings.positionStrategy.position(info.elementRef.nativeElement.parentElement, {\n width: info.initialSize.width,\n height: info.initialSize.height\n }, this._document, true, info.settings.target);\n this.addModalClasses(info);\n if (info.settings.positionStrategy.settings.openAnimation) {\n // TODO: should we build players again. This was already done in attach!!!\n // this.buildAnimationPlayers(info);\n this.playOpenAnimation(info);\n } else {\n // to eliminate flickering show the element just before opened fires\n info.wrapperElement.style.visibility = '';\n info.visible = true;\n this.opened.emit({\n id: info.id,\n componentRef: info.componentRef\n });\n }\n }\n /**\n * Hides the component with the ID provided as a parameter.\n * ```typescript\n * this.overlay.hide(id);\n * ```\n */\n hide(id, event) {\n this._hide(id, event);\n }\n /**\n * Hides all the components and the overlay.\n * ```typescript\n * this.overlay.hideAll();\n * ```\n */\n hideAll() {\n for (let i = this._overlayInfos.length; i--;) {\n this.hide(this._overlayInfos[i].id);\n }\n }\n /**\n * Repositions the component with ID provided as a parameter.\n *\n * @param id Id to reposition overlay for\n * ```typescript\n * this.overlay.reposition(id);\n * ```\n */\n reposition(id) {\n const overlayInfo = this.getOverlayById(id);\n if (!overlayInfo || !overlayInfo.settings) {\n console.warn('Wrong id provided in overlay.reposition method. Id: ', id);\n return;\n }\n if (!overlayInfo.visible) {\n return;\n }\n const contentElement = overlayInfo.elementRef.nativeElement.parentElement;\n const contentElementRect = contentElement.getBoundingClientRect();\n overlayInfo.settings.positionStrategy.position(contentElement, {\n width: contentElementRect.width,\n height: contentElementRect.height\n }, this._document, false, overlayInfo.settings.target);\n }\n /**\n * Offsets the content along the corresponding axis by the provided amount\n *\n * @param id Id to offset overlay for\n * @param deltaX Amount of offset in horizontal direction\n * @param deltaY Amount of offset in vertical direction\n * ```typescript\n * this.overlay.setOffset(id, deltaX, deltaY);\n * ```\n */\n setOffset(id, deltaX, deltaY) {\n const info = this.getOverlayById(id);\n if (!info) {\n return;\n }\n info.transformX += deltaX;\n info.transformY += deltaY;\n const transformX = info.transformX;\n const transformY = info.transformY;\n const translate = `translate(${transformX}px, ${transformY}px)`;\n info.elementRef.nativeElement.parentElement.style.transform = translate;\n }\n /** @hidden */\n ngOnDestroy() {\n this.destroy$.next(true);\n this.destroy$.complete();\n }\n /** @hidden @internal */\n getOverlayById(id) {\n if (!id) {\n return null;\n }\n const info = this._overlayInfos.find(e => e.id === id);\n return info;\n }\n _hide(id, event) {\n const info = this.getOverlayById(id);\n if (!info) {\n console.warn('igxOverlay.hide was called with wrong id: ', id);\n return;\n }\n const eventArgs = {\n id,\n componentRef: info.componentRef,\n cancel: false,\n event\n };\n this.closing.emit(eventArgs);\n if (eventArgs.cancel) {\n return;\n }\n this.removeModalClasses(info);\n if (info.settings.positionStrategy.settings.closeAnimation) {\n this.playCloseAnimation(info, event);\n } else {\n this.closeDone(info);\n }\n }\n getUserOverlaySettings(viewContainerRefOrSettings, moduleRefOrSettings) {\n let result;\n if (viewContainerRefOrSettings && !(viewContainerRefOrSettings instanceof ViewContainerRef)) {\n result = viewContainerRefOrSettings;\n return result;\n }\n if (moduleRefOrSettings && !('injector' in moduleRefOrSettings && 'componentFactoryResolver' in moduleRefOrSettings)) {\n result = moduleRefOrSettings;\n }\n return result;\n }\n getUserViewContainerOrModuleRef(viewContainerRefOrSettings, moduleRefOrSettings) {\n let result;\n if (viewContainerRefOrSettings instanceof ViewContainerRef) {\n result = viewContainerRefOrSettings;\n }\n if (moduleRefOrSettings && 'injector' in moduleRefOrSettings && 'componentFactoryResolver' in moduleRefOrSettings) {\n result = moduleRefOrSettings;\n }\n return result;\n }\n getOverlayInfo(component, viewContainerRef) {\n const info = {\n ngZone: this._zone,\n transformX: 0,\n transformY: 0\n };\n if (component instanceof ElementRef) {\n info.elementRef = component;\n } else {\n let dynamicComponent;\n if (viewContainerRef instanceof ViewContainerRef) {\n dynamicComponent = viewContainerRef.createComponent(component);\n } else {\n let dynamicFactory;\n const factoryResolver = viewContainerRef ? viewContainerRef.componentFactoryResolver : this._factoryResolver;\n try {\n dynamicFactory = factoryResolver.resolveComponentFactory(component);\n } catch (error) {\n console.error(error);\n return null;\n }\n const injector = viewContainerRef ? viewContainerRef.injector : this._injector;\n dynamicComponent = dynamicFactory.create(injector);\n this._appRef.attachView(dynamicComponent.hostView);\n }\n if (dynamicComponent.onDestroy) {\n dynamicComponent.onDestroy(() => {\n if (!info.detached && this._overlayInfos.indexOf(info) !== -1) {\n this.detach(info.id);\n }\n });\n }\n // If the element is newly created from a Component, it is wrapped in 'ng-component' tag - we do not want that.\n const element = dynamicComponent.location.nativeElement;\n info.elementRef = {\n nativeElement: element\n };\n info.componentRef = dynamicComponent;\n }\n return info;\n }\n placeElementHook(element) {\n if (!element.parentElement) {\n return null;\n }\n const hook = this._document.createElement('div');\n hook.style.display = 'none';\n element.parentElement.insertBefore(hook, element);\n return hook;\n }\n moveElementToOverlay(info) {\n info.wrapperElement = this.getWrapperElement();\n const contentElement = this.getContentElement(info.wrapperElement, info.settings.modal);\n this.getOverlayElement(info).appendChild(info.wrapperElement);\n contentElement.appendChild(info.elementRef.nativeElement);\n }\n getWrapperElement() {\n const wrapper = this._document.createElement('div');\n wrapper.classList.add('igx-overlay__wrapper');\n return wrapper;\n }\n getContentElement(wrapperElement, modal) {\n const content = this._document.createElement('div');\n if (modal) {\n content.classList.add('igx-overlay__content--modal');\n content.addEventListener('click', ev => {\n ev.stopPropagation();\n });\n } else {\n content.classList.add('igx-overlay__content');\n }\n content.addEventListener('scroll', ev => {\n ev.stopPropagation();\n });\n // hide element to eliminate flickering. Show the element exactly before animation starts\n wrapperElement.style.visibility = 'hidden';\n wrapperElement.appendChild(content);\n return content;\n }\n getOverlayElement(info) {\n if (info.settings.outlet) {\n return info.settings.outlet.nativeElement || info.settings.outlet;\n }\n if (!this._overlayElement) {\n this._overlayElement = this._document.createElement('div');\n this._overlayElement.classList.add('igx-overlay');\n this._document.body.appendChild(this._overlayElement);\n }\n return this._overlayElement;\n }\n updateSize(info) {\n if (info.componentRef) {\n // if we are positioning component this is first time it gets visible\n // and we can finally get its size\n info.componentRef.changeDetectorRef.detectChanges();\n info.initialSize = info.elementRef.nativeElement.getBoundingClientRect();\n }\n // set content div width only if element to show has width\n if (info.initialSize.width !== 0) {\n info.elementRef.nativeElement.parentElement.style.width = info.initialSize.width + 'px';\n }\n }\n closeDone(info) {\n info.visible = false;\n if (info.wrapperElement) {\n // to eliminate flickering show the element just before animation start\n info.wrapperElement.style.visibility = 'hidden';\n }\n if (!info.closeAnimationDetaching) {\n this.closed.emit({\n id: info.id,\n componentRef: info.componentRef,\n event: info.event\n });\n }\n delete info.event;\n }\n cleanUp(info) {\n const child = info.elementRef.nativeElement;\n const outlet = this.getOverlayElement(info);\n // if same element is shown in other overlay outlet will not contain\n // the element and we should not remove it form outlet\n if (outlet.contains(child)) {\n outlet.removeChild(child.parentNode.parentNode);\n }\n if (info.componentRef) {\n this._appRef.detachView(info.componentRef.hostView);\n info.componentRef.destroy();\n delete info.componentRef;\n }\n if (info.hook) {\n info.hook.parentElement.insertBefore(info.elementRef.nativeElement, info.hook);\n info.hook.parentElement.removeChild(info.hook);\n delete info.hook;\n }\n const index = this._overlayInfos.indexOf(info);\n this._overlayInfos.splice(index, 1);\n // this._overlayElement.parentElement check just for tests that manually delete the element\n if (this._overlayInfos.length === 0) {\n if (this._overlayElement && this._overlayElement.parentElement) {\n this._overlayElement.parentElement.removeChild(this._overlayElement);\n this._overlayElement = null;\n }\n this.removeCloseOnEscapeListener();\n }\n // clean all the resources attached to info\n delete info.elementRef;\n delete info.settings;\n delete info.initialSize;\n info.openAnimationDetaching = true;\n info.openAnimationPlayer?.destroy();\n delete info.openAnimationPlayer;\n info.closeAnimationDetaching = true;\n info.closeAnimationPlayer?.destroy();\n delete info.closeAnimationPlayer;\n delete info.ngZone;\n delete info.wrapperElement;\n info = null;\n }\n playOpenAnimation(info) {\n // if there is opening animation already started do nothing\n if (info.openAnimationPlayer?.hasStarted()) {\n return;\n }\n if (info.closeAnimationPlayer?.hasStarted()) {\n const position = info.closeAnimationPlayer.position;\n info.closeAnimationPlayer.reset();\n info.openAnimationPlayer.init();\n info.openAnimationPlayer.position = 1 - position;\n }\n this.animationStarting.emit({\n id: info.id,\n animationPlayer: info.openAnimationPlayer,\n animationType: 'open'\n });\n // to eliminate flickering show the element just before animation start\n info.wrapperElement.style.visibility = '';\n info.visible = true;\n info.openAnimationPlayer.play();\n }\n playCloseAnimation(info, event) {\n // if there is closing animation already started do nothing\n if (info.closeAnimationPlayer?.hasStarted()) {\n return;\n }\n if (info.openAnimationPlayer?.hasStarted()) {\n const position = info.openAnimationPlayer.position;\n info.openAnimationPlayer.reset();\n info.closeAnimationPlayer.init();\n info.closeAnimationPlayer.position = 1 - position;\n }\n this.animationStarting.emit({\n id: info.id,\n animationPlayer: info.closeAnimationPlayer,\n animationType: 'close'\n });\n info.event = event;\n info.closeAnimationPlayer.play();\n }\n // TODO: check if applyAnimationParams will work with complex animations\n applyAnimationParams(wrapperElement, animationOptions) {\n if (!animationOptions) {\n wrapperElement.style.transitionDuration = '0ms';\n return;\n }\n if (!animationOptions.options || !animationOptions.options.params) {\n return;\n }\n const params = animationOptions.options.params;\n if (params.duration) {\n wrapperElement.style.transitionDuration = params.duration;\n }\n if (params.easing) {\n wrapperElement.style.transitionTimingFunction = params.easing;\n }\n }\n addOutsideClickListener(info) {\n if (info.settings.closeOnOutsideClick) {\n if (info.settings.modal) {\n fromEvent(info.elementRef.nativeElement.parentElement.parentElement, 'click').pipe(takeUntil(this.destroy$)).subscribe(e => this._hide(info.id, e));\n } else if (\n // if all overlays minus closing overlays equals one add the handler\n this._overlayInfos.filter(x => x.settings.closeOnOutsideClick && !x.settings.modal).length - this._overlayInfos.filter(x => x.settings.closeOnOutsideClick && !x.settings.modal && x.closeAnimationPlayer?.hasStarted()).length === 1) {\n // click event is not fired on iOS. To make element \"clickable\" we are\n // setting the cursor to pointer\n if (this.platformUtil.isIOS && !this._cursorStyleIsSet) {\n this._cursorOriginalValue = this._document.body.style.cursor;\n this._document.body.style.cursor = 'pointer';\n this._cursorStyleIsSet = true;\n }\n this._document.addEventListener('click', this.documentClicked, true);\n }\n }\n }\n removeOutsideClickListener(info) {\n if (info.settings.modal === false) {\n let shouldRemoveClickEventListener = true;\n this._overlayInfos.forEach(o => {\n if (o.settings.modal === false && o.id !== info.id) {\n shouldRemoveClickEventListener = false;\n }\n });\n if (shouldRemoveClickEventListener) {\n if (this._cursorStyleIsSet) {\n this._document.body.style.cursor = this._cursorOriginalValue;\n this._cursorOriginalValue = '';\n this._cursorStyleIsSet = false;\n }\n this._document.removeEventListener('click', this.documentClicked, true);\n }\n }\n }\n addResizeHandler() {\n const closingOverlaysCount = this._overlayInfos.filter(o => o.closeAnimationPlayer?.hasStarted()).length;\n if (this._overlayInfos.length - closingOverlaysCount === 1) {\n this._document.defaultView.addEventListener('resize', this.repositionAll);\n }\n }\n removeResizeHandler() {\n const closingOverlaysCount = this._overlayInfos.filter(o => o.closeAnimationPlayer?.hasStarted()).length;\n if (this._overlayInfos.length - closingOverlaysCount === 1) {\n this._document.defaultView.removeEventListener('resize', this.repositionAll);\n }\n }\n addCloseOnEscapeListener(info) {\n if (info.settings.closeOnEscape && !this._keyPressEventListener) {\n this._keyPressEventListener = fromEvent(this._document, 'keydown').pipe(filter(ev => ev.key === 'Escape' || ev.key === 'Esc')).subscribe(ev => {\n const visibleOverlays = this._overlayInfos.filter(o => o.visible);\n if (visibleOverlays.length < 1) {\n return;\n }\n const targetOverlayInfo = visibleOverlays[visibleOverlays.length - 1];\n if (targetOverlayInfo.visible && targetOverlayInfo.settings.closeOnEscape) {\n this.hide(targetOverlayInfo.id, ev);\n }\n });\n }\n }\n removeCloseOnEscapeListener() {\n if (this._keyPressEventListener) {\n this._keyPressEventListener.unsubscribe();\n this._keyPressEventListener = null;\n }\n }\n addModalClasses(info) {\n if (info.settings.modal) {\n const wrapperElement = info.elementRef.nativeElement.parentElement.parentElement;\n wrapperElement.classList.remove('igx-overlay__wrapper');\n this.applyAnimationParams(wrapperElement, info.settings.positionStrategy.settings.openAnimation);\n requestAnimationFrame(() => {\n wrapperElement.classList.add('igx-overlay__wrapper--modal');\n });\n }\n }\n removeModalClasses(info) {\n if (info.settings.modal) {\n const wrapperElement = info.elementRef.nativeElement.parentElement.parentElement;\n this.applyAnimationParams(wrapperElement, info.settings.positionStrategy.settings.closeAnimation);\n wrapperElement.classList.remove('igx-overlay__wrapper--modal');\n wrapperElement.classList.add('igx-overlay__wrapper');\n }\n }\n buildAnimationPlayers(info) {\n if (info.settings.positionStrategy.settings.openAnimation) {\n info.openAnimationPlayer = this.animationService.buildAnimation(info.settings.positionStrategy.settings.openAnimation, info.elementRef.nativeElement);\n info.openAnimationPlayer.animationEnd.pipe(takeUntil(this.destroy$)).subscribe(() => this.openAnimationDone(info));\n }\n if (info.settings.positionStrategy.settings.closeAnimation) {\n info.closeAnimationPlayer = this.animationService.buildAnimation(info.settings.positionStrategy.settings.closeAnimation, info.elementRef.nativeElement);\n info.closeAnimationPlayer.animationEnd.pipe(takeUntil(this.destroy$)).subscribe(() => this.closeAnimationDone(info));\n }\n }\n openAnimationDone(info) {\n if (!info.openAnimationDetaching) {\n this.opened.emit({\n id: info.id,\n componentRef: info.componentRef\n });\n }\n if (info.openAnimationPlayer) {\n info.openAnimationPlayer.reset();\n }\n if (info.closeAnimationPlayer?.hasStarted()) {\n info.closeAnimationPlayer.reset();\n }\n }\n closeAnimationDone(info) {\n if (info.closeAnimationPlayer) {\n info.closeAnimationPlayer.reset();\n }\n if (info.openAnimationPlayer?.hasStarted()) {\n info.openAnimationPlayer.reset();\n }\n this.closeDone(info);\n }\n finishAnimations(info) {\n // // TODO: should we emit here opened or closed events\n if (info.openAnimationPlayer?.hasStarted()) {\n info.openAnimationPlayer.finish();\n }\n if (info.closeAnimationPlayer?.hasStarted()) {\n info.closeAnimationPlayer.finish();\n }\n }\n static {\n this.ɵfac = function IgxOverlayService_Factory(t) {\n return new (t || IgxOverlayService)(i0.ɵɵinject(i0.ComponentFactoryResolver), i0.ɵɵinject(i0.ApplicationRef), i0.ɵɵinject(i0.Injector), i0.ɵɵinject(DOCUMENT), i0.ɵɵinject(i0.NgZone), i0.ɵɵinject(PlatformUtil), i0.ɵɵinject(IgxAngularAnimationService));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: IgxOverlayService,\n factory: IgxOverlayService.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return IgxOverlayService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n// Export position strategies\n\n/**\n * On scroll reposition the overlay content.\n */\nclass AbsoluteScrollStrategy extends ScrollStrategy {\n constructor(scrollContainer) {\n super();\n this._initialized = false;\n this.onScroll = e => {\n const overlayInfo = this._overlayService.getOverlayById(this._id);\n if (!overlayInfo) {\n return;\n }\n if (!overlayInfo.elementRef.nativeElement.contains(e.target)) {\n this._overlayService.reposition(this._id);\n }\n };\n this._scrollContainer = scrollContainer;\n }\n /**\n * Initializes the strategy. Should be called once\n *\n * @param document reference to Document object.\n * @param overlayService IgxOverlay service to use in this strategy.\n * @param id Unique id for this strategy.\n * ```typescript\n * settings.scrollStrategy.initialize(document, overlay, id);\n * ```\n */\n initialize(document, overlayService, id) {\n if (this._initialized) {\n return;\n }\n this._overlayService = overlayService;\n this._id = id;\n this._document = document;\n this._zone = overlayService.getOverlayById(id).ngZone;\n this._initialized = true;\n }\n /**\n * Attaches the strategy\n * ```typescript\n * settings.scrollStrategy.attach();\n * ```\n */\n attach() {\n if (this._zone) {\n this._zone.runOutsideAngular(() => {\n this.addScrollEventListener();\n });\n } else {\n this.addScrollEventListener();\n }\n }\n /**\n * Detaches the strategy\n * ```typescript\n * settings.scrollStrategy.detach();\n * ```\n */\n detach() {\n if (this._scrollContainer) {\n this._scrollContainer.removeEventListener('scroll', this.onScroll, true);\n } else {\n // Tired of this thing throwing every other time. Fix it ffs!\n this._document?.removeEventListener('scroll', this.onScroll, true);\n }\n this._initialized = false;\n }\n addScrollEventListener() {\n if (this._scrollContainer) {\n this._scrollContainer.addEventListener('scroll', this.onScroll, true);\n } else {\n this._document.addEventListener('scroll', this.onScroll, true);\n }\n }\n}\n\n/**\n * Prevents scrolling while the overlay content is shown.\n */\nclass BlockScrollStrategy extends ScrollStrategy {\n constructor() {\n super();\n this._initialized = false;\n this.onScroll = ev => {\n ev.preventDefault();\n if (!this._sourceElement || this._sourceElement !== ev.target) {\n this._sourceElement = ev.target;\n this._initialScrollTop = this._sourceElement.scrollTop;\n this._initialScrollLeft = this._sourceElement.scrollLeft;\n }\n this._sourceElement.scrollTop = this._initialScrollTop;\n this._sourceElement.scrollLeft = this._initialScrollLeft;\n };\n }\n /**\n * Initializes the strategy. Should be called once\n *\n */\n initialize(document) {\n if (this._initialized) {\n return;\n }\n this._document = document;\n this._initialized = true;\n }\n /**\n * Attaches the strategy\n * ```typescript\n * settings.scrollStrategy.attach();\n * ```\n */\n attach() {\n this._document.addEventListener('scroll', this.onScroll, true);\n }\n /**\n * Detaches the strategy\n * ```typescript\n * settings.scrollStrategy.detach();\n * ```\n */\n detach() {\n this._document.removeEventListener('scroll', this.onScroll, true);\n this._sourceElement = null;\n this._initialScrollTop = 0;\n this._initialScrollLeft = 0;\n this._initialized = false;\n }\n}\n\n/**\n * Uses a tolerance and closes the shown component upon scrolling if the tolerance is exceeded\n */\nclass CloseScrollStrategy extends ScrollStrategy {\n constructor(scrollContainer) {\n super();\n this._initialized = false;\n this.onScroll = ev => {\n if (!this._sourceElement) {\n this._sourceElement = ev.target;\n this.initialScrollTop = this._sourceElement.scrollTop;\n this.initialScrollLeft = this._sourceElement.scrollLeft;\n }\n if (this._overlayInfo.elementRef.nativeElement.contains(this._sourceElement)) {\n return;\n }\n if (Math.abs(this._sourceElement.scrollTop - this.initialScrollTop) > this._threshold || Math.abs(this._sourceElement.scrollLeft - this.initialScrollLeft) > this._threshold) {\n this._overlayService.hide(this._id);\n }\n };\n this._scrollContainer = scrollContainer;\n this._threshold = 10;\n }\n /**\n * Initializes the strategy. Should be called once\n *\n * @param document reference to Document object.\n * @param overlayService IgxOverlay service to use in this strategy.\n * @param id Unique id for this strategy.\n * ```typescript\n * settings.scrollStrategy.initialize(document, overlay, id);\n * ```\n */\n initialize(document, overlayService, id) {\n if (this._initialized) {\n return;\n }\n this._overlayService = overlayService;\n this._id = id;\n this._document = document;\n this._initialized = true;\n this._overlayInfo = overlayService.getOverlayById(id);\n }\n /**\n * Attaches the strategy\n * ```typescript\n * settings.scrollStrategy.attach();\n * ```\n */\n attach() {\n if (this._scrollContainer) {\n this._scrollContainer.addEventListener('scroll', this.onScroll);\n this._sourceElement = this._scrollContainer;\n } else {\n this._document.addEventListener('scroll', this.onScroll, true);\n }\n }\n /**\n * Detaches the strategy\n * ```typescript\n * settings.scrollStrategy.detach();\n * ```\n */\n detach() {\n // TODO: check why event listener removes only on first call and remains on each next!!!\n if (this._scrollContainer) {\n this._scrollContainer.removeEventListener('scroll', this.onScroll);\n } else {\n this._document.removeEventListener('scroll', this.onScroll, true);\n }\n this._sourceElement = null;\n this._initialized = false;\n }\n}\n\n// Export scroll strategies\n\nclass IgxBaseTransactionService {\n constructor() {\n /**\n * Event fired when transaction state has changed - add transaction, commit all transactions, undo and redo\n */\n this.onStateUpdate = new EventEmitter();\n this._isPending = false;\n this._pendingTransactions = [];\n this._pendingStates = new Map();\n this._cloneStrategy = new DefaultDataCloneStrategy();\n }\n /**\n * Gets/Sets the data clone strategy used to clone data\n */\n get cloneStrategy() {\n return this._cloneStrategy;\n }\n set cloneStrategy(strategy) {\n if (strategy) {\n this._cloneStrategy = strategy;\n }\n }\n /**\n * @returns if there are any transactions in the Redo stack\n */\n get canRedo() {\n return false;\n }\n /**\n * @returns if there are any transactions in the Undo stack\n */\n get canUndo() {\n return false;\n }\n /**\n * Returns whether transaction is enabled for this service\n */\n get enabled() {\n return this._isPending;\n }\n /**\n * Adds provided transaction with recordRef if any\n *\n * @param transaction Transaction to be added\n * @param recordRef Reference to the value of the record in the data source related to the changed item\n */\n add(transaction, recordRef) {\n if (this._isPending) {\n this.updateState(this._pendingStates, transaction, recordRef);\n this._pendingTransactions.push(transaction);\n }\n }\n /**\n * Returns all recorded transactions in chronological order\n *\n * @param id Optional record id to get transactions for\n * @returns All transaction in the service or for the specified record\n */\n getTransactionLog(_id) {\n return [];\n }\n /**\n * Remove the last transaction if any\n */\n undo() {}\n /**\n * Applies the last undone transaction if any\n */\n redo() {}\n /**\n * Returns aggregated changes from all transactions\n *\n * @param mergeChanges If set to true will merge each state's value over relate recordRef\n * and will record resulting value in the related transaction\n * @returns Collection of aggregated transactions for each changed record\n */\n getAggregatedChanges(mergeChanges) {\n const result = [];\n this._pendingStates.forEach((state, key) => {\n const value = mergeChanges ? this.getAggregatedValue(key, mergeChanges) : state.value;\n result.push({\n id: key,\n newValue: value,\n type: state.type\n });\n });\n return result;\n }\n /**\n * Returns the state of the record with provided id\n *\n * @param id The id of the record\n * @param pending Should get pending state\n * @returns State of the record if any\n */\n getState(id) {\n return this._pendingStates.get(id);\n }\n /**\n * Returns value of the required id including all uncommitted changes\n *\n * @param id The id of the record to return value for\n * @param mergeChanges If set to true will merge state's value over relate recordRef\n * and will return merged value\n * @returns Value with changes or **null**\n */\n getAggregatedValue(id, mergeChanges) {\n const state = this._pendingStates.get(id);\n if (!state) {\n return null;\n }\n if (mergeChanges && state.recordRef) {\n return this.updateValue(state);\n }\n return state.value;\n }\n /**\n * Applies all transactions over the provided data\n *\n * @param data Data source to update\n * @param id Optional record id to commit transactions for\n */\n commit(_data, _id) {}\n /**\n * Clears all transactions\n *\n * @param id Optional record id to clear transactions for\n */\n clear(_id) {\n this._pendingStates.clear();\n this._pendingTransactions = [];\n }\n /**\n * Starts pending transactions. All transactions passed after call to startPending\n * will not be added to transaction log\n */\n startPending() {\n this._isPending = true;\n }\n /**\n * Clears all pending transactions and aggregated pending state. If commit is set to true\n * commits pending states as single transaction\n *\n * @param commit Should commit the pending states\n */\n endPending(_commit) {\n this._isPending = false;\n this._pendingStates.clear();\n this._pendingTransactions = [];\n }\n /**\n * Updates the provided states collection according to passed transaction and recordRef\n *\n * @param states States collection to apply the update to\n * @param transaction Transaction to apply to the current state\n * @param recordRef Reference to the value of the record in data source, if any, where transaction should be applied\n */\n updateState(states, transaction, recordRef) {\n let state = states.get(transaction.id);\n if (state) {\n if (isObject(state.value)) {\n mergeObjects(state.value, transaction.newValue);\n } else {\n state.value = transaction.newValue;\n }\n } else {\n state = {\n value: this.cloneStrategy.clone(transaction.newValue),\n recordRef,\n type: transaction.type\n };\n states.set(transaction.id, state);\n }\n this.cleanState(transaction.id, states);\n }\n /**\n * Updates the recordRef of the provided state with all the changes in the state. Accepts primitive and object value types\n *\n * @param state State to update value for\n * @returns updated value including all the changes in provided state\n */\n updateValue(state) {\n return this.mergeValues(state.recordRef, state.value);\n }\n /**\n * Merges second values in first value and the result in empty object. If values are primitive type\n * returns second value if exists, or first value.\n *\n * @param first Value to merge into\n * @param second Value to merge\n */\n mergeValues(first, second) {\n if (isObject(first) || isObject(second)) {\n return mergeObjects(this.cloneStrategy.clone(first), second);\n } else {\n return second ? second : first;\n }\n }\n /**\n * Compares the state with recordRef and clears all duplicated values. If any state ends as\n * empty object removes it from states.\n *\n * @param state State to clean\n */\n cleanState(id, states) {\n const state = states.get(id);\n // do nothing if\n // there is no state, or\n // there is no state value (e.g. DELETED transaction), or\n // there is no recordRef (e.g. ADDED transaction)\n if (state && state.value && state.recordRef) {\n // if state's value is object compare each key with the ones in recordRef\n // if values in any key are the same delete it from state's value\n // if state's value is not object, simply compare with recordRef and remove\n // the state if they are equal\n if (isObject(state.recordRef)) {\n for (const key of Object.keys(state.value)) {\n if (JSON.stringify(state.recordRef[key]) === JSON.stringify(state.value[key])) {\n delete state.value[key];\n }\n }\n // if state's value is empty remove the state from the states, only if state is not DELETE type\n if (state.type !== TransactionType.DELETE && Object.keys(state.value).length === 0) {\n states.delete(id);\n }\n } else {\n if (state.recordRef === state.value) {\n states.delete(id);\n }\n }\n }\n }\n}\nclass IgxTransactionService extends IgxBaseTransactionService {\n constructor() {\n super(...arguments);\n this._transactions = [];\n this._redoStack = [];\n this._undoStack = [];\n this._states = new Map();\n }\n /**\n * @returns if there are any transactions in the Undo stack\n */\n get canUndo() {\n return this._undoStack.length > 0;\n }\n /**\n * @returns if there are any transactions in the Redo stack\n */\n get canRedo() {\n return this._redoStack.length > 0;\n }\n /**\n * Adds provided transaction with recordRef if any\n *\n * @param transaction Transaction to be added\n * @param recordRef Reference to the value of the record in the data source related to the changed item\n */\n add(transaction, recordRef) {\n const states = this._isPending ? this._pendingStates : this._states;\n this.verifyAddedTransaction(states, transaction, recordRef);\n this.addTransaction(transaction, states, recordRef);\n }\n /**\n * Returns all recorded transactions in chronological order\n *\n * @param id Optional record id to get transactions for\n * @returns All transaction in the service or for the specified record\n */\n getTransactionLog(id) {\n if (id !== undefined) {\n return this._transactions.filter(t => t.id === id);\n }\n return [...this._transactions];\n }\n /**\n * Returns aggregated changes from all transactions\n *\n * @param mergeChanges If set to true will merge each state's value over relate recordRef\n * and will record resulting value in the related transaction\n * @returns Collection of aggregated transactions for each changed record\n */\n getAggregatedChanges(mergeChanges) {\n const result = [];\n this._states.forEach((state, key) => {\n const value = mergeChanges ? this.mergeValues(state.recordRef, state.value) : state.value;\n result.push({\n id: key,\n newValue: value,\n type: state.type\n });\n });\n return result;\n }\n /**\n * Returns the state of the record with provided id\n *\n * @param id The id of the record\n * @param pending Should get pending state\n * @returns State of the record if any\n */\n getState(id, pending = false) {\n return pending ? this._pendingStates.get(id) : this._states.get(id);\n }\n /**\n * Returns whether transaction is enabled for this service\n */\n get enabled() {\n return true;\n }\n /**\n * Returns value of the required id including all uncommitted changes\n *\n * @param id The id of the record to return value for\n * @param mergeChanges If set to true will merge state's value over relate recordRef\n * and will return merged value\n * @returns Value with changes or **null**\n */\n getAggregatedValue(id, mergeChanges) {\n const state = this._states.get(id);\n const pendingState = super.getState(id);\n // if there is no state and there is no pending state return null\n if (!state && !pendingState) {\n return null;\n }\n const pendingChange = super.getAggregatedValue(id, false);\n const change = state && state.value;\n let aggregatedValue = this.mergeValues(change, pendingChange);\n if (mergeChanges) {\n const originalValue = state ? state.recordRef : pendingState.recordRef;\n aggregatedValue = this.mergeValues(originalValue, aggregatedValue);\n }\n return aggregatedValue;\n }\n /**\n * Clears all pending transactions and aggregated pending state. If commit is set to true\n * commits pending states as single transaction\n *\n * @param commit Should commit the pending states\n */\n endPending(commit) {\n this._isPending = false;\n if (commit) {\n const actions = [];\n // don't use addTransaction due to custom undo handling\n for (const transaction of this._pendingTransactions) {\n const pendingState = this._pendingStates.get(transaction.id);\n this._transactions.push(transaction);\n this.updateState(this._states, transaction, pendingState.recordRef);\n actions.push({\n transaction,\n recordRef: pendingState.recordRef\n });\n }\n this._undoStack.push(actions);\n this._redoStack = [];\n this.onStateUpdate.emit({\n origin: TransactionEventOrigin.END,\n actions\n });\n }\n super.endPending(commit);\n }\n /**\n * Applies all transactions over the provided data\n *\n * @param data Data source to update\n * @param id Optional record id to commit transactions for\n */\n commit(data, id) {\n if (id !== undefined) {\n const state = this.getState(id);\n if (state) {\n this.updateRecord(data, state);\n }\n } else {\n this._states.forEach(s => {\n this.updateRecord(data, s);\n });\n }\n this.clear(id);\n }\n /**\n * Clears all transactions\n *\n * @param id Optional record id to clear transactions for\n */\n clear(id) {\n if (id !== undefined) {\n this._transactions = this._transactions.filter(t => t.id !== id);\n this._states.delete(id);\n // Undo stack is an array of actions. Each action is array of transaction like objects\n // We are going trough all the actions. For each action we are filtering out transactions\n // with provided id. Finally if any action ends up as empty array we are removing it from\n // undo stack\n this._undoStack = this._undoStack.map(a => a.filter(t => t.transaction.id !== id)).filter(a => a.length > 0);\n } else {\n this._transactions = [];\n this._states.clear();\n this._undoStack = [];\n }\n this._redoStack = [];\n this.onStateUpdate.emit({\n origin: TransactionEventOrigin.CLEAR,\n actions: []\n });\n }\n /**\n * Remove the last transaction if any\n */\n undo() {\n if (this._undoStack.length <= 0) {\n return;\n }\n const lastActions = this._undoStack.pop();\n this._transactions.splice(this._transactions.length - lastActions.length);\n this._redoStack.push(lastActions);\n this._states.clear();\n for (const currentActions of this._undoStack) {\n for (const transaction of currentActions) {\n this.updateState(this._states, transaction.transaction, transaction.recordRef);\n }\n }\n this.onStateUpdate.emit({\n origin: TransactionEventOrigin.UNDO,\n actions: lastActions\n });\n }\n /**\n * Applies the last undone transaction if any\n */\n redo() {\n if (this._redoStack.length > 0) {\n const actions = this._redoStack.pop();\n for (const action of actions) {\n this.updateState(this._states, action.transaction, action.recordRef);\n this._transactions.push(action.transaction);\n }\n this._undoStack.push(actions);\n this.onStateUpdate.emit({\n origin: TransactionEventOrigin.REDO,\n actions\n });\n }\n }\n addTransaction(transaction, states, recordRef) {\n this.updateState(states, transaction, recordRef);\n const transactions = this._isPending ? this._pendingTransactions : this._transactions;\n transactions.push(transaction);\n if (!this._isPending) {\n const actions = [{\n transaction,\n recordRef\n }];\n this._undoStack.push(actions);\n this._redoStack = [];\n this.onStateUpdate.emit({\n origin: TransactionEventOrigin.ADD,\n actions\n });\n }\n }\n /**\n * Verifies if the passed transaction is correct. If not throws an exception.\n *\n * @param transaction Transaction to be verified\n */\n verifyAddedTransaction(states, transaction, recordRef) {\n const state = states.get(transaction.id);\n switch (transaction.type) {\n case TransactionType.ADD:\n if (state) {\n // cannot add same item twice\n throw new Error(`Cannot add this transaction. Transaction with id: ${transaction.id} has been already added.`);\n }\n break;\n case TransactionType.DELETE:\n case TransactionType.UPDATE:\n if (state && state.type === TransactionType.DELETE) {\n // cannot delete or update deleted items\n throw new Error(`Cannot add this transaction. Transaction with id: ${transaction.id} has been already deleted.`);\n }\n if (!state && !recordRef && !this._isPending) {\n // cannot initially add transaction or delete item with no recordRef\n throw new Error(`Cannot add this transaction. This is first transaction of type ${transaction.type} ` + `for id ${transaction.id}. For first transaction of this type recordRef is mandatory.`);\n }\n break;\n }\n }\n /**\n * Updates the provided states collection according to passed transaction and recordRef\n *\n * @param states States collection to apply the update to\n * @param transaction Transaction to apply to the current state\n * @param recordRef Reference to the value of the record in data source, if any, where transaction should be applied\n */\n updateState(states, transaction, recordRef) {\n let state = states.get(transaction.id);\n // if TransactionType is ADD simply add transaction to states;\n // if TransactionType is DELETE:\n // - if there is state with this id of type ADD remove it from the states;\n // - if there is state with this id of type UPDATE change its type to DELETE;\n // - if there is no state with this id add transaction to states;\n // if TransactionType is UPDATE:\n // - if there is state with this id of type ADD merge new value and state recordRef into state new value\n // - if there is state with this id of type UPDATE merge new value into state new value\n // - if there is state with this id and state type is DELETE change its type to UPDATE\n // - if there is no state with this id add transaction to states;\n if (state) {\n switch (transaction.type) {\n case TransactionType.DELETE:\n if (state.type === TransactionType.ADD) {\n states.delete(transaction.id);\n } else if (state.type === TransactionType.UPDATE) {\n state.value = transaction.newValue;\n state.type = TransactionType.DELETE;\n }\n break;\n case TransactionType.UPDATE:\n if (isObject(state.value)) {\n if (state.type === TransactionType.ADD) {\n state.value = this.mergeValues(state.value, transaction.newValue);\n }\n if (state.type === TransactionType.UPDATE) {\n mergeObjects(state.value, transaction.newValue);\n }\n } else {\n state.value = transaction.newValue;\n }\n }\n } else {\n state = {\n value: this.cloneStrategy.clone(transaction.newValue),\n recordRef,\n type: transaction.type\n };\n states.set(transaction.id, state);\n }\n this.cleanState(transaction.id, states);\n }\n /**\n * Updates state related record in the provided data\n *\n * @param data Data source to update\n * @param state State to update data from\n */\n updateRecord(data, state) {\n const index = data.findIndex(i => JSON.stringify(i) === JSON.stringify(state.recordRef || {}));\n switch (state.type) {\n case TransactionType.ADD:\n data.push(state.value);\n break;\n case TransactionType.DELETE:\n if (0 <= index && index < data.length) {\n data.splice(index, 1);\n }\n break;\n case TransactionType.UPDATE:\n if (0 <= index && index < data.length) {\n data[index] = this.updateValue(state);\n }\n break;\n }\n }\n}\n\n/** @experimental @hidden */\nclass IgxHierarchicalTransactionService extends IgxTransactionService {\n getAggregatedChanges(mergeChanges) {\n const result = [];\n this._states.forEach((state, key) => {\n const value = mergeChanges ? this.mergeValues(state.recordRef, state.value) : this.cloneStrategy.clone(state.value);\n this.clearArraysFromObject(value);\n result.push({\n id: key,\n path: state.path,\n newValue: value,\n type: state.type\n });\n });\n return result;\n }\n commit(data, primaryKeyOrId, childDataKey, id) {\n if (childDataKey !== undefined) {\n let transactions = this.getAggregatedChanges(true);\n if (id !== undefined) {\n transactions = transactions.filter(t => t.id === id);\n }\n DataUtil.mergeHierarchicalTransactions(data, transactions, childDataKey, primaryKeyOrId, this.cloneStrategy, true);\n this.clear(id);\n } else {\n super.commit(data, primaryKeyOrId);\n }\n }\n updateState(states, transaction, recordRef) {\n super.updateState(states, transaction, recordRef);\n // if transaction has no path, e.g. flat data source, get out\n if (!transaction.path) {\n return;\n }\n const currentState = states.get(transaction.id);\n if (currentState) {\n currentState.path = transaction.path;\n }\n // if transaction has path, Hierarchical data source, and it is DELETE\n // type transaction for all child rows remove ADD states and update\n // transaction type and value of UPDATE states\n if (transaction.type === TransactionType.DELETE) {\n states.forEach((v, k) => {\n if (v.path && v.path.indexOf(transaction.id) !== -1) {\n switch (v.type) {\n case TransactionType.ADD:\n states.delete(k);\n break;\n case TransactionType.UPDATE:\n states.get(k).type = TransactionType.DELETE;\n states.get(k).value = null;\n }\n }\n });\n }\n }\n // TODO: remove this method. Force cloning to strip child arrays when needed instead\n clearArraysFromObject(obj) {\n if (obj) {\n for (const prop of Object.keys(obj)) {\n if (Array.isArray(obj[prop])) {\n delete obj[prop];\n }\n }\n }\n }\n}\n\n/**\n * Factory service for instantiating TransactionServices\n */\nlet IgxFlatTransactionFactory = /*#__PURE__*/(() => {\n class IgxFlatTransactionFactory {\n /**\n * Creates a new Transaction service instance depending on the specified type.\n *\n * @param type The type of the transaction\n * @returns a new instance of TransactionService\n */\n create(type) {\n switch (type) {\n case \"Base\" /* TRANSACTION_TYPE.Base */:\n return new IgxTransactionService();\n default:\n return new IgxBaseTransactionService();\n }\n }\n static {\n this.ɵfac = function IgxFlatTransactionFactory_Factory(t) {\n return new (t || IgxFlatTransactionFactory)();\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: IgxFlatTransactionFactory,\n factory: IgxFlatTransactionFactory.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return IgxFlatTransactionFactory;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Factory service for instantiating HierarchicalTransactionServices\n */\nlet IgxHierarchicalTransactionFactory = /*#__PURE__*/(() => {\n class IgxHierarchicalTransactionFactory extends IgxFlatTransactionFactory {\n /**\n * Creates a new HierarchialTransaction service instance depending on the specified type.\n *\n * @param type The type of the transaction\n * @returns a new instance of HierarchialTransaction\n */\n create(type) {\n switch (type) {\n case \"Base\" /* TRANSACTION_TYPE.Base */:\n return new IgxHierarchicalTransactionService();\n default:\n return new IgxBaseTransactionService();\n }\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxHierarchicalTransactionFactory_BaseFactory;\n return function IgxHierarchicalTransactionFactory_Factory(t) {\n return (ɵIgxHierarchicalTransactionFactory_BaseFactory || (ɵIgxHierarchicalTransactionFactory_BaseFactory = i0.ɵɵgetInheritedFactory(IgxHierarchicalTransactionFactory)))(t || IgxHierarchicalTransactionFactory);\n };\n })();\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: IgxHierarchicalTransactionFactory,\n factory: IgxHierarchicalTransactionFactory.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return IgxHierarchicalTransactionFactory;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxTextHighlightService = /*#__PURE__*/(() => {\n class IgxTextHighlightService {\n constructor() {\n this.highlightGroupsMap = new Map();\n this.onActiveElementChanged = new EventEmitter();\n }\n /**\n * Activates the highlight at a given index.\n * (if such index exists)\n */\n setActiveHighlight(groupName, highlight) {\n this.highlightGroupsMap.set(groupName, highlight);\n this.onActiveElementChanged.emit(groupName);\n }\n /**\n * Clears any existing highlight.\n */\n clearActiveHighlight(groupName) {\n this.highlightGroupsMap.set(groupName, {\n index: -1\n });\n this.onActiveElementChanged.emit(groupName);\n }\n /**\n * Destroys a highlight group.\n */\n destroyGroup(groupName) {\n this.highlightGroupsMap.delete(groupName);\n }\n static {\n this.ɵfac = function IgxTextHighlightService_Factory(t) {\n return new (t || IgxTextHighlightService)();\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: IgxTextHighlightService,\n factory: IgxTextHighlightService.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return IgxTextHighlightService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n// Export services\n\n/** @hidden */\nvar Navigate = /*#__PURE__*/function (Navigate) {\n Navigate[Navigate[\"Up\"] = -1] = \"Up\";\n Navigate[Navigate[\"Down\"] = 1] = \"Down\";\n return Navigate;\n}(Navigate || {});\n/** Key actions that have designated handlers in IgxDropDownComponent */\nconst DropDownActionKey = /*@__PURE__*/mkenum({\n ESCAPE: 'escape',\n ENTER: 'enter',\n SPACE: 'space'\n});\nconst IGX_DROPDOWN_BASE = /*@__PURE__*/new InjectionToken('IgxDropDownBaseToken');\n\n/**\n * Defines the possible values of the components' display density.\n */\nconst DisplayDensity = mkenum({\n comfortable: 'comfortable',\n cosy: 'cosy',\n compact: 'compact'\n});\n/**\n * Defines the DisplayDensity DI token.\n *\n * @deprecated since version 16.1.0.\n * Please use the `--ig-size` CSS custom property.\n * @see {@link [Update Guide](https://www.infragistics.com/products/ignite-ui-angular/angular/components/general/update-guide#from-160x-to-161x)}\n *\n * @hidden\n */\nconst DisplayDensityToken = new InjectionToken('DisplayDensity');\n/**\n * @hidden\n * Base class containing all logic required for implementing DisplayDensity.\n */\n// eslint-disable-next-line @angular-eslint/directive-class-suffix\nlet DisplayDensityBase = /*#__PURE__*/(() => {\n class DisplayDensityBase {\n /**\n * Returns the theme of the component.\n * The default theme is `comfortable`.\n * Available options are `comfortable`, `cosy`, `compact`.\n * ```typescript\n * let componentTheme = this.component.displayDensity;\n * ```\n *\n * @deprecated since version 16.1.0.\n * Please use the `--ig-size` CSS custom property.\n * @see {@link [Update Guide](https://www.infragistics.com/products/ignite-ui-angular/angular/components/general/update-guide#from-160x-to-161x)}\n */\n get displayDensity() {\n return this._displayDensity ?? this.displayDensityOptions?.displayDensity ?? DisplayDensity.comfortable;\n }\n /**\n * Sets the theme of the component.\n */\n set displayDensity(val) {\n const currentDisplayDensity = this._displayDensity;\n this._displayDensity = val;\n if (currentDisplayDensity !== this._displayDensity) {\n const densityChangedArgs = {\n oldDensity: currentDisplayDensity,\n newDensity: this._displayDensity\n };\n this.densityChanged.emit(densityChangedArgs);\n }\n }\n constructor(displayDensityOptions, _host) {\n this.displayDensityOptions = displayDensityOptions;\n this._host = _host;\n this.densityChanged = new EventEmitter();\n this.oldDisplayDensityOptions = {\n displayDensity: DisplayDensity.comfortable\n };\n Object.assign(this.oldDisplayDensityOptions, displayDensityOptions);\n }\n /**\n * @hidden\n */\n ngOnInit() {\n const el = this._host?.nativeElement;\n if (el instanceof Element) {\n const size = globalThis.document?.defaultView.getComputedStyle(el).getPropertyValue(\"--ig-size\").trim();\n switch (size) {\n case '1':\n this._displayDensity = DisplayDensity.compact;\n break;\n case '2':\n this._displayDensity = DisplayDensity.cosy;\n break;\n case '3':\n this._displayDensity = DisplayDensity.comfortable;\n break;\n }\n }\n this.initialDensity = this._displayDensity;\n }\n /** @hidden @internal **/\n ngDoCheck() {\n if (!this._displayDensity && this.displayDensityOptions && this.oldDisplayDensityOptions.displayDensity !== this.displayDensityOptions.displayDensity) {\n const densityChangedArgs = {\n oldDensity: this.oldDisplayDensityOptions.displayDensity,\n newDensity: this.displayDensityOptions.displayDensity\n };\n this.densityChanged.emit(densityChangedArgs);\n this.oldDisplayDensityOptions = Object.assign(this.oldDisplayDensityOptions, this.displayDensityOptions);\n }\n }\n /**\n * Given a style class of a component/element returns the modified version of it based\n * on the current display density.\n */\n getComponentDensityClass(baseStyleClass) {\n switch (this._displayDensity || this.oldDisplayDensityOptions.displayDensity) {\n case DisplayDensity.cosy:\n return `${baseStyleClass}--${DisplayDensity.cosy}`;\n case DisplayDensity.compact:\n return `${baseStyleClass}--${DisplayDensity.compact}`;\n default:\n return baseStyleClass;\n }\n }\n /**\n * Sets the `--component-size` CSS variable based on the value of Display Density\n * @hidden @internal\n */\n getComponentSizeStyles() {\n switch (this._displayDensity || this.oldDisplayDensityOptions.displayDensity) {\n case DisplayDensity.compact:\n return 'var(--ig-size, var(--ig-size-small))';\n case DisplayDensity.cosy:\n return 'var(--ig-size, var(--ig-size-medium))';\n case DisplayDensity.comfortable:\n default:\n return 'var(--ig-size, var(--ig-size-large))';\n }\n }\n static {\n this.ɵfac = function DisplayDensityBase_Factory(t) {\n return new (t || DisplayDensityBase)(i0.ɵɵdirectiveInject(DisplayDensityToken, 8), i0.ɵɵdirectiveInject(i0.ElementRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: DisplayDensityBase,\n selectors: [[\"\", \"igxDisplayDensityBase\", \"\"]],\n inputs: {\n displayDensity: \"displayDensity\"\n },\n outputs: {\n densityChanged: \"densityChanged\"\n },\n standalone: true\n });\n }\n }\n return DisplayDensityBase;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet NEXT_ID$w = 0;\n/**\n * An abstract class, defining a drop-down component, with:\n * Properties for display styles and classes\n * A collection items of type `IgxDropDownItemBaseDirective`\n * Properties and methods for navigating (highlighting/focusing) items from the collection\n * Properties and methods for selecting items from the collection\n */\nlet IgxDropDownBaseDirective = /*#__PURE__*/(() => {\n class IgxDropDownBaseDirective extends DisplayDensityBase {\n /**\n * Gets/Sets the drop down's id\n *\n * ```typescript\n * // get\n * let myDropDownCurrentId = this.dropdown.id;\n * ```\n * ```html\n * \n * \n * ```\n */\n get id() {\n return this._id;\n }\n set id(value) {\n this._id = value;\n }\n /**\n * Get all non-header items\n *\n * ```typescript\n * let myDropDownItems = this.dropdown.items;\n * ```\n */\n get items() {\n const items = [];\n if (this.children !== undefined) {\n for (const child of this.children.toArray()) {\n if (!child.isHeader) {\n items.push(child);\n }\n }\n }\n return items;\n }\n /**\n * Get all header items\n *\n * ```typescript\n * let myDropDownHeaderItems = this.dropdown.headers;\n * ```\n */\n get headers() {\n const headers = [];\n if (this.children !== undefined) {\n for (const child of this.children.toArray()) {\n if (child.isHeader) {\n headers.push(child);\n }\n }\n }\n return headers;\n }\n /**\n * Get dropdown html element\n *\n * ```typescript\n * let myDropDownElement = this.dropdown.element;\n * ```\n */\n get element() {\n return this.elementRef.nativeElement;\n }\n /**\n * @hidden @internal\n * Get dropdown's html element of its scroll container\n */\n get scrollContainer() {\n return this.element;\n }\n constructor(elementRef, cdr, _displayDensityOptions) {\n super(_displayDensityOptions, elementRef);\n this.elementRef = elementRef;\n this.cdr = cdr;\n this._displayDensityOptions = _displayDensityOptions;\n /**\n * Emitted when item selection is changing, before the selection completes\n *\n * ```html\n * \n * ```\n */\n this.selectionChanging = new EventEmitter();\n /**\n * Gets/Sets the drop down's container max height.\n *\n * ```typescript\n * // get\n * let maxHeight = this.dropdown.maxHeight;\n * ```\n * ```html\n * \n * \n * ```\n */\n this.maxHeight = null;\n /**\n * @hidden @internal\n */\n this.cssClass = true;\n this._focusedItem = null;\n this._id = `igx-drop-down-${NEXT_ID$w++}`;\n }\n /** Keydown Handler */\n onItemActionKey(key, event) {\n switch (key) {\n case DropDownActionKey.ENTER:\n case DropDownActionKey.SPACE:\n this.selectItem(this.focusedItem, event);\n break;\n case DropDownActionKey.ESCAPE:\n }\n }\n /**\n * Emits selectionChanging with the target item & event\n *\n * @hidden @internal\n * @param newSelection the item selected\n * @param event the event that triggered the call\n */\n selectItem(newSelection, event, emit = true) {\n this.selectionChanging.emit({\n newSelection,\n oldSelection: null,\n cancel: false\n });\n }\n /**\n * @hidden @internal\n */\n get focusedItem() {\n return this._focusedItem;\n }\n /**\n * @hidden @internal\n */\n set focusedItem(item) {\n this._focusedItem = item;\n }\n /**\n * Navigates to the item on the specified index\n *\n * @param newIndex number - the index of the item in the `items` collection\n */\n navigateItem(newIndex) {\n if (newIndex !== -1) {\n const oldItem = this._focusedItem;\n const newItem = this.items[newIndex];\n if (oldItem) {\n oldItem.focused = false;\n }\n this.focusedItem = newItem;\n this.scrollToHiddenItem(newItem);\n this.focusedItem.focused = true;\n }\n }\n /**\n * @hidden @internal\n */\n navigateFirst() {\n this.navigate(Navigate.Down, -1);\n }\n /**\n * @hidden @internal\n */\n navigateLast() {\n this.navigate(Navigate.Up, this.items.length);\n }\n /**\n * @hidden @internal\n */\n navigateNext() {\n this.navigate(Navigate.Down);\n }\n /**\n * @hidden @internal\n */\n navigatePrev() {\n this.navigate(Navigate.Up);\n }\n scrollToHiddenItem(newItem) {\n const elementRect = newItem.element.nativeElement.getBoundingClientRect();\n const parentRect = this.scrollContainer.getBoundingClientRect();\n if (parentRect.top > elementRect.top) {\n this.scrollContainer.scrollTop -= parentRect.top - elementRect.top;\n }\n if (parentRect.bottom < elementRect.bottom) {\n this.scrollContainer.scrollTop += elementRect.bottom - parentRect.bottom;\n }\n }\n navigate(direction, currentIndex) {\n let index = -1;\n if (this._focusedItem) {\n index = currentIndex ? currentIndex : this.focusedItem.itemIndex;\n }\n const newIndex = this.getNearestSiblingFocusableItemIndex(index, direction);\n this.navigateItem(newIndex);\n }\n getNearestSiblingFocusableItemIndex(startIndex, direction) {\n let index = startIndex;\n const items = this.items;\n while (items[index + direction] && items[index + direction].disabled) {\n index += direction;\n }\n index += direction;\n if (index >= 0 && index < items.length) {\n return index;\n } else {\n return -1;\n }\n }\n static {\n this.ɵfac = function IgxDropDownBaseDirective_Factory(t) {\n return new (t || IgxDropDownBaseDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(DisplayDensityToken, 8));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxDropDownBaseDirective,\n hostVars: 5,\n hostBindings: function IgxDropDownBaseDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id);\n i0.ɵɵstyleProp(\"max-height\", ctx.maxHeight);\n i0.ɵɵclassProp(\"igx-drop-down\", ctx.cssClass);\n }\n },\n inputs: {\n width: \"width\",\n height: \"height\",\n id: \"id\",\n maxHeight: \"maxHeight\"\n },\n outputs: {\n selectionChanging: \"selectionChanging\"\n },\n features: [i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxDropDownBaseDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Navigation Directive that handles keyboard events on its host and controls a targeted IgxDropDownBaseDirective component\n */\nlet IgxDropDownItemNavigationDirective = /*#__PURE__*/(() => {\n class IgxDropDownItemNavigationDirective {\n constructor(dropdown) {\n this.dropdown = dropdown;\n this._target = null;\n }\n /**\n * Gets the target of the navigation directive;\n *\n * ```typescript\n * // Get\n * export class MyComponent {\n * ...\n * @ContentChild(IgxDropDownNavigationDirective)\n * navDirective: IgxDropDownNavigationDirective = null\n * ...\n * const navTarget: IgxDropDownBaseDirective = navDirective.navTarget\n * }\n * ```\n */\n get target() {\n return this._target;\n }\n /**\n * Sets the target of the navigation directive;\n * If no valid target is passed, it falls back to the drop down context\n *\n * ```html\n * \n * \n * ...\n * \n * ...\n * \n * ```\n */\n set target(target) {\n this._target = target ? target : this.dropdown;\n }\n /**\n * Captures keydown events and calls the appropriate handlers on the target component\n */\n handleKeyDown(event) {\n if (event) {\n const key = event.key.toLowerCase();\n if (!this.target.collapsed) {\n // If dropdown is opened\n const navKeys = ['esc', 'escape', 'enter', 'space', 'spacebar', ' ', 'arrowup', 'up', 'arrowdown', 'down', 'home', 'end'];\n if (navKeys.indexOf(key) === -1) {\n // If key has appropriate function in DD\n return;\n }\n event.preventDefault();\n event.stopPropagation();\n } else {\n // If dropdown is closed, do nothing\n return;\n }\n switch (key) {\n case 'esc':\n case 'escape':\n this.target.onItemActionKey(DropDownActionKey.ESCAPE, event);\n break;\n case 'enter':\n this.target.onItemActionKey(DropDownActionKey.ENTER, event);\n break;\n case 'space':\n case 'spacebar':\n case ' ':\n this.target.onItemActionKey(DropDownActionKey.SPACE, event);\n break;\n case 'arrowup':\n case 'up':\n this.onArrowUpKeyDown();\n break;\n case 'arrowdown':\n case 'down':\n this.onArrowDownKeyDown();\n break;\n case 'home':\n this.onHomeKeyDown();\n break;\n case 'end':\n this.onEndKeyDown();\n break;\n default:\n return;\n }\n }\n }\n /**\n * Navigates to previous item\n */\n onArrowDownKeyDown() {\n this.target.navigateNext();\n }\n /**\n * Navigates to previous item\n */\n onArrowUpKeyDown() {\n this.target.navigatePrev();\n }\n /**\n * Navigates to target's last item\n */\n onEndKeyDown() {\n this.target.navigateLast();\n }\n /**\n * Navigates to target's first item\n */\n onHomeKeyDown() {\n this.target.navigateFirst();\n }\n static {\n this.ɵfac = function IgxDropDownItemNavigationDirective_Factory(t) {\n return new (t || IgxDropDownItemNavigationDirective)(i0.ɵɵdirectiveInject(IGX_DROPDOWN_BASE, 10));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxDropDownItemNavigationDirective,\n selectors: [[\"\", \"igxDropDownItemNavigation\", \"\"]],\n hostBindings: function IgxDropDownItemNavigationDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"keydown\", function IgxDropDownItemNavigationDirective_keydown_HostBindingHandler($event) {\n return ctx.handleKeyDown($event);\n });\n }\n },\n inputs: {\n target: [i0.ɵɵInputFlags.None, \"igxDropDownItemNavigation\", \"target\"]\n },\n standalone: true\n });\n }\n }\n return IgxDropDownItemNavigationDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nvar IgxHintPosition = /*#__PURE__*/function (IgxHintPosition) {\n IgxHintPosition[IgxHintPosition[\"START\"] = 0] = \"START\";\n IgxHintPosition[IgxHintPosition[\"END\"] = 1] = \"END\";\n return IgxHintPosition;\n}(IgxHintPosition || {});\nlet IgxHintDirective = /*#__PURE__*/(() => {\n class IgxHintDirective {\n constructor() {\n /**\n * Sets/gets whether the hint position is at the start.\n * Default value is `false`.\n * ```typescript\n * @ViewChild('hint', {read: IgxHintDirective})\n * public igxHint: IgxHintDirective;\n * this.igxHint.isPositionStart = true;\n * ```\n * ```typescript\n * let isHintPositionStart = this.igxHint.isPositionStart;\n * ```\n *\n * @memberof IgxHintDirective\n */\n this.isPositionStart = false;\n /**\n * Sets/gets whether the hint position is at the end.\n * Default value is `false`.\n * ```typescript\n * @ViewChild('hint', {read: IgxHintDirective})\n * public igxHint: IgxHintDirective;\n * this.igxHint.isPositionEnd = true;\n * ```\n * ```typescript\n * let isHintPositionEnd = this.igxHint.isPositionEnd;\n * ```\n *\n * @memberof IgxHintDirective\n */\n this.isPositionEnd = false;\n this._position = IgxHintPosition.START;\n }\n /**\n * Sets the position of the hint.\n * ```html\n * \n * \n * IgxHint displayed at the start\n * \n * ```\n *\n * @memberof IgxHintDirective\n */\n set position(value) {\n const position = IgxHintPosition[value.toUpperCase()];\n if (position !== undefined) {\n this._position = position;\n this._applyPosition(this._position);\n }\n }\n /**\n * Gets the position of the hint.\n * ```typescript\n * @ViewChild('hint', {read: IgxHintDirective})\n * public igxHint: IgxHintDirective;\n * let hintPosition = this.igxHint.position;\n * ```\n *\n * @memberof IgxHintDirective\n */\n get position() {\n return this._position.toString();\n }\n /**\n * @hidden\n */\n ngOnInit() {\n this._applyPosition(this._position);\n }\n _applyPosition(position) {\n this.isPositionStart = this.isPositionEnd = false;\n switch (position) {\n case IgxHintPosition.START:\n this.isPositionStart = true;\n break;\n case IgxHintPosition.END:\n this.isPositionEnd = true;\n break;\n default:\n break;\n }\n }\n static {\n this.ɵfac = function IgxHintDirective_Factory(t) {\n return new (t || IgxHintDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxHintDirective,\n selectors: [[\"igx-hint\"], [\"\", \"igxHint\", \"\"]],\n hostVars: 4,\n hostBindings: function IgxHintDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-input-group__hint-item--start\", ctx.isPositionStart)(\"igx-input-group__hint-item--end\", ctx.isPositionEnd);\n }\n },\n inputs: {\n position: \"position\"\n },\n standalone: true\n });\n }\n }\n return IgxHintDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** @hidden */\nclass IgxInputGroupBase {}\nconst nativeValidationAttributes = ['required', 'pattern', 'minlength', 'maxlength', 'min', 'max', 'step'];\nvar IgxInputState = /*#__PURE__*/function (IgxInputState) {\n IgxInputState[IgxInputState[\"INITIAL\"] = 0] = \"INITIAL\";\n IgxInputState[IgxInputState[\"VALID\"] = 1] = \"VALID\";\n IgxInputState[IgxInputState[\"INVALID\"] = 2] = \"INVALID\";\n return IgxInputState;\n}(IgxInputState || {});\n/**\n * The `igxInput` directive creates single- or multiline text elements, covering common scenarios when dealing with form inputs.\n *\n * @igxModule IgxInputGroupModule\n *\n * @igxParent Data Entry & Display\n *\n * @igxTheme igx-input-group-theme\n *\n * @igxKeywords input, input group, form, field, validation\n *\n * @igxGroup presentation\n *\n * @example\n * ```html\n * \n * \n * \n * \n * ```\n */\nlet IgxInputDirective = /*#__PURE__*/(() => {\n class IgxInputDirective {\n constructor(inputGroup, ngModel, formControl, element, cdr, renderer) {\n this.inputGroup = inputGroup;\n this.ngModel = ngModel;\n this.formControl = formControl;\n this.element = element;\n this.cdr = cdr;\n this.renderer = renderer;\n /**\n * Sets/gets whether the `\"igx-input-group__input\"` class is added to the host element.\n * Default value is `false`.\n *\n * @example\n * ```typescript\n * this.igxInput.isInput = true;\n * ```\n *\n * @example\n * ```typescript\n * let isCLassAdded = this.igxInput.isInput;\n * ```\n */\n this.isInput = false;\n /**\n * Sets/gets whether the `\"class.igx-input-group__textarea\"` class is added to the host element.\n * Default value is `false`.\n *\n * @example\n * ```typescript\n * this.igxInput.isTextArea = true;\n * ```\n *\n * @example\n * ```typescript\n * let isCLassAdded = this.igxInput.isTextArea;\n * ```\n */\n this.isTextArea = false;\n this._valid = IgxInputState.INITIAL;\n this._disabled = false;\n }\n get ngControl() {\n return this.ngModel ? this.ngModel : this.formControl;\n }\n /**\n * Sets the `value` property.\n *\n * @example\n * ```html\n * \n * \n * \n * ```\n */\n set value(value) {\n this.nativeElement.value = value ?? '';\n this.updateValidityState();\n }\n /**\n * Gets the `value` property.\n *\n * @example\n * ```typescript\n * @ViewChild('igxInput', {read: IgxInputDirective})\n * public igxInput: IgxInputDirective;\n * let inputValue = this.igxInput.value;\n * ```\n */\n get value() {\n return this.nativeElement.value;\n }\n /**\n * Sets the `disabled` property.\n *\n * @example\n * ```html\n * \n * \n * \n * ```\n */\n set disabled(value) {\n this._disabled = this.inputGroup.disabled = value;\n if (this.focused && this._disabled) {\n // Browser focus may not fire in good time and mess with change detection, adjust here in advance:\n this.inputGroup.isFocused = false;\n }\n }\n /**\n * Gets the `disabled` property\n *\n * @example\n * ```typescript\n * @ViewChild('igxInput', {read: IgxInputDirective})\n * public igxInput: IgxInputDirective;\n * let isDisabled = this.igxInput.disabled;\n * ```\n */\n get disabled() {\n return this._disabled;\n }\n /**\n * Sets the `required` property.\n *\n * @example\n * ```html\n * \n * \n * \n * ```\n */\n set required(value) {\n this.nativeElement.required = this.inputGroup.isRequired = value;\n }\n /**\n * Gets whether the igxInput is required.\n *\n * @example\n * ```typescript\n * let isRequired = this.igxInput.required;\n * ```\n */\n get required() {\n let validation;\n if (this.ngControl && (this.ngControl.control.validator || this.ngControl.control.asyncValidator)) {\n validation = this.ngControl.control.validator({});\n }\n return validation && validation.required || this.nativeElement.hasAttribute('required');\n }\n /**\n * @hidden\n * @internal\n */\n onFocus() {\n this.inputGroup.isFocused = true;\n }\n /**\n * @param event The event to invoke the handler\n *\n * @hidden\n * @internal\n */\n onBlur() {\n this.inputGroup.isFocused = false;\n this.updateValidityState();\n }\n /** @hidden @internal */\n onInput() {\n this.checkNativeValidity();\n }\n /** @hidden @internal */\n change(event) {\n if (this.type === 'file') {\n const fileList = event.target.files;\n const fileArray = [];\n if (fileList) {\n for (const file of Array.from(fileList)) {\n fileArray.push(file);\n }\n }\n this._fileNames = (fileArray || []).map(f => f.name).join(', ');\n if (this.required && fileList?.length > 0) {\n this._valid = IgxInputState.INITIAL;\n }\n }\n }\n /** @hidden @internal */\n get fileNames() {\n return this._fileNames;\n }\n /** @hidden @internal */\n clear() {\n this.ngControl?.control?.setValue('');\n this.nativeElement.value = null;\n this._fileNames = '';\n }\n /** @hidden @internal */\n ngAfterViewInit() {\n this.inputGroup.hasPlaceholder = this.nativeElement.hasAttribute('placeholder');\n if (this.ngControl && this.ngControl.disabled !== null) {\n this.disabled = this.ngControl.disabled;\n }\n this.inputGroup.disabled = this.inputGroup.disabled || this.nativeElement.hasAttribute('disabled');\n this.inputGroup.isRequired = this.nativeElement.hasAttribute('required');\n // Make sure we do not invalidate the input on init\n if (!this.ngControl) {\n this._valid = IgxInputState.INITIAL;\n }\n // Also check the control's validators for required\n if (this.required && !this.inputGroup.isRequired) {\n this.inputGroup.isRequired = this.required;\n }\n this.renderer.setAttribute(this.nativeElement, 'aria-required', this.required.toString());\n const elTag = this.nativeElement.tagName.toLowerCase();\n if (elTag === 'textarea') {\n this.isTextArea = true;\n } else {\n this.isInput = true;\n }\n if (this.ngControl) {\n this._statusChanges$ = this.ngControl.statusChanges.subscribe(this.onStatusChanged.bind(this));\n this._valueChanges$ = this.ngControl.valueChanges.subscribe(this.onValueChanged.bind(this));\n }\n this.cdr.detectChanges();\n }\n /** @hidden @internal */\n ngOnDestroy() {\n if (this._statusChanges$) {\n this._statusChanges$.unsubscribe();\n }\n if (this._valueChanges$) {\n this._valueChanges$.unsubscribe();\n }\n }\n /**\n * Sets a focus on the igxInput.\n *\n * @example\n * ```typescript\n * this.igxInput.focus();\n * ```\n */\n focus() {\n this.nativeElement.focus();\n }\n /**\n * Gets the `nativeElement` of the igxInput.\n *\n * @example\n * ```typescript\n * let igxInputNativeElement = this.igxInput.nativeElement;\n * ```\n */\n get nativeElement() {\n return this.element.nativeElement;\n }\n /** @hidden @internal */\n onStatusChanged() {\n // Enable/Disable control based on ngControl #7086\n if (this.disabled !== this.ngControl.disabled) {\n this.disabled = this.ngControl.disabled;\n }\n this.updateValidityState();\n }\n /** @hidden @internal */\n onValueChanged() {\n if (this._fileNames && !this.value) {\n this._fileNames = '';\n }\n }\n /**\n * @hidden\n * @internal\n */\n updateValidityState() {\n if (this.ngControl) {\n if (!this.disabled && this.isTouchedOrDirty) {\n if (this.hasValidators) {\n // Run the validation with empty object to check if required is enabled.\n const error = this.ngControl.control.validator({});\n this.inputGroup.isRequired = error && error.required;\n if (this.focused) {\n this._valid = this.ngControl.valid ? IgxInputState.VALID : IgxInputState.INVALID;\n } else {\n this._valid = this.ngControl.valid ? IgxInputState.INITIAL : IgxInputState.INVALID;\n }\n } else {\n // If validator is dynamically cleared, reset label's required class(asterisk) and IgxInputState #10010\n this.inputGroup.isRequired = false;\n this._valid = this.ngControl.valid ? IgxInputState.INITIAL : IgxInputState.INVALID;\n }\n } else {\n this._valid = IgxInputState.INITIAL;\n }\n this.renderer.setAttribute(this.nativeElement, 'aria-required', this.required.toString());\n const ariaInvalid = this.valid === IgxInputState.INVALID;\n this.renderer.setAttribute(this.nativeElement, 'aria-invalid', ariaInvalid.toString());\n } else {\n this.checkNativeValidity();\n }\n }\n get isTouchedOrDirty() {\n return this.ngControl.control.touched || this.ngControl.control.dirty;\n }\n get hasValidators() {\n return !!this.ngControl.control.validator || !!this.ngControl.control.asyncValidator;\n }\n /**\n * Gets whether the igxInput has a placeholder.\n *\n * @example\n * ```typescript\n * let hasPlaceholder = this.igxInput.hasPlaceholder;\n * ```\n */\n get hasPlaceholder() {\n return this.nativeElement.hasAttribute('placeholder');\n }\n /**\n * Gets the placeholder element of the igxInput.\n *\n * @example\n * ```typescript\n * let igxInputPlaceholder = this.igxInput.placeholder;\n * ```\n */\n get placeholder() {\n return this.nativeElement.placeholder;\n }\n /**\n * @returns An indicator of whether the input has validator attributes or not\n *\n * @hidden\n * @internal\n */\n _hasValidators() {\n for (const nativeValidationAttribute of nativeValidationAttributes) {\n if (this.nativeElement.hasAttribute(nativeValidationAttribute)) {\n return true;\n }\n }\n return false;\n }\n /**\n * Gets whether the igxInput is focused.\n *\n * @example\n * ```typescript\n * let isFocused = this.igxInput.focused;\n * ```\n */\n get focused() {\n return this.inputGroup.isFocused;\n }\n /**\n * Gets the state of the igxInput.\n *\n * @example\n * ```typescript\n * let igxInputState = this.igxInput.valid;\n * ```\n */\n get valid() {\n return this._valid;\n }\n /**\n * Sets the state of the igxInput.\n *\n * @example\n * ```typescript\n * this.igxInput.valid = IgxInputState.INVALID;\n * ```\n */\n set valid(value) {\n this._valid = value;\n }\n /**\n * Gets whether the igxInput is valid.\n *\n * @example\n * ```typescript\n * let valid = this.igxInput.isValid;\n * ```\n */\n get isValid() {\n return this.valid !== IgxInputState.INVALID;\n }\n /**\n * A function to assign a native validity property of an input.\n * This should be used when there's no ngControl\n *\n * @hidden\n * @internal\n */\n checkNativeValidity() {\n if (!this.disabled && this._hasValidators()) {\n this._valid = this.nativeElement.checkValidity() ? this.focused ? IgxInputState.VALID : IgxInputState.INITIAL : IgxInputState.INVALID;\n }\n }\n /**\n * Returns the input type.\n *\n * @hidden\n * @internal\n */\n get type() {\n return this.nativeElement.type;\n }\n static {\n this.ɵfac = function IgxInputDirective_Factory(t) {\n return new (t || IgxInputDirective)(i0.ɵɵdirectiveInject(IgxInputGroupBase), i0.ɵɵdirectiveInject(NgModel, 10), i0.ɵɵdirectiveInject(NgControl, 10), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.Renderer2));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxInputDirective,\n selectors: [[\"\", \"igxInput\", \"\"]],\n hostVars: 5,\n hostBindings: function IgxInputDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"focus\", function IgxInputDirective_focus_HostBindingHandler() {\n return ctx.onFocus();\n })(\"blur\", function IgxInputDirective_blur_HostBindingHandler() {\n return ctx.onBlur();\n })(\"input\", function IgxInputDirective_input_HostBindingHandler() {\n return ctx.onInput();\n })(\"change\", function IgxInputDirective_change_HostBindingHandler($event) {\n return ctx.change($event);\n });\n }\n if (rf & 2) {\n i0.ɵɵhostProperty(\"disabled\", ctx.disabled);\n i0.ɵɵclassProp(\"igx-input-group__input\", ctx.isInput)(\"igx-input-group__textarea\", ctx.isTextArea);\n }\n },\n inputs: {\n value: \"value\",\n disabled: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"disabled\", \"disabled\", booleanAttribute],\n required: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"required\", \"required\", booleanAttribute]\n },\n exportAs: [\"igxInput\"],\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature]\n });\n }\n }\n return IgxInputDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet NEXT_ID$v = 0;\nlet IgxLabelDirective = /*#__PURE__*/(() => {\n class IgxLabelDirective {\n constructor() {\n this.defaultClass = true;\n /**\n * @hidden\n */\n this.id = `igx-label-${NEXT_ID$v++}`;\n }\n static {\n this.ɵfac = function IgxLabelDirective_Factory(t) {\n return new (t || IgxLabelDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxLabelDirective,\n selectors: [[\"\", \"igxLabel\", \"\"]],\n hostVars: 3,\n hostBindings: function IgxLabelDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id);\n i0.ɵɵclassProp(\"igx-input-group__label\", ctx.defaultClass);\n }\n },\n inputs: {\n id: \"id\"\n },\n standalone: true\n });\n }\n }\n return IgxLabelDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * @hidden\n */\nlet IgxPrefixDirective = /*#__PURE__*/(() => {\n class IgxPrefixDirective {\n static {\n this.ɵfac = function IgxPrefixDirective_Factory(t) {\n return new (t || IgxPrefixDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxPrefixDirective,\n selectors: [[\"igx-prefix\"], [\"\", \"igxPrefix\", \"\"], [\"\", \"igxStart\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxPrefixDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * @hidden\n */\nlet IgxSuffixDirective = /*#__PURE__*/(() => {\n class IgxSuffixDirective {\n static {\n this.ɵfac = function IgxSuffixDirective_Factory(t) {\n return new (t || IgxSuffixDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxSuffixDirective,\n selectors: [[\"igx-suffix\"], [\"\", \"igxSuffix\", \"\"], [\"\", \"igxEnd\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxSuffixDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst InputResourceStringsEN = {\n igx_input_upload_button: 'Upload File',\n igx_input_file_placeholder: 'No file chosen'\n};\nconst IgxBaseButtonType = /*@__PURE__*/mkenum({\n Flat: 'flat',\n Contained: 'contained',\n Outlined: 'outlined'\n});\nlet IgxButtonBaseDirective = /*#__PURE__*/(() => {\n class IgxButtonBaseDirective extends DisplayDensityBase {\n /**\n * @hidden\n * @internal\n */\n onClick(ev) {\n this.buttonClick.emit(ev);\n this.focused = false;\n }\n /**\n * @hidden\n * @internal\n */\n onBlur() {\n this.focused = false;\n }\n /**\n * @hidden\n * @internal\n */\n get disabledAttribute() {\n return this.disabled || null;\n }\n constructor(element, _displayDensityOptions) {\n super(_displayDensityOptions, element);\n this.element = element;\n this._displayDensityOptions = _displayDensityOptions;\n /**\n * Emitted when the button is clicked.\n */\n this.buttonClick = new EventEmitter();\n /**\n * Sets/gets the `role` attribute.\n *\n * @example\n * ```typescript\n * this.button.role = 'navbutton';\n * let buttonRole = this.button.role;\n * ```\n */\n this.role = 'button';\n /**\n * Sets/gets whether the button component is on focus.\n * Default value is `false`.\n * ```typescript\n * this.button.focus = true;\n * ```\n * ```typescript\n * let isFocused = this.button.focused;\n * ```\n */\n this.focused = false;\n /**\n * Enables/disables the button.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.disabled = false;\n }\n /**\n * @hidden\n * @internal\n */\n updateOnKeyUp(event) {\n if (event.key === \"Tab\") {\n this.focused = true;\n }\n }\n /**\n * Returns the underlying DOM element.\n */\n get nativeElement() {\n return this.element.nativeElement;\n }\n static {\n this.ɵfac = function IgxButtonBaseDirective_Factory(t) {\n return new (t || IgxButtonBaseDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(DisplayDensityToken, 8));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxButtonBaseDirective,\n hostVars: 6,\n hostBindings: function IgxButtonBaseDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"click\", function IgxButtonBaseDirective_click_HostBindingHandler($event) {\n return ctx.onClick($event);\n })(\"blur\", function IgxButtonBaseDirective_blur_HostBindingHandler() {\n return ctx.onBlur();\n })(\"keyup\", function IgxButtonBaseDirective_keyup_HostBindingHandler($event) {\n return ctx.updateOnKeyUp($event);\n });\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"role\", ctx.role)(\"disabled\", ctx.disabledAttribute);\n i0.ɵɵclassProp(\"igx-button--focused\", ctx.focused)(\"igx-button--disabled\", ctx.disabled);\n }\n },\n inputs: {\n disabled: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"disabled\", \"disabled\", booleanAttribute]\n },\n outputs: {\n buttonClick: \"buttonClick\"\n },\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxButtonBaseDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst IgxButtonType = /*@__PURE__*/mkenum({\n ...IgxBaseButtonType,\n FAB: 'fab'\n});\n/**\n * The Button directive provides the Ignite UI Button functionality to every component that's intended to be used as a button.\n *\n * @igxModule IgxButtonModule\n *\n * @igxParent Data Entry & Display\n *\n * @igxTheme igx-button-theme\n *\n * @igxKeywords button, span, div, click\n *\n * @remarks\n * The Ignite UI Button directive is intended to be used by any button, span or div and turn it into a fully functional button.\n *\n * @example\n * ```html\n * \n * ```\n */\nlet IgxButtonDirective = /*#__PURE__*/(() => {\n class IgxButtonDirective extends IgxButtonBaseDirective {\n /**\n * Gets or sets whether the button is selected.\n * Mainly used in the IgxButtonGroup component and it will have no effect if set separately.\n *\n * @example\n * ```html\n * \n * ```\n */\n set selected(value) {\n if (this._selected !== value) {\n this._selected = value;\n this._renderer.setAttribute(this.nativeElement, 'data-selected', value.toString());\n }\n }\n get selected() {\n return this._selected;\n }\n constructor(element, _displayDensityOptions, _renderer) {\n super(element, _displayDensityOptions);\n this.element = element;\n this._displayDensityOptions = _displayDensityOptions;\n this._renderer = _renderer;\n /**\n * Called when the button is selected.\n */\n this.buttonSelected = new EventEmitter();\n /**\n * @hidden\n * @internal\n */\n this._cssClass = 'igx-button';\n /**\n * @hidden\n * @internal\n */\n this._selected = false;\n }\n ngAfterContentInit() {\n this.nativeElement.addEventListener('click', () => {\n this.buttonSelected.emit({\n button: this\n });\n });\n }\n /**\n * Sets the type of the button.\n *\n * @example\n * ```html\n * \n * ```\n */\n set type(type) {\n const t = type ? type : IgxButtonType.Flat;\n if (this._type !== t) {\n this._type = t;\n }\n }\n /**\n * Sets the `aria-label` attribute.\n *\n * @example\n * ```html\n * \n * ```\n */\n set label(value) {\n this._label = value || this._label;\n this._renderer.setAttribute(this.nativeElement, 'aria-label', this._label);\n }\n /**\n * @hidden\n * @internal\n */\n get flat() {\n return this._type === IgxButtonType.Flat;\n }\n /**\n * @hidden\n * @internal\n */\n get contained() {\n return this._type === IgxButtonType.Contained;\n }\n /**\n * @hidden\n * @internal\n */\n get outlined() {\n return this._type === IgxButtonType.Outlined;\n }\n /**\n * @hidden\n * @internal\n */\n get fab() {\n return this._type === IgxButtonType.FAB;\n }\n /**\n * @hidden\n * @internal\n */\n get componentSize() {\n return this.getComponentSizeStyles();\n }\n /**\n * @hidden\n * @internal\n */\n select() {\n this.selected = true;\n }\n /**\n * @hidden\n * @internal\n */\n deselect() {\n this.selected = false;\n this.focused = false;\n }\n static {\n this.ɵfac = function IgxButtonDirective_Factory(t) {\n return new (t || IgxButtonDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(DisplayDensityToken, 8), i0.ɵɵdirectiveInject(i0.Renderer2));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxButtonDirective,\n selectors: [[\"\", \"igxButton\", \"\"]],\n hostVars: 12,\n hostBindings: function IgxButtonDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵstyleProp(\"--component-size\", ctx.componentSize);\n i0.ɵɵclassProp(\"igx-button\", ctx._cssClass)(\"igx-button--flat\", ctx.flat)(\"igx-button--contained\", ctx.contained)(\"igx-button--outlined\", ctx.outlined)(\"igx-button--fab\", ctx.fab);\n }\n },\n inputs: {\n selected: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"selected\", \"selected\", booleanAttribute],\n type: [i0.ɵɵInputFlags.None, \"igxButton\", \"type\"],\n label: [i0.ɵɵInputFlags.None, \"igxLabel\", \"label\"]\n },\n outputs: {\n buttonSelected: \"buttonSelected\"\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxButtonDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst IgxInputGroupEnum = /*@__PURE__*/mkenum({\n Line: 'line',\n Box: 'box',\n Border: 'border',\n Search: 'search'\n});\n/**\n * Defines the InputGroupType DI token.\n */\n// Should this go trough Interface https://angular.io/api/core/InjectionToken\nconst IGX_INPUT_GROUP_TYPE = /*@__PURE__*/new InjectionToken('InputGroupType');\n\n/**\n * **Ignite UI for Angular Icon Service** -\n *\n * The Ignite UI Icon Service makes it easy for developers to include custom SVG images and use them with IgxIconComponent.\n * In addition it could be used to associate a custom class to be applied on IgxIconComponent according to given font-family.\n *\n * Example:\n * ```typescript\n * this.iconService.registerFamilyAlias('material', 'material-icons');\n * this.iconService.addSvgIcon('aruba', '/assets/svg/country_flags/aruba.svg', 'svg-flags');\n * ```\n */\nlet IgxIconService = /*#__PURE__*/(() => {\n class IgxIconService {\n constructor(_sanitizer, _httpClient, _platformUtil, _document) {\n this._sanitizer = _sanitizer;\n this._httpClient = _httpClient;\n this._platformUtil = _platformUtil;\n this._document = _document;\n this._family = 'material-icons';\n this._familyAliases = new Map();\n this._cachedSvgIcons = new Map();\n this._iconLoaded = new Subject();\n this.iconLoaded = this._iconLoaded.asObservable();\n if (this._platformUtil?.isBrowser) {\n this._domParser = new DOMParser();\n }\n }\n /**\n * Returns the default font-family.\n * ```typescript\n * const defaultFamily = this.iconService.defaultFamily;\n * ```\n */\n get defaultFamily() {\n return this._family;\n }\n /**\n * Sets the default font-family.\n * ```typescript\n * this.iconService.defaultFamily = 'svg-flags';\n * ```\n */\n set defaultFamily(className) {\n this._family = className;\n }\n /**\n * Registers a custom class to be applied to IgxIconComponent for a given font-family.\n * ```typescript\n * this.iconService.registerFamilyAlias('material', 'material-icons');\n * ```\n */\n registerFamilyAlias(alias, className = alias) {\n this._familyAliases.set(alias, className);\n return this;\n }\n /**\n * Returns the custom class, if any, associated to a given font-family.\n * ```typescript\n * const familyClass = this.iconService.familyClassName('material');\n * ```\n */\n familyClassName(alias) {\n return this._familyAliases.get(alias) || alias;\n }\n /**\n * Adds an SVG image to the cache. SVG source is an url.\n * ```typescript\n * this.iconService.addSvgIcon('aruba', '/assets/svg/country_flags/aruba.svg', 'svg-flags');\n * ```\n */\n addSvgIcon(name, url, family = this._family, stripMeta = false) {\n if (name && url) {\n const safeUrl = this._sanitizer.bypassSecurityTrustResourceUrl(url);\n if (!safeUrl) {\n throw new Error(`The provided URL could not be processed as trusted resource URL by Angular's DomSanitizer: \"${url}\".`);\n }\n const sanitizedUrl = this._sanitizer.sanitize(SecurityContext.RESOURCE_URL, safeUrl);\n if (!sanitizedUrl) {\n throw new Error(`The URL provided was not trusted as a resource URL: \"${url}\".`);\n }\n if (!this.isSvgIconCached(name, family)) {\n this.fetchSvg(url).subscribe(res => {\n this.cacheSvgIcon(name, res, family, stripMeta);\n this._iconLoaded.next({\n name,\n value: res,\n family\n });\n });\n }\n } else {\n throw new Error('You should provide at least `name` and `url` to register an svg icon.');\n }\n }\n /**\n * Adds an SVG image to the cache. SVG source is its text.\n * ```typescript\n * this.iconService.addSvgIconFromText('simple', '', 'svg-flags');\n * ```\n */\n addSvgIconFromText(name, iconText, family = '', stripMeta = false) {\n if (name && iconText) {\n if (this.isSvgIconCached(name, family)) {\n return;\n }\n this.cacheSvgIcon(name, iconText, family, stripMeta);\n } else {\n throw new Error('You should provide at least `name` and `iconText` to register an svg icon.');\n }\n }\n /**\n * Returns whether a given SVG image is present in the cache.\n * ```typescript\n * const isSvgCached = this.iconService.isSvgIconCached('aruba', 'svg-flags');\n * ```\n */\n isSvgIconCached(name, family = '') {\n const familyClassName = this.familyClassName(family);\n if (this._cachedSvgIcons.has(familyClassName)) {\n const familyRegistry = this._cachedSvgIcons.get(familyClassName);\n return familyRegistry.has(name);\n }\n return false;\n }\n /**\n * Returns the cached SVG image as string.\n * ```typescript\n * const svgIcon = this.iconService.getSvgIcon('aruba', 'svg-flags');\n * ```\n */\n getSvgIcon(name, family = '') {\n const familyClassName = this.familyClassName(family);\n return this._cachedSvgIcons.get(familyClassName)?.get(name);\n }\n /**\n * @hidden\n */\n fetchSvg(url) {\n const req = this._httpClient.get(url, {\n responseType: 'text'\n });\n return req;\n }\n /**\n * @hidden\n */\n cacheSvgIcon(name, value, family = this._family, stripMeta) {\n family = family ? family : this._family;\n if (this._platformUtil?.isBrowser && name && value) {\n const doc = this._domParser.parseFromString(value, 'image/svg+xml');\n const svg = doc.querySelector('svg');\n if (!this._cachedSvgIcons.has(family)) {\n this._cachedSvgIcons.set(family, new Map());\n }\n if (svg) {\n svg.setAttribute('fit', '');\n svg.setAttribute('preserveAspectRatio', 'xMidYMid meet');\n if (stripMeta) {\n const title = svg.querySelector('title');\n const desc = svg.querySelector('desc');\n if (title) {\n svg.removeChild(title);\n }\n if (desc) {\n svg.removeChild(desc);\n }\n }\n const safeSvg = this._sanitizer.bypassSecurityTrustHtml(svg.outerHTML);\n this._cachedSvgIcons.get(family).set(name, safeSvg);\n }\n }\n }\n static {\n this.ɵfac = function IgxIconService_Factory(t) {\n return new (t || IgxIconService)(i0.ɵɵinject(i1$1.DomSanitizer, 8), i0.ɵɵinject(i2.HttpClient, 8), i0.ɵɵinject(PlatformUtil, 8), i0.ɵɵinject(DOCUMENT, 8));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: IgxIconService,\n factory: IgxIconService.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return IgxIconService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Icon provides a way to include material icons to markup\n *\n * @igxModule IgxIconModule\n *\n * @igxTheme igx-icon-theme\n *\n * @igxKeywords icon, picture\n *\n * @igxGroup Display\n *\n * @remarks\n *\n * The Ignite UI Icon makes it easy for developers to include material design icons directly in their markup. The icons\n * support different icon families and can be marked as active or disabled using the `active` property. This will change the appearance\n * of the icon.\n *\n * @example\n * ```html\n * home\n * ```\n */\nlet IgxIconComponent = /*#__PURE__*/(() => {\n class IgxIconComponent {\n constructor(el, iconService, ref) {\n this.el = el;\n this.iconService = iconService;\n this.ref = ref;\n /**\n * This allows you to change the value of `class.igx-icon`. By default it's `igx-icon`.\n *\n * @hidden\n * @internal\n */\n this.cssClass = 'igx-icon';\n /**\n * This allows you to disable the `aria-hidden` attribute. By default it's applied.\n *\n * @example\n * ```typescript\n * @ViewChild(\"MyIcon\") public icon: IgxIconComponent;\n * constructor(private cdRef:ChangeDetectorRef) {}\n * ngAfterViewInit() {\n * this.icon.ariaHidden = false;\n * this.cdRef.detectChanges();\n * }\n * ```\n */\n this.ariaHidden = true;\n /**\n * Gets/Sets whether the active state is applied. By default it's true.\n *\n * @example\n * ```html\n * settings\n * ```\n */\n this.active = true;\n this.destroy$ = new Subject();\n this.family = this.iconService.defaultFamily;\n this.iconService.registerFamilyAlias('material', 'material-icons');\n this.iconService.iconLoaded.pipe(first$2(e => e.name === this.name && e.family === this.family), takeUntil(this.destroy$)).subscribe(() => this.ref.detectChanges());\n }\n /**\n * @hidden\n * @internal\n */\n ngOnInit() {\n this.updateIconClass();\n }\n /**\n * @hidden\n * @internal\n */\n ngOnDestroy() {\n this.destroy$.next();\n this.destroy$.complete();\n }\n /**\n * An accessor that returns the value of the family property.\n *\n * @example\n * ```typescript\n * @ViewChild(\"MyIcon\")\n * public icon: IgxIconComponent;\n * ngAfterViewInit() {\n * let iconFamily = this.icon.getFamily;\n * }\n * ```\n */\n get getFamily() {\n return this.family;\n }\n /**\n * An accessor that returns the value of the active property.\n *\n * @example\n * ```typescript\n * @ViewChild(\"MyIcon\")\n * public icon: IgxIconComponent;\n * ngAfterViewInit() {\n * let iconActive = this.icon.getActive;\n * }\n * ```\n */\n get getActive() {\n return this.active;\n }\n /**\n * An accessor that returns inactive property.\n *\n * @example\n * ```typescript\n * @ViewChild(\"MyIcon\")\n * public icon: IgxIconComponent;\n * ngAfterViewInit() {\n * let iconActive = this.icon.getInactive;\n * }\n * ```\n */\n get getInactive() {\n return !this.active;\n }\n /**\n * An accessor that returns the value of the iconName property.\n *\n * @example\n * ```typescript\n * @ViewChild(\"MyIcon\")\n * public icon: IgxIconComponent;\n * ngAfterViewInit() {\n * let name = this.icon.getName;\n * }\n * ```\n */\n get getName() {\n return this.name;\n }\n /**\n * An accessor that returns the underlying SVG image as SafeHtml.\n *\n * @example\n * ```typescript\n * @ViewChild(\"MyIcon\")\n * public icon: IgxIconComponent;\n * ngAfterViewInit() {\n * let svg: SafeHtml = this.icon.getSvg;\n * }\n * ```\n */\n get getSvg() {\n if (this.iconService.isSvgIconCached(this.name, this.family)) {\n return this.iconService.getSvgIcon(this.name, this.family);\n }\n return null;\n }\n /**\n * An accessor that returns a TemplateRef to explicit, svg or no ligature.\n *\n * @example\n * ```typescript\n * @ViewChild(\"MyIcon\")\n * public icon: IgxIconComponent;\n * ngAfterViewInit() {\n * let iconTemplate = this.icon.template;\n * }\n * ```\n */\n get template() {\n if (this.name) {\n if (this.iconService.isSvgIconCached(this.name, this.family)) {\n return this.svgImage;\n }\n return this.noLigature;\n }\n return this.explicitLigature;\n }\n /**\n * @hidden\n * @internal\n */\n updateIconClass() {\n const className = this.iconService.familyClassName(this.family);\n this.el.nativeElement.classList.add(className);\n if (this.name && !this.iconService.isSvgIconCached(this.name, this.family)) {\n this.el.nativeElement.classList.add(this.name);\n }\n }\n static {\n this.ɵfac = function IgxIconComponent_Factory(t) {\n return new (t || IgxIconComponent)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(IgxIconService), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxIconComponent,\n selectors: [[\"igx-icon\"]],\n viewQuery: function IgxIconComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c0, 7, TemplateRef);\n i0.ɵɵviewQuery(_c1, 7, TemplateRef);\n i0.ɵɵviewQuery(_c2, 7, TemplateRef);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.noLigature = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.explicitLigature = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.svgImage = _t.first);\n }\n },\n hostVars: 5,\n hostBindings: function IgxIconComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"aria-hidden\", ctx.ariaHidden);\n i0.ɵɵclassProp(\"igx-icon\", ctx.cssClass)(\"igx-icon--inactive\", ctx.getInactive);\n }\n },\n inputs: {\n family: \"family\",\n active: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"active\", \"active\", booleanAttribute],\n name: \"name\"\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 7,\n vars: 1,\n consts: [[\"noLigature\", \"\"], [\"explicitLigature\", \"\"], [\"svgImage\", \"\"], [4, \"ngTemplateOutlet\"], [3, \"innerHTML\"]],\n template: function IgxIconComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵtemplate(0, IgxIconComponent_ng_template_0_Template, 0, 0, \"ng-template\", null, 0, i0.ɵɵtemplateRefExtractor)(2, IgxIconComponent_ng_template_2_Template, 1, 0, \"ng-template\", null, 1, i0.ɵɵtemplateRefExtractor)(4, IgxIconComponent_ng_template_4_Template, 1, 1, \"ng-template\", null, 2, i0.ɵɵtemplateRefExtractor)(6, IgxIconComponent_ng_container_6_Template, 1, 0, \"ng-container\", 3);\n }\n if (rf & 2) {\n i0.ɵɵadvance(6);\n i0.ɵɵproperty(\"ngTemplateOutlet\", ctx.template);\n }\n },\n dependencies: [NgTemplateOutlet],\n encapsulation: 2\n });\n }\n }\n return IgxIconComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nclass igxI18N {\n constructor() {\n this._currentResourceStrings = {};\n }\n static instance() {\n return this._instance || (this._instance = new this());\n }\n /**\n * Changes the resource strings for all components in the application\n * ```\n * @param resourceStrings to be applied\n */\n changei18n(resourceStrings) {\n for (const key of Object.keys(resourceStrings)) {\n this._currentResourceStrings[key] = resourceStrings[key];\n }\n }\n getCurrentResourceStrings(en) {\n for (const key of Object.keys(en)) {\n if (!this._currentResourceStrings[key]) {\n this._currentResourceStrings[key] = en[key];\n }\n }\n return this._currentResourceStrings;\n }\n}\nfunction getCurrentResourceStrings(en) {\n return igxI18N.instance().getCurrentResourceStrings(en);\n}\nfunction changei18n(resourceStrings) {\n igxI18N.instance().changei18n(resourceStrings);\n}\nconst IgxInputGroupTheme = /*@__PURE__*/mkenum({\n Material: 'material',\n Fluent: 'fluent',\n Bootstrap: 'bootstrap',\n IndigoDesign: 'indigo-design'\n});\nlet IgxInputGroupComponent = /*#__PURE__*/(() => {\n class IgxInputGroupComponent extends DisplayDensityBase {\n /**\n * Sets the resource strings.\n * By default it uses EN resources.\n */\n set resourceStrings(value) {\n this._resourceStrings = Object.assign({}, this._resourceStrings, value);\n }\n /**\n * Returns the resource strings.\n */\n get resourceStrings() {\n return this._resourceStrings;\n }\n /** @hidden */\n get validClass() {\n return this.input.valid === IgxInputState.VALID;\n }\n /** @hidden */\n get invalidClass() {\n return this.input.valid === IgxInputState.INVALID;\n }\n /** @hidden */\n get isFilled() {\n return this._filled || this.input && this.input.value;\n }\n /** @hidden @internal */\n get componentSize() {\n return this.getComponentSizeStyles();\n }\n /** @hidden */\n get textAreaClass() {\n return this.input.isTextArea;\n }\n /**\n * Sets how the input will be styled.\n * Allowed values of type IgxInputGroupType.\n * ```html\n * \n * ```\n */\n set type(value) {\n this._type = value;\n }\n /**\n * Returns the type of the `IgxInputGroupComponent`. How the input is styled.\n * The default is `line`.\n * ```typescript\n * @ViewChild(\"MyInputGroup\")\n * public inputGroup: IgxInputGroupComponent;\n * ngAfterViewInit(){\n * let inputType = this.inputGroup.type;\n * }\n * ```\n */\n get type() {\n return this._type || this._inputGroupType || 'line';\n }\n /**\n * Sets the theme of the input.\n * Allowed values of type IgxInputGroupTheme.\n * ```typescript\n * @ViewChild(\"MyInputGroup\")\n * public inputGroup: IgxInputGroupComponent;\n * ngAfterViewInit() {\n * let inputTheme = 'fluent';\n * }\n */\n set theme(value) {\n this._theme = value;\n }\n /**\n * Returns the theme of the input.\n * The returned value is of type IgxInputGroupType.\n * ```typescript\n * @ViewChild(\"MyInputGroup\")\n * public inputGroup: IgxInputGroupComponent;\n * ngAfterViewInit() {\n * let inputTheme = this.inputGroup.theme;\n * }\n */\n get theme() {\n return this._theme;\n }\n constructor(element, _displayDensityOptions, _inputGroupType, document, platform, cdr) {\n super(_displayDensityOptions, element);\n this.element = element;\n this._inputGroupType = _inputGroupType;\n this.document = document;\n this.platform = platform;\n this.cdr = cdr;\n /**\n * Property that enables/disables the auto-generated class of the `IgxInputGroupComponent`.\n * By default applied the class is applied.\n * ```typescript\n * @ViewChild(\"MyInputGroup\")\n * public inputGroup: IgxInputGroupComponent;\n * ngAfterViewInit(){\n * this.inputGroup.defaultClass = false;\n * ```\n * }\n */\n this.defaultClass = true;\n /** @hidden */\n this.hasPlaceholder = false;\n /** @hidden */\n this.isRequired = false;\n /** @hidden */\n this.isFocused = false;\n /**\n * @hidden @internal\n * When truthy, disables the `IgxInputGroupComponent`.\n * Controlled by the underlying `IgxInputDirective`.\n * ```html\n * \n * ```\n */\n this.disabled = false;\n /**\n * Prevents automatically focusing the input when clicking on other elements in the input group (e.g. prefix or suffix).\n *\n * @remarks Automatic focus causes software keyboard to show on mobile devices.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.suppressInputAutofocus = false;\n /** @hidden */\n this.hasWarning = false;\n this._type = null;\n this._filled = false;\n this._theme$ = new Subject();\n this._resourceStrings = getCurrentResourceStrings(InputResourceStringsEN);\n this._subscription = this._theme$.asObservable().subscribe(value => {\n this._theme = value;\n this.cdr.detectChanges();\n });\n }\n /** @hidden */\n onClick(event) {\n if (!this.isFocused && event.target !== this.input.nativeElement && !this.suppressInputAutofocus) {\n this.input.focus();\n }\n }\n /** @hidden */\n onPointerDown(event) {\n if (this.isFocused && event.target !== this.input.nativeElement) {\n event.preventDefault();\n }\n }\n /** @hidden @internal */\n hintClickHandler(event) {\n event.stopPropagation();\n }\n /**\n * Returns whether the `IgxInputGroupComponent` has hints.\n * ```typescript\n * @ViewChild(\"MyInputGroup\")\n * public inputGroup: IgxInputGroupComponent;\n * ngAfterViewInit(){\n * let inputHints = this.inputGroup.hasHints;\n * }\n * ```\n */\n get hasHints() {\n return this.hints.length > 0;\n }\n /** @hidden @internal */\n get hasPrefixes() {\n return this._prefixes.length > 0 || this.isFileType;\n }\n /** @hidden @internal */\n set prefixes(items) {\n this._prefixes = items;\n }\n /** @hidden @internal */\n get hasSuffixes() {\n return this._suffixes.length > 0 || this.isFileType && this.isFilled;\n }\n /** @hidden @internal */\n set suffixes(items) {\n this._suffixes = items;\n }\n /**\n * Returns whether the `IgxInputGroupComponent` has border.\n * ```typescript\n * @ViewChild(\"MyInputGroup\")\n * public inputGroup: IgxInputGroupComponent;\n * ngAfterViewInit(){\n * let inputBorder = this.inputGroup.hasBorder;\n * }\n * ```\n */\n get hasBorder() {\n return (this.type === 'line' || this.type === 'box') && this._theme === 'material';\n }\n /**\n * Returns whether the `IgxInputGroupComponent` type is line.\n * ```typescript\n * @ViewChild(\"MyInputGroup1\")\n * public inputGroup: IgxInputGroupComponent;\n * ngAfterViewInit(){\n * let isTypeLine = this.inputGroup.isTypeLine;\n * }\n * ```\n */\n get isTypeLine() {\n return this.type === 'line' && this._theme === 'material';\n }\n /**\n * Returns whether the `IgxInputGroupComponent` type is box.\n * ```typescript\n * @ViewChild(\"MyInputGroup1\")\n * public inputGroup: IgxInputGroupComponent;\n * ngAfterViewInit(){\n * let isTypeBox = this.inputGroup.isTypeBox;\n * }\n * ```\n */\n get isTypeBox() {\n return this.type === 'box' && this._theme === 'material';\n }\n /** @hidden @internal */\n uploadButtonHandler() {\n this.input.nativeElement.click();\n }\n /** @hidden @internal */\n clearValueHandler() {\n this.input.clear();\n }\n /** @hidden @internal */\n get isFileType() {\n return this.input.type === 'file';\n }\n /** @hidden @internal */\n get fileNames() {\n return this.input.fileNames || this._resourceStrings.igx_input_file_placeholder;\n }\n /**\n * Returns whether the `IgxInputGroupComponent` type is border.\n * ```typescript\n * @ViewChild(\"MyInputGroup1\")\n * public inputGroup: IgxInputGroupComponent;\n * ngAfterViewInit(){\n * let isTypeBorder = this.inputGroup.isTypeBorder;\n * }\n * ```\n */\n get isTypeBorder() {\n return this.type === 'border' && this._theme === 'material';\n }\n /**\n * Returns true if the `IgxInputGroupComponent` theme is Fluent.\n * ```typescript\n * @ViewChild(\"MyInputGroup1\")\n * public inputGroup: IgxInputGroupComponent;\n * ngAfterViewInit(){\n * let isTypeFluent = this.inputGroup.isTypeFluent;\n * }\n * ```\n */\n get isTypeFluent() {\n return this._theme === 'fluent';\n }\n /**\n * Returns true if the `IgxInputGroupComponent` theme is Bootstrap.\n * ```typescript\n * @ViewChild(\"MyInputGroup1\")\n * public inputGroup: IgxInputGroupComponent;\n * ngAfterViewInit(){\n * let isTypeBootstrap = this.inputGroup.isTypeBootstrap;\n * }\n * ```\n */\n get isTypeBootstrap() {\n return this._theme === 'bootstrap';\n }\n /**\n * Returns true if the `IgxInputGroupComponent` theme is Indigo.\n * ```typescript\n * @ViewChild(\"MyInputGroup1\")\n * public inputGroup: IgxInputGroupComponent;\n * ngAfterViewInit(){\n * let isTypeIndigo = this.inputGroup.isTypeIndigo;\n * }\n * ```\n */\n get isTypeIndigo() {\n return this._theme === 'indigo-design';\n }\n /**\n * Returns whether the `IgxInputGroupComponent` type is search.\n * ```typescript\n * @ViewChild(\"MyInputGroup1\")\n * public inputGroup: IgxInputGroupComponent;\n * ngAfterViewInit(){\n * let isTypeSearch = this.inputGroup.isTypeSearch;\n * }\n * ```\n */\n get isTypeSearch() {\n return this.type === 'search';\n }\n /** @hidden */\n get filled() {\n return this._filled;\n }\n /** @hidden */\n set filled(val) {\n this._filled = val;\n }\n /** @hidden @internal */\n ngAfterViewChecked() {\n if (!this._theme) {\n const cssProp = this.document.defaultView.getComputedStyle(this.element.nativeElement).getPropertyValue('--theme').trim();\n if (cssProp !== '') {\n Promise.resolve().then(() => {\n this._theme$.next(cssProp);\n this.cdr.markForCheck();\n });\n }\n }\n }\n /** @hidden @internal */\n ngOnDestroy() {\n this._subscription.unsubscribe();\n }\n static {\n this.ɵfac = function IgxInputGroupComponent_Factory(t) {\n return new (t || IgxInputGroupComponent)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(DisplayDensityToken, 8), i0.ɵɵdirectiveInject(IGX_INPUT_GROUP_TYPE, 8), i0.ɵɵdirectiveInject(DOCUMENT), i0.ɵɵdirectiveInject(PlatformUtil), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxInputGroupComponent,\n selectors: [[\"igx-input-group\"]],\n contentQueries: function IgxInputGroupComponent_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxInputDirective, 7, IgxInputDirective);\n i0.ɵɵcontentQuery(dirIndex, IgxHintDirective, 4, IgxHintDirective);\n i0.ɵɵcontentQuery(dirIndex, IgxPrefixDirective, 5, IgxPrefixDirective);\n i0.ɵɵcontentQuery(dirIndex, IgxSuffixDirective, 5, IgxSuffixDirective);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.input = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.hints = _t);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx._prefixes = _t);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx._suffixes = _t);\n }\n },\n hostVars: 40,\n hostBindings: function IgxInputGroupComponent_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"click\", function IgxInputGroupComponent_click_HostBindingHandler($event) {\n return ctx.onClick($event);\n })(\"pointerdown\", function IgxInputGroupComponent_pointerdown_HostBindingHandler($event) {\n return ctx.onPointerDown($event);\n });\n }\n if (rf & 2) {\n i0.ɵɵstyleProp(\"--component-size\", ctx.componentSize);\n i0.ɵɵclassProp(\"igx-input-group\", ctx.defaultClass)(\"igx-input-group--placeholder\", ctx.hasPlaceholder)(\"igx-input-group--required\", ctx.isRequired)(\"igx-input-group--focused\", ctx.isFocused)(\"igx-input-group--disabled\", ctx.disabled)(\"igx-input-group--warning\", ctx.hasWarning)(\"igx-input-group--valid\", ctx.validClass)(\"igx-input-group--invalid\", ctx.invalidClass)(\"igx-input-group--filled\", ctx.isFilled)(\"igx-input-group--textarea-group\", ctx.textAreaClass)(\"igx-input-group--prefixed\", ctx.hasPrefixes)(\"igx-input-group--suffixed\", ctx.hasSuffixes)(\"igx-input-group--box\", ctx.isTypeBox)(\"igx-input-group--file\", ctx.isFileType)(\"igx-input-group--border\", ctx.isTypeBorder)(\"igx-input-group--fluent\", ctx.isTypeFluent)(\"igx-input-group--bootstrap\", ctx.isTypeBootstrap)(\"igx-input-group--indigo\", ctx.isTypeIndigo)(\"igx-input-group--search\", ctx.isTypeSearch);\n }\n },\n inputs: {\n resourceStrings: \"resourceStrings\",\n suppressInputAutofocus: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"suppressInputAutofocus\", \"suppressInputAutofocus\", booleanAttribute],\n type: \"type\",\n theme: \"theme\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: IgxInputGroupBase,\n useExisting: IgxInputGroupComponent\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c5,\n decls: 25,\n vars: 2,\n consts: [[\"label\", \"\"], [\"input\", \"\"], [\"prefix\", \"\"], [\"uploadButton\", \"\"], [\"files\", \"\"], [\"clear\", \"\"], [\"suffix\", \"\"], [\"materialBundle\", \"\"], [\"fluentBundle\", \"\"], [\"bootstrapBundle\", \"\"], [\"bundle\", \"\"], [\"class\", \"igx-input-group__wrapper\", 4, \"ngIf\", \"ngIfElse\"], [1, \"igx-input-group__hint\", 3, \"click\"], [1, \"igx-input-group__wrapper\"], [4, \"ngTemplateOutlet\"], [\"class\", \"igx-input-group__upload-button\", 4, \"ngIf\"], [1, \"igx-input-group__upload-button\"], [\"igxButton\", \"contained\", \"type\", \"button\", 3, \"click\", \"displayDensity\", \"disabled\", \"ngClass\"], [\"class\", \"igx-input-group__file-input\", 3, \"title\", 4, \"ngIf\"], [1, \"igx-input-group__file-input\", 3, \"title\"], [\"class\", \"igx-input-group__clear-icon\", \"title\", \"clear files\", \"tabindex\", \"0\", 3, \"click\", \"keydown.Enter\", 4, \"ngIf\"], [\"title\", \"clear files\", \"tabindex\", \"0\", 1, \"igx-input-group__clear-icon\", 3, \"click\", \"keydown.Enter\"], [1, \"igx-input-group__bundle\"], [1, \"igx-input-group__bundle-start\"], [1, \"igx-input-group__notch\"], [1, \"igx-input-group__bundle-main\"], [1, \"igx-input-group__filler\"], [1, \"igx-input-group__bundle-end\"], [\"class\", \"igx-input-group__line\", 4, \"ngIf\"], [1, \"igx-input-group__line\"], [3, \"ngSwitch\"], [4, \"ngSwitchCase\"], [4, \"ngSwitchDefault\"]],\n template: function IgxInputGroupComponent_Template(rf, ctx) {\n if (rf & 1) {\n const _r1 = i0.ɵɵgetCurrentView();\n i0.ɵɵprojectionDef(_c4);\n i0.ɵɵtemplate(0, IgxInputGroupComponent_div_0_Template, 2, 1, \"div\", 11);\n i0.ɵɵelementStart(1, \"div\", 12);\n i0.ɵɵlistener(\"click\", function IgxInputGroupComponent_Template_div_click_1_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.hintClickHandler($event));\n });\n i0.ɵɵprojection(2);\n i0.ɵɵelementEnd();\n i0.ɵɵtemplate(3, IgxInputGroupComponent_ng_template_3_Template, 1, 0, \"ng-template\", null, 0, i0.ɵɵtemplateRefExtractor)(5, IgxInputGroupComponent_ng_template_5_Template, 1, 0, \"ng-template\", null, 1, i0.ɵɵtemplateRefExtractor)(7, IgxInputGroupComponent_ng_template_7_Template, 1, 0, \"ng-template\", null, 2, i0.ɵɵtemplateRefExtractor)(9, IgxInputGroupComponent_ng_template_9_Template, 1, 1, \"ng-template\", null, 3, i0.ɵɵtemplateRefExtractor)(11, IgxInputGroupComponent_ng_template_11_Template, 1, 1, \"ng-template\", null, 4, i0.ɵɵtemplateRefExtractor)(13, IgxInputGroupComponent_ng_template_13_Template, 1, 1, \"ng-template\", null, 5, i0.ɵɵtemplateRefExtractor)(15, IgxInputGroupComponent_ng_template_15_Template, 1, 0, \"ng-template\", null, 6, i0.ɵɵtemplateRefExtractor)(17, IgxInputGroupComponent_ng_template_17_Template, 15, 8, \"ng-template\", null, 7, i0.ɵɵtemplateRefExtractor)(19, IgxInputGroupComponent_ng_template_19_Template, 12, 8, \"ng-template\", null, 8, i0.ɵɵtemplateRefExtractor)(21, IgxInputGroupComponent_ng_template_21_Template, 10, 7, \"ng-template\", null, 9, i0.ɵɵtemplateRefExtractor)(23, IgxInputGroupComponent_ng_template_23_Template, 5, 4, \"ng-template\", null, 10, i0.ɵɵtemplateRefExtractor);\n }\n if (rf & 2) {\n const bundle_r2 = i0.ɵɵreference(24);\n i0.ɵɵproperty(\"ngIf\", ctx.isTypeBox)(\"ngIfElse\", bundle_r2);\n }\n },\n dependencies: [NgIf, NgTemplateOutlet, IgxPrefixDirective, IgxButtonDirective, NgClass, IgxSuffixDirective, IgxIconComponent, NgSwitch, NgSwitchCase, NgSwitchDefault],\n encapsulation: 2\n });\n }\n }\n return IgxInputGroupComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* NOTE: Input group directives collection for ease-of-use import in standalone components scenario */\nconst IGX_INPUT_GROUP_DIRECTIVES = [IgxInputGroupComponent, IgxInputDirective, IgxLabelDirective, IgxPrefixDirective, IgxSuffixDirective, IgxHintDirective];\n\n/**\n * **Ignite UI for Angular Autocomplete** -\n * [Documentation](https://www.infragistics.com/products/ignite-ui-angular/angular/components/autocomplete.html)\n *\n * The igxAutocomplete directive provides a way to enhance a text input\n * by showing a drop down of suggested options, provided by the developer.\n *\n * Example:\n * ```html\n * \n * \n * \n * {{town}}\n * \n * \n * ```\n */\nlet IgxAutocompleteDirective = /*#__PURE__*/(() => {\n class IgxAutocompleteDirective extends IgxDropDownItemNavigationDirective {\n /**\n * Sets the target of the autocomplete directive\n *\n * ```html\n * \n * \n * ...\n * \n * ...\n * \n * ```\n */\n get target() {\n return this._target;\n }\n set target(v) {\n this._target = v;\n }\n /** @hidden @internal */\n get nativeElement() {\n return this.elementRef.nativeElement;\n }\n /** @hidden @internal */\n get parentElement() {\n return this.group ? this.group.element.nativeElement : this.nativeElement;\n }\n get settings() {\n const settings = Object.assign({}, this.defaultSettings, this.autocompleteSettings);\n const target = settings.target || settings.positionStrategy.settings.target;\n if (!target) {\n const positionStrategyClone = settings.positionStrategy.clone();\n settings.target = this.parentElement;\n settings.positionStrategy = positionStrategyClone;\n }\n return settings;\n }\n /** @hidden @internal */\n get ariaExpanded() {\n return !this.collapsed;\n }\n /** @hidden @internal */\n get hasPopUp() {\n return 'listbox';\n }\n /** @hidden @internal */\n get ariaOwns() {\n return this.target.listId;\n }\n /** @hidden @internal */\n get ariaActiveDescendant() {\n return !this.target.collapsed && this.target.focusedItem ? this.target.focusedItem.id : null;\n }\n /** @hidden @internal */\n get ariaAutocomplete() {\n return 'list';\n }\n get model() {\n return this.ngModel || this.formControl;\n }\n constructor(ngModel, formControl, group, elementRef, cdr) {\n super(null);\n this.ngModel = ngModel;\n this.formControl = formControl;\n this.group = group;\n this.elementRef = elementRef;\n this.cdr = cdr;\n /** @hidden @internal */\n this.autofill = 'off';\n /** @hidden @internal */\n this.role = 'combobox';\n /**\n * Enables/disables autocomplete component\n *\n * ```typescript\n * // get\n * let disabled = this.autocomplete.disabled;\n * ```\n * ```html\n * \n * \n * ```\n * ```typescript\n * // set\n * public disabled = true;\n * ```\n */\n this.disabled = false;\n /**\n * Emitted after item from the drop down is selected\n *\n * ```html\n * \n * ```\n */\n this.selectionChanging = new EventEmitter();\n this._shouldBeOpen = false;\n this.destroy$ = new Subject();\n }\n /** @hidden @internal */\n onInput() {\n this.open();\n }\n /** @hidden @internal */\n onCompositionStart() {\n if (!this._composing) {\n this._composing = true;\n }\n }\n /** @hidden @internal */\n onCompositionEnd() {\n this._composing = false;\n }\n /** @hidden @internal */\n onArrowDown(event) {\n event.preventDefault();\n this.open();\n }\n /** @hidden @internal */\n onTab() {\n this.close();\n }\n /** @hidden @internal */\n handleKeyDown(event) {\n if (!this.collapsed && !this._composing) {\n switch (event.key.toLowerCase()) {\n case 'space':\n case 'spacebar':\n case ' ':\n case 'home':\n case 'end':\n return;\n default:\n super.handleKeyDown(event);\n }\n }\n }\n /** @hidden @internal */\n onArrowDownKeyDown() {\n super.onArrowDownKeyDown();\n }\n /** @hidden @internal */\n onArrowUpKeyDown() {\n super.onArrowUpKeyDown();\n }\n /** @hidden @internal */\n onEndKeyDown() {\n super.onEndKeyDown();\n }\n /** @hidden @internal */\n onHomeKeyDown() {\n super.onHomeKeyDown();\n }\n /**\n * Closes autocomplete drop down\n */\n close() {\n this._shouldBeOpen = false;\n if (this.collapsed) {\n return;\n }\n this.target.close();\n }\n /**\n * Opens autocomplete drop down\n */\n open() {\n this._shouldBeOpen = true;\n if (this.disabled || !this.collapsed || this.target.children.length === 0) {\n return;\n }\n // if no drop-down width is set, the drop-down will be as wide as the autocomplete input;\n this.target.width = this.target.width || this.parentElement.clientWidth + 'px';\n this.target.open(this.settings);\n this.highlightFirstItem();\n }\n /** @hidden @internal */\n ngOnInit() {\n const targetElement = this.parentElement;\n this.defaultSettings = {\n target: targetElement,\n modal: false,\n scrollStrategy: new AbsoluteScrollStrategy(),\n positionStrategy: new AutoPositionStrategy(),\n excludeFromOutsideClick: [targetElement]\n };\n }\n /** @hidden */\n ngOnDestroy() {\n this.destroy$.next();\n this.destroy$.complete();\n }\n ngAfterViewInit() {\n this.target.children.changes.pipe(takeUntil(this.destroy$)).subscribe(() => {\n if (this.target.children.length) {\n if (!this.collapsed) {\n this.highlightFirstItem();\n } else if (this._shouldBeOpen) {\n this.open();\n }\n } else {\n // _shouldBeOpen flag should remain unchanged since this state change doesn't come from outside of the component\n // (like in the case of public API or user interaction).\n this.target.close();\n }\n });\n this.target.selectionChanging.pipe(takeUntil(this.destroy$)).subscribe(this.select.bind(this));\n }\n get collapsed() {\n return this.target ? this.target.collapsed : true;\n }\n select(value) {\n if (!value.newSelection) {\n return;\n }\n value.cancel = true; // Disable selection in the drop down, because in autocomplete we do not save selection.\n const newValue = value.newSelection.value;\n const args = {\n value: newValue,\n cancel: false\n };\n this.selectionChanging.emit(args);\n if (args.cancel) {\n return;\n }\n this.close();\n // Update model after the input is re-focused, in order to have proper valid styling.\n // Otherwise when item is selected using mouse (and input is blurred), then valid style will be removed.\n if (this.model) {\n this.model.control.setValue(newValue);\n } else {\n this.nativeElement.value = newValue;\n }\n }\n highlightFirstItem() {\n if (this.target.focusedItem) {\n this.target.focusedItem.focused = false;\n this.target.focusedItem = null;\n }\n this.target.navigateFirst();\n this.cdr.detectChanges();\n }\n static {\n this.ɵfac = function IgxAutocompleteDirective_Factory(t) {\n return new (t || IgxAutocompleteDirective)(i0.ɵɵdirectiveInject(NgModel, 10), i0.ɵɵdirectiveInject(FormControlName, 10), i0.ɵɵdirectiveInject(IgxInputGroupComponent, 8), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxAutocompleteDirective,\n selectors: [[\"\", \"igxAutocomplete\", \"\"]],\n hostVars: 7,\n hostBindings: function IgxAutocompleteDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"input\", function IgxAutocompleteDirective_input_HostBindingHandler() {\n return ctx.onInput();\n })(\"compositionstart\", function IgxAutocompleteDirective_compositionstart_HostBindingHandler() {\n return ctx.onCompositionStart();\n })(\"compositionend\", function IgxAutocompleteDirective_compositionend_HostBindingHandler() {\n return ctx.onCompositionEnd();\n })(\"keydown.ArrowDown\", function IgxAutocompleteDirective_keydown_ArrowDown_HostBindingHandler($event) {\n return ctx.onArrowDown($event);\n })(\"keydown.Alt.ArrowDown\", function IgxAutocompleteDirective_keydown_Alt_ArrowDown_HostBindingHandler($event) {\n return ctx.onArrowDown($event);\n })(\"keydown.ArrowUp\", function IgxAutocompleteDirective_keydown_ArrowUp_HostBindingHandler($event) {\n return ctx.onArrowDown($event);\n })(\"keydown.Alt.ArrowUp\", function IgxAutocompleteDirective_keydown_Alt_ArrowUp_HostBindingHandler($event) {\n return ctx.onArrowDown($event);\n })(\"keydown.Tab\", function IgxAutocompleteDirective_keydown_Tab_HostBindingHandler() {\n return ctx.onTab();\n })(\"keydown.Shift.Tab\", function IgxAutocompleteDirective_keydown_Shift_Tab_HostBindingHandler() {\n return ctx.onTab();\n });\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"autocomplete\", ctx.autofill)(\"role\", ctx.role)(\"aria-expanded\", ctx.ariaExpanded)(\"aria-haspopup\", ctx.hasPopUp)(\"aria-owns\", ctx.ariaOwns)(\"aria-activedescendant\", ctx.ariaActiveDescendant)(\"aria-autocomplete\", ctx.ariaAutocomplete);\n }\n },\n inputs: {\n target: [i0.ɵɵInputFlags.None, \"igxAutocomplete\", \"target\"],\n autocompleteSettings: [i0.ɵɵInputFlags.None, \"igxAutocompleteSettings\", \"autocompleteSettings\"],\n disabled: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"igxAutocompleteDisabled\", \"disabled\", booleanAttribute]\n },\n outputs: {\n selectionChanging: \"selectionChanging\"\n },\n exportAs: [\"igxAutocomplete\"],\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxAutocompleteDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst IgxDividerType = /*@__PURE__*/mkenum({\n SOLID: 'solid',\n DASHED: 'dashed'\n});\nlet NEXT_ID$u = 0;\nlet IgxDividerDirective = /*#__PURE__*/(() => {\n class IgxDividerDirective {\n constructor() {\n /**\n * Sets/gets the `id` of the divider.\n * If not set, `id` will have value `\"igx-divider-0\"`;\n * ```html\n * \n * ```\n * ```typescript\n * let dividerId = this.divider.id;\n * ```\n */\n this.id = `igx-divider-${NEXT_ID$u++}`;\n /**\n * Sets the value of `role` attribute.\n * If not the default value of `separator` will be used.\n */\n this.role = 'separator';\n /**\n * Sets the type of the divider. The default value\n * is `default`. The divider can also be `dashed`;\n * ```html\n * \n * ```\n */\n this.type = IgxDividerType.SOLID;\n /**\n * If set to `true` and an `inset` value has been provided,\n * the divider will start shrinking from both ends.\n * ```html\n * \n * ```\n */\n this.middle = false;\n /**\n * Sets the divider in vertical orientation.\n * ```html\n * \n * ```\n */\n this.vertical = false;\n /**\n * Sets the value of the `inset` attribute.\n * If not provided it will be set to `'0'`.\n * ```html\n * \n * ```\n */\n this._inset = '0';\n }\n get isDashed() {\n return this.type === IgxDividerType.DASHED;\n }\n /**\n * Sets the inset of the divider from the side(s).\n * If the divider attribute `middle` is set to `true`,\n * it will inset the divider on both sides.\n * ```typescript\n * this.divider.inset = '32px';\n * ```\n */\n set inset(value) {\n this._inset = value;\n }\n /**\n * Gets the current divider inset in terms of\n * inset-inline-start representation as applied to the divider.\n * ```typescript\n * const inset = this.divider.inset;\n * ```\n */\n get inset() {\n return this._inset;\n }\n /**\n * A getter that returns `true` if the type of the divider is `default`;\n * ```typescript\n * const isDefault = this.divider.isDefault;\n * ```\n */\n get isSolid() {\n return this.type === IgxDividerType.SOLID;\n }\n static {\n this.ɵfac = function IgxDividerDirective_Factory(t) {\n return new (t || IgxDividerDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxDividerDirective,\n selectors: [[\"igx-divider\"]],\n hostVars: 12,\n hostBindings: function IgxDividerDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id)(\"role\", ctx.role);\n i0.ɵɵstyleProp(\"--inset\", ctx.inset);\n i0.ɵɵclassProp(\"igx-divider\", ctx.type)(\"igx-divider--dashed\", ctx.isDashed)(\"igx-divider--inset\", ctx.middle)(\"igx-divider--vertical\", ctx.vertical);\n }\n },\n inputs: {\n id: \"id\",\n role: \"role\",\n type: \"type\",\n middle: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"middle\", \"middle\", booleanAttribute],\n vertical: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"vertical\", \"vertical\", booleanAttribute],\n _inset: [i0.ɵɵInputFlags.None, \"inset\", \"_inset\"]\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature]\n });\n }\n }\n return IgxDividerDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n// @dynamic\nclass IgxDefaultDropStrategy {\n dropAction(_drag, _drop, _atIndex) {}\n}\n// @dynamic\nclass IgxAppendDropStrategy {\n constructor(_renderer) {\n this._renderer = _renderer;\n }\n dropAction(drag, drop, _atIndex) {\n const dragElement = drag.element.nativeElement;\n const dropAreaElement = drop.element.nativeElement;\n this._renderer.removeChild(dragElement.parentNode, dragElement);\n this._renderer.appendChild(dropAreaElement, dragElement);\n }\n}\n// @dynamic\nclass IgxPrependDropStrategy {\n constructor(_renderer) {\n this._renderer = _renderer;\n }\n dropAction(drag, drop, _atIndex) {\n const dragElement = drag.element.nativeElement;\n const dropAreaElement = drop.element.nativeElement;\n this._renderer.removeChild(dragElement.parentNode, dragElement);\n if (dropAreaElement.children.length) {\n this._renderer.insertBefore(dropAreaElement, dragElement, dropAreaElement.children[0]);\n } else {\n this._renderer.appendChild(dropAreaElement, dragElement);\n }\n }\n}\n// @dynamic\nclass IgxInsertDropStrategy {\n constructor(_renderer) {\n this._renderer = _renderer;\n }\n dropAction(drag, drop, atIndex) {\n if (drag.element.nativeElement.parentElement === drop.element.nativeElement && atIndex === -1) {\n return;\n }\n const dragElement = drag.element.nativeElement;\n const dropAreaElement = drop.element.nativeElement;\n this._renderer.removeChild(dragElement.parentNode, dragElement);\n if (atIndex !== -1 && dropAreaElement.children.length > atIndex) {\n this._renderer.insertBefore(dropAreaElement, dragElement, dropAreaElement.children[atIndex]);\n } else {\n this._renderer.appendChild(dropAreaElement, dragElement);\n }\n }\n}\nvar DragScrollDirection$1 = /*#__PURE__*/function (DragScrollDirection) {\n DragScrollDirection[DragScrollDirection[\"UP\"] = 0] = \"UP\";\n DragScrollDirection[DragScrollDirection[\"DOWN\"] = 1] = \"DOWN\";\n DragScrollDirection[DragScrollDirection[\"LEFT\"] = 2] = \"LEFT\";\n DragScrollDirection[DragScrollDirection[\"RIGHT\"] = 3] = \"RIGHT\";\n return DragScrollDirection;\n}(DragScrollDirection$1 || {});\nvar DragDirection = /*#__PURE__*/function (DragDirection) {\n DragDirection[DragDirection[\"VERTICAL\"] = 0] = \"VERTICAL\";\n DragDirection[DragDirection[\"HORIZONTAL\"] = 1] = \"HORIZONTAL\";\n DragDirection[DragDirection[\"BOTH\"] = 2] = \"BOTH\";\n return DragDirection;\n}(DragDirection || {});\nclass IgxDragLocation {\n constructor(_pageX, _pageY) {\n this._pageX = _pageX;\n this._pageY = _pageY;\n this.pageX = parseFloat(_pageX);\n this.pageY = parseFloat(_pageY);\n }\n}\nlet IgxDragHandleDirective = /*#__PURE__*/(() => {\n class IgxDragHandleDirective {\n constructor(element) {\n this.element = element;\n this.baseClass = true;\n /**\n * @hidden\n */\n this.parentDragElement = null;\n }\n static {\n this.ɵfac = function IgxDragHandleDirective_Factory(t) {\n return new (t || IgxDragHandleDirective)(i0.ɵɵdirectiveInject(i0.ElementRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxDragHandleDirective,\n selectors: [[\"\", \"igxDragHandle\", \"\"]],\n hostVars: 2,\n hostBindings: function IgxDragHandleDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-drag__handle\", ctx.baseClass);\n }\n },\n standalone: true\n });\n }\n }\n return IgxDragHandleDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxDragIgnoreDirective = /*#__PURE__*/(() => {\n class IgxDragIgnoreDirective {\n constructor(element) {\n this.element = element;\n this.baseClass = true;\n }\n static {\n this.ɵfac = function IgxDragIgnoreDirective_Factory(t) {\n return new (t || IgxDragIgnoreDirective)(i0.ɵɵdirectiveInject(i0.ElementRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxDragIgnoreDirective,\n selectors: [[\"\", \"igxDragIgnore\", \"\"]],\n hostVars: 2,\n hostBindings: function IgxDragIgnoreDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-drag__ignore\", ctx.baseClass);\n }\n },\n standalone: true\n });\n }\n }\n return IgxDragIgnoreDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxDragDirective = /*#__PURE__*/(() => {\n class IgxDragDirective {\n /**\n * - Save data inside the `igxDrag` directive. This can be set when instancing `igxDrag` on an element.\n * ```html\n * \n * ```\n *\n * @memberof IgxDragDirective\n */\n set data(value) {\n this._data = value;\n }\n get data() {\n return this._data;\n }\n /**\n * Gets the current location of the element relative to the page.\n */\n get location() {\n return new IgxDragLocation(this.pageX, this.pageY);\n }\n /**\n * Gets the original location of the element before dragging started.\n */\n get originLocation() {\n return new IgxDragLocation(this.baseOriginLeft, this.baseOriginTop);\n }\n /**\n * @hidden\n */\n get pointerEventsEnabled() {\n return typeof PointerEvent !== 'undefined';\n }\n /**\n * @hidden\n */\n get touchEventsEnabled() {\n return 'ontouchstart' in window;\n }\n /**\n * @hidden\n */\n get pageX() {\n if (this.ghost && this.ghostElement) {\n return this.ghostLeft;\n }\n return this.baseLeft + this.windowScrollLeft;\n }\n /**\n * @hidden\n */\n get pageY() {\n if (this.ghost && this.ghostElement) {\n return this.ghostTop;\n }\n return this.baseTop + this.windowScrollTop;\n }\n get baseLeft() {\n return this.element.nativeElement.getBoundingClientRect().left;\n }\n get baseTop() {\n return this.element.nativeElement.getBoundingClientRect().top;\n }\n get baseOriginLeft() {\n return this.baseLeft - this.getTransformX(this.element.nativeElement);\n }\n get baseOriginTop() {\n return this.baseTop - this.getTransformY(this.element.nativeElement);\n }\n set ghostLeft(pageX) {\n if (this.ghostElement) {\n // We need to take into account marginLeft, since top style does not include margin, but pageX includes the margin.\n const ghostMarginLeft = parseInt(document.defaultView.getComputedStyle(this.ghostElement)['margin-left'], 10);\n // If ghost host is defined it needs to be taken into account.\n this.ghostElement.style.left = pageX - ghostMarginLeft - this._ghostHostX + 'px';\n }\n }\n get ghostLeft() {\n if (this.ghostElement) {\n return parseInt(this.ghostElement.style.left, 10) + this._ghostHostX;\n }\n }\n set ghostTop(pageY) {\n if (this.ghostElement) {\n // We need to take into account marginTop, since top style does not include margin, but pageY includes the margin.\n const ghostMarginTop = parseInt(document.defaultView.getComputedStyle(this.ghostElement)['margin-top'], 10);\n // If ghost host is defined it needs to be taken into account.\n this.ghostElement.style.top = pageY - ghostMarginTop - this._ghostHostY + 'px';\n }\n }\n get ghostTop() {\n if (this.ghostElement) {\n return parseInt(this.ghostElement.style.top, 10) + this._ghostHostY;\n }\n }\n get windowScrollTop() {\n return document.documentElement.scrollTop || window.scrollY;\n }\n get windowScrollLeft() {\n return document.documentElement.scrollLeft || window.scrollX;\n }\n get windowScrollHeight() {\n return document.documentElement.scrollHeight;\n }\n get windowScrollWidth() {\n return document.documentElement.scrollWidth;\n }\n /**\n * Sets the offset of the dragged element relative to the mouse in pixels.\n * By default it's taking the relative position to the mouse when the drag started and keeps it the same.\n * ```html\n * \n *
\n * Drag Me!\n *
\n * ```\n *\n * @memberof IgxDragDirective\n */\n set ghostOffsetX(value) {\n this._offsetX = parseInt(value, 10);\n }\n get ghostOffsetX() {\n return this._offsetX !== undefined ? this._offsetX : this._defaultOffsetX;\n }\n /**\n * Sets the offset of the dragged element relative to the mouse in pixels.\n * By default it's taking the relative position to the mouse when the drag started and keeps it the same.\n * ```html\n * \n *
\n * Drag Me!\n *
\n * ```\n *\n * @memberof IgxDragDirective\n */\n set ghostOffsetY(value) {\n this._offsetY = parseInt(value, 10);\n }\n get ghostOffsetY() {\n return this._offsetY !== undefined ? this._offsetY : this._defaultOffsetY;\n }\n constructor(cdr, element, viewContainer, zone, renderer, platformUtil) {\n this.cdr = cdr;\n this.element = element;\n this.viewContainer = viewContainer;\n this.zone = zone;\n this.renderer = renderer;\n this.platformUtil = platformUtil;\n /**\n * Sets the tolerance in pixels before drag starts.\n * By default the drag starts after the draggable element is moved by 5px.\n * ```html\n *
\n * Drag Me!\n *
\n * ```\n *\n * @memberof IgxDragDirective\n */\n this.dragTolerance = 5;\n /**\n * Sets the directions that the element can be dragged.\n * By default it is set to both horizontal and vertical directions.\n * ```html\n *
\n * Drag Me!\n *
\n * ```\n * ```typescript\n * public dragDir = DragDirection.HORIZONTAL;\n * ```\n *\n * @memberof IgxDragDirective\n */\n this.dragDirection = DragDirection.BOTH;\n /**\n * Sets whether the base element should be moved, or a ghost element should be rendered that represents it instead.\n * By default it is set to `true`.\n * If it is set to `false` when dragging the base element is moved instead and no ghost elements are rendered.\n * ```html\n *
\n * Drag Me!\n *
\n * ```\n *\n * @memberof IgxDragDirective\n */\n this.ghost = true;\n /**\n * Sets a custom class that will be added to the `ghostElement` element.\n * ```html\n *
\n * Drag Me!\n *
\n * ```\n *\n * @memberof IgxDragDirective\n */\n this.ghostClass = '';\n /**\n * Set styles that will be added to the `ghostElement` element.\n * ```html\n *
\n * Drag Me!\n *
\n * ```\n *\n * @memberof IgxDragDirective\n */\n this.ghostStyle = {};\n /**\n * Overrides the scroll container of the dragged element. By default its the window.\n */\n this.scrollContainer = null;\n /**\n * Event triggered when the draggable element drag starts.\n * ```html\n *
\n * Drag Me!\n *
\n * ```\n * ```typescript\n * public onDragStart(){\n * alert(\"The drag has stared!\");\n * }\n * ```\n *\n * @memberof IgxDragDirective\n */\n this.dragStart = new EventEmitter();\n /**\n * Event triggered when the draggable element has been moved.\n * ```html\n *
\n * Drag Me!\n *
\n * ```\n * ```typescript\n * public onDragMove(){\n * alert(\"The element has moved!\");\n * }\n * ```\n *\n * @memberof IgxDragDirective\n */\n this.dragMove = new EventEmitter();\n /**\n * Event triggered when the draggable element is released.\n * ```html\n *
\n * Drag Me!\n *
\n * ```\n * ```typescript\n * public onDragEnd(){\n * alert(\"The drag has ended!\");\n * }\n * ```\n *\n * @memberof IgxDragDirective\n */\n this.dragEnd = new EventEmitter();\n /**\n * Event triggered when the draggable element is clicked.\n * ```html\n *
\n * Drag Me!\n *
\n * ```\n * ```typescript\n * public onDragClick(){\n * alert(\"The element has been clicked!\");\n * }\n * ```\n *\n * @memberof IgxDragDirective\n */\n this.dragClick = new EventEmitter();\n /**\n * Event triggered when the drag ghost element is created.\n * ```html\n *
\n * Drag Me!\n *
\n * ```\n * ```typescript\n * public ghostCreated(){\n * alert(\"The ghost has been created!\");\n * }\n * ```\n *\n * @memberof IgxDragDirective\n */\n this.ghostCreate = new EventEmitter();\n /**\n * Event triggered when the drag ghost element is created.\n * ```html\n *
\n * Drag Me!\n *
\n * ```\n * ```typescript\n * public ghostDestroyed(){\n * alert(\"The ghost has been destroyed!\");\n * }\n * ```\n *\n * @memberof IgxDragDirective\n */\n this.ghostDestroy = new EventEmitter();\n /**\n * Event triggered after the draggable element is released and after its animation has finished.\n * ```html\n *
\n * Drag Me!\n *
\n * ```\n * ```typescript\n * public onMoveEnd(){\n * alert(\"The move has ended!\");\n * }\n * ```\n *\n * @memberof IgxDragDirective\n */\n this.transitioned = new EventEmitter();\n /**\n * @hidden\n */\n this.baseClass = true;\n /**\n * @hidden\n */\n this.selectDisabled = false;\n /**\n * @hidden\n */\n this.defaultReturnDuration = '0.5s';\n /**\n * @hidden\n */\n this.animInProgress = false;\n this.ghostContext = null;\n this._startX = 0;\n this._startY = 0;\n this._lastX = 0;\n this._lastY = 0;\n this._dragStarted = false;\n this._ghostHostX = 0;\n this._ghostHostY = 0;\n this._pointerDownId = null;\n this._clicked = false;\n this._lastDropArea = null;\n this._destroy = new Subject();\n this._removeOnDestroy = true;\n this._scrollContainer = null;\n this._originalScrollContainerWidth = 0;\n this._originalScrollContainerHeight = 0;\n this._scrollContainerStep = 5;\n this._scrollContainerStepMs = 10;\n this._scrollContainerThreshold = 25;\n this._containerScrollIntervalId = null;\n }\n /**\n * @hidden\n */\n ngAfterContentInit() {\n if (!this.dragHandles || !this.dragHandles.length) {\n // Set user select none to the whole draggable element if no drag handles are defined.\n this.selectDisabled = true;\n }\n // Bind events\n this.zone.runOutsideAngular(() => {\n if (!this.platformUtil.isBrowser) {\n return;\n }\n const targetElements = this.dragHandles && this.dragHandles.length ? this.dragHandles.filter(item => item.parentDragElement === null).map(item => {\n item.parentDragElement = this.element.nativeElement;\n return item.element.nativeElement;\n }) : [this.element.nativeElement];\n targetElements.forEach(element => {\n if (this.pointerEventsEnabled) {\n fromEvent(element, 'pointerdown').pipe(takeUntil(this._destroy)).subscribe(res => this.onPointerDown(res));\n fromEvent(element, 'pointermove').pipe(throttle(() => interval(0, animationFrameScheduler)), takeUntil(this._destroy)).subscribe(res => this.onPointerMove(res));\n fromEvent(element, 'pointerup').pipe(takeUntil(this._destroy)).subscribe(res => this.onPointerUp(res));\n if (!this.ghost) {\n // Do not bind `lostpointercapture` to the target, because we will bind it on the ghost later.\n fromEvent(element, 'lostpointercapture').pipe(takeUntil(this._destroy)).subscribe(res => this.onPointerLost(res));\n }\n } else if (this.touchEventsEnabled) {\n fromEvent(element, 'touchstart').pipe(takeUntil(this._destroy)).subscribe(res => this.onPointerDown(res));\n } else {\n // We don't have pointer events and touch events. Use then mouse events.\n fromEvent(element, 'mousedown').pipe(takeUntil(this._destroy)).subscribe(res => this.onPointerDown(res));\n }\n });\n // We should bind to document events only once when there are no pointer events.\n if (!this.pointerEventsEnabled && this.touchEventsEnabled) {\n fromEvent(document.defaultView, 'touchmove').pipe(throttle(() => interval(0, animationFrameScheduler)), takeUntil(this._destroy)).subscribe(res => this.onPointerMove(res));\n fromEvent(document.defaultView, 'touchend').pipe(takeUntil(this._destroy)).subscribe(res => this.onPointerUp(res));\n } else if (!this.pointerEventsEnabled) {\n fromEvent(document.defaultView, 'mousemove').pipe(throttle(() => interval(0, animationFrameScheduler)), takeUntil(this._destroy)).subscribe(res => this.onPointerMove(res));\n fromEvent(document.defaultView, 'mouseup').pipe(takeUntil(this._destroy)).subscribe(res => this.onPointerUp(res));\n }\n this.element.nativeElement.addEventListener('transitionend', args => {\n this.onTransitionEnd(args);\n });\n });\n // Set transition duration to 0s. This also helps with setting `visibility: hidden` to the base to not lag.\n this.element.nativeElement.style.transitionDuration = '0.0s';\n }\n /**\n * @hidden\n */\n ngOnDestroy() {\n this._destroy.next(true);\n this._destroy.complete();\n if (this.ghost && this.ghostElement && this._removeOnDestroy) {\n this.ghostElement.parentNode.removeChild(this.ghostElement);\n this.ghostElement = null;\n if (this._dynamicGhostRef) {\n this._dynamicGhostRef.destroy();\n this._dynamicGhostRef = null;\n }\n }\n if (this._containerScrollIntervalId) {\n clearInterval(this._containerScrollIntervalId);\n this._containerScrollIntervalId = null;\n }\n }\n /**\n * Sets desired location of the base element or ghost element if rended relative to the document.\n *\n * @param newLocation New location that should be applied. It is advised to get new location using getBoundingClientRects() + scroll.\n */\n setLocation(newLocation) {\n // We do not subtract marginLeft and marginTop here because here we calculate deltas.\n if (this.ghost && this.ghostElement) {\n this.ghostLeft = newLocation.pageX + this.windowScrollLeft;\n this.ghostTop = newLocation.pageY + this.windowScrollTop;\n } else if (!this.ghost) {\n const deltaX = newLocation.pageX - this.pageX;\n const deltaY = newLocation.pageY - this.pageY;\n const transformX = this.getTransformX(this.element.nativeElement);\n const transformY = this.getTransformY(this.element.nativeElement);\n this.setTransformXY(transformX + deltaX, transformY + deltaY);\n }\n this._startX = this.baseLeft;\n this._startY = this.baseTop;\n }\n /**\n * Animates the base or ghost element depending on the `ghost` input to its initial location.\n * If `ghost` is true but there is not ghost rendered, it will be created and animated.\n * If the base element has changed its DOM position its initial location will be changed accordingly.\n *\n * @param customAnimArgs Custom transition properties that will be applied when performing the transition.\n * @param startLocation Start location from where the transition should start.\n */\n transitionToOrigin(customAnimArgs, startLocation) {\n if (!!startLocation && startLocation.pageX === this.baseOriginLeft && startLocation.pageY === this.baseOriginLeft || !startLocation && this.ghost && !this.ghostElement) {\n return;\n }\n if (!!startLocation && startLocation.pageX !== this.pageX && startLocation.pageY !== this.pageY) {\n if (this.ghost && !this.ghostElement) {\n this._startX = startLocation.pageX;\n this._startY = startLocation.pageY;\n this._ghostStartX = this._startX;\n this._ghostStartY = this._startY;\n this.createGhost(this._startX, this._startY);\n }\n this.setLocation(startLocation);\n }\n this.animInProgress = true;\n // Use setTimeout because we need to be sure that the element is positioned first correctly if there is start location.\n setTimeout(() => {\n if (this.ghost) {\n this.ghostElement.style.transitionProperty = 'top, left';\n this.ghostElement.style.transitionDuration = customAnimArgs && customAnimArgs.duration ? customAnimArgs.duration + 's' : this.defaultReturnDuration;\n this.ghostElement.style.transitionTimingFunction = customAnimArgs && customAnimArgs.timingFunction ? customAnimArgs.timingFunction : '';\n this.ghostElement.style.transitionDelay = customAnimArgs && customAnimArgs.delay ? customAnimArgs.delay + 's' : '';\n this.setLocation(new IgxDragLocation(this.baseLeft, this.baseTop));\n } else if (!this.ghost) {\n this.element.nativeElement.style.transitionProperty = 'transform';\n this.element.nativeElement.style.transitionDuration = customAnimArgs && customAnimArgs.duration ? customAnimArgs.duration + 's' : this.defaultReturnDuration;\n this.element.nativeElement.style.transitionTimingFunction = customAnimArgs && customAnimArgs.timingFunction ? customAnimArgs.timingFunction : '';\n this.element.nativeElement.style.transitionDelay = customAnimArgs && customAnimArgs.delay ? customAnimArgs.delay + 's' : '';\n this._startX = this.baseLeft;\n this._startY = this.baseTop;\n this.setTransformXY(0, 0);\n }\n }, 0);\n }\n /**\n * Animates the base or ghost element to a specific target location or other element using transition.\n * If `ghost` is true but there is not ghost rendered, it will be created and animated.\n * It is recommended to use 'getBoundingClientRects() + pageScroll' when determining desired location.\n *\n * @param target Target that the base or ghost will transition to. It can be either location in the page or another HTML element.\n * @param customAnimArgs Custom transition properties that will be applied when performing the transition.\n * @param startLocation Start location from where the transition should start.\n */\n transitionTo(target, customAnimArgs, startLocation) {\n if (!!startLocation && this.ghost && !this.ghostElement) {\n this._startX = startLocation.pageX;\n this._startY = startLocation.pageY;\n this._ghostStartX = this._startX;\n this._ghostStartY = this._startY;\n } else if (!!startLocation && (!this.ghost || this.ghostElement)) {\n this.setLocation(startLocation);\n } else if (this.ghost && !this.ghostElement) {\n this._startX = this.baseLeft;\n this._startY = this.baseTop;\n this._ghostStartX = this._startX + this.windowScrollLeft;\n this._ghostStartY = this._startY + this.windowScrollTop;\n }\n if (this.ghost && !this.ghostElement) {\n this.createGhost(this._startX, this._startY);\n }\n this.animInProgress = true;\n // Use setTimeout because we need to be sure that the element is positioned first correctly if there is start location.\n setTimeout(() => {\n const movedElem = this.ghost ? this.ghostElement : this.element.nativeElement;\n movedElem.style.transitionProperty = this.ghost && this.ghostElement ? 'left, top' : 'transform';\n movedElem.style.transitionDuration = customAnimArgs && customAnimArgs.duration ? customAnimArgs.duration + 's' : this.defaultReturnDuration;\n movedElem.style.transitionTimingFunction = customAnimArgs && customAnimArgs.timingFunction ? customAnimArgs.timingFunction : '';\n movedElem.style.transitionDelay = customAnimArgs && customAnimArgs.delay ? customAnimArgs.delay + 's' : '';\n if (target instanceof IgxDragLocation) {\n this.setLocation(new IgxDragLocation(target.pageX, target.pageY));\n } else {\n const targetRects = target.nativeElement.getBoundingClientRect();\n this.setLocation(new IgxDragLocation(targetRects.left - this.windowScrollLeft, targetRects.top - this.windowScrollTop));\n }\n }, 0);\n }\n /**\n * @hidden\n * Method bound to the PointerDown event of the base element igxDrag is initialized.\n * @param event PointerDown event captured\n */\n onPointerDown(event) {\n const ignoredElement = this.dragIgnoredElems.find(elem => elem.element.nativeElement === event.target);\n if (ignoredElement) {\n return;\n }\n // Set pointer capture so we detect pointermove even if mouse is out of bounds until ghostElement is created.\n const handleFound = this.dragHandles.find(handle => handle.element.nativeElement === event.target);\n const targetElement = handleFound ? handleFound.element.nativeElement : event.target || this.element.nativeElement;\n if (this.pointerEventsEnabled && targetElement.isConnected) {\n this._pointerDownId = event.pointerId;\n targetElement.setPointerCapture(this._pointerDownId);\n } else if (targetElement.isConnected) {\n targetElement.focus();\n event.preventDefault();\n } else {\n return;\n }\n this._clicked = true;\n if (this.pointerEventsEnabled || !this.touchEventsEnabled) {\n // Check first for pointer events or non touch, because we can have pointer events and touch events at once.\n this._startX = event.pageX;\n this._startY = event.pageY;\n } else if (this.touchEventsEnabled) {\n this._startX = event.touches[0].pageX;\n this._startY = event.touches[0].pageY;\n }\n this._defaultOffsetX = this.baseLeft - this._startX + this.windowScrollLeft;\n this._defaultOffsetY = this.baseTop - this._startY + this.windowScrollTop;\n this._ghostStartX = this._startX + this.ghostOffsetX;\n this._ghostStartY = this._startY + this.ghostOffsetY;\n this._lastX = this._startX;\n this._lastY = this._startY;\n }\n /**\n * @hidden\n * Perform drag move logic when dragging and dispatching events if there is igxDrop under the pointer.\n * This method is bound at first at the base element.\n * If dragging starts and after the ghostElement is rendered the pointerId is reassigned it. Then this method is bound to it.\n * @param event PointerMove event captured\n */\n onPointerMove(event) {\n if (this._clicked) {\n let pageX;\n let pageY;\n if (this.pointerEventsEnabled || !this.touchEventsEnabled) {\n // Check first for pointer events or non touch, because we can have pointer events and touch events at once.\n pageX = event.pageX;\n pageY = event.pageY;\n } else if (this.touchEventsEnabled) {\n pageX = event.touches[0].pageX;\n pageY = event.touches[0].pageY;\n // Prevent scrolling on touch while dragging\n event.preventDefault();\n }\n const totalMovedX = pageX - this._startX;\n const totalMovedY = pageY - this._startY;\n if (!this._dragStarted && (Math.abs(totalMovedX) > this.dragTolerance || Math.abs(totalMovedY) > this.dragTolerance)) {\n const dragStartArgs = {\n originalEvent: event,\n owner: this,\n startX: pageX - totalMovedX,\n startY: pageY - totalMovedY,\n pageX,\n pageY,\n cancel: false\n };\n this.zone.run(() => {\n this.dragStart.emit(dragStartArgs);\n });\n if (!dragStartArgs.cancel) {\n this._dragStarted = true;\n if (this.ghost) {\n // We moved enough so ghostElement can be rendered and actual dragging to start.\n // When creating it will take into account any offset set by the user by default.\n this.createGhost(pageX, pageY);\n } else if (this._offsetX !== undefined || this._offsetY !== undefined) {\n // There is no need for ghost, but we will need to position initially the base element to reflect any offset.\n const transformX = (this._offsetX !== undefined ? this._offsetX - this._defaultOffsetX : 0) + this.getTransformX(this.element.nativeElement);\n const transformY = (this._offsetY !== undefined ? this._offsetY - this._defaultOffsetY : 0) + this.getTransformY(this.element.nativeElement);\n this.setTransformXY(transformX, transformY);\n }\n } else {\n return;\n }\n } else if (!this._dragStarted) {\n return;\n }\n const moveArgs = {\n originalEvent: event,\n owner: this,\n startX: this._startX,\n startY: this._startY,\n pageX: this._lastX,\n pageY: this._lastY,\n nextPageX: pageX,\n nextPageY: pageY,\n cancel: false\n };\n this.dragMove.emit(moveArgs);\n const setPageX = moveArgs.nextPageX;\n const setPageY = moveArgs.nextPageY;\n if (!moveArgs.cancel) {\n // Scroll root container if the user reaches its boundaries.\n this.onScrollContainer();\n // Move the actual element around\n if (this.ghost) {\n const updatedTotalMovedX = this.dragDirection === DragDirection.VERTICAL ? 0 : setPageX - this._startX;\n const updatedTotalMovedY = this.dragDirection === DragDirection.HORIZONTAL ? 0 : setPageY - this._startY;\n this.ghostLeft = this._ghostStartX + updatedTotalMovedX;\n this.ghostTop = this._ghostStartY + updatedTotalMovedY;\n } else {\n const lastMovedX = this.dragDirection === DragDirection.VERTICAL ? 0 : setPageX - this._lastX;\n const lastMovedY = this.dragDirection === DragDirection.HORIZONTAL ? 0 : setPageY - this._lastY;\n const translateX = this.getTransformX(this.element.nativeElement) + lastMovedX;\n const translateY = this.getTransformY(this.element.nativeElement) + lastMovedY;\n this.setTransformXY(translateX, translateY);\n }\n this.dispatchDragEvents(pageX, pageY, event);\n }\n this._lastX = setPageX;\n this._lastY = setPageY;\n }\n }\n /**\n * @hidden\n * Perform drag end logic when releasing the ghostElement and dispatching drop event if igxDrop is under the pointer.\n * This method is bound at first at the base element.\n * If dragging starts and after the ghostElement is rendered the pointerId is reassigned to it. Then this method is bound to it.\n * @param event PointerUp event captured\n */\n onPointerUp(event) {\n if (!this._clicked) {\n return;\n }\n let pageX;\n let pageY;\n if (this.pointerEventsEnabled || !this.touchEventsEnabled) {\n // Check first for pointer events or non touch, because we can have pointer events and touch events at once.\n pageX = event.pageX;\n pageY = event.pageY;\n } else if (this.touchEventsEnabled) {\n pageX = event.touches[0].pageX;\n pageY = event.touches[0].pageY;\n // Prevent scrolling on touch while dragging\n event.preventDefault();\n }\n const eventArgs = {\n originalEvent: event,\n owner: this,\n startX: this._startX,\n startY: this._startY,\n pageX,\n pageY\n };\n this._pointerDownId = null;\n this._clicked = false;\n if (this._dragStarted) {\n if (this._lastDropArea && this._lastDropArea !== this.element.nativeElement) {\n this.dispatchDropEvent(event.pageX, event.pageY, event);\n }\n this.zone.run(() => {\n this.dragEnd.emit(eventArgs);\n });\n if (!this.animInProgress) {\n this.onTransitionEnd(null);\n }\n } else {\n // Trigger our own click event because when there is no ghost, native click cannot be prevented when dragging.\n this.zone.run(() => {\n this.dragClick.emit(eventArgs);\n });\n }\n if (this._containerScrollIntervalId) {\n clearInterval(this._containerScrollIntervalId);\n this._containerScrollIntervalId = null;\n }\n }\n /**\n * @hidden\n * Execute this method whe the pointer capture has been lost.\n * This means that during dragging the user has performed other action like right clicking and then clicking somewhere else.\n * This method will ensure that the drag state is being reset in this case as if the user released the dragged element.\n * @param event Event captured\n */\n onPointerLost(event) {\n if (!this._clicked) {\n return;\n }\n // When the base element is moved to previous index, angular reattaches the ghost template as a sibling by default.\n // This is the defaut place for the EmbededViewRef when recreated.\n // That's why we need to move it to the proper place and set pointer capture again.\n if (this._pointerDownId && this.ghostElement && this._dynamicGhostRef && !this._dynamicGhostRef.destroyed) {\n let ghostReattached = false;\n if (this.ghostHost && !Array.from(this.ghostHost.children).includes(this.ghostElement)) {\n ghostReattached = true;\n this.ghostHost.appendChild(this.ghostElement);\n } else if (!this.ghostHost && !Array.from(document.body.children).includes(this.ghostElement)) {\n ghostReattached = true;\n document.body.appendChild(this.ghostElement);\n }\n if (ghostReattached) {\n this.ghostElement.setPointerCapture(this._pointerDownId);\n return;\n }\n }\n const eventArgs = {\n originalEvent: event,\n owner: this,\n startX: this._startX,\n startY: this._startY,\n pageX: event.pageX,\n pageY: event.pageY\n };\n this._pointerDownId = null;\n this._clicked = false;\n if (this._dragStarted) {\n this.zone.run(() => {\n this.dragEnd.emit(eventArgs);\n });\n if (!this.animInProgress) {\n this.onTransitionEnd(null);\n }\n }\n }\n /**\n * @hidden\n */\n onTransitionEnd(event) {\n if (!this._dragStarted && !this.animInProgress || this._clicked) {\n // Return if no dragging started and there is no animation in progress.\n return;\n }\n if (this.ghost && this.ghostElement) {\n this._ghostStartX = this.baseLeft + this.windowScrollLeft;\n this._ghostStartY = this.baseTop + this.windowScrollTop;\n const ghostDestroyArgs = {\n owner: this,\n ghostElement: this.ghostElement,\n cancel: false\n };\n this.ghostDestroy.emit(ghostDestroyArgs);\n if (ghostDestroyArgs.cancel) {\n return;\n }\n this.ghostElement.remove();\n this.ghostElement = null;\n if (this._dynamicGhostRef) {\n this._dynamicGhostRef.destroy();\n this._dynamicGhostRef = null;\n }\n } else if (!this.ghost) {\n this.element.nativeElement.style.transitionProperty = '';\n this.element.nativeElement.style.transitionDuration = '0.0s';\n this.element.nativeElement.style.transitionTimingFunction = '';\n this.element.nativeElement.style.transitionDelay = '';\n }\n this.animInProgress = false;\n this._dragStarted = false;\n // Execute transitioned after everything is reset so if the user sets new location on the base now it would work as expected.\n this.zone.run(() => {\n this.transitioned.emit({\n originalEvent: event,\n owner: this,\n startX: this._startX,\n startY: this._startY,\n pageX: this._startX,\n pageY: this._startY\n });\n });\n }\n /**\n * @hidden\n * Create ghost element - if a Node object is provided it creates a clone of that node,\n * otherwise it clones the host element.\n * Bind all needed events.\n * @param pageX Latest pointer position on the X axis relative to the page.\n * @param pageY Latest pointer position on the Y axis relative to the page.\n * @param node The Node object to be cloned.\n */\n createGhost(pageX, pageY, node = null) {\n if (!this.ghost) {\n return;\n }\n if (this.ghostTemplate) {\n this.zone.run(() => {\n // Create template in zone, so it gets updated by it automatically.\n this._dynamicGhostRef = this.viewContainer.createEmbeddedView(this.ghostTemplate, this.ghostContext);\n });\n if (this._dynamicGhostRef.rootNodes[0].style.display === 'contents') {\n // Change the display to default since display contents does not position the element absolutely.\n this._dynamicGhostRef.rootNodes[0].style.display = 'block';\n }\n this.ghostElement = this._dynamicGhostRef.rootNodes[0];\n } else {\n this.ghostElement = node ? node.cloneNode(true) : this.element.nativeElement.cloneNode(true);\n }\n const totalMovedX = pageX - this._startX;\n const totalMovedY = pageY - this._startY;\n this._ghostHostX = this.getGhostHostBaseOffsetX();\n this._ghostHostY = this.getGhostHostBaseOffsetY();\n this.ghostElement.style.transitionDuration = '0.0s';\n this.ghostElement.style.position = 'absolute';\n if (this.ghostClass) {\n this.ghostElement.classList.add(this.ghostClass);\n }\n if (this.ghostStyle) {\n Object.entries(this.ghostStyle).map(([name, value]) => {\n this.renderer.setStyle(this.ghostElement, name, value, RendererStyleFlags2.DashCase);\n });\n }\n const createEventArgs = {\n owner: this,\n ghostElement: this.ghostElement,\n cancel: false\n };\n this.ghostCreate.emit(createEventArgs);\n if (createEventArgs.cancel) {\n this.ghostElement = null;\n if (this.ghostTemplate && this._dynamicGhostRef) {\n this._dynamicGhostRef.destroy();\n }\n return;\n }\n if (this.ghostHost) {\n this.ghostHost.appendChild(this.ghostElement);\n } else {\n document.body.appendChild(this.ghostElement);\n }\n const ghostMarginLeft = parseInt(document.defaultView.getComputedStyle(this.ghostElement)['margin-left'], 10);\n const ghostMarginTop = parseInt(document.defaultView.getComputedStyle(this.ghostElement)['margin-top'], 10);\n this.ghostElement.style.left = this._ghostStartX - ghostMarginLeft + totalMovedX - this._ghostHostX + 'px';\n this.ghostElement.style.top = this._ghostStartY - ghostMarginTop + totalMovedY - this._ghostHostY + 'px';\n if (this.pointerEventsEnabled) {\n // The ghostElement takes control for moving and dragging after it has been rendered.\n if (this._pointerDownId !== null) {\n this.ghostElement.setPointerCapture(this._pointerDownId);\n }\n this.ghostElement.addEventListener('pointermove', args => {\n this.onPointerMove(args);\n });\n this.ghostElement.addEventListener('pointerup', args => {\n this.onPointerUp(args);\n });\n this.ghostElement.addEventListener('lostpointercapture', args => {\n this.onPointerLost(args);\n });\n }\n // Transition animation when the ghostElement is released and it returns to it's original position.\n this.ghostElement.addEventListener('transitionend', args => {\n this.onTransitionEnd(args);\n });\n this.cdr.detectChanges();\n }\n /**\n * @hidden\n * Dispatch custom igxDragEnter/igxDragLeave events based on current pointer position and if drop area is under.\n */\n dispatchDragEvents(pageX, pageY, originalEvent) {\n let topDropArea;\n const customEventArgs = {\n startX: this._startX,\n startY: this._startY,\n pageX,\n pageY,\n owner: this,\n originalEvent\n };\n const elementsFromPoint = this.getElementsAtPoint(pageX, pageY);\n let targetElements = [];\n // Check for shadowRoot instance and use it if present\n for (const elFromPoint of elementsFromPoint) {\n if (elFromPoint?.shadowRoot) {\n targetElements = targetElements.concat(this.getFromShadowRoot(elFromPoint, pageX, pageY, elementsFromPoint));\n } else if (targetElements.indexOf(elFromPoint) === -1) {\n targetElements.push(elFromPoint);\n }\n }\n for (const element of targetElements) {\n if (element.getAttribute('droppable') === 'true' && element !== this.ghostElement && element !== this.element.nativeElement) {\n topDropArea = element;\n break;\n }\n }\n if (topDropArea && (!this._lastDropArea || this._lastDropArea && this._lastDropArea !== topDropArea)) {\n if (this._lastDropArea) {\n this.dispatchEvent(this._lastDropArea, 'igxDragLeave', customEventArgs);\n }\n this._lastDropArea = topDropArea;\n this.dispatchEvent(this._lastDropArea, 'igxDragEnter', customEventArgs);\n } else if (!topDropArea && this._lastDropArea) {\n this.dispatchEvent(this._lastDropArea, 'igxDragLeave', customEventArgs);\n this._lastDropArea = null;\n return;\n }\n if (topDropArea) {\n this.dispatchEvent(topDropArea, 'igxDragOver', customEventArgs);\n }\n }\n /**\n * @hidden\n * Traverse shadow dom in depth.\n */\n getFromShadowRoot(elem, pageX, pageY, parentDomElems) {\n const elementsFromPoint = elem.shadowRoot.elementsFromPoint(pageX, pageY);\n const shadowElements = elementsFromPoint.filter(cur => parentDomElems.indexOf(cur) === -1);\n let res = [];\n for (const elFromPoint of shadowElements) {\n if (!!elFromPoint?.shadowRoot && elFromPoint.shadowRoot !== elem.shadowRoot) {\n res = res.concat(this.getFromShadowRoot(elFromPoint, pageX, pageY, elementsFromPoint));\n }\n res.push(elFromPoint);\n }\n return res;\n }\n /**\n * @hidden\n * Dispatch custom igxDrop event based on current pointer position if there is last recorder drop area under the pointer.\n * Last recorder drop area is updated in @dispatchDragEvents method.\n */\n dispatchDropEvent(pageX, pageY, originalEvent) {\n const eventArgs = {\n startX: this._startX,\n startY: this._startY,\n pageX,\n pageY,\n owner: this,\n originalEvent\n };\n this.dispatchEvent(this._lastDropArea, 'igxDrop', eventArgs);\n this.dispatchEvent(this._lastDropArea, 'igxDragLeave', eventArgs);\n this._lastDropArea = null;\n }\n /**\n * @hidden\n */\n getElementsAtPoint(pageX, pageY) {\n // correct the coordinates with the current scroll position, because\n // document.elementsFromPoint consider position within the current viewport\n // window.pageXOffset == window.scrollX; // always true\n // using window.pageXOffset for IE9 compatibility\n const viewPortX = pageX - window.pageXOffset;\n const viewPortY = pageY - window.pageYOffset;\n if (document['msElementsFromPoint']) {\n // Edge and IE special snowflakes\n const elements = document['msElementsFromPoint'](viewPortX, viewPortY);\n return elements === null ? [] : elements;\n } else {\n // Other browsers like Chrome, Firefox, Opera\n return document.elementsFromPoint(viewPortX, viewPortY);\n }\n }\n /**\n * @hidden\n */\n dispatchEvent(target, eventName, eventArgs) {\n // This way is IE11 compatible.\n // const dragLeaveEvent = document.createEvent('CustomEvent');\n // dragLeaveEvent.initCustomEvent(eventName, false, false, eventArgs);\n // target.dispatchEvent(dragLeaveEvent);\n // Otherwise can be used `target.dispatchEvent(new CustomEvent(eventName, eventArgs));`\n target.dispatchEvent(new CustomEvent(eventName, {\n detail: eventArgs\n }));\n }\n getTransformX(elem) {\n let posX = 0;\n if (elem.style.transform) {\n const matrix = elem.style.transform;\n const values = matrix ? matrix.match(/-?[\\d\\.]+/g) : undefined;\n posX = values ? Number(values[1]) : 0;\n }\n return posX;\n }\n getTransformY(elem) {\n let posY = 0;\n if (elem.style.transform) {\n const matrix = elem.style.transform;\n const values = matrix ? matrix.match(/-?[\\d\\.]+/g) : undefined;\n posY = values ? Number(values[2]) : 0;\n }\n return posY;\n }\n /** Method setting transformation to the base draggable element. */\n setTransformXY(x, y) {\n if (x === 0 && y === 0) {\n this.element.nativeElement.style.transform = '';\n return;\n }\n this.element.nativeElement.style.transform = 'translate3d(' + x + 'px, ' + y + 'px, 0px)';\n }\n /**\n * Since we are using absolute position to move the ghost, the ghost host might not have position: relative.\n * Combined with position static, this means that the absolute position in the browser is relative to the offsetParent.\n * The offsetParent is pretty much the closes parent that has position: relative, or if no such until it reaches the body.\n * That's why if this is the case, we need to know how much we should compensate for the ghostHost being offset from\n * its offsetParent.\n *\n * OffsetParent can be null in the case of position: fixed applied to the ghost host or display: none. In that case\n * just get the clientRects of the ghost host.\n */\n getGhostHostBaseOffsetX() {\n if (!this.ghostHost) return 0;\n const ghostPosition = document.defaultView.getComputedStyle(this.ghostHost).getPropertyValue('position');\n if (ghostPosition === 'static' && this.ghostHost.offsetParent && this.ghostHost.offsetParent === document.body) {\n return 0;\n } else if (ghostPosition === 'static' && this.ghostHost.offsetParent) {\n return this.ghostHost.offsetParent.getBoundingClientRect().left + this.windowScrollLeft;\n }\n return this.ghostHost.getBoundingClientRect().left + this.windowScrollLeft;\n }\n getGhostHostBaseOffsetY() {\n if (!this.ghostHost) return 0;\n const ghostPosition = document.defaultView.getComputedStyle(this.ghostHost).getPropertyValue('position');\n if (ghostPosition === 'static' && this.ghostHost.offsetParent && this.ghostHost.offsetParent === document.body) {\n return 0;\n } else if (ghostPosition === 'static' && this.ghostHost.offsetParent) {\n return this.ghostHost.offsetParent.getBoundingClientRect().top + this.windowScrollTop;\n }\n return this.ghostHost.getBoundingClientRect().top + this.windowScrollTop;\n }\n getContainerScrollDirection() {\n const containerBounds = this.scrollContainer ? this.scrollContainer.getBoundingClientRect() : null;\n const scrolledX = !this.scrollContainer ? this.windowScrollLeft > 0 : this.scrollContainer.scrollLeft > 0;\n const scrolledY = !this.scrollContainer ? this.windowScrollTop > 0 : this.scrollContainer.scrollTop > 0;\n // Take into account window scroll top because we do not use fixed positioning to the window.\n const topBorder = (!this.scrollContainer ? 0 : containerBounds.top) + this.windowScrollTop + this._scrollContainerThreshold;\n // Subtract the element height because we position it from top left corner.\n const elementHeight = this.ghost && this.ghostElement ? this.ghostElement.offsetHeight : this.element.nativeElement.offsetHeight;\n const bottomBorder = (!this.scrollContainer ? window.innerHeight : containerBounds.bottom) + this.windowScrollTop - this._scrollContainerThreshold - elementHeight;\n // Same for window scroll left\n const leftBorder = (!this.scrollContainer ? 0 : containerBounds.left) + this.windowScrollLeft + this._scrollContainerThreshold;\n // Subtract the element width again because we position it from top left corner.\n const elementWidth = this.ghost && this.ghostElement ? this.ghostElement.offsetWidth : this.element.nativeElement.offsetWidth;\n const rightBorder = (!this.scrollContainer ? window.innerWidth : containerBounds.right) + this.windowScrollLeft - this._scrollContainerThreshold - elementWidth;\n if (this.pageY <= topBorder && scrolledY) {\n return DragScrollDirection$1.UP;\n } else if (this.pageY > bottomBorder) {\n return DragScrollDirection$1.DOWN;\n } else if (this.pageX < leftBorder && scrolledX) {\n return DragScrollDirection$1.LEFT;\n } else if (this.pageX > rightBorder) {\n return DragScrollDirection$1.RIGHT;\n }\n return null;\n }\n onScrollContainerStep(scrollDir) {\n animationFrameScheduler.schedule(() => {\n let xDir = scrollDir == DragScrollDirection$1.LEFT ? -1 : scrollDir == DragScrollDirection$1.RIGHT ? 1 : 0;\n let yDir = scrollDir == DragScrollDirection$1.UP ? -1 : scrollDir == DragScrollDirection$1.DOWN ? 1 : 0;\n if (!this.scrollContainer) {\n // Cap scrolling so we don't scroll past the window max scroll position.\n const maxScrollX = this._originalScrollContainerWidth - document.documentElement.clientWidth;\n const maxScrollY = this._originalScrollContainerHeight - document.documentElement.clientHeight;\n xDir = this.windowScrollLeft <= 0 && xDir < 0 || this.windowScrollLeft >= maxScrollX && xDir > 0 ? 0 : xDir;\n yDir = this.windowScrollTop <= 0 && yDir < 0 || this.windowScrollTop >= maxScrollY && yDir > 0 ? 0 : yDir;\n } else {\n // Cap scrolling so we don't scroll past the container max scroll position.\n const maxScrollX = this._originalScrollContainerWidth - this.scrollContainer.clientWidth;\n const maxScrollY = this._originalScrollContainerHeight - this.scrollContainer.clientHeight;\n xDir = this.scrollContainer.scrollLeft <= 0 && xDir < 0 || this.scrollContainer.scrollLeft >= maxScrollX && xDir > 0 ? 0 : xDir;\n yDir = this.scrollContainer.scrollTop <= 0 && yDir < 0 || this.scrollContainer.scrollTop >= maxScrollY && yDir > 0 ? 0 : yDir;\n }\n const scrollByX = xDir * this._scrollContainerStep;\n const scrollByY = yDir * this._scrollContainerStep;\n // Scroll the corresponding window or container.\n if (!this.scrollContainer) {\n window.scrollBy(scrollByX, scrollByY);\n } else {\n this.scrollContainer.scrollLeft += scrollByX;\n this.scrollContainer.scrollTop += scrollByY;\n }\n if (this.ghost && !this.scrollContainer) {\n // Scroll the ghost only when there is no container specifies.\n // If it has container the ghost pretty much stays in the same position while the container is scrolled since e use top/left position.\n // Otherwise increase the position the same amount we have scrolled the window\n this.ghostLeft += scrollByX;\n this.ghostTop += scrollByY;\n } else if (!this.ghost) {\n // Move the base element the same amount we moved the window/container because we use transformations.\n const translateX = this.getTransformX(this.element.nativeElement) + scrollByX;\n const translateY = this.getTransformY(this.element.nativeElement) + scrollByY;\n this.setTransformXY(translateX, translateY);\n if (!this.scrollContainer) {\n this._lastX += scrollByX;\n this._lastY += scrollByY;\n }\n }\n });\n }\n onScrollContainer() {\n const scrollDir = this.getContainerScrollDirection();\n if (scrollDir !== null && scrollDir !== undefined && !this._containerScrollIntervalId) {\n // Save original container sizes to ensure that we don't increase scroll sizes infinitely when out of bounds.\n this._originalScrollContainerWidth = this.scrollContainer ? this.scrollContainer.scrollWidth : this.windowScrollWidth;\n this._originalScrollContainerHeight = this.scrollContainer ? this.scrollContainer.scrollHeight : this.windowScrollHeight;\n this._containerScrollIntervalId = setInterval(() => this.onScrollContainerStep(scrollDir), this._scrollContainerStepMs);\n } else if ((scrollDir === null || scrollDir === undefined) && this._containerScrollIntervalId) {\n // We moved out of end bounds and there is interval started\n clearInterval(this._containerScrollIntervalId);\n this._containerScrollIntervalId = null;\n }\n }\n static {\n this.ɵfac = function IgxDragDirective_Factory(t) {\n return new (t || IgxDragDirective)(i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ViewContainerRef), i0.ɵɵdirectiveInject(i0.NgZone), i0.ɵɵdirectiveInject(i0.Renderer2), i0.ɵɵdirectiveInject(PlatformUtil));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxDragDirective,\n selectors: [[\"\", \"igxDrag\", \"\"]],\n contentQueries: function IgxDragDirective_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxDragHandleDirective, 5);\n i0.ɵɵcontentQuery(dirIndex, IgxDragIgnoreDirective, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.dragHandles = _t);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.dragIgnoredElems = _t);\n }\n },\n hostVars: 4,\n hostBindings: function IgxDragDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-drag\", ctx.baseClass)(\"igx-drag--select-disabled\", ctx.selectDisabled);\n }\n },\n inputs: {\n data: [i0.ɵɵInputFlags.None, \"igxDrag\", \"data\"],\n dragTolerance: \"dragTolerance\",\n dragDirection: \"dragDirection\",\n dragChannel: \"dragChannel\",\n ghost: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"ghost\", \"ghost\", booleanAttribute],\n ghostClass: \"ghostClass\",\n ghostStyle: \"ghostStyle\",\n ghostTemplate: \"ghostTemplate\",\n ghostHost: \"ghostHost\",\n scrollContainer: \"scrollContainer\",\n ghostOffsetX: \"ghostOffsetX\",\n ghostOffsetY: \"ghostOffsetY\"\n },\n outputs: {\n dragStart: \"dragStart\",\n dragMove: \"dragMove\",\n dragEnd: \"dragEnd\",\n dragClick: \"dragClick\",\n ghostCreate: \"ghostCreate\",\n ghostDestroy: \"ghostDestroy\",\n transitioned: \"transitioned\"\n },\n exportAs: [\"drag\"],\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature]\n });\n }\n }\n return IgxDragDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxDropDirective = /*#__PURE__*/(() => {\n class IgxDropDirective {\n /**\n * - Save data inside the `igxDrop` directive. This can be set when instancing `igxDrop` on an element.\n * ```html\n * \n * ```\n *\n * @memberof IgxDropDirective\n */\n set data(v) {\n this._data = v;\n }\n get data() {\n return this._data;\n }\n /**\n * Sets a drop strategy type that will be executed when an `IgxDrag` element is released inside\n * the current drop area. The provided strategies are:\n * - IgxDefaultDropStrategy - This is the default base strategy and it doesn't perform any actions.\n * - IgxAppendDropStrategy - Appends the dropped element to last position as a direct child to the `igxDrop`.\n * - IgxPrependDropStrategy - Prepends the dropped element to first position as a direct child to the `igxDrop`.\n * - IgxInsertDropStrategy - If the dropped element is released above a child element of the `igxDrop`, it will be inserted\n * at that position. Otherwise the dropped element will be appended if released outside any child of the `igxDrop`.\n * ```html\n *
\n * DragMe\n *
\n *
\n * Numbers drop area!\n *
\n * ```\n * ```typescript\n * import { IgxAppendDropStrategy } from 'igniteui-angular';\n *\n * export class App {\n * public myDropStrategy = IgxAppendDropStrategy;\n * }\n * ```\n *\n * @memberof IgxDropDirective\n */\n set dropStrategy(classRef) {\n this._dropStrategy = new classRef(this._renderer);\n }\n get dropStrategy() {\n return this._dropStrategy;\n }\n constructor(element, _renderer, _zone) {\n this.element = element;\n this._renderer = _renderer;\n this._zone = _zone;\n /**\n * Event triggered when dragged element enters the area of the element.\n * ```html\n *
\n *
\n * ```\n * ```typescript\n * public dragEnter(){\n * alert(\"A draggable element has entered the chip area!\");\n * }\n * ```\n *\n * @memberof IgxDropDirective\n */\n this.enter = new EventEmitter();\n /**\n * Event triggered when dragged element enters the area of the element.\n * ```html\n *
\n *
\n * ```\n * ```typescript\n * public dragEnter(){\n * alert(\"A draggable element has entered the chip area!\");\n * }\n * ```\n *\n * @memberof IgxDropDirective\n */\n this.over = new EventEmitter();\n /**\n * Event triggered when dragged element leaves the area of the element.\n * ```html\n *
\n *
\n * ```\n * ```typescript\n * public dragLeave(){\n * alert(\"A draggable element has left the chip area!\");\n * }\n * ```\n *\n * @memberof IgxDropDirective\n */\n this.leave = new EventEmitter();\n /**\n * Event triggered when dragged element is dropped in the area of the element.\n * Since the `igxDrop` has default logic that appends the dropped element as a child, it can be canceled here.\n * To cancel the default logic the `cancel` property of the event needs to be set to true.\n * ```html\n *
\n *
\n * ```\n * ```typescript\n * public dragDrop(){\n * alert(\"A draggable element has been dropped in the chip area!\");\n * }\n * ```\n *\n * @memberof IgxDropDirective\n */\n this.dropped = new EventEmitter();\n /**\n * @hidden\n */\n this.droppable = true;\n /**\n * @hidden\n */\n this.dragover = false;\n /**\n * @hidden\n */\n this._destroy = new Subject();\n this._dropStrategy = new IgxDefaultDropStrategy();\n }\n /**\n * @hidden\n */\n onDragDrop(event) {\n if (!this.isDragLinked(event.detail.owner)) {\n return;\n }\n const elementPosX = this.element.nativeElement.getBoundingClientRect().left + this.getWindowScrollLeft();\n const elementPosY = this.element.nativeElement.getBoundingClientRect().top + this.getWindowScrollTop();\n const offsetX = event.detail.pageX - elementPosX;\n const offsetY = event.detail.pageY - elementPosY;\n const args = {\n owner: this,\n originalEvent: event.detail.originalEvent,\n drag: event.detail.owner,\n dragData: event.detail.owner.data,\n startX: event.detail.startX,\n startY: event.detail.startY,\n pageX: event.detail.pageX,\n pageY: event.detail.pageY,\n offsetX,\n offsetY,\n cancel: false\n };\n this._zone.run(() => {\n this.dropped.emit(args);\n });\n if (this._dropStrategy && !args.cancel) {\n const elementsAtPoint = event.detail.owner.getElementsAtPoint(event.detail.pageX, event.detail.pageY);\n const insertIndex = this.getInsertIndexAt(event.detail.owner, elementsAtPoint);\n this._dropStrategy.dropAction(event.detail.owner, this, insertIndex);\n }\n }\n /**\n * @hidden\n */\n ngOnInit() {\n this._zone.runOutsideAngular(() => {\n fromEvent(this.element.nativeElement, 'igxDragEnter').pipe(takeUntil(this._destroy)).subscribe(res => this.onDragEnter(res));\n fromEvent(this.element.nativeElement, 'igxDragLeave').pipe(takeUntil(this._destroy)).subscribe(res => this.onDragLeave(res));\n fromEvent(this.element.nativeElement, 'igxDragOver').pipe(takeUntil(this._destroy)).subscribe(res => this.onDragOver(res));\n });\n }\n /**\n * @hidden\n */\n ngOnDestroy() {\n this._destroy.next(true);\n this._destroy.complete();\n }\n /**\n * @hidden\n */\n onDragOver(event) {\n const elementPosX = this.element.nativeElement.getBoundingClientRect().left + this.getWindowScrollLeft();\n const elementPosY = this.element.nativeElement.getBoundingClientRect().top + this.getWindowScrollTop();\n const offsetX = event.detail.pageX - elementPosX;\n const offsetY = event.detail.pageY - elementPosY;\n const eventArgs = {\n originalEvent: event.detail.originalEvent,\n owner: this,\n drag: event.detail.owner,\n dragData: event.detail.owner.data,\n startX: event.detail.startX,\n startY: event.detail.startY,\n pageX: event.detail.pageX,\n pageY: event.detail.pageY,\n offsetX,\n offsetY\n };\n this.over.emit(eventArgs);\n }\n /**\n * @hidden\n */\n onDragEnter(event) {\n if (!this.isDragLinked(event.detail.owner)) {\n return;\n }\n this.dragover = true;\n const elementPosX = this.element.nativeElement.getBoundingClientRect().left + this.getWindowScrollLeft();\n const elementPosY = this.element.nativeElement.getBoundingClientRect().top + this.getWindowScrollTop();\n const offsetX = event.detail.pageX - elementPosX;\n const offsetY = event.detail.pageY - elementPosY;\n const eventArgs = {\n originalEvent: event.detail.originalEvent,\n owner: this,\n drag: event.detail.owner,\n dragData: event.detail.owner.data,\n startX: event.detail.startX,\n startY: event.detail.startY,\n pageX: event.detail.pageX,\n pageY: event.detail.pageY,\n offsetX,\n offsetY\n };\n this._zone.run(() => {\n this.enter.emit(eventArgs);\n });\n }\n /**\n * @hidden\n */\n onDragLeave(event) {\n if (!this.isDragLinked(event.detail.owner)) {\n return;\n }\n this.dragover = false;\n const elementPosX = this.element.nativeElement.getBoundingClientRect().left + this.getWindowScrollLeft();\n const elementPosY = this.element.nativeElement.getBoundingClientRect().top + this.getWindowScrollTop();\n const offsetX = event.detail.pageX - elementPosX;\n const offsetY = event.detail.pageY - elementPosY;\n const eventArgs = {\n originalEvent: event.detail.originalEvent,\n owner: this,\n drag: event.detail.owner,\n dragData: event.detail.owner.data,\n startX: event.detail.startX,\n startY: event.detail.startY,\n pageX: event.detail.pageX,\n pageY: event.detail.pageY,\n offsetX,\n offsetY\n };\n this._zone.run(() => {\n this.leave.emit(eventArgs);\n });\n }\n getWindowScrollTop() {\n return window.scrollY ? window.scrollY : window.pageYOffset ? window.pageYOffset : 0;\n }\n getWindowScrollLeft() {\n return window.scrollX ? window.scrollX : window.pageXOffset ? window.pageXOffset : 0;\n }\n isDragLinked(drag) {\n const dragLinkArray = drag.dragChannel instanceof Array;\n const dropLinkArray = this.dropChannel instanceof Array;\n if (!dragLinkArray && !dropLinkArray) {\n return this.dropChannel === drag.dragChannel;\n } else if (!dragLinkArray && dropLinkArray) {\n const dropLinks = this.dropChannel;\n for (const link of dropLinks) {\n if (link === drag.dragChannel) {\n return true;\n }\n }\n } else if (dragLinkArray && !dropLinkArray) {\n const dragLinks = drag.dragChannel;\n for (const link of dragLinks) {\n if (link === this.dropChannel) {\n return true;\n }\n }\n } else {\n const dragLinks = drag.dragChannel;\n const dropLinks = this.dropChannel;\n for (const draglink of dragLinks) {\n for (const droplink of dropLinks) {\n if (draglink === droplink) {\n return true;\n }\n }\n }\n }\n return false;\n }\n getInsertIndexAt(draggedDir, elementsAtPoint) {\n let insertIndex = -1;\n const dropChildren = Array.prototype.slice.call(this.element.nativeElement.children);\n if (!dropChildren.length) {\n return insertIndex;\n }\n let i = 0;\n let childUnder = null;\n while (!childUnder && i < elementsAtPoint.length) {\n if (elementsAtPoint[i].parentElement === this.element.nativeElement) {\n childUnder = elementsAtPoint[i];\n }\n i++;\n }\n const draggedElemIndex = dropChildren.indexOf(draggedDir.element.nativeElement);\n insertIndex = dropChildren.indexOf(childUnder);\n if (draggedElemIndex !== -1 && draggedElemIndex < insertIndex) {\n insertIndex++;\n }\n return insertIndex;\n }\n static {\n this.ɵfac = function IgxDropDirective_Factory(t) {\n return new (t || IgxDropDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.Renderer2), i0.ɵɵdirectiveInject(i0.NgZone));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxDropDirective,\n selectors: [[\"\", \"igxDrop\", \"\"]],\n hostVars: 3,\n hostBindings: function IgxDropDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"igxDrop\", function IgxDropDirective_igxDrop_HostBindingHandler($event) {\n return ctx.onDragDrop($event);\n });\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"droppable\", ctx.droppable);\n i0.ɵɵclassProp(\"dragOver\", ctx.dragover);\n }\n },\n inputs: {\n data: [i0.ɵɵInputFlags.None, \"igxDrop\", \"data\"],\n dropChannel: \"dropChannel\",\n dropStrategy: \"dropStrategy\"\n },\n outputs: {\n enter: \"enter\",\n over: \"over\",\n leave: \"leave\",\n dropped: \"dropped\"\n },\n exportAs: [\"drop\"],\n standalone: true\n });\n }\n }\n return IgxDropDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* NOTE: Drag and drop directives collection for ease-of-use import in standalone components scenario */\nconst IGX_DRAG_DROP_DIRECTIVES = [IgxDragDirective, IgxDropDirective, IgxDragHandleDirective, IgxDragIgnoreDirective];\nclass IgxFilterOptions {\n constructor() {\n // Input text value that will be used as a filtering pattern (matching condition is based on it)\n this.inputValue = '';\n }\n // Function - get value to be tested from the item\n // item - single item of the list to be filtered\n // key - property name of item, which value should be tested\n // Default behavior - returns \"key\"- named property value of item if key is provided,\n // otherwise textContent of the item's html element\n get_value(item, key) {\n let result = '';\n if (key && item[key]) {\n result = item[key].toString();\n } else if (item.element) {\n if (item.element.nativeElement) {\n result = item.element.nativeElement.textContent.trim();\n // Check if element doesn't return the DOM element directly\n } else if (item.element.textContent) {\n result = item.element.textContent.trim();\n }\n }\n return result;\n }\n // Function - formats the original text before matching process\n // Default behavior - returns text to lower case\n formatter(valueToTest) {\n return valueToTest.toLowerCase();\n }\n // Function - determines whether the item met the condition\n // valueToTest - text value that should be tested\n // inputValue - text value from input that condition is based on\n // Default behavior - \"contains\"\n matchFn(valueToTest, inputValue) {\n return valueToTest.indexOf(inputValue && inputValue.toLowerCase() || '') > -1;\n }\n // Function - executed after matching test for every matched item\n // Default behavior - shows the item\n metConditionFn(item) {\n if (item.hasOwnProperty('hidden')) {\n item.hidden = false;\n }\n }\n // Function - executed for every NOT matched item after matching test\n // Default behavior - hides the item\n overdueConditionFn(item) {\n if (item.hasOwnProperty('hidden')) {\n item.hidden = true;\n }\n }\n}\nlet IgxFilterDirective = /*#__PURE__*/(() => {\n class IgxFilterDirective {\n constructor() {\n this.filtering = new EventEmitter(false); // synchronous event emitter\n this.filtered = new EventEmitter();\n }\n ngOnChanges(changes) {\n // Detect only changes of input value\n if (changes.filterOptions && changes.filterOptions.currentValue && changes.filterOptions.currentValue.inputValue !== undefined && changes.filterOptions.previousValue && changes.filterOptions.currentValue.inputValue !== changes.filterOptions.previousValue.inputValue) {\n this.filter();\n }\n }\n filter() {\n if (!this.filterOptions.items) {\n return;\n }\n const args = {\n cancel: false,\n items: this.filterOptions.items\n };\n this.filtering.emit(args);\n if (args.cancel) {\n return;\n }\n const pipe = new IgxFilterPipe();\n const filtered = pipe.transform(this.filterOptions.items, this.filterOptions);\n this.filtered.emit({\n filteredItems: filtered\n });\n }\n static {\n this.ɵfac = function IgxFilterDirective_Factory(t) {\n return new (t || IgxFilterDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxFilterDirective,\n selectors: [[\"\", \"igxFilter\", \"\"]],\n inputs: {\n filterOptions: [i0.ɵɵInputFlags.None, \"igxFilter\", \"filterOptions\"]\n },\n outputs: {\n filtering: \"filtering\",\n filtered: \"filtered\"\n },\n standalone: true,\n features: [i0.ɵɵNgOnChangesFeature]\n });\n }\n }\n return IgxFilterDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxFilterPipe = /*#__PURE__*/(() => {\n class IgxFilterPipe {\n findMatchByKey(item, options, key) {\n const match = options.matchFn(options.formatter(options.get_value(item, key)), options.inputValue);\n if (match) {\n if (options.metConditionFn) {\n options.metConditionFn(item);\n }\n } else {\n if (options.overdueConditionFn) {\n options.overdueConditionFn(item);\n }\n }\n return match;\n }\n transform(items,\n // options - initial settings of filter functionality\n options) {\n let result = [];\n if (!items || !items.length || !options) {\n return;\n }\n if (options.items) {\n items = options.items;\n }\n result = items.filter(item => {\n if (!Array.isArray(options.key)) {\n return this.findMatchByKey(item, options, options.key);\n } else {\n let isMatch = false;\n options.key.forEach(key => {\n if (this.findMatchByKey(item, options, key)) {\n isMatch = true;\n }\n });\n return isMatch;\n }\n });\n return result;\n }\n static {\n this.ɵfac = function IgxFilterPipe_Factory(t) {\n return new (t || IgxFilterPipe)();\n };\n }\n static {\n this.ɵpipe = /* @__PURE__ */i0.ɵɵdefinePipe({\n name: \"igxFilter\",\n type: IgxFilterPipe,\n pure: false,\n standalone: true\n });\n }\n }\n return IgxFilterPipe;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Injection token is used to inject the EditorProvider token into components\n *\n * @hidden @internal\n */\nconst EDITOR_PROVIDER = new InjectionToken('EditorProvider');\nlet IgxFocusDirective = /*#__PURE__*/(() => {\n class IgxFocusDirective {\n /**\n * Returns the state of the igxFocus.\n * ```typescript\n * @ViewChild('focusContainer', {read: IgxFocusDirective})\n * public igxFocus: IgxFocusDirective;\n * let isFocusOn = this.igxFocus.focused;\n * ```\n *\n * @memberof IgxFocusDirective\n */\n get focused() {\n return this.focusState;\n }\n /**\n * Sets the state of the igxFocus.\n * ```html\n * \n * \n * \n * ```\n *\n * @memberof IgxFocusDirective\n */\n set focused(val) {\n this.focusState = val;\n this.trigger();\n }\n /**\n * Gets the native element of the igxFocus.\n * ```typescript\n * @ViewChild('focusContainer', {read: IgxFocusDirective})\n * public igxFocus: IgxFocusDirective;\n * let igxFocusNativeElement = this.igxFocus.nativeElement;\n * ```\n *\n * @memberof IgxFocusDirective\n */\n get nativeElement() {\n if (this.comp && this.comp[0] && this.comp[0].getEditElement) {\n return this.comp[0].getEditElement();\n }\n if (this.control && this.control[0] && this.control[0].getEditElement) {\n return this.control[0].getEditElement();\n }\n return this.element.nativeElement;\n }\n constructor(element, comp, control) {\n this.element = element;\n this.comp = comp;\n this.control = control;\n this.focusState = true;\n }\n /**\n * Triggers the igxFocus state.\n * ```typescript\n * @ViewChild('focusContainer', {read: IgxFocusDirective})\n * public igxFocus: IgxFocusDirective;\n * this.igxFocus.trigger();\n * ```\n *\n * @memberof IgxFocusDirective\n */\n trigger() {\n if (this.focusState) {\n requestAnimationFrame(() => this.nativeElement.focus({\n preventScroll: true\n }));\n }\n }\n static {\n this.ɵfac = function IgxFocusDirective_Factory(t) {\n return new (t || IgxFocusDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(NG_VALUE_ACCESSOR, 10), i0.ɵɵdirectiveInject(EDITOR_PROVIDER, 10));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxFocusDirective,\n selectors: [[\"\", \"igxFocus\", \"\"]],\n inputs: {\n focused: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"igxFocus\", \"focused\", booleanAttribute]\n },\n exportAs: [\"igxFocus\"],\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature]\n });\n }\n }\n return IgxFocusDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxFocusTrapDirective = /*#__PURE__*/(() => {\n class IgxFocusTrapDirective {\n /** @hidden */\n get element() {\n return this.elementRef.nativeElement;\n }\n /** @hidden */\n constructor(elementRef, platformUtil) {\n this.elementRef = elementRef;\n this.platformUtil = platformUtil;\n this.destroy$ = new Subject();\n this._focusTrap = true;\n }\n /**\n * Sets whether the Tab key focus is trapped within the element.\n *\n * @example\n * ```html\n * \n * ```\n */\n set focusTrap(focusTrap) {\n this._focusTrap = focusTrap;\n }\n /** @hidden */\n get focusTrap() {\n return this._focusTrap;\n }\n /** @hidden */\n ngAfterViewInit() {\n fromEvent(this.element, 'keydown').pipe(takeUntil(this.destroy$)).subscribe(event => {\n if (this._focusTrap && event.key === this.platformUtil.KEYMAP.TAB) {\n this.handleTab(event);\n }\n });\n }\n /** @hidden */\n ngOnDestroy() {\n this.destroy$.complete();\n }\n handleTab(event) {\n const elements = this.getFocusableElements(this.element);\n if (elements.length > 0) {\n const focusedElement = this.getFocusedElement();\n const focusedElementIndex = elements.findIndex(element => element === focusedElement);\n const direction = event.shiftKey ? -1 : 1;\n let nextFocusableElementIndex = focusedElementIndex + direction;\n if (nextFocusableElementIndex < 0) {\n nextFocusableElementIndex = elements.length - 1;\n }\n if (nextFocusableElementIndex >= elements.length) {\n nextFocusableElementIndex = 0;\n }\n elements[nextFocusableElementIndex].focus();\n } else {\n this.element.focus();\n }\n event.preventDefault();\n }\n getFocusableElements(element) {\n return Array.from(element.querySelectorAll('a[href], button, input, textarea, select, details,[tabindex]:not([tabindex=\"-1\"])')).filter(el => !el.hasAttribute('disabled') && !el.getAttribute('aria-hidden'));\n }\n getFocusedElement() {\n let activeElement = typeof document !== 'undefined' && document ? document.activeElement : null;\n while (activeElement && activeElement.shadowRoot) {\n const newActiveElement = activeElement.shadowRoot.activeElement;\n if (newActiveElement === activeElement) {\n break;\n } else {\n activeElement = newActiveElement;\n }\n }\n return activeElement;\n }\n static {\n this.ɵfac = function IgxFocusTrapDirective_Factory(t) {\n return new (t || IgxFocusTrapDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(PlatformUtil));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxFocusTrapDirective,\n selectors: [[\"\", \"igxFocusTrap\", \"\"]],\n inputs: {\n focusTrap: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"igxFocusTrap\", \"focusTrap\", booleanAttribute]\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature]\n });\n }\n }\n return IgxFocusTrapDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * @hidden\n */\nlet IgxScrollInertiaDirective = /*#__PURE__*/(() => {\n class IgxScrollInertiaDirective {\n constructor(element, _zone) {\n this.element = element;\n this._zone = _zone;\n this.wheelStep = 50;\n this.inertiaStep = 1.5;\n this.smoothingStep = 1.5;\n this.smoothingDuration = 0.5;\n this.swipeToleranceX = 20;\n this.inertiaDeltaY = 3;\n this.inertiaDeltaX = 2;\n this.inertiaDuration = 0.5;\n this._savedSpeedsX = [];\n this.baseDeltaMultiplier = 1 / 120;\n this.firefoxDeltaMultiplier = 1 / 30;\n }\n ngOnInit() {\n this._zone.runOutsideAngular(() => {\n this.parentElement = this.element.nativeElement.parentElement || this.element.nativeElement.parentNode;\n if (!this.parentElement) {\n return;\n }\n const targetElem = this.parentElement;\n targetElem.addEventListener('wheel', this.onWheel.bind(this));\n targetElem.addEventListener('touchstart', this.onTouchStart.bind(this));\n targetElem.addEventListener('touchmove', this.onTouchMove.bind(this));\n targetElem.addEventListener('touchend', this.onTouchEnd.bind(this));\n });\n }\n ngOnDestroy() {\n this._zone.runOutsideAngular(() => {\n const targetElem = this.parentElement;\n if (!targetElem) {\n return;\n }\n targetElem.removeEventListener('wheel', this.onWheel);\n targetElem.removeEventListener('touchstart', this.onTouchStart);\n targetElem.removeEventListener('touchmove', this.onTouchMove);\n targetElem.removeEventListener('touchend', this.onTouchEnd);\n });\n }\n /**\n * @hidden\n * Function that is called when scrolling with the mouse wheel or using touchpad\n */\n onWheel(evt) {\n // if no scrollbar return\n if (!this.IgxScrollInertiaScrollContainer) {\n return;\n }\n // if ctrl key is pressed and the user want to zoom in/out the page\n if (evt.ctrlKey) {\n return;\n }\n let scrollDeltaX;\n let scrollDeltaY;\n const scrollStep = this.wheelStep;\n const minWheelStep = 1 / this.wheelStep;\n const smoothing = this.smoothingDuration !== 0;\n this._startX = this.IgxScrollInertiaScrollContainer.scrollLeft;\n this._startY = this.IgxScrollInertiaScrollContainer.scrollTop;\n if (evt.wheelDeltaX) {\n /* Option supported on Chrome, Safari, Opera.\n /* 120 is default for mousewheel on these browsers. Other values are for trackpads */\n scrollDeltaX = -evt.wheelDeltaX * this.baseDeltaMultiplier;\n if (-minWheelStep < scrollDeltaX && scrollDeltaX < minWheelStep) {\n scrollDeltaX = Math.sign(scrollDeltaX) * minWheelStep;\n }\n } else if (evt.deltaX) {\n /* For other browsers that don't provide wheelDelta, use the deltaY to determine direction and pass default values. */\n const deltaScaledX = evt.deltaX * (evt.deltaMode === 0 ? this.firefoxDeltaMultiplier : 1);\n scrollDeltaX = this.calcAxisCoords(deltaScaledX, -1, 1);\n }\n /** Get delta for the Y axis */\n if (evt.wheelDeltaY) {\n /* Option supported on Chrome, Safari, Opera.\n /* 120 is default for mousewheel on these browsers. Other values are for trackpads */\n scrollDeltaY = -evt.wheelDeltaY * this.baseDeltaMultiplier;\n if (-minWheelStep < scrollDeltaY && scrollDeltaY < minWheelStep) {\n scrollDeltaY = Math.sign(scrollDeltaY) * minWheelStep;\n }\n } else if (evt.deltaY) {\n /* For other browsers that don't provide wheelDelta, use the deltaY to determine direction and pass default values. */\n const deltaScaledY = evt.deltaY * (evt.deltaMode === 0 ? this.firefoxDeltaMultiplier : 1);\n scrollDeltaY = this.calcAxisCoords(deltaScaledY, -1, 1);\n }\n if (evt.composedPath && this.didChildScroll(evt, scrollDeltaX, scrollDeltaY)) {\n return;\n }\n if (scrollDeltaX && this.IgxScrollInertiaDirection === 'horizontal') {\n const nextLeft = this._startX + scrollDeltaX * scrollStep;\n if (!smoothing) {\n this._scrollToX(nextLeft);\n } else {\n this._smoothWheelScroll(scrollDeltaX);\n }\n const maxScrollLeft = parseInt(this.IgxScrollInertiaScrollContainer.children[0].style.width, 10);\n if (0 < nextLeft && nextLeft < maxScrollLeft) {\n // Prevent navigating through pages when scrolling on Mac\n evt.preventDefault();\n }\n } else if (evt.shiftKey && scrollDeltaY && this.IgxScrollInertiaDirection === 'horizontal') {\n if (!smoothing) {\n const step = this._startX + scrollDeltaY * scrollStep;\n this._scrollToX(step);\n } else {\n this._smoothWheelScroll(scrollDeltaY);\n }\n } else if (!evt.shiftKey && scrollDeltaY && this.IgxScrollInertiaDirection === 'vertical') {\n const nextTop = this._startY + scrollDeltaY * scrollStep;\n if (!smoothing) {\n this._scrollToY(nextTop);\n } else {\n this._smoothWheelScroll(scrollDeltaY);\n }\n this.preventParentScroll(evt, true, nextTop);\n }\n }\n /**\n * @hidden\n * When there is still room to scroll up/down prevent the parent elements from scrolling too.\n */\n preventParentScroll(evt, preventDefault, nextTop = 0) {\n const curScrollTop = nextTop === 0 ? this.IgxScrollInertiaScrollContainer.scrollTop : nextTop;\n const maxScrollTop = this.IgxScrollInertiaScrollContainer.children[0].scrollHeight - this.IgxScrollInertiaScrollContainer.offsetHeight;\n if (0 < curScrollTop && curScrollTop < maxScrollTop) {\n if (preventDefault) {\n evt.preventDefault();\n }\n if (evt.stopPropagation) {\n evt.stopPropagation();\n }\n }\n }\n /**\n * @hidden\n * Checks if the wheel event would have scrolled an element under the display container\n * in DOM tree so that it can correctly be ignored until that element can no longer be scrolled.\n */\n didChildScroll(evt, scrollDeltaX, scrollDeltaY) {\n const path = evt.composedPath();\n let i = 0;\n while (i < path.length && path[i].localName !== 'igx-display-container') {\n const e = path[i++];\n if (e.scrollHeight > e.clientHeight) {\n const overflowY = window.getComputedStyle(e)['overflow-y'];\n if (overflowY === 'auto' || overflowY === 'scroll') {\n if (scrollDeltaY > 0 && e.scrollHeight - Math.abs(Math.round(e.scrollTop)) !== e.clientHeight) {\n return true;\n }\n if (scrollDeltaY < 0 && e.scrollTop !== 0) {\n return true;\n }\n }\n }\n if (e.scrollWidth > e.clientWidth) {\n const overflowX = window.getComputedStyle(e)['overflow-x'];\n if (overflowX === 'auto' || overflowX === 'scroll') {\n if (scrollDeltaX > 0 && e.scrollWidth - Math.abs(Math.round(e.scrollLeft)) !== e.clientWidth) {\n return true;\n }\n if (scrollDeltaX < 0 && e.scrollLeft !== 0) {\n return true;\n }\n }\n }\n }\n return false;\n }\n /**\n * @hidden\n * Function that is called the first moment we start interacting with the content on a touch device\n */\n onTouchStart(event) {\n if (!this.IgxScrollInertiaScrollContainer) {\n return false;\n }\n // stops any current ongoing inertia\n cancelAnimationFrame(this._touchInertiaAnimID);\n const touch = event.touches[0];\n this._startX = this.IgxScrollInertiaScrollContainer.scrollLeft;\n this._startY = this.IgxScrollInertiaScrollContainer.scrollTop;\n this._touchStartX = touch.pageX;\n this._touchStartY = touch.pageY;\n this._lastTouchEnd = new Date().getTime();\n this._lastTouchX = touch.pageX;\n this._lastTouchY = touch.pageY;\n this._savedSpeedsX = [];\n this._savedSpeedsY = [];\n // Vars regarding swipe offset\n this._totalMovedX = 0;\n this._offsetRecorded = false;\n this._offsetDirection = 0;\n if (this.IgxScrollInertiaDirection === 'vertical') {\n this.preventParentScroll(event, false);\n }\n }\n /**\n * @hidden\n * Function that is called when we need to scroll the content based on touch interactions\n */\n onTouchMove(event) {\n if (!this.IgxScrollInertiaScrollContainer) {\n return;\n }\n const touch = event.touches[0];\n const destX = this._startX + (this._touchStartX - touch.pageX) * Math.sign(this.inertiaStep);\n const destY = this._startY + (this._touchStartY - touch.pageY) * Math.sign(this.inertiaStep);\n /* Handle complex touchmoves when swipe stops but the toch doesn't end and then a swipe is initiated again */\n /* **********************************************************/\n const timeFromLastTouch = new Date().getTime() - this._lastTouchEnd;\n if (timeFromLastTouch !== 0 && timeFromLastTouch < 100) {\n const speedX = (this._lastTouchX - touch.pageX) / timeFromLastTouch;\n const speedY = (this._lastTouchY - touch.pageY) / timeFromLastTouch;\n // Save the last 5 speeds between two touchmoves on X axis\n if (this._savedSpeedsX.length < 5) {\n this._savedSpeedsX.push(speedX);\n } else {\n this._savedSpeedsX.shift();\n this._savedSpeedsX.push(speedX);\n }\n // Save the last 5 speeds between two touchmoves on Y axis\n if (this._savedSpeedsY.length < 5) {\n this._savedSpeedsY.push(speedY);\n } else {\n this._savedSpeedsY.shift();\n this._savedSpeedsY.push(speedY);\n }\n }\n this._lastTouchEnd = new Date().getTime();\n this._lastMovedX = this._lastTouchX - touch.pageX;\n this._lastMovedY = this._lastTouchY - touch.pageY;\n this._lastTouchX = touch.pageX;\n this._lastTouchY = touch.pageY;\n this._totalMovedX += this._lastMovedX;\n /*\tDo not scroll using touch untill out of the swipeToleranceX bounds */\n if (Math.abs(this._totalMovedX) < this.swipeToleranceX && !this._offsetRecorded) {\n this._scrollTo(this._startX, destY);\n } else {\n /*\tRecord the direction the first time we are out of the swipeToleranceX bounds.\n *\tThat way we know which direction we apply the offset so it doesn't hickup when moving out of the swipeToleranceX bounds */\n if (!this._offsetRecorded) {\n this._offsetDirection = Math.sign(destX - this._startX);\n this._offsetRecorded = true;\n }\n /*\tScroll with offset ammout of swipeToleranceX in the direction we have exited the bounds and\n don't change it after that ever until touchend and again touchstart */\n this._scrollTo(destX - this._offsetDirection * this.swipeToleranceX, destY);\n }\n // On Safari preventing the touchmove would prevent default page scroll behaviour even if there is the element doesn't have overflow\n if (this.IgxScrollInertiaDirection === 'vertical') {\n this.preventParentScroll(event, true);\n }\n }\n onTouchEnd(event) {\n let speedX = 0;\n let speedY = 0;\n // savedSpeedsX and savedSpeedsY have same length\n for (let i = 0; i < this._savedSpeedsX.length; i++) {\n speedX += this._savedSpeedsX[i];\n speedY += this._savedSpeedsY[i];\n }\n speedX = this._savedSpeedsX.length ? speedX / this._savedSpeedsX.length : 0;\n speedY = this._savedSpeedsX.length ? speedY / this._savedSpeedsY.length : 0;\n // Use the lastMovedX and lastMovedY to determine if the swipe stops without lifting the finger so we don't start inertia\n if ((Math.abs(speedX) > 0.1 || Math.abs(speedY) > 0.1) && (Math.abs(this._lastMovedX) > 2 || Math.abs(this._lastMovedY) > 2)) {\n this._inertiaInit(speedX, speedY);\n }\n if (this.IgxScrollInertiaDirection === 'vertical') {\n this.preventParentScroll(event, false);\n }\n }\n _smoothWheelScroll(delta) {\n this._nextY = this.IgxScrollInertiaScrollContainer.scrollTop;\n this._nextX = this.IgxScrollInertiaScrollContainer.scrollLeft;\n let x = -1;\n let wheelInertialAnimation = null;\n const inertiaWheelStep = () => {\n if (x > 1) {\n cancelAnimationFrame(wheelInertialAnimation);\n return;\n }\n const nextScroll = (-3 * x * x + 3) * delta * 2 * this.smoothingStep;\n if (this.IgxScrollInertiaDirection === 'vertical') {\n this._nextY += nextScroll;\n this._scrollToY(this._nextY);\n } else {\n this._nextX += nextScroll;\n this._scrollToX(this._nextX);\n }\n //continue the inertia\n x += 0.08 * (1 / this.smoothingDuration);\n wheelInertialAnimation = requestAnimationFrame(inertiaWheelStep);\n };\n wheelInertialAnimation = requestAnimationFrame(inertiaWheelStep);\n }\n _inertiaInit(speedX, speedY) {\n const stepModifer = this.inertiaStep;\n const inertiaDuration = this.inertiaDuration;\n let x = 0;\n this._nextX = this.IgxScrollInertiaScrollContainer.scrollLeft;\n this._nextY = this.IgxScrollInertiaScrollContainer.scrollTop;\n // Sets timeout until executing next movement iteration of the inertia\n const inertiaStep = () => {\n if (x > 6) {\n cancelAnimationFrame(this._touchInertiaAnimID);\n return;\n }\n if (Math.abs(speedX) > Math.abs(speedY)) {\n x += 0.05 / (1 * inertiaDuration);\n } else {\n x += 0.05 / (1 * inertiaDuration);\n }\n if (x <= 1) {\n // We use constant quation to determine the offset without speed falloff befor x reaches 1\n if (Math.abs(speedY) <= Math.abs(speedX) * this.inertiaDeltaY) {\n this._nextX += 1 * speedX * 15 * stepModifer;\n }\n if (Math.abs(speedY) >= Math.abs(speedX) * this.inertiaDeltaX) {\n this._nextY += 1 * speedY * 15 * stepModifer;\n }\n } else {\n // We use the quation \"y = 2 / (x + 0.55) - 0.3\" to determine the offset\n if (Math.abs(speedY) <= Math.abs(speedX) * this.inertiaDeltaY) {\n this._nextX += Math.abs(2 / (x + 0.55) - 0.3) * speedX * 15 * stepModifer;\n }\n if (Math.abs(speedY) >= Math.abs(speedX) * this.inertiaDeltaX) {\n this._nextY += Math.abs(2 / (x + 0.55) - 0.3) * speedY * 15 * stepModifer;\n }\n }\n // If we have mixed environment we use the default behaviour. i.e. touchscreen + mouse\n this._scrollTo(this._nextX, this._nextY);\n this._touchInertiaAnimID = requestAnimationFrame(inertiaStep);\n };\n // Start inertia and continue it recursively\n this._touchInertiaAnimID = requestAnimationFrame(inertiaStep);\n }\n calcAxisCoords(target, min, max) {\n if (target === undefined || target < min) {\n target = min;\n } else if (target > max) {\n target = max;\n }\n return target;\n }\n _scrollTo(destX, destY) {\n // TODO Trigger scrolling event?\n const scrolledX = this._scrollToX(destX);\n const scrolledY = this._scrollToY(destY);\n return {\n x: scrolledX,\n y: scrolledY\n };\n }\n _scrollToX(dest) {\n this.IgxScrollInertiaScrollContainer.scrollLeft = dest;\n }\n _scrollToY(dest) {\n this.IgxScrollInertiaScrollContainer.scrollTop = dest;\n }\n static {\n this.ɵfac = function IgxScrollInertiaDirective_Factory(t) {\n return new (t || IgxScrollInertiaDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.NgZone));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxScrollInertiaDirective,\n selectors: [[\"\", \"igxScrollInertia\", \"\"]],\n inputs: {\n IgxScrollInertiaDirection: \"IgxScrollInertiaDirection\",\n IgxScrollInertiaScrollContainer: \"IgxScrollInertiaScrollContainer\",\n wheelStep: \"wheelStep\",\n inertiaStep: \"inertiaStep\",\n smoothingStep: \"smoothingStep\",\n smoothingDuration: \"smoothingDuration\",\n swipeToleranceX: \"swipeToleranceX\",\n inertiaDeltaY: \"inertiaDeltaY\",\n inertiaDeltaX: \"inertiaDeltaX\",\n inertiaDuration: \"inertiaDuration\"\n },\n standalone: true\n });\n }\n }\n return IgxScrollInertiaDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet DisplayContainerComponent = /*#__PURE__*/(() => {\n class DisplayContainerComponent {\n constructor(cdr, _viewContainer) {\n this.cdr = cdr;\n this._viewContainer = _viewContainer;\n this.cssClass = 'igx-display-container';\n this.notVirtual = true;\n }\n static {\n this.ɵfac = function DisplayContainerComponent_Factory(t) {\n return new (t || DisplayContainerComponent)(i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.ViewContainerRef));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: DisplayContainerComponent,\n selectors: [[\"igx-display-container\"]],\n viewQuery: function DisplayContainerComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c7, 7, ViewContainerRef);\n i0.ɵɵviewQuery(_c7, 7, IgxScrollInertiaDirective);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx._vcr = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx._scrollInertia = _t.first);\n }\n },\n hostVars: 4,\n hostBindings: function DisplayContainerComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassMap(ctx.cssClass);\n i0.ɵɵclassProp(\"igx-display-container--inactive\", ctx.notVirtual);\n }\n },\n standalone: true,\n features: [i0.ɵɵStandaloneFeature],\n decls: 2,\n vars: 2,\n consts: [[\"display_container\", \"\"], [\"igxScrollInertia\", \"\", 3, \"IgxScrollInertiaScrollContainer\", \"IgxScrollInertiaDirection\"]],\n template: function DisplayContainerComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵtemplate(0, DisplayContainerComponent_ng_template_0_Template, 0, 0, \"ng-template\", 1, 0, i0.ɵɵtemplateRefExtractor);\n }\n if (rf & 2) {\n i0.ɵɵproperty(\"IgxScrollInertiaScrollContainer\", ctx.scrollContainer)(\"IgxScrollInertiaDirection\", ctx.scrollDirection);\n }\n },\n dependencies: [IgxScrollInertiaDirective],\n encapsulation: 2\n });\n }\n }\n return DisplayContainerComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet VirtualHelperBaseDirective = /*#__PURE__*/(() => {\n class VirtualHelperBaseDirective {\n constructor(elementRef, cdr, _zone, document, platformUtil) {\n this.elementRef = elementRef;\n this.cdr = cdr;\n this._zone = _zone;\n this.document = document;\n this.platformUtil = platformUtil;\n this.scrollAmount = 0;\n this._size = 0;\n this.destroy$ = new Subject();\n this._afterViewInit = false;\n this._detached = false;\n this._scrollNativeSize = this.calculateScrollNativeSize();\n }\n onScroll(event) {\n this.scrollAmount = event.target.scrollTop || event.target.scrollLeft;\n }\n ngAfterViewInit() {\n this._afterViewInit = true;\n if (!this.platformUtil.isBrowser) {\n return;\n }\n const delayTime = 0;\n this._zone.runOutsideAngular(() => {\n resizeObservable(this.nativeElement).pipe(throttleTime(delayTime), takeUntil(this.destroy$)).subscribe(event => this.handleMutations(event));\n });\n }\n get nativeElement() {\n return this.elementRef.nativeElement;\n }\n ngOnDestroy() {\n this.destroyed = true;\n this.destroy$.next(true);\n this.destroy$.complete();\n }\n calculateScrollNativeSize() {\n const div = this.document.createElement('div');\n const style = div.style;\n style.width = '100px';\n style.height = '100px';\n style.position = 'absolute';\n style.top = '-10000px';\n style.top = '-10000px';\n style.overflow = 'scroll';\n this.document.body.appendChild(div);\n const scrollWidth = div.offsetWidth - div.clientWidth;\n this.document.body.removeChild(div);\n return scrollWidth ? scrollWidth + 1 : 1;\n }\n set size(value) {\n if (this.destroyed) {\n return;\n }\n this._size = value;\n if (this._afterViewInit) {\n this.cdr.detectChanges();\n }\n }\n get size() {\n return this._size;\n }\n get scrollNativeSize() {\n return this._scrollNativeSize;\n }\n get isAttachedToDom() {\n return this.document.body.contains(this.nativeElement);\n }\n handleMutations(event) {\n const hasSize = !(event[0].contentRect.height === 0 && event[0].contentRect.width === 0);\n if (!hasSize && !this.isAttachedToDom) {\n // scroll bar detached from DOM\n this._detached = true;\n } else if (this._detached && hasSize && this.isAttachedToDom) {\n // attached back now.\n this.restoreScroll();\n }\n }\n restoreScroll() {}\n static {\n this.ɵfac = function VirtualHelperBaseDirective_Factory(t) {\n return new (t || VirtualHelperBaseDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.NgZone), i0.ɵɵdirectiveInject(DOCUMENT), i0.ɵɵdirectiveInject(PlatformUtil));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: VirtualHelperBaseDirective,\n selectors: [[\"\", \"igxVirtualHelperBase\", \"\"]],\n hostBindings: function VirtualHelperBaseDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"scroll\", function VirtualHelperBaseDirective_scroll_HostBindingHandler($event) {\n return ctx.onScroll($event);\n });\n }\n },\n standalone: true\n });\n }\n }\n return VirtualHelperBaseDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * @hidden\n */\nlet HVirtualHelperComponent = /*#__PURE__*/(() => {\n class HVirtualHelperComponent extends VirtualHelperBaseDirective {\n constructor(elementRef, cdr, zone, document, platformUtil) {\n super(elementRef, cdr, zone, document, platformUtil);\n this.cssClasses = 'igx-vhelper--horizontal';\n }\n restoreScroll() {\n this.nativeElement.scrollLeft = this.scrollAmount;\n }\n static {\n this.ɵfac = function HVirtualHelperComponent_Factory(t) {\n return new (t || HVirtualHelperComponent)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.NgZone), i0.ɵɵdirectiveInject(DOCUMENT), i0.ɵɵdirectiveInject(PlatformUtil));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: HVirtualHelperComponent,\n selectors: [[\"igx-horizontal-virtual-helper\"]],\n viewQuery: function HVirtualHelperComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c8, 7, ViewContainerRef);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx._vcr = _t.first);\n }\n },\n hostVars: 2,\n hostBindings: function HVirtualHelperComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassMap(ctx.cssClasses);\n }\n },\n inputs: {\n width: \"width\"\n },\n standalone: true,\n features: [i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n decls: 2,\n vars: 2,\n consts: [[\"horizontal_container\", \"\"], [1, \"igx-vhelper__placeholder-content\"]],\n template: function HVirtualHelperComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵelement(0, \"div\", 1, 0);\n }\n if (rf & 2) {\n i0.ɵɵstyleProp(\"width\", ctx.size, \"px\");\n }\n },\n encapsulation: 2\n });\n }\n }\n return HVirtualHelperComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet VirtualHelperComponent = /*#__PURE__*/(() => {\n class VirtualHelperComponent extends VirtualHelperBaseDirective {\n constructor(elementRef, cdr, zone, document, platformUtil) {\n super(elementRef, cdr, zone, document, platformUtil);\n this.cssClasses = 'igx-vhelper--vertical';\n }\n ngOnInit() {\n this.scrollWidth = this.scrollNativeSize;\n }\n restoreScroll() {\n this.nativeElement.scrollTop = this.scrollAmount;\n }\n static {\n this.ɵfac = function VirtualHelperComponent_Factory(t) {\n return new (t || VirtualHelperComponent)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.NgZone), i0.ɵɵdirectiveInject(DOCUMENT), i0.ɵɵdirectiveInject(PlatformUtil));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: VirtualHelperComponent,\n selectors: [[\"igx-virtual-helper\"]],\n viewQuery: function VirtualHelperComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c9, 7, ViewContainerRef);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx._vcr = _t.first);\n }\n },\n hostVars: 5,\n hostBindings: function VirtualHelperComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵhostProperty(\"scrollTop\", ctx.scrollTop);\n i0.ɵɵclassMap(ctx.cssClasses);\n i0.ɵɵstyleProp(\"width\", ctx.scrollWidth, \"px\");\n }\n },\n inputs: {\n itemsLength: \"itemsLength\"\n },\n standalone: true,\n features: [i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n decls: 2,\n vars: 2,\n consts: [[\"container\", \"\"], [1, \"igx-vhelper__placeholder-content\"]],\n template: function VirtualHelperComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵelement(0, \"div\", 1, 0);\n }\n if (rf & 2) {\n i0.ɵɵstyleProp(\"height\", ctx.size, \"px\");\n }\n },\n encapsulation: 2\n });\n }\n }\n return VirtualHelperComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxForOfSyncService = /*#__PURE__*/(() => {\n class IgxForOfSyncService {\n constructor() {\n this._master = new Map();\n }\n /**\n * @hidden\n */\n isMaster(directive) {\n return this._master.get(directive.igxForScrollOrientation) === directive;\n }\n /**\n * @hidden\n */\n setMaster(directive, forced = false) {\n const orientation = directive.igxForScrollOrientation;\n // in case master is not in dom, set a new master\n const isMasterInDom = this._master.get(orientation)?.dc?.instance?._viewContainer.element.nativeElement.isConnected;\n if (!isMasterInDom) {\n forced = true;\n }\n if (orientation && (forced || !this._master.has(orientation))) {\n this._master.set(orientation, directive);\n }\n }\n /**\n * @hidden\n */\n resetMaster() {\n this._master.clear();\n }\n /**\n * @hidden\n */\n sizesCache(dir) {\n return this._master.get(dir).sizesCache;\n }\n /**\n * @hidden\n */\n chunkSize(dir) {\n return this._master.get(dir).state.chunkSize;\n }\n static {\n this.ɵfac = function IgxForOfSyncService_Factory(t) {\n return new (t || IgxForOfSyncService)();\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: IgxForOfSyncService,\n factory: IgxForOfSyncService.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return IgxForOfSyncService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxForOfScrollSyncService = /*#__PURE__*/(() => {\n class IgxForOfScrollSyncService {\n constructor() {\n this._masterScroll = new Map();\n }\n setScrollMaster(dir, scroll) {\n this._masterScroll.set(dir, scroll);\n }\n getScrollMaster(dir) {\n return this._masterScroll.get(dir);\n }\n static {\n this.ɵfac = function IgxForOfScrollSyncService_Factory(t) {\n return new (t || IgxForOfScrollSyncService)();\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: IgxForOfScrollSyncService,\n factory: IgxForOfScrollSyncService.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return IgxForOfScrollSyncService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* eslint-disable @angular-eslint/no-conflicting-lifecycle */\nconst MAX_PERF_SCROLL_DIFF = 4;\n/**\n * @publicApi\n */\nclass IgxForOfContext {\n constructor($implicit, igxForOf, index, count) {\n this.$implicit = $implicit;\n this.igxForOf = igxForOf;\n this.index = index;\n this.count = count;\n }\n /**\n * A function that returns whether the element is the first or not\n */\n get first() {\n return this.index === 0;\n }\n /**\n * A function that returns whether the element is the last or not\n */\n get last() {\n return this.index === this.count - 1;\n }\n /**\n * A function that returns whether the element is even or not\n */\n get even() {\n return this.index % 2 === 0;\n }\n /**\n * A function that returns whether the element is odd or not\n */\n get odd() {\n return !this.even;\n }\n}\n/** @hidden @internal */\nclass IgxForOfToken {}\nlet IgxForOfDirective = /*#__PURE__*/(() => {\n class IgxForOfDirective extends IgxForOfToken {\n /**\n * The total count of the virtual data items, when using remote service.\n * Similar to the property totalItemCount, but this will allow setting the data count into the template.\n * ```html\n * \n * ```\n */\n get igxForTotalItemCount() {\n return this.totalItemCount;\n }\n set igxForTotalItemCount(value) {\n this.totalItemCount = value;\n }\n /**\n * The total count of the virtual data items, when using remote service.\n * ```typescript\n * this.parentVirtDir.totalItemCount = data.Count;\n * ```\n */\n get totalItemCount() {\n return this._totalItemCount;\n }\n set totalItemCount(val) {\n if (this._totalItemCount !== val) {\n this._totalItemCount = val;\n // update sizes in case total count changes.\n const newSize = this.initSizesCache(this.igxForOf);\n const sizeDiff = this.scrollComponent.size - newSize;\n this.scrollComponent.size = newSize;\n const lastChunkExceeded = this.state.startIndex + this.state.chunkSize > val;\n if (lastChunkExceeded) {\n this.state.startIndex = val - this.state.chunkSize;\n }\n this._adjustScrollPositionAfterSizeChange(sizeDiff);\n }\n }\n get displayContainer() {\n return this.dc?.instance?._viewContainer?.element?.nativeElement;\n }\n get virtualHelper() {\n return this.scrollComponent.nativeElement;\n }\n /**\n * @hidden\n */\n get isRemote() {\n return this.totalItemCount !== null;\n }\n /**\n *\n * Gets/Sets the scroll position.\n * ```typescript\n * const position = directive.scrollPosition;\n * directive.scrollPosition = value;\n * ```\n */\n get scrollPosition() {\n return this.scrollComponent.scrollAmount;\n }\n set scrollPosition(val) {\n if (val === this.scrollComponent.scrollAmount) {\n return;\n }\n if (this.igxForScrollOrientation === 'horizontal' && this.scrollComponent) {\n this.scrollComponent.nativeElement.scrollLeft = this.isRTL ? -val : val;\n } else if (this.scrollComponent) {\n this.scrollComponent.nativeElement.scrollTop = val;\n }\n }\n /**\n * @hidden\n */\n get isRTL() {\n const dir = window.getComputedStyle(this.dc.instance._viewContainer.element.nativeElement).getPropertyValue('direction');\n return dir === 'rtl';\n }\n get sizesCache() {\n return this._sizesCache;\n }\n set sizesCache(value) {\n this._sizesCache = value;\n }\n get _isScrolledToBottom() {\n if (!this.getScroll()) {\n return true;\n }\n const scrollHeight = this.getScroll().scrollHeight;\n // Use === and not >= because `scrollTop + container size` can't be bigger than `scrollHeight`, unless something isn't updated.\n // Also use Math.round because Chrome has some inconsistencies and `scrollTop + container` can be float when zooming the page.\n return Math.round(this.getScroll().scrollTop + this.igxForContainerSize) === scrollHeight;\n }\n get _isAtBottomIndex() {\n return this.igxForOf && this.state.startIndex + this.state.chunkSize > this.igxForOf.length;\n }\n constructor(_viewContainer, _template, _differs, cdr, _zone, syncScrollService, platformUtil, document) {\n super();\n this._viewContainer = _viewContainer;\n this._template = _template;\n this._differs = _differs;\n this.cdr = cdr;\n this._zone = _zone;\n this.syncScrollService = syncScrollService;\n this.platformUtil = platformUtil;\n this.document = document;\n /**\n * Specifies the scroll orientation.\n * Scroll orientation can be \"vertical\" or \"horizontal\".\n * ```html\n * \n * ```\n */\n this.igxForScrollOrientation = 'vertical';\n /**\n * An event that is emitted after a new chunk has been loaded.\n * ```html\n * \n * ```\n * ```typescript\n * loadChunk(e){\n * alert(\"chunk loaded!\");\n * }\n * ```\n */\n this.chunkLoad = new EventEmitter();\n /**\n * @hidden @internal\n * An event that is emitted when scrollbar visibility has changed.\n */\n this.scrollbarVisibilityChanged = new EventEmitter();\n /**\n * An event that is emitted after the rendered content size of the igxForOf has been changed.\n */\n this.contentSizeChange = new EventEmitter();\n /**\n * An event that is emitted after data has been changed.\n * ```html\n * \n * ```\n * ```typescript\n * dataChanged(e){\n * alert(\"data changed!\");\n * }\n * ```\n */\n this.dataChanged = new EventEmitter();\n this.beforeViewDestroyed = new EventEmitter();\n /**\n * An event that is emitted on chunk loading to emit the current state information - startIndex, endIndex, totalCount.\n * Can be used for implementing remote load on demand for the igxFor data.\n * ```html\n * \n * ```\n * ```typescript\n * chunkPreload(e){\n * alert(\"chunk is loading!\");\n * }\n * ```\n */\n this.chunkPreload = new EventEmitter();\n /**\n * The current state of the directive. It contains `startIndex` and `chunkSize`.\n * state.startIndex - The index of the item at which the current visible chunk begins.\n * state.chunkSize - The number of items the current visible chunk holds.\n * These options can be used when implementing remote virtualization as they provide the necessary state information.\n * ```typescript\n * const gridState = this.parentVirtDir.state;\n * ```\n */\n this.state = {\n startIndex: 0,\n chunkSize: 0\n };\n this._sizesCache = [];\n this._differ = null;\n this.individualSizeCache = [];\n /** Internal track for scroll top that is being virtualized */\n this._virtScrollPosition = 0;\n /** If the next onScroll event is triggered due to internal setting of scrollTop */\n this._bScrollInternal = false;\n // End properties related to virtual height handling\n this._embeddedViews = [];\n this.contentResizeNotify = new Subject();\n /** Size that is being virtualized. */\n this._virtSize = 0;\n /**\n * @hidden\n */\n this.destroy$ = new Subject();\n this._totalItemCount = null;\n /**\n * Ratio for height that's being virtualizaed and the one visible\n * If _virtHeightRatio = 1, the visible height and the virtualized are the same, also _maxSize > _virtHeight.\n */\n this._virtRatio = 1;\n }\n verticalScrollHandler(event) {\n this.onScroll(event);\n }\n isScrollable() {\n return this.scrollComponent.size > parseInt(this.igxForContainerSize, 10);\n }\n /**\n * @hidden\n */\n ngOnInit() {\n const vc = this.igxForScrollContainer ? this.igxForScrollContainer._viewContainer : this._viewContainer;\n this.igxForSizePropName = this.igxForSizePropName || 'width';\n this.dc = this._viewContainer.createComponent(DisplayContainerComponent, {\n index: 0\n });\n this.dc.instance.scrollDirection = this.igxForScrollOrientation;\n if (this.igxForOf && this.igxForOf.length) {\n this.scrollComponent = this.syncScrollService.getScrollMaster(this.igxForScrollOrientation);\n this.state.chunkSize = this._calculateChunkSize();\n this.dc.instance.notVirtual = !(this.igxForContainerSize && this.state.chunkSize < this.igxForOf.length);\n if (this.scrollComponent && !this.scrollComponent.destroyed) {\n this.state.startIndex = Math.min(this.getIndexAt(this.scrollPosition, this.sizesCache), this.igxForOf.length - this.state.chunkSize);\n }\n for (let i = this.state.startIndex; i < this.state.startIndex + this.state.chunkSize && this.igxForOf[i] !== undefined; i++) {\n const input = this.igxForOf[i];\n const embeddedView = this.dc.instance._vcr.createEmbeddedView(this._template, new IgxForOfContext(input, this.igxForOf, this.getContextIndex(input), this.igxForOf.length));\n this._embeddedViews.push(embeddedView);\n }\n }\n this._maxSize = this._calcMaxBrowserSize();\n if (this.igxForScrollOrientation === 'vertical') {\n this.dc.instance._viewContainer.element.nativeElement.style.top = '0px';\n this.scrollComponent = this.syncScrollService.getScrollMaster(this.igxForScrollOrientation);\n if (!this.scrollComponent || this.scrollComponent.destroyed) {\n this.scrollComponent = vc.createComponent(VirtualHelperComponent).instance;\n }\n this.scrollComponent.size = this.igxForOf ? this._calcSize() : 0;\n this.syncScrollService.setScrollMaster(this.igxForScrollOrientation, this.scrollComponent);\n this._zone.runOutsideAngular(() => {\n this.verticalScrollHandler = this.verticalScrollHandler.bind(this);\n this.scrollComponent.nativeElement.addEventListener('scroll', this.verticalScrollHandler);\n this.dc.instance.scrollContainer = this.scrollComponent.nativeElement;\n });\n const destructor = takeUntil(this.destroy$);\n this.contentResizeNotify.pipe(filter(() => this.igxForContainerSize && this.igxForOf && this.igxForOf.length > 0), throttleTime(40, undefined, {\n leading: false,\n trailing: true\n }), destructor).subscribe(() => this._zone.runTask(() => this.updateSizes()));\n }\n if (this.igxForScrollOrientation === 'horizontal') {\n this.func = evt => this.onHScroll(evt);\n this.scrollComponent = this.syncScrollService.getScrollMaster(this.igxForScrollOrientation);\n if (!this.scrollComponent) {\n this.scrollComponent = vc.createComponent(HVirtualHelperComponent).instance;\n this.scrollComponent.size = this.igxForOf ? this._calcSize() : 0;\n this.syncScrollService.setScrollMaster(this.igxForScrollOrientation, this.scrollComponent);\n this._zone.runOutsideAngular(() => {\n this.scrollComponent.nativeElement.addEventListener('scroll', this.func);\n this.dc.instance.scrollContainer = this.scrollComponent.nativeElement;\n });\n } else {\n this._zone.runOutsideAngular(() => {\n this.scrollComponent.nativeElement.addEventListener('scroll', this.func);\n this.dc.instance.scrollContainer = this.scrollComponent.nativeElement;\n });\n }\n this._updateScrollOffset();\n }\n }\n ngAfterViewInit() {\n if (this.igxForScrollOrientation === 'vertical') {\n this._zone.runOutsideAngular(() => {\n this.contentObserver = new (getResizeObserver())(() => this.contentResizeNotify.next());\n this.contentObserver.observe(this.dc.instance._viewContainer.element.nativeElement);\n });\n }\n }\n /**\n * @hidden\n */\n ngOnDestroy() {\n this.removeScrollEventListeners();\n this.destroy$.next(true);\n this.destroy$.complete();\n if (this.contentObserver) {\n this.contentObserver.disconnect();\n }\n }\n /**\n * @hidden @internal\n * Asserts the correct type of the context for the template that `igxForOf` will render.\n *\n * The presence of this method is a signal to the Ivy template type-check compiler that the\n * `IgxForOf` structural directive renders its template with a specific context type.\n */\n static ngTemplateContextGuard(dir, ctx) {\n return true;\n }\n /**\n * @hidden\n */\n ngOnChanges(changes) {\n const forOf = 'igxForOf';\n if (forOf in changes) {\n const value = changes[forOf].currentValue;\n if (!this._differ && value) {\n try {\n this._differ = this._differs.find(value).create(this.igxForTrackBy);\n } catch (e) {\n throw new Error(`Cannot find a differ supporting object \"${value}\" of type \"${getTypeNameForDebugging(value)}\".\n NgFor only supports binding to Iterables such as Arrays.`);\n }\n }\n }\n const defaultItemSize = 'igxForItemSize';\n if (defaultItemSize in changes && !changes[defaultItemSize].firstChange && this.igxForOf) {\n // handle default item size changed.\n this.initSizesCache(this.igxForOf);\n this._applyChanges();\n }\n const containerSize = 'igxForContainerSize';\n if (containerSize in changes && !changes[containerSize].firstChange && this.igxForOf) {\n const prevSize = parseInt(changes[containerSize].previousValue, 10);\n const newSize = parseInt(changes[containerSize].currentValue, 10);\n this._recalcOnContainerChange({\n prevSize,\n newSize\n });\n }\n }\n /**\n * @hidden\n */\n ngDoCheck() {\n if (this._differ) {\n const changes = this._differ.diff(this.igxForOf);\n if (changes) {\n // re-init cache.\n if (!this.igxForOf) {\n this.igxForOf = [];\n }\n this._updateSizeCache();\n this._zone.run(() => {\n this._applyChanges();\n this.cdr.markForCheck();\n this._updateScrollOffset();\n this.dataChanged.emit();\n });\n }\n }\n }\n /**\n * Shifts the scroll thumb position.\n * ```typescript\n * this.parentVirtDir.addScroll(5);\n * ```\n *\n * @param addTop negative value to scroll up and positive to scroll down;\n */\n addScrollTop(add) {\n return this.addScroll(add);\n }\n /**\n * Shifts the scroll thumb position.\n * ```typescript\n * this.parentVirtDir.addScroll(5);\n * ```\n *\n * @param add negative value to scroll previous and positive to scroll next;\n */\n addScroll(add) {\n if (add === 0) {\n return false;\n }\n const originalVirtScrollTop = this._virtScrollPosition;\n const containerSize = parseInt(this.igxForContainerSize, 10);\n const maxVirtScrollTop = this._virtSize - containerSize;\n this._bScrollInternal = true;\n this._virtScrollPosition += add;\n this._virtScrollPosition = this._virtScrollPosition > 0 ? this._virtScrollPosition < maxVirtScrollTop ? this._virtScrollPosition : maxVirtScrollTop : 0;\n this.scrollPosition += add / this._virtRatio;\n if (Math.abs(add / this._virtRatio) < 1) {\n // Actual scroll delta that was added is smaller than 1 and onScroll handler doesn't trigger when scrolling < 1px\n const scrollOffset = this.fixedUpdateAllElements(this._virtScrollPosition);\n // scrollOffset = scrollOffset !== parseInt(this.igxForItemSize, 10) ? scrollOffset : 0;\n this.dc.instance._viewContainer.element.nativeElement.style.top = -scrollOffset + 'px';\n }\n const maxRealScrollTop = this.scrollComponent.nativeElement.scrollHeight - containerSize;\n if (this._virtScrollPosition > 0 && this.scrollPosition === 0 || this._virtScrollPosition < maxVirtScrollTop && this.scrollPosition === maxRealScrollTop) {\n // Actual scroll position is at the top or bottom, but virtual one is not at the top or bottom (there's more to scroll)\n // Recalculate actual scroll position based on the virtual scroll.\n this.scrollPosition = this._virtScrollPosition / this._virtRatio;\n } else if (this._virtScrollPosition === 0 && this.scrollPosition > 0) {\n // Actual scroll position is not at the top, but virtual scroll is. Just update the actual scroll\n this.scrollPosition = 0;\n } else if (this._virtScrollPosition === maxVirtScrollTop && this.scrollPosition < maxRealScrollTop) {\n // Actual scroll position is not at the bottom, but virtual scroll is. Just update the acual scroll\n this.scrollPosition = maxRealScrollTop;\n }\n return this._virtScrollPosition !== originalVirtScrollTop;\n }\n /**\n * Scrolls to the specified index.\n * ```typescript\n * this.parentVirtDir.scrollTo(5);\n * ```\n *\n * @param index\n */\n scrollTo(index) {\n if (index < 0 || index > (this.isRemote ? this.totalItemCount : this.igxForOf.length) - 1) {\n return;\n }\n const containerSize = parseInt(this.igxForContainerSize, 10);\n const isPrevItem = index < this.state.startIndex || this.scrollPosition > this.sizesCache[index];\n let nextScroll = isPrevItem ? this.sizesCache[index] : this.sizesCache[index + 1] - containerSize;\n if (nextScroll < 0) {\n return;\n }\n const maxVirtScrollTop = this._virtSize - containerSize;\n if (nextScroll > maxVirtScrollTop) {\n nextScroll = maxVirtScrollTop;\n }\n this._bScrollInternal = true;\n this._virtScrollPosition = nextScroll;\n this.scrollPosition = this._virtScrollPosition / this._virtRatio;\n this._adjustToIndex = !isPrevItem ? index : null;\n }\n /**\n * Scrolls by one item into the appropriate next direction.\n * For \"horizontal\" orientation that will be the right column and for \"vertical\" that is the lower row.\n * ```typescript\n * this.parentVirtDir.scrollNext();\n * ```\n */\n scrollNext() {\n const scr = Math.abs(Math.ceil(this.scrollPosition));\n const endIndex = this.getIndexAt(scr + parseInt(this.igxForContainerSize, 10), this.sizesCache);\n this.scrollTo(endIndex);\n }\n /**\n * Scrolls by one item into the appropriate previous direction.\n * For \"horizontal\" orientation that will be the left column and for \"vertical\" that is the upper row.\n * ```typescript\n * this.parentVirtDir.scrollPrev();\n * ```\n */\n scrollPrev() {\n this.scrollTo(this.state.startIndex - 1);\n }\n /**\n * Scrolls by one page into the appropriate next direction.\n * For \"horizontal\" orientation that will be one view to the right and for \"vertical\" that is one view to the bottom.\n * ```typescript\n * this.parentVirtDir.scrollNextPage();\n * ```\n */\n scrollNextPage() {\n this.addScroll(parseInt(this.igxForContainerSize, 10));\n }\n /**\n * Scrolls by one page into the appropriate previous direction.\n * For \"horizontal\" orientation that will be one view to the left and for \"vertical\" that is one view to the top.\n * ```typescript\n * this.parentVirtDir.scrollPrevPage();\n * ```\n */\n scrollPrevPage() {\n const containerSize = parseInt(this.igxForContainerSize, 10);\n this.addScroll(-containerSize);\n }\n /**\n * @hidden\n */\n getColumnScrollLeft(colIndex) {\n return this.sizesCache[colIndex];\n }\n /**\n * Returns the total number of items that are fully visible.\n * ```typescript\n * this.parentVirtDir.getItemCountInView();\n * ```\n */\n getItemCountInView() {\n let startIndex = this.getIndexAt(this.scrollPosition, this.sizesCache);\n if (this.scrollPosition - this.sizesCache[startIndex] > 0) {\n // fisrt item is not fully in view\n startIndex++;\n }\n const endIndex = this.getIndexAt(this.scrollPosition + parseInt(this.igxForContainerSize, 10), this.sizesCache);\n return endIndex - startIndex;\n }\n /**\n * Returns a reference to the scrollbar DOM element.\n * This is either a vertical or horizontal scrollbar depending on the specified igxForScrollOrientation.\n * ```typescript\n * dir.getScroll();\n * ```\n */\n getScroll() {\n return this.scrollComponent?.nativeElement;\n }\n /**\n * Returns the size of the element at the specified index.\n * ```typescript\n * this.parentVirtDir.getSizeAt(1);\n * ```\n */\n getSizeAt(index) {\n return this.sizesCache[index + 1] - this.sizesCache[index];\n }\n /**\n * @hidden\n * Function that is called to get the native scrollbar size that the browsers renders.\n */\n getScrollNativeSize() {\n return this.scrollComponent ? this.scrollComponent.scrollNativeSize : 0;\n }\n /**\n * Returns the scroll offset of the element at the specified index.\n * ```typescript\n * this.parentVirtDir.getScrollForIndex(1);\n * ```\n */\n getScrollForIndex(index, bottom) {\n const containerSize = parseInt(this.igxForContainerSize, 10);\n const scroll = bottom ? Math.max(0, this.sizesCache[index + 1] - containerSize) : this.sizesCache[index];\n return scroll;\n }\n /**\n * Returns the index of the element at the specified offset.\n * ```typescript\n * this.parentVirtDir.getIndexAtScroll(100);\n * ```\n */\n getIndexAtScroll(scrollOffset) {\n return this.getIndexAt(scrollOffset, this.sizesCache);\n }\n /**\n * Returns whether the target index is outside the view.\n * ```typescript\n * this.parentVirtDir.isIndexOutsideView(10);\n * ```\n */\n isIndexOutsideView(index) {\n const targetNode = index >= this.state.startIndex && index <= this.state.startIndex + this.state.chunkSize ? this._embeddedViews.map(view => view.rootNodes.find(node => node.nodeType === Node.ELEMENT_NODE) || view.rootNodes[0].nextElementSibling)[index - this.state.startIndex] : null;\n const rowHeight = this.getSizeAt(index);\n const containerSize = parseInt(this.igxForContainerSize, 10);\n const containerOffset = -(this.scrollPosition - this.sizesCache[this.state.startIndex]);\n const endTopOffset = targetNode ? targetNode.offsetTop + rowHeight + containerOffset : containerSize + rowHeight;\n return !targetNode || targetNode.offsetTop < Math.abs(containerOffset) || containerSize && endTopOffset - containerSize > 5;\n }\n /**\n * @hidden\n * Function that recalculates and updates cache sizes.\n */\n recalcUpdateSizes() {\n const dimension = this.igxForScrollOrientation === 'horizontal' ? this.igxForSizePropName : 'height';\n const diffs = [];\n let totalDiff = 0;\n const l = this._embeddedViews.length;\n const rNodes = this._embeddedViews.map(view => view.rootNodes.find(node => node.nodeType === Node.ELEMENT_NODE) || view.rootNodes[0].nextElementSibling);\n for (let i = 0; i < l; i++) {\n const rNode = rNodes[i];\n if (rNode) {\n const height = window.getComputedStyle(rNode).getPropertyValue('height');\n const h = parseFloat(height) || parseInt(this.igxForItemSize, 10);\n const index = this.state.startIndex + i;\n if (!this.isRemote && !this.igxForOf[index]) {\n continue;\n }\n const margin = this.getMargin(rNode, dimension);\n const oldVal = this.individualSizeCache[index];\n const newVal = (dimension === 'height' ? h : rNode.clientWidth) + margin;\n this.individualSizeCache[index] = newVal;\n const currDiff = newVal - oldVal;\n diffs.push(currDiff);\n totalDiff += currDiff;\n this.sizesCache[index + 1] = (this.sizesCache[index] || 0) + newVal;\n }\n }\n // update cache\n if (Math.abs(totalDiff) > 0) {\n for (let j = this.state.startIndex + this.state.chunkSize + 1; j < this.sizesCache.length; j++) {\n this.sizesCache[j] = (this.sizesCache[j] || 0) + totalDiff;\n }\n // update scrBar heights/widths\n const reducer = (acc, val) => acc + val;\n const hSum = this.individualSizeCache.reduce(reducer);\n if (hSum > this._maxSize) {\n this._virtRatio = hSum / this._maxSize;\n }\n this.scrollComponent.size = Math.min(this.scrollComponent.size + totalDiff, this._maxSize);\n this._virtSize = hSum;\n if (!this.scrollComponent.destroyed) {\n this.scrollComponent.cdr.detectChanges();\n }\n const scrToBottom = this._isScrolledToBottom && !this.dc.instance.notVirtual;\n if (scrToBottom && !this._isAtBottomIndex) {\n const containerSize = parseInt(this.igxForContainerSize, 10);\n const maxVirtScrollTop = this._virtSize - containerSize;\n this._bScrollInternal = true;\n this._virtScrollPosition = maxVirtScrollTop;\n this.scrollPosition = maxVirtScrollTop;\n return;\n }\n if (this._adjustToIndex) {\n // in case scrolled to specific index where after scroll heights are changed\n // need to adjust the offsets so that item is last in view.\n const updatesToIndex = this._adjustToIndex - this.state.startIndex + 1;\n const sumDiffs = diffs.slice(0, updatesToIndex).reduce(reducer);\n if (sumDiffs !== 0) {\n this.addScroll(sumDiffs);\n }\n this._adjustToIndex = null;\n }\n }\n }\n /**\n * @hidden\n * Reset scroll position.\n * Needed in case scrollbar is hidden/detached but we still need to reset it.\n */\n resetScrollPosition() {\n this.scrollPosition = 0;\n this.scrollComponent.scrollAmount = 0;\n }\n /**\n * @hidden\n */\n removeScrollEventListeners() {\n if (this.igxForScrollOrientation === 'horizontal') {\n this._zone.runOutsideAngular(() => this.scrollComponent?.nativeElement?.removeEventListener('scroll', this.func));\n } else {\n this._zone.runOutsideAngular(() => this.scrollComponent?.nativeElement?.removeEventListener('scroll', this.verticalScrollHandler));\n }\n }\n /**\n * @hidden\n * Function that is called when scrolling vertically\n */\n onScroll(event) {\n /* in certain situations this may be called when no scrollbar is visible */\n if (!parseInt(this.scrollComponent.nativeElement.style.height, 10)) {\n return;\n }\n if (!this._bScrollInternal) {\n this._calcVirtualScrollPosition(event.target.scrollTop);\n } else {\n this._bScrollInternal = false;\n }\n const prevStartIndex = this.state.startIndex;\n const scrollOffset = this.fixedUpdateAllElements(this._virtScrollPosition);\n this.dc.instance._viewContainer.element.nativeElement.style.top = -scrollOffset + 'px';\n this._zone.onStable.pipe(first$2()).subscribe(this.recalcUpdateSizes.bind(this));\n this.dc.changeDetectorRef.detectChanges();\n if (prevStartIndex !== this.state.startIndex) {\n this.chunkLoad.emit(this.state);\n }\n }\n /**\n * @hidden\n * @internal\n */\n updateScroll() {\n if (this.igxForScrollOrientation === \"horizontal\") {\n const scrollAmount = this.scrollComponent.nativeElement[\"scrollLeft\"];\n this.scrollComponent.scrollAmount = scrollAmount;\n this._updateScrollOffset();\n }\n }\n updateSizes() {\n if (!this.scrollComponent.nativeElement.isConnected) return;\n const scrollable = this.isScrollable();\n this.recalcUpdateSizes();\n this._applyChanges();\n this._updateScrollOffset();\n if (scrollable !== this.isScrollable()) {\n this.scrollbarVisibilityChanged.emit();\n } else {\n this.contentSizeChange.emit();\n }\n }\n /**\n * @hidden\n */\n fixedUpdateAllElements(inScrollTop) {\n const count = this.isRemote ? this.totalItemCount : this.igxForOf.length;\n let newStart = this.getIndexAt(inScrollTop, this.sizesCache);\n if (newStart + this.state.chunkSize > count) {\n newStart = count - this.state.chunkSize;\n }\n const prevStart = this.state.startIndex;\n const diff = newStart - this.state.startIndex;\n this.state.startIndex = newStart;\n if (diff) {\n this.chunkPreload.emit(this.state);\n if (!this.isRemote) {\n // recalculate and apply page size.\n if (diff && Math.abs(diff) <= MAX_PERF_SCROLL_DIFF) {\n if (diff > 0) {\n this.moveApplyScrollNext(prevStart);\n } else {\n this.moveApplyScrollPrev(prevStart);\n }\n } else {\n this.fixedApplyScroll();\n }\n }\n }\n return inScrollTop - this.sizesCache[this.state.startIndex];\n }\n /**\n * @hidden\n * The function applies an optimized state change for scrolling down/right employing context change with view rearrangement\n */\n moveApplyScrollNext(prevIndex) {\n const start = prevIndex + this.state.chunkSize;\n const end = start + this.state.startIndex - prevIndex;\n const container = this.dc.instance._vcr;\n for (let i = start; i < end && this.igxForOf[i] !== undefined; i++) {\n const embView = this._embeddedViews.shift();\n if (!embView.destroyed) {\n this.scrollFocus(embView.rootNodes.find(node => node.nodeType === Node.ELEMENT_NODE) || embView.rootNodes[0].nextElementSibling);\n const view = container.detach(0);\n this.updateTemplateContext(embView.context, i);\n container.insert(view);\n this._embeddedViews.push(embView);\n }\n }\n }\n /**\n * @hidden\n * The function applies an optimized state change for scrolling up/left employing context change with view rearrangement\n */\n moveApplyScrollPrev(prevIndex) {\n const container = this.dc.instance._vcr;\n for (let i = prevIndex - 1; i >= this.state.startIndex && this.igxForOf[i] !== undefined; i--) {\n const embView = this._embeddedViews.pop();\n if (!embView.destroyed) {\n this.scrollFocus(embView.rootNodes.find(node => node.nodeType === Node.ELEMENT_NODE) || embView.rootNodes[0].nextElementSibling);\n const view = container.detach(container.length - 1);\n this.updateTemplateContext(embView.context, i);\n container.insert(view, 0);\n this._embeddedViews.unshift(embView);\n }\n }\n }\n /**\n * @hidden\n */\n getContextIndex(input) {\n return this.isRemote ? this.state.startIndex + this.igxForOf.indexOf(input) : this.igxForOf.indexOf(input);\n }\n /**\n * @hidden\n * Function which updates the passed context of an embedded view with the provided index\n * from the view container.\n * Often, called while handling a scroll event.\n */\n updateTemplateContext(context, index = 0) {\n context.$implicit = this.igxForOf[index];\n context.index = this.getContextIndex(this.igxForOf[index]);\n context.count = this.igxForOf.length;\n }\n /**\n * @hidden\n * The function applies an optimized state change through context change for each view\n */\n fixedApplyScroll() {\n let j = 0;\n const endIndex = this.state.startIndex + this.state.chunkSize;\n for (let i = this.state.startIndex; i < endIndex && this.igxForOf[i] !== undefined; i++) {\n const embView = this._embeddedViews[j++];\n this.updateTemplateContext(embView.context, i);\n }\n }\n /**\n * @hidden\n * @internal\n *\n * Clears focus inside the virtualized container on small scroll swaps.\n */\n scrollFocus(node) {\n if (!node) {\n return;\n }\n const document = node.getRootNode();\n const activeElement = document.activeElement;\n // Remove focus in case the the active element is inside the view container.\n // Otherwise we hit an exception while doing the 'small' scrolls swapping.\n // For more information:\n //\n // https://developer.mozilla.org/en-US/docs/Web/API/Node/removeChild\n // https://bugs.chromium.org/p/chromium/issues/detail?id=432392\n if (node && node.contains(activeElement)) {\n activeElement.blur();\n }\n }\n /**\n * @hidden\n * Function that is called when scrolling horizontally\n */\n onHScroll(event) {\n /* in certain situations this may be called when no scrollbar is visible */\n const firstScrollChild = this.scrollComponent.nativeElement.children.item(0);\n if (!parseInt(firstScrollChild.style.width, 10)) {\n return;\n }\n if (!this._bScrollInternal) {\n this._calcVirtualScrollPosition(event.target.scrollLeft);\n } else {\n this._bScrollInternal = false;\n }\n const prevStartIndex = this.state.startIndex;\n const scrLeft = event.target.scrollLeft;\n // Updating horizontal chunks\n const scrollOffset = this.fixedUpdateAllElements(Math.abs(this._virtScrollPosition));\n if (scrLeft < 0) {\n // RTL\n this.dc.instance._viewContainer.element.nativeElement.style.left = scrollOffset + 'px';\n } else {\n this.dc.instance._viewContainer.element.nativeElement.style.left = -scrollOffset + 'px';\n }\n this._zone.onStable.pipe(first$2()).subscribe(this.recalcUpdateSizes.bind(this));\n this.dc.changeDetectorRef.detectChanges();\n if (prevStartIndex !== this.state.startIndex) {\n this.chunkLoad.emit(this.state);\n }\n }\n /**\n * Gets the function used to track changes in the items collection.\n * By default the object references are compared. However this can be optimized if you have unique identifier\n * value that can be used for the comparison instead of the object ref or if you have some other property values\n * in the item object that should be tracked for changes.\n * This option is similar to ngForTrackBy.\n * ```typescript\n * const trackFunc = this.parentVirtDir.igxForTrackBy;\n * ```\n */\n get igxForTrackBy() {\n return this._trackByFn;\n }\n /**\n * Sets the function used to track changes in the items collection.\n * This function can be set in scenarios where you want to optimize or\n * customize the tracking of changes for the items in the collection.\n * The igxForTrackBy function takes the index and the current item as arguments and needs to return the unique identifier for this item.\n * ```typescript\n * this.parentVirtDir.igxForTrackBy = (index, item) => {\n * return item.id + item.width;\n * };\n * ```\n */\n set igxForTrackBy(fn) {\n this._trackByFn = fn;\n }\n /**\n * @hidden\n */\n _applyChanges() {\n const prevChunkSize = this.state.chunkSize;\n this.applyChunkSizeChange();\n this._recalcScrollBarSize();\n if (this.igxForOf && this.igxForOf.length && this.dc) {\n const embeddedViewCopy = Object.assign([], this._embeddedViews);\n let startIndex = this.state.startIndex;\n let endIndex = this.state.chunkSize + this.state.startIndex;\n if (this.isRemote) {\n startIndex = 0;\n endIndex = this.igxForOf.length;\n }\n for (let i = startIndex; i < endIndex && this.igxForOf[i] !== undefined; i++) {\n const embView = embeddedViewCopy.shift();\n this.updateTemplateContext(embView.context, i);\n }\n if (prevChunkSize !== this.state.chunkSize) {\n this.chunkLoad.emit(this.state);\n }\n }\n }\n /**\n * @hidden\n */\n _calcMaxBrowserSize() {\n if (!this.platformUtil.isBrowser) {\n return 0;\n }\n const div = this.document.createElement('div');\n const style = div.style;\n style.position = 'absolute';\n const dir = this.igxForScrollOrientation === 'horizontal' ? 'left' : 'top';\n style[dir] = '9999999999999999px';\n this.document.body.appendChild(div);\n const size = Math.abs(div.getBoundingClientRect()[dir]);\n this.document.body.removeChild(div);\n return size;\n }\n /**\n * @hidden\n * Recalculates the chunkSize based on current startIndex and returns the new size.\n * This should be called after this.state.startIndex is updated, not before.\n */\n _calculateChunkSize() {\n let chunkSize = 0;\n if (this.igxForContainerSize !== null && this.igxForContainerSize !== undefined) {\n if (!this.sizesCache || this.sizesCache.length === 0) {\n this.initSizesCache(this.igxForOf);\n }\n chunkSize = this._calcMaxChunkSize();\n if (this.igxForOf && chunkSize > this.igxForOf.length) {\n chunkSize = this.igxForOf.length;\n }\n } else {\n if (this.igxForOf) {\n chunkSize = this.igxForOf.length;\n }\n }\n return chunkSize;\n }\n /**\n * @hidden\n */\n getElement(viewref, nodeName) {\n const elem = viewref.element.nativeElement.parentNode.getElementsByTagName(nodeName);\n return elem.length > 0 ? elem[0] : null;\n }\n /**\n * @hidden\n */\n initSizesCache(items) {\n let totalSize = 0;\n let size = 0;\n const dimension = this.igxForSizePropName || 'height';\n let i = 0;\n this.sizesCache = [];\n this.individualSizeCache = [];\n this.sizesCache.push(0);\n const count = this.isRemote ? this.totalItemCount : items.length;\n for (i; i < count; i++) {\n size = this._getItemSize(items[i], dimension);\n this.individualSizeCache.push(size);\n totalSize += size;\n this.sizesCache.push(totalSize);\n }\n return totalSize;\n }\n _updateSizeCache() {\n if (this.igxForScrollOrientation === 'horizontal') {\n this.initSizesCache(this.igxForOf);\n return;\n }\n const oldHeight = this.individualSizeCache.length > 0 ? this.individualSizeCache.reduce((acc, val) => acc + val) : 0;\n const newHeight = this.initSizesCache(this.igxForOf);\n const diff = oldHeight - newHeight;\n this._adjustScrollPositionAfterSizeChange(diff);\n }\n /**\n * @hidden\n */\n _calcMaxChunkSize() {\n let i = 0;\n let length = 0;\n let maxLength = 0;\n const arr = [];\n let sum = 0;\n const availableSize = parseInt(this.igxForContainerSize, 10);\n if (!availableSize) {\n return 0;\n }\n const dimension = this.igxForScrollOrientation === 'horizontal' ? this.igxForSizePropName : 'height';\n const reducer = (accumulator, currentItem) => accumulator + this._getItemSize(currentItem, dimension);\n for (i; i < this.igxForOf.length; i++) {\n let item = this.igxForOf[i];\n if (dimension === 'height') {\n item = {\n value: this.igxForOf[i],\n height: this.individualSizeCache[i]\n };\n }\n const size = dimension === 'height' ? this.individualSizeCache[i] : this._getItemSize(item, dimension);\n sum = arr.reduce(reducer, size);\n if (sum < availableSize) {\n arr.push(item);\n length = arr.length;\n if (i === this.igxForOf.length - 1) {\n // reached end without exceeding\n // include prev items until size is filled or first item is reached.\n let curItem = dimension === 'height' ? arr[0].value : arr[0];\n let prevIndex = this.igxForOf.indexOf(curItem) - 1;\n while (prevIndex >= 0 && sum <= availableSize) {\n curItem = dimension === 'height' ? arr[0].value : arr[0];\n prevIndex = this.igxForOf.indexOf(curItem) - 1;\n const prevItem = this.igxForOf[prevIndex];\n const prevSize = dimension === 'height' ? this.individualSizeCache[prevIndex] : parseInt(prevItem[dimension], 10);\n sum = arr.reduce(reducer, prevSize);\n arr.unshift(prevItem);\n length = arr.length;\n }\n }\n } else {\n arr.push(item);\n length = arr.length + 1;\n arr.shift();\n }\n if (length > maxLength) {\n maxLength = length;\n }\n }\n return maxLength;\n }\n /**\n * @hidden\n */\n getIndexAt(left, set) {\n let start = 0;\n let end = set.length - 1;\n if (left === 0) {\n return 0;\n }\n while (start <= end) {\n const midIdx = Math.floor((start + end) / 2);\n const midLeft = set[midIdx];\n const cmp = left - midLeft;\n if (cmp > 0) {\n start = midIdx + 1;\n } else if (cmp < 0) {\n end = midIdx - 1;\n } else {\n return midIdx;\n }\n }\n return end;\n }\n _recalcScrollBarSize(containerSizeInfo = null) {\n const count = this.isRemote ? this.totalItemCount : this.igxForOf ? this.igxForOf.length : 0;\n this.dc.instance.notVirtual = !(this.igxForContainerSize && this.dc && this.state.chunkSize < count);\n const scrollable = containerSizeInfo ? this.scrollComponent.size > containerSizeInfo.prevSize : this.isScrollable();\n if (this.igxForScrollOrientation === 'horizontal') {\n const totalWidth = parseInt(this.igxForContainerSize, 10) > 0 ? this._calcSize() : 0;\n if (totalWidth <= parseInt(this.igxForContainerSize, 10)) {\n this.resetScrollPosition();\n }\n this.scrollComponent.nativeElement.style.width = this.igxForContainerSize + 'px';\n this.scrollComponent.size = totalWidth;\n }\n if (this.igxForScrollOrientation === 'vertical') {\n const totalHeight = this._calcSize();\n if (totalHeight <= parseInt(this.igxForContainerSize, 10)) {\n this.resetScrollPosition();\n }\n this.scrollComponent.nativeElement.style.height = parseInt(this.igxForContainerSize, 10) + 'px';\n this.scrollComponent.size = totalHeight;\n }\n if (scrollable !== this.isScrollable()) {\n // scrollbar visibility has changed\n this.scrollbarVisibilityChanged.emit();\n }\n }\n _calcSize() {\n let size;\n if (this.individualSizeCache && this.individualSizeCache.length > 0) {\n size = this.individualSizeCache.reduce((acc, val) => acc + val, 0);\n } else {\n size = this.initSizesCache(this.igxForOf);\n }\n this._virtSize = size;\n if (size > this._maxSize) {\n this._virtRatio = size / this._maxSize;\n size = this._maxSize;\n }\n return size;\n }\n _recalcOnContainerChange(containerSizeInfo = null) {\n const prevChunkSize = this.state.chunkSize;\n this.applyChunkSizeChange();\n this._recalcScrollBarSize(containerSizeInfo);\n if (prevChunkSize !== this.state.chunkSize) {\n this.chunkLoad.emit(this.state);\n }\n }\n /**\n * @hidden\n * Removes an element from the embedded views and updates chunkSize.\n */\n removeLastElem() {\n const oldElem = this._embeddedViews.pop();\n this.beforeViewDestroyed.emit(oldElem);\n // also detach from ViewContainerRef to make absolutely sure this is removed from the view container.\n this.dc.instance._vcr.detach(this.dc.instance._vcr.length - 1);\n oldElem.destroy();\n this.state.chunkSize--;\n }\n /**\n * @hidden\n * If there exists an element that we can create embedded view for creates it, appends it and updates chunkSize\n */\n addLastElem() {\n let elemIndex = this.state.startIndex + this.state.chunkSize;\n if (!this.isRemote && !this.igxForOf) {\n return;\n }\n if (elemIndex >= this.igxForOf.length) {\n elemIndex = this.igxForOf.length - this.state.chunkSize;\n }\n const input = this.igxForOf[elemIndex];\n const embeddedView = this.dc.instance._vcr.createEmbeddedView(this._template, new IgxForOfContext(input, this.igxForOf, this.getContextIndex(input), this.igxForOf.length));\n this._embeddedViews.push(embeddedView);\n this.state.chunkSize++;\n this._zone.run(() => this.cdr.markForCheck());\n }\n /**\n * Recalculates chunkSize and adds/removes elements if need due to the change.\n * this.state.chunkSize is updated in @addLastElem() or @removeLastElem()\n */\n applyChunkSizeChange() {\n const chunkSize = this.isRemote ? this.igxForOf ? this.igxForOf.length : 0 : this._calculateChunkSize();\n if (chunkSize > this.state.chunkSize) {\n const diff = chunkSize - this.state.chunkSize;\n for (let i = 0; i < diff; i++) {\n this.addLastElem();\n }\n } else if (chunkSize < this.state.chunkSize) {\n const diff = this.state.chunkSize - chunkSize;\n for (let i = 0; i < diff; i++) {\n this.removeLastElem();\n }\n }\n }\n _calcVirtualScrollPosition(scrollPosition) {\n const containerSize = parseInt(this.igxForContainerSize, 10);\n const maxRealScrollPosition = this.scrollComponent.size - containerSize;\n const realPercentScrolled = maxRealScrollPosition !== 0 ? scrollPosition / maxRealScrollPosition : 0;\n const maxVirtScroll = this._virtSize - containerSize;\n this._virtScrollPosition = realPercentScrolled * maxVirtScroll;\n }\n _getItemSize(item, dimension) {\n const dim = item ? item[dimension] : null;\n return typeof dim === 'number' ? dim : parseInt(this.igxForItemSize, 10) || 0;\n }\n _updateScrollOffset() {\n let scrollOffset = 0;\n let currentScroll = this.scrollPosition;\n if (this._virtRatio !== 1) {\n this._calcVirtualScrollPosition(this.scrollPosition);\n currentScroll = this._virtScrollPosition;\n }\n const scroll = this.scrollComponent.nativeElement;\n scrollOffset = scroll && this.scrollComponent.size ? currentScroll - this.sizesCache[this.state.startIndex] : 0;\n const dir = this.igxForScrollOrientation === 'horizontal' ? 'left' : 'top';\n this.dc.instance._viewContainer.element.nativeElement.style[dir] = -scrollOffset + 'px';\n }\n _adjustScrollPositionAfterSizeChange(sizeDiff) {\n // if data has been changed while container is scrolled\n // should update scroll top/left according to change so that same startIndex is in view\n if (Math.abs(sizeDiff) > 0 && this.scrollPosition > 0) {\n this.recalcUpdateSizes();\n const offset = this.igxForScrollOrientation === 'horizontal' ? parseInt(this.dc.instance._viewContainer.element.nativeElement.style.left, 10) : parseInt(this.dc.instance._viewContainer.element.nativeElement.style.top, 10);\n const newSize = this.sizesCache[this.state.startIndex] - offset;\n this.scrollPosition = newSize;\n if (this.scrollPosition !== newSize) {\n this.scrollComponent.scrollAmount = newSize;\n }\n }\n }\n getMargin(node, dimension) {\n const styles = window.getComputedStyle(node);\n if (dimension === 'height') {\n return parseFloat(styles['marginTop']) + parseFloat(styles['marginBottom']) || 0;\n }\n return parseFloat(styles['marginLeft']) + parseFloat(styles['marginRight']) || 0;\n }\n static {\n this.ɵfac = function IgxForOfDirective_Factory(t) {\n return new (t || IgxForOfDirective)(i0.ɵɵdirectiveInject(i0.ViewContainerRef), i0.ɵɵdirectiveInject(i0.TemplateRef), i0.ɵɵdirectiveInject(i0.IterableDiffers), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.NgZone), i0.ɵɵdirectiveInject(IgxForOfScrollSyncService), i0.ɵɵdirectiveInject(PlatformUtil), i0.ɵɵdirectiveInject(DOCUMENT));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxForOfDirective,\n selectors: [[\"\", \"igxFor\", \"\", \"igxForOf\", \"\"]],\n inputs: {\n igxForOf: \"igxForOf\",\n igxForSizePropName: \"igxForSizePropName\",\n igxForScrollOrientation: \"igxForScrollOrientation\",\n igxForScrollContainer: \"igxForScrollContainer\",\n igxForContainerSize: \"igxForContainerSize\",\n igxForItemSize: \"igxForItemSize\",\n igxForTotalItemCount: \"igxForTotalItemCount\",\n igxForTrackBy: \"igxForTrackBy\"\n },\n outputs: {\n chunkLoad: \"chunkLoad\",\n scrollbarVisibilityChanged: \"scrollbarVisibilityChanged\",\n contentSizeChange: \"contentSizeChange\",\n dataChanged: \"dataChanged\",\n beforeViewDestroyed: \"beforeViewDestroyed\",\n chunkPreload: \"chunkPreload\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([IgxForOfScrollSyncService, {\n provide: IgxForOfToken,\n useExisting: IgxForOfDirective\n }]), i0.ɵɵInheritDefinitionFeature, i0.ɵɵNgOnChangesFeature]\n });\n }\n }\n return IgxForOfDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst getTypeNameForDebugging = type => type.name || typeof type;\nclass IgxGridForOfContext extends IgxForOfContext {\n constructor($implicit, igxGridForOf, index, count) {\n super($implicit, igxGridForOf, index, count);\n this.igxGridForOf = igxGridForOf;\n }\n}\nlet IgxGridForOfDirective = /*#__PURE__*/(() => {\n class IgxGridForOfDirective extends IgxForOfDirective {\n set igxGridForOf(value) {\n this.igxForOf = value;\n }\n get igxGridForOf() {\n return this.igxForOf;\n }\n /**\n * @hidden\n * @internal\n */\n get sizesCache() {\n if (this.igxForScrollOrientation === 'horizontal') {\n if (this.igxGridForOfUniqueSizeCache || this.syncService.isMaster(this)) {\n return this._sizesCache;\n }\n return this.syncService.sizesCache(this.igxForScrollOrientation);\n } else {\n return this._sizesCache;\n }\n }\n /**\n * @hidden\n * @internal\n */\n set sizesCache(value) {\n this._sizesCache = value;\n }\n get itemsDimension() {\n return this.igxForSizePropName || 'height';\n }\n recalcUpdateSizes() {\n if (this.igxGridForOfVariableSizes && this.igxForScrollOrientation === 'vertical') {\n super.recalcUpdateSizes();\n }\n }\n constructor(_viewContainer, _template, _differs, cdr, _zone, _platformUtil, _document, syncScrollService, syncService) {\n super(_viewContainer, _template, _differs, cdr, _zone, syncScrollService, _platformUtil, _document);\n this.syncService = syncService;\n this.igxGridForOfUniqueSizeCache = false;\n this.igxGridForOfVariableSizes = true;\n /**\n * @hidden @internal\n * An event that is emitted after data has been changed but before the view is refreshed\n */\n this.dataChanging = new EventEmitter();\n }\n /**\n * @hidden @internal\n * Asserts the correct type of the context for the template that `IgxGridForOfDirective` will render.\n *\n * The presence of this method is a signal to the Ivy template type-check compiler that the\n * `IgxGridForOfDirective` structural directive renders its template with a specific context type.\n */\n static ngTemplateContextGuard(dir, ctx) {\n return true;\n }\n ngOnInit() {\n this.syncService.setMaster(this);\n super.ngOnInit();\n this.removeScrollEventListeners();\n }\n ngOnChanges(changes) {\n const forOf = 'igxGridForOf';\n this.syncService.setMaster(this);\n if (forOf in changes) {\n const value = changes[forOf].currentValue;\n if (!this._differ && value) {\n try {\n this._differ = this._differs.find(value).create(this.igxForTrackBy);\n } catch (e) {\n throw new Error(`Cannot find a differ supporting object \"${value}\" of type \"${getTypeNameForDebugging(value)}\".\n NgFor only supports binding to Iterables such as Arrays.`);\n }\n }\n if (this.igxForScrollOrientation === 'horizontal') {\n // in case collection has changes, reset sync service\n this.syncService.setMaster(this, this.igxGridForOfUniqueSizeCache);\n }\n }\n const defaultItemSize = 'igxForItemSize';\n if (defaultItemSize in changes && !changes[defaultItemSize].firstChange && this.igxForScrollOrientation === 'vertical' && this.igxForOf) {\n // handle default item size changed.\n this.initSizesCache(this.igxForOf);\n }\n const containerSize = 'igxForContainerSize';\n if (containerSize in changes && !changes[containerSize].firstChange && this.igxForOf) {\n const prevSize = parseInt(changes[containerSize].previousValue, 10);\n const newSize = parseInt(changes[containerSize].currentValue, 10);\n this._recalcOnContainerChange({\n prevSize,\n newSize\n });\n }\n }\n /**\n * @hidden\n * @internal\n */\n assumeMaster() {\n this._sizesCache = this.syncService.sizesCache(this.igxForScrollOrientation);\n this.syncService.setMaster(this, true);\n }\n ngDoCheck() {\n if (this._differ) {\n const changes = this._differ.diff(this.igxForOf);\n if (changes) {\n const args = {\n containerSize: this.igxForContainerSize\n };\n this.dataChanging.emit(args);\n // re-init cache.\n if (!this.igxForOf) {\n this.igxForOf = [];\n }\n /* we need to reset the master dir if all rows are removed\n (e.g. because of filtering); if all columns are hidden, rows are\n still rendered empty, so we should not reset master */\n if (!this.igxForOf.length && this.igxForScrollOrientation === 'vertical') {\n this.syncService.resetMaster();\n }\n this.syncService.setMaster(this);\n this.igxForContainerSize = args.containerSize;\n const sizeDiff = this._updateSizeCache(changes);\n this._applyChanges();\n if (sizeDiff) {\n this._adjustScrollPositionAfterSizeChange(sizeDiff);\n }\n this._updateScrollOffset();\n this.dataChanged.emit();\n }\n }\n }\n onScroll(event) {\n if (!parseInt(this.scrollComponent.nativeElement.style.height, 10)) {\n return;\n }\n if (!this._bScrollInternal) {\n this._calcVirtualScrollPosition(event.target.scrollTop);\n } else {\n this._bScrollInternal = false;\n }\n const scrollOffset = this.fixedUpdateAllElements(this._virtScrollPosition);\n this.dc.instance._viewContainer.element.nativeElement.style.top = -scrollOffset + 'px';\n this._zone.onStable.pipe(first$2()).subscribe(this.recalcUpdateSizes.bind(this));\n this.cdr.markForCheck();\n }\n onHScroll(scrollAmount) {\n /* in certain situations this may be called when no scrollbar is visible */\n const firstScrollChild = this.scrollComponent.nativeElement.children.item(0);\n if (!this.scrollComponent || !parseInt(firstScrollChild.style.width, 10)) {\n return;\n }\n // Updating horizontal chunks\n const scrollOffset = this.fixedUpdateAllElements(Math.abs(scrollAmount));\n if (scrollAmount < 0) {\n // RTL\n this.dc.instance._viewContainer.element.nativeElement.style.left = scrollOffset + 'px';\n } else {\n // LTR\n this.dc.instance._viewContainer.element.nativeElement.style.left = -scrollOffset + 'px';\n }\n }\n getItemSize(item) {\n let size = 0;\n const dimension = this.igxForSizePropName || 'height';\n if (this.igxForScrollOrientation === 'vertical') {\n size = this._getItemSize(item, dimension);\n if (item && item.summaries) {\n size = item.max;\n } else if (item && item.groups && item.height) {\n size = item.height;\n }\n } else {\n size = parseInt(item[dimension], 10) || 0;\n }\n return size;\n }\n initSizesCache(items) {\n if (!this.syncService.isMaster(this) && this.igxForScrollOrientation === 'horizontal') {\n const masterSizesCache = this.syncService.sizesCache(this.igxForScrollOrientation);\n return masterSizesCache[masterSizesCache.length - 1];\n }\n let totalSize = 0;\n let size = 0;\n let i = 0;\n this.sizesCache = [];\n this.individualSizeCache = [];\n this.sizesCache.push(0);\n const count = this.isRemote ? this.totalItemCount : items.length;\n for (i; i < count; i++) {\n size = this.getItemSize(items[i]);\n this.individualSizeCache.push(size);\n totalSize += size;\n this.sizesCache.push(totalSize);\n }\n return totalSize;\n }\n _updateSizeCache(changes = null) {\n const oldSize = this.individualSizeCache.length > 0 ? this.individualSizeCache.reduce((acc, val) => acc + val) : 0;\n let newSize = oldSize;\n if (changes && !this.isRemote) {\n newSize = this.handleCacheChanges(changes);\n } else {\n return;\n }\n const diff = oldSize - newSize;\n return diff;\n }\n handleCacheChanges(changes) {\n const identityChanges = [];\n const newHeightCache = [];\n const newSizesCache = [];\n newSizesCache.push(0);\n let newHeight = 0;\n // When there are more than one removed items the changes are not reliable so those with identity change should be default size.\n let numRemovedItems = 0;\n changes.forEachRemovedItem(() => numRemovedItems++);\n // Get the identity changes to determine later if those that have changed their indexes should be assigned default item size.\n changes.forEachIdentityChange(item => {\n if (item.currentIndex !== item.previousIndex) {\n // Filter out ones that have not changed their index.\n identityChanges[item.currentIndex] = item;\n }\n });\n // Processing each item that is passed to the igxForOf so far seem to be most reliable. We parse the updated list of items.\n changes.forEachItem(item => {\n if (item.previousIndex !== null && (numRemovedItems < 2 || !identityChanges.length || identityChanges[item.currentIndex]) && this.igxForScrollOrientation !== \"horizontal\") {\n // Reuse cache on those who have previousIndex.\n // When there are more than one removed items currently the changes are not readable so ones with identity change\n // should be racalculated.\n newHeightCache[item.currentIndex] = this.individualSizeCache[item.previousIndex];\n } else {\n // Assign default item size.\n newHeightCache[item.currentIndex] = this.getItemSize(item.item);\n }\n newSizesCache[item.currentIndex + 1] = newSizesCache[item.currentIndex] + newHeightCache[item.currentIndex];\n newHeight += newHeightCache[item.currentIndex];\n });\n this.individualSizeCache = newHeightCache;\n this.sizesCache = newSizesCache;\n return newHeight;\n }\n addLastElem() {\n let elemIndex = this.state.startIndex + this.state.chunkSize;\n if (!this.isRemote && !this.igxForOf) {\n return;\n }\n if (elemIndex >= this.igxForOf.length) {\n elemIndex = this.igxForOf.length - this.state.chunkSize;\n }\n const input = this.igxForOf[elemIndex];\n const embeddedView = this.dc.instance._vcr.createEmbeddedView(this._template, new IgxGridForOfContext(input, this.igxForOf, this.getContextIndex(input), this.igxForOf.length));\n this._embeddedViews.push(embeddedView);\n this.state.chunkSize++;\n }\n _updateViews(prevChunkSize) {\n if (this.igxForOf && this.igxForOf.length && this.dc) {\n const embeddedViewCopy = Object.assign([], this._embeddedViews);\n let startIndex;\n let endIndex;\n if (this.isRemote) {\n startIndex = 0;\n endIndex = this.igxForOf.length;\n } else {\n startIndex = this.getIndexAt(this.scrollPosition, this.sizesCache);\n if (startIndex + this.state.chunkSize > this.igxForOf.length) {\n startIndex = this.igxForOf.length - this.state.chunkSize;\n }\n this.state.startIndex = startIndex;\n endIndex = this.state.chunkSize + this.state.startIndex;\n }\n for (let i = startIndex; i < endIndex && this.igxForOf[i] !== undefined; i++) {\n const embView = embeddedViewCopy.shift();\n this.updateTemplateContext(embView.context, i);\n }\n if (prevChunkSize !== this.state.chunkSize) {\n this.chunkLoad.emit(this.state);\n }\n }\n }\n _applyChanges() {\n const prevChunkSize = this.state.chunkSize;\n this.applyChunkSizeChange();\n this._recalcScrollBarSize();\n this._updateViews(prevChunkSize);\n }\n /**\n * @hidden\n */\n _calcMaxChunkSize() {\n if (this.igxForScrollOrientation === 'horizontal') {\n if (this.syncService.isMaster(this)) {\n return super._calcMaxChunkSize();\n }\n return this.syncService.chunkSize(this.igxForScrollOrientation);\n } else {\n return super._calcMaxChunkSize();\n }\n }\n static {\n this.ɵfac = function IgxGridForOfDirective_Factory(t) {\n return new (t || IgxGridForOfDirective)(i0.ɵɵdirectiveInject(i0.ViewContainerRef), i0.ɵɵdirectiveInject(i0.TemplateRef), i0.ɵɵdirectiveInject(i0.IterableDiffers), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.NgZone), i0.ɵɵdirectiveInject(PlatformUtil), i0.ɵɵdirectiveInject(DOCUMENT), i0.ɵɵdirectiveInject(IgxForOfScrollSyncService), i0.ɵɵdirectiveInject(IgxForOfSyncService));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxGridForOfDirective,\n selectors: [[\"\", \"igxGridFor\", \"\", \"igxGridForOf\", \"\"]],\n inputs: {\n igxGridForOf: \"igxGridForOf\",\n igxGridForOfUniqueSizeCache: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"igxGridForOfUniqueSizeCache\", \"igxGridForOfUniqueSizeCache\", booleanAttribute],\n igxGridForOfVariableSizes: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"igxGridForOfVariableSizes\", \"igxGridForOfVariableSizes\", booleanAttribute]\n },\n outputs: {\n dataChanging: \"dataChanging\"\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵNgOnChangesFeature]\n });\n }\n }\n return IgxGridForOfDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * The IgxIconButtonDirective provides a way to use an icon as a fully functional button.\n *\n * @example\n * ```html\n * \n * ```\n */\nlet IgxIconButtonDirective = /*#__PURE__*/(() => {\n class IgxIconButtonDirective extends IgxButtonBaseDirective {\n constructor() {\n super(...arguments);\n /**\n * @hidden\n * @internal\n */\n this._cssClass = 'igx-icon-button';\n }\n /**\n * Sets the type of the icon button.\n *\n * @example\n * ```html\n * \n * ```\n */\n set type(type) {\n const t = type ? type : IgxBaseButtonType.Contained;\n if (this._type !== t) {\n this._type = t;\n }\n }\n /**\n * @hidden\n * @internal\n */\n get flat() {\n return this._type === IgxBaseButtonType.Flat;\n }\n /**\n * @hidden\n * @internal\n */\n get contained() {\n return this._type === IgxBaseButtonType.Contained;\n }\n /**\n * @hidden\n * @internal\n */\n get outlined() {\n return this._type === IgxBaseButtonType.Outlined;\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxIconButtonDirective_BaseFactory;\n return function IgxIconButtonDirective_Factory(t) {\n return (ɵIgxIconButtonDirective_BaseFactory || (ɵIgxIconButtonDirective_BaseFactory = i0.ɵɵgetInheritedFactory(IgxIconButtonDirective)))(t || IgxIconButtonDirective);\n };\n })();\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxIconButtonDirective,\n selectors: [[\"\", \"igxIconButton\", \"\"]],\n hostVars: 8,\n hostBindings: function IgxIconButtonDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-icon-button\", ctx._cssClass)(\"igx-icon-button--flat\", ctx.flat)(\"igx-icon-button--contained\", ctx.contained)(\"igx-icon-button--outlined\", ctx.outlined);\n }\n },\n inputs: {\n type: [i0.ɵɵInputFlags.None, \"igxIconButton\", \"type\"]\n },\n standalone: true,\n features: [i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxIconButtonDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxLayoutDirective = /*#__PURE__*/(() => {\n class IgxLayoutDirective {\n constructor() {\n /**\n * Sets the default flow direction of the container's children.\n *\n * Defaults to `rows`.\n *\n * ```html\n *
\n *
1
\n *
2
\n *
3
\n *
\n * ```\n */\n this.dir = 'row';\n /**\n * Defines the direction flex children are placed in the flex container.\n *\n * When set to `true`, the `rows` direction goes right to left and `columns` goes bottom to top.\n *\n * ```html\n *
\n *
1
\n *
2
\n *
3
\n *
\n * ```\n */\n this.reverse = false;\n /**\n * By default the immediate children will all try to fit onto one line.\n *\n * The default value `nowrap` sets this behavior.\n *\n * Other accepted values are `wrap` and `wrap-reverse`.\n *\n * ```html\n *
\n *
1
\n *
2
\n *
3
\n *
\n * ```\n */\n this.wrap = 'nowrap';\n /**\n * Defines the alignment along the main axis.\n *\n * Defaults to `flex-start` which packs the children toward the start line.\n *\n * Other possible values are `flex-end`, `center`, `space-between`, `space-around`.\n *\n * ```html\n *
\n *
1
\n *
2
\n *
3
\n *
\n * ```\n */\n this.justify = 'flex-start';\n /**\n * Defines the default behavior for how children are laid out along the corss axis of the current line.\n *\n * Defaults to `flex-start`.\n *\n * Other possible values are `flex-end`, `center`, `baseline`, and `stretch`.\n *\n * ```html\n *
\n * ```\n */\n this.grow = 1;\n /**\n * Applies the `shrink` attribute to an element that uses the directive.\n *\n * Default value is `1`.\n *\n * ```html\n *
\n *
Content1
\n *
Content2
\n *
Content3
\n *
\n * ```\n */\n this.shrink = 1;\n /**\n * Applies the directive to an element.\n *\n * Possible values include `igxFlexGrow`, `igxFlexShrink`, `igxFlexOrder`, `igxFlexBasis`.\n *\n * ```html\n *
Content
\n * ```\n */\n this.flex = '';\n /**\n * Applies the `order` attribute to an element that uses the directive.\n *\n * Default value is `0`.\n *\n * ```html\n *
\n *
Content1
\n *
Content2
\n *
Content3
\n *
\n * ```\n */\n this.order = 0;\n /**\n * Applies the `flex-basis` attribute to an element that uses the directive.\n *\n * Default value is `auto`.\n *\n * Other possible values include `content`, `max-content`, `min-content`, `fit-content`.\n *\n * ```html\n *
Content
\n * ```\n */\n this.basis = 'auto';\n }\n /**\n * @hidden\n */\n get style() {\n if (this.flex) {\n return `${this.flex}`;\n }\n return `${this.grow} ${this.shrink} ${this.basis}`;\n }\n /**\n * @hidden\n */\n get itemorder() {\n return this.order || 0;\n }\n static {\n this.ɵfac = function IgxFlexDirective_Factory(t) {\n return new (t || IgxFlexDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxFlexDirective,\n selectors: [[\"\", \"igxFlex\", \"\"]],\n hostVars: 4,\n hostBindings: function IgxFlexDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵstyleProp(\"flex\", ctx.style)(\"order\", ctx.itemorder);\n }\n },\n inputs: {\n grow: [i0.ɵɵInputFlags.None, \"igxFlexGrow\", \"grow\"],\n shrink: [i0.ɵɵInputFlags.None, \"igxFlexShrink\", \"shrink\"],\n flex: [i0.ɵɵInputFlags.None, \"igxFlex\", \"flex\"],\n order: [i0.ɵɵInputFlags.None, \"igxFlexOrder\", \"order\"],\n basis: [i0.ɵɵInputFlags.None, \"igxFlexBasis\", \"basis\"]\n },\n standalone: true\n });\n }\n }\n return IgxFlexDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst FLAGS = new Set('aACL09#&?');\nconst REGEX = new Map([['C', /(?!^$)/u], ['&', /[^\\p{Separator}]/u], ['a', /[\\p{Letter}\\d\\p{Separator}]/u], ['A', /[\\p{Letter}\\d]/u], ['?', /[\\p{Letter}\\p{Separator}]/u], ['L', /\\p{Letter}/u], ['0', /\\d/], ['9', /[\\d\\p{Separator}]/u], ['#', /[\\d\\-+]/] // Numeric and sign\n]);\nconst replaceCharAt = (string, idx, char) => `${string.substring(0, idx)}${char}${string.substring(idx + 1)}`;\nfunction parseMask(format) {\n const literals = new Map();\n let mask = format;\n for (let i = 0, j = 0; i < format.length; i++, j++) {\n const [current, next] = [format.charAt(i), format.charAt(i + 1)];\n if (current === '\\\\' && FLAGS.has(next)) {\n mask = replaceCharAt(mask, j, '');\n literals.set(j, next);\n i++;\n } else {\n if (!FLAGS.has(current)) {\n literals.set(j, current);\n }\n }\n }\n return {\n literals,\n mask\n };\n}\n/** @hidden */\nlet MaskParsingService = /*#__PURE__*/(() => {\n class MaskParsingService {\n applyMask(inputVal, maskOptions, pos = 0) {\n let outputVal = '';\n let value = '';\n const {\n literals,\n mask\n } = parseMask(maskOptions.format);\n const literalKeys = Array.from(literals.keys());\n const nonLiteralIndices = this.getNonLiteralIndices(mask, literalKeys);\n const literalValues = Array.from(literals.values());\n if (inputVal != null) {\n value = inputVal.toString();\n }\n for (const _maskSym of mask) {\n outputVal += maskOptions.promptChar;\n }\n literals.forEach((val, key) => {\n outputVal = replaceCharAt(outputVal, key, val);\n });\n if (!value) {\n return outputVal;\n }\n const nonLiteralValues = this.getNonLiteralValues(value, literalValues);\n for (let i = 0; i < nonLiteralValues.length; i++) {\n const char = nonLiteralValues[i];\n const isCharValid = this.validateCharOnPosition(char, nonLiteralIndices[i], mask);\n if (!isCharValid && char !== maskOptions.promptChar) {\n nonLiteralValues[i] = maskOptions.promptChar;\n }\n }\n if (nonLiteralValues.length > nonLiteralIndices.length) {\n nonLiteralValues.splice(nonLiteralIndices.length);\n }\n for (const nonLiteralValue of nonLiteralValues) {\n const char = nonLiteralValue;\n outputVal = replaceCharAt(outputVal, nonLiteralIndices[pos++], char);\n }\n return outputVal;\n }\n parseValueFromMask(maskedValue, maskOptions) {\n let outputVal = '';\n const literalValues = Array.from(parseMask(maskOptions.format).literals.values());\n for (const val of maskedValue) {\n if (literalValues.indexOf(val) === -1) {\n if (val !== maskOptions.promptChar) {\n outputVal += val;\n }\n }\n }\n return outputVal;\n }\n replaceInMask(maskedValue, value, maskOptions, start, end) {\n const {\n literals,\n mask\n } = parseMask(maskOptions.format);\n const literalsPositions = Array.from(literals.keys());\n value = this.replaceIMENumbers(value);\n const chars = Array.from(value);\n let cursor = start;\n end = Math.min(end, maskedValue.length);\n for (let i = start; i < end || chars.length && i < maskedValue.length; i++) {\n if (literalsPositions.indexOf(i) !== -1) {\n if (chars[0] === maskedValue[i] || value.length < 1) {\n cursor = i + 1;\n chars.shift();\n }\n continue;\n }\n if (chars[0] && !this.validateCharOnPosition(chars[0], i, mask) && chars[0] !== maskOptions.promptChar) {\n break;\n }\n let char = maskOptions.promptChar;\n if (chars.length) {\n cursor = i + 1;\n char = chars.shift();\n }\n if (value.length < 1) {\n // on `delete` the cursor should move forward\n cursor++;\n }\n maskedValue = replaceCharAt(maskedValue, i, char);\n }\n return {\n value: maskedValue,\n end: cursor\n };\n }\n /** Validates only non literal positions. */\n validateCharOnPosition(inputChar, position, mask) {\n const regex = REGEX.get(mask.charAt(position));\n return regex ? regex.test(inputChar) : false;\n }\n getNonLiteralIndices(mask, literalKeys) {\n const nonLiteralsIndices = [];\n for (let i = 0; i < mask.length; i++) {\n if (literalKeys.indexOf(i) === -1) {\n nonLiteralsIndices.push(i);\n }\n }\n return nonLiteralsIndices;\n }\n getNonLiteralValues(value, literalValues) {\n const nonLiteralValues = [];\n for (const val of value) {\n if (literalValues.indexOf(val) === -1) {\n nonLiteralValues.push(val);\n }\n }\n return nonLiteralValues;\n }\n replaceIMENumbers(value) {\n return value.replace(/[0123456789]/g, num => ({\n '1': '1',\n '2': '2',\n '3': '3',\n '4': '4',\n '5': '5',\n '6': '6',\n '7': '7',\n '8': '8',\n '9': '9',\n '0': '0'\n })[num]);\n }\n static {\n this.ɵfac = function MaskParsingService_Factory(t) {\n return new (t || MaskParsingService)();\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: MaskParsingService,\n factory: MaskParsingService.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return MaskParsingService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxMaskDirective = /*#__PURE__*/(() => {\n class IgxMaskDirective {\n /**\n * Sets the input mask.\n * ```html\n * \n * ```\n */\n get mask() {\n return this._mask || this.defaultMask;\n }\n set mask(val) {\n // B.P. 9th June 2021 #7490\n if (val !== this._mask) {\n const cleanInputValue = this.maskParser.parseValueFromMask(this.inputValue, this.maskOptions);\n this.setPlaceholder(val);\n this._mask = val;\n this.updateInputValue(cleanInputValue);\n }\n }\n /** @hidden */\n get nativeElement() {\n return this.elementRef.nativeElement;\n }\n /** @hidden @internal; */\n get inputValue() {\n return this.nativeElement.value;\n }\n /** @hidden @internal */\n set inputValue(val) {\n this.nativeElement.value = val;\n }\n /** @hidden */\n get maskOptions() {\n const format = this.mask || this.defaultMask;\n const promptChar = this.promptChar && this.promptChar.substring(0, 1);\n return {\n format,\n promptChar\n };\n }\n /** @hidden */\n get selectionStart() {\n // Edge(classic) and FF don't select text on drop\n return this.nativeElement.selectionStart === this.nativeElement.selectionEnd && this._hasDropAction ? this.nativeElement.selectionEnd - this._droppedData.length : this.nativeElement.selectionStart;\n }\n /** @hidden */\n get selectionEnd() {\n return this.nativeElement.selectionEnd;\n }\n /** @hidden */\n get start() {\n return this._start;\n }\n /** @hidden */\n get end() {\n return this._end;\n }\n constructor(elementRef, maskParser, renderer, platform) {\n this.elementRef = elementRef;\n this.maskParser = maskParser;\n this.renderer = renderer;\n this.platform = platform;\n /**\n * Sets the character representing a fillable spot in the input mask.\n * Default value is \"'_'\".\n * ```html\n * \n * ```\n */\n this.promptChar = '_';\n /**\n * Emits an event each time the value changes.\n * Provides `rawValue: string` and `formattedValue: string` as event arguments.\n * ```html\n * \n * ```\n */\n this.valueChanged = new EventEmitter();\n this._focused = false;\n this._end = 0;\n this._start = 0;\n this._oldText = '';\n this._dataValue = '';\n this.defaultMask = 'CCCCCCCCCC';\n this._onTouchedCallback = noop;\n this._onChangeCallback = noop;\n }\n /** @hidden */\n onKeyDown(event) {\n const key = event.key;\n if (!key) {\n return;\n }\n if (event.ctrlKey && (key === this.platform.KEYMAP.Z || key === this.platform.KEYMAP.Y)) {\n event.preventDefault();\n }\n this._key = key;\n this._start = this.selectionStart;\n this._end = this.selectionEnd;\n }\n /** @hidden @internal */\n onCompositionStart() {\n if (!this._composing) {\n this._compositionStartIndex = this._start;\n this._composing = true;\n }\n }\n /** @hidden @internal */\n onCompositionEnd() {\n this._start = this._compositionStartIndex;\n const end = this.selectionEnd;\n const valueToParse = this.inputValue.substring(this._start, end);\n this.updateInput(valueToParse);\n this._end = this.selectionEnd;\n this._compositionValue = this.inputValue;\n }\n /** @hidden @internal */\n onInputChanged(event) {\n /**\n * '!this._focused' is a fix for #8165\n * On page load IE triggers input events before focus events and\n * it does so for every single input on the page.\n * The mask needs to be prevented from doing anything while this is happening because\n * the end user will be unable to blur the input.\n * https://stackoverflow.com/questions/21406138/input-event-triggered-on-internet-explorer-when-placeholder-changed\n */\n if (this._composing) {\n if (this.inputValue.length < this._oldText.length) {\n // software keyboard input delete\n this._key = this.platform.KEYMAP.BACKSPACE;\n }\n return;\n }\n // After the compositionend event Chromium triggers input events of type 'deleteContentBackward' and\n // we need to adjust the start and end indexes to include mask literals\n if (event.inputType === 'deleteContentBackward' && this._key !== this.platform.KEYMAP.BACKSPACE) {\n const isInputComplete = this._compositionStartIndex === 0 && this._end === this.mask.length;\n let numberOfMaskLiterals = 0;\n const literalPos = parseMask(this.maskOptions.format).literals.keys();\n for (const index of literalPos) {\n if (index >= this._compositionStartIndex && index <= this._end) {\n numberOfMaskLiterals++;\n }\n }\n this.inputValue = isInputComplete ? this.inputValue.substring(0, this.selectionEnd - numberOfMaskLiterals) + this.inputValue.substring(this.selectionEnd) : this._compositionValue?.substring(0, this._compositionStartIndex) || this.inputValue;\n if (this._compositionValue) {\n this._start = this.selectionStart;\n this._end = this.selectionEnd;\n this.nativeElement.selectionStart = isInputComplete ? this._start - numberOfMaskLiterals : this._compositionStartIndex;\n this.nativeElement.selectionEnd = this._end - numberOfMaskLiterals;\n this.nativeElement.selectionEnd = this._end;\n this._start = this.selectionStart;\n this._end = this.selectionEnd;\n }\n }\n if (this._hasDropAction) {\n this._start = this.selectionStart;\n }\n let valueToParse = '';\n switch (this._key) {\n case this.platform.KEYMAP.DELETE:\n this._end = this._start === this._end ? ++this._end : this._end;\n break;\n case this.platform.KEYMAP.BACKSPACE:\n this._start = this.selectionStart;\n break;\n default:\n valueToParse = this.inputValue.substring(this._start, this.selectionEnd);\n break;\n }\n this.updateInput(valueToParse);\n }\n /** @hidden */\n onPaste() {\n this._oldText = this.inputValue;\n this._start = this.selectionStart;\n }\n /** @hidden */\n onFocus() {\n if (this.nativeElement.readOnly) {\n return;\n }\n this._focused = true;\n this.showMask(this.inputValue);\n }\n /** @hidden */\n onBlur(value) {\n this._focused = false;\n this.showDisplayValue(value);\n this._onTouchedCallback();\n }\n /** @hidden */\n onDragEnter() {\n if (!this._focused && !this._dataValue) {\n this.showMask(this._dataValue);\n }\n }\n /** @hidden */\n onDragLeave() {\n if (!this._focused) {\n this.showDisplayValue(this.inputValue);\n }\n }\n /** @hidden */\n onDrop(event) {\n this._hasDropAction = true;\n this._droppedData = event.dataTransfer.getData('text');\n }\n /** @hidden */\n ngOnInit() {\n this.setPlaceholder(this.maskOptions.format);\n }\n /**\n * TODO: Remove after date/time picker integration refactor\n *\n * @hidden\n */\n ngAfterViewChecked() {\n if (this._composing) {\n return;\n }\n this._oldText = this.inputValue;\n }\n /** @hidden */\n writeValue(value) {\n if (this.promptChar && this.promptChar.length > 1) {\n this.maskOptions.promptChar = this.promptChar.substring(0, 1);\n }\n this.inputValue = value ? this.maskParser.applyMask(value, this.maskOptions) : '';\n if (this.displayValuePipe) {\n this.inputValue = this.displayValuePipe.transform(this.inputValue);\n }\n this._dataValue = this.includeLiterals ? this.inputValue : value;\n this.valueChanged.emit({\n rawValue: value,\n formattedValue: this.inputValue\n });\n }\n /** @hidden */\n registerOnChange(fn) {\n this._onChangeCallback = fn;\n }\n /** @hidden */\n registerOnTouched(fn) {\n this._onTouchedCallback = fn;\n }\n /** @hidden */\n showMask(value) {\n if (this.focusedValuePipe) {\n // TODO(D.P.): focusedValuePipe should be deprecated or force-checked to match mask format\n this.inputValue = this.focusedValuePipe.transform(value);\n } else {\n this.inputValue = this.maskParser.applyMask(value, this.maskOptions);\n }\n this._oldText = this.inputValue;\n }\n /** @hidden */\n setSelectionRange(start, end = start) {\n this.nativeElement.setSelectionRange(start, end);\n }\n /** @hidden */\n afterInput() {\n this._oldText = this.inputValue;\n this._hasDropAction = false;\n this._start = 0;\n this._end = 0;\n this._key = null;\n this._composing = false;\n }\n /** @hidden */\n setPlaceholder(value) {\n const placeholder = this.nativeElement.placeholder;\n if (!placeholder || placeholder === this.mask) {\n this.renderer.setAttribute(this.nativeElement, 'placeholder', parseMask(value ?? '').mask || this.defaultMask);\n }\n }\n updateInputValue(value) {\n if (this._focused) {\n this.showMask(value);\n } else if (!this.displayValuePipe) {\n this.inputValue = this.inputValue ? this.maskParser.applyMask(value, this.maskOptions) : '';\n }\n }\n updateInput(valueToParse) {\n const replacedData = this.maskParser.replaceInMask(this._oldText, valueToParse, this.maskOptions, this._start, this._end);\n this.inputValue = replacedData.value;\n if (this._key === this.platform.KEYMAP.BACKSPACE) {\n replacedData.end = this._start;\n }\n this.setSelectionRange(replacedData.end);\n const rawVal = this.maskParser.parseValueFromMask(this.inputValue, this.maskOptions);\n this._dataValue = this.includeLiterals ? this.inputValue : rawVal;\n this._onChangeCallback(this._dataValue);\n this.valueChanged.emit({\n rawValue: rawVal,\n formattedValue: this.inputValue\n });\n this.afterInput();\n }\n showDisplayValue(value) {\n if (this.displayValuePipe) {\n this.inputValue = this.displayValuePipe.transform(value);\n } else if (value === this.maskParser.applyMask(null, this.maskOptions)) {\n this.inputValue = '';\n }\n }\n static {\n this.ɵfac = function IgxMaskDirective_Factory(t) {\n return new (t || IgxMaskDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(MaskParsingService), i0.ɵɵdirectiveInject(i0.Renderer2), i0.ɵɵdirectiveInject(PlatformUtil));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxMaskDirective,\n selectors: [[\"\", \"igxMask\", \"\"]],\n hostBindings: function IgxMaskDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"keydown\", function IgxMaskDirective_keydown_HostBindingHandler($event) {\n return ctx.onKeyDown($event);\n })(\"compositionstart\", function IgxMaskDirective_compositionstart_HostBindingHandler() {\n return ctx.onCompositionStart();\n })(\"compositionend\", function IgxMaskDirective_compositionend_HostBindingHandler() {\n return ctx.onCompositionEnd();\n })(\"input\", function IgxMaskDirective_input_HostBindingHandler($event) {\n return ctx.onInputChanged($event);\n })(\"paste\", function IgxMaskDirective_paste_HostBindingHandler() {\n return ctx.onPaste();\n })(\"focus\", function IgxMaskDirective_focus_HostBindingHandler() {\n return ctx.onFocus();\n })(\"blur\", function IgxMaskDirective_blur_HostBindingHandler($event) {\n return ctx.onBlur($event.target.value);\n })(\"dragenter\", function IgxMaskDirective_dragenter_HostBindingHandler() {\n return ctx.onDragEnter();\n })(\"dragleave\", function IgxMaskDirective_dragleave_HostBindingHandler() {\n return ctx.onDragLeave();\n })(\"drop\", function IgxMaskDirective_drop_HostBindingHandler($event) {\n return ctx.onDrop($event);\n });\n }\n },\n inputs: {\n mask: [i0.ɵɵInputFlags.None, \"igxMask\", \"mask\"],\n promptChar: \"promptChar\",\n includeLiterals: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"includeLiterals\", \"includeLiterals\", booleanAttribute],\n displayValuePipe: \"displayValuePipe\",\n focusedValuePipe: \"focusedValuePipe\"\n },\n outputs: {\n valueChanged: \"valueChanged\"\n },\n exportAs: [\"igxMask\"],\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: NG_VALUE_ACCESSOR,\n useExisting: IgxMaskDirective,\n multi: true\n }]), i0.ɵɵInputTransformsFeature]\n });\n }\n }\n return IgxMaskDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxRippleDirective = /*#__PURE__*/(() => {\n class IgxRippleDirective {\n /**\n * Enables/disables the ripple to be centered.\n * ```html\n * \n * ```\n *\n * @memberof IgxRippleDirective\n */\n set centered(value) {\n this._centered = value || this.centered;\n }\n get nativeElement() {\n return this.elementRef.nativeElement;\n }\n constructor(builder, elementRef, renderer, zone) {\n this.builder = builder;\n this.elementRef = elementRef;\n this.renderer = renderer;\n this.zone = zone;\n /**\n * Sets/gets the ripple target.\n * ```html\n * \n * ```\n * ```typescript\n * @ViewChild('rippleContainer', {read: IgxRippleDirective})\n * public ripple: IgxRippleDirective;\n * let rippleTarget = this.ripple.rippleTarget;\n * ```\n * Can set the ripple to activate on a child element inside the parent where igxRipple is defined.\n * ```html\n *
\n * \n *
\n * ```\n *\n * @memberof IgxRippleDirective\n */\n this.rippleTarget = '';\n /**\n * Sets/gets the ripple duration(in milliseconds).\n * Default value is `600`.\n * ```html\n * \n * ```\n * ```typescript\n * @ViewChild('rippleContainer', {read: IgxRippleDirective})\n * public ripple: IgxRippleDirective;\n * let rippleDuration = this.ripple.rippleDuration;\n * ```\n *\n * @memberof IgxRippleDirective\n */\n this.rippleDuration = 600;\n /**\n * Sets/gets whether the ripple is disabled.\n * Default value is `false`.\n * ```html\n * \n * ```\n * ```typescript\n * @ViewChild('rippleContainer', {read: IgxRippleDirective})\n * public ripple: IgxRippleDirective;\n * let isRippleDisabled = this.ripple.rippleDisabled;\n * ```\n *\n * @memberof IgxRippleDirective\n */\n this.rippleDisabled = false;\n this.rippleElementClass = 'igx-ripple__inner';\n this.rippleHostClass = 'igx-ripple';\n this._centered = false;\n this.animationQueue = [];\n }\n /**\n * @hidden\n */\n onMouseDown(event) {\n this.zone.runOutsideAngular(() => this._ripple(event));\n }\n setStyles(rippleElement, styleParams) {\n this.renderer.addClass(rippleElement, this.rippleElementClass);\n this.renderer.setStyle(rippleElement, 'width', `${styleParams.radius}px`);\n this.renderer.setStyle(rippleElement, 'height', `${styleParams.radius}px`);\n this.renderer.setStyle(rippleElement, 'top', `${styleParams.top}px`);\n this.renderer.setStyle(rippleElement, 'left', `${styleParams.left}px`);\n if (this.rippleColor) {\n this.renderer.setStyle(rippleElement, 'background', this.rippleColor);\n }\n }\n _ripple(event) {\n if (this.rippleDisabled) {\n return;\n }\n const target = this.rippleTarget ? this.nativeElement.querySelector(this.rippleTarget) || this.nativeElement : this.nativeElement;\n const rectBounds = target.getBoundingClientRect();\n const radius = Math.max(rectBounds.width, rectBounds.height);\n let left = Math.round(event.clientX - rectBounds.left - radius / 2);\n let top = Math.round(event.clientY - rectBounds.top - radius / 2);\n if (this._centered) {\n left = top = 0;\n }\n const dimensions = {\n radius,\n top,\n left\n };\n const rippleElement = this.renderer.createElement('span');\n this.setStyles(rippleElement, dimensions);\n this.renderer.addClass(target, this.rippleHostClass);\n this.renderer.appendChild(target, rippleElement);\n const animation = this.builder.build([style({\n opacity: 0.5,\n transform: 'scale(.3)'\n }), animate(this.rippleDuration, style({\n opacity: 0,\n transform: 'scale(2)'\n }))]).create(rippleElement);\n this.animationQueue.push(animation);\n animation.onDone(() => {\n this.animationQueue.splice(this.animationQueue.indexOf(animation), 1);\n target.removeChild(rippleElement);\n if (this.animationQueue.length < 1) {\n this.renderer.removeClass(target, this.rippleHostClass);\n }\n });\n animation.play();\n }\n static {\n this.ɵfac = function IgxRippleDirective_Factory(t) {\n return new (t || IgxRippleDirective)(i0.ɵɵdirectiveInject(i1.AnimationBuilder), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.Renderer2), i0.ɵɵdirectiveInject(i0.NgZone));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxRippleDirective,\n selectors: [[\"\", \"igxRipple\", \"\"]],\n hostBindings: function IgxRippleDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"mousedown\", function IgxRippleDirective_mousedown_HostBindingHandler($event) {\n return ctx.onMouseDown($event);\n });\n }\n },\n inputs: {\n rippleTarget: [i0.ɵɵInputFlags.None, \"igxRippleTarget\", \"rippleTarget\"],\n rippleColor: [i0.ɵɵInputFlags.None, \"igxRipple\", \"rippleColor\"],\n rippleDuration: [i0.ɵɵInputFlags.None, \"igxRippleDuration\", \"rippleDuration\"],\n centered: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"igxRippleCentered\", \"centered\", booleanAttribute],\n rippleDisabled: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"igxRippleDisabled\", \"rippleDisabled\", booleanAttribute]\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature]\n });\n }\n }\n return IgxRippleDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst LabelPosition = /*@__PURE__*/mkenum({\n BEFORE: 'before',\n AFTER: 'after'\n});\nlet nextId$1 = 0;\n/**\n * Allows users to make a binary choice for a certain condition.\n *\n * @igxModule IgxCheckboxModule\n *\n * @igxTheme igx-checkbox-theme\n *\n * @igxKeywords checkbox, label\n *\n * @igxGroup Data entry and display\n *\n * @remarks\n * The Ignite UI Checkbox is a selection control that allows users to make a binary choice for a certain condition.It behaves similarly\n * to the native browser checkbox.\n *\n * @example\n * ```html\n * \n * simple checkbox\n * \n * ```\n */\nlet IgxCheckboxComponent = /*#__PURE__*/(() => {\n class IgxCheckboxComponent {\n /**\n * Returns reference to the `nativeElement` of the igx-checkbox/igx-switch.\n *\n * @example\n * ```typescript\n * let nativeElement = this.component.nativeElement;\n * ```\n */\n get nativeElement() {\n return this.nativeInput.nativeElement;\n }\n /**\n * Sets/gets whether the checkbox is required.\n * If not set, `required` will have value `false`.\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let isRequired = this.checkbox.required;\n * ```\n */\n get required() {\n return this._required || this.nativeElement.hasAttribute('required');\n }\n set required(value) {\n this._required = value;\n }\n /**\n * Sets/gets whether the checkbox is checked.\n * Default value is `false`.\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let isChecked = this.checkbox.checked;\n * ```\n */\n get checked() {\n return this._checked;\n }\n set checked(value) {\n if (this._checked !== value) {\n this._checked = value;\n this._onChangeCallback(this._checked);\n }\n }\n constructor(cdr, renderer, ngControl) {\n this.cdr = cdr;\n this.renderer = renderer;\n this.ngControl = ngControl;\n /**\n * An event that is emitted after the checkbox state is changed.\n * Provides references to the `IgxCheckboxComponent` and the `checked` property as event arguments.\n */\n // eslint-disable-next-line @angular-eslint/no-output-native\n this.change = new EventEmitter();\n /**\n * @hidden\n * @internal\n */\n this.destroy$ = new Subject();\n /**\n * Sets/gets the `id` of the checkbox component.\n * If not set, the `id` of the first checkbox component will be `\"igx-checkbox-0\"`.\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let checkboxId = this.checkbox.id;\n * ```\n */\n this.id = `igx-checkbox-${nextId$1++}`;\n /**\n * Sets/gets the id of the `label` element.\n * If not set, the id of the `label` in the first checkbox component will be `\"igx-checkbox-0-label\"`.\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let labelId = this.component.labelId;\n * ```\n */\n this.labelId = `${this.id}-label`;\n /**\n * Sets/gets the value of the `tabindex` attribute.\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let tabIndex = this.checkbox.tabindex;\n * ```\n */\n this.tabindex = null;\n /**\n * Sets/gets the position of the `label`.\n * If not set, the `labelPosition` will have value `\"after\"`.\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let labelPosition = this.checkbox.labelPosition;\n * ```\n */\n this.labelPosition = LabelPosition.AFTER;\n /**\n * Enables/Disables the ripple effect.\n * If not set, `disableRipple` will have value `false`.\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let isRippleDisabled = this.checkbox.desableRipple;\n * ```\n */\n this.disableRipple = false;\n /**\n * Sets/gets the `aria-labelledby` attribute.\n * If not set, the `aria-labelledby` will be equal to the value of `labelId` attribute.\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let ariaLabelledBy = this.checkbox.ariaLabelledBy;\n * ```\n */\n this.ariaLabelledBy = this.labelId;\n /**\n * Sets/gets the value of the `aria-label` attribute.\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let ariaLabel = this.checkbox.ariaLabel;\n * ```\n */\n this.ariaLabel = null;\n /**\n * Returns the class of the checkbox component.\n *\n * @example\n * ```typescript\n * let class = this.checkbox.cssClass;\n * ```\n */\n this.cssClass = 'igx-checkbox';\n /**\n * Sets/gets whether the checkbox component is on focus.\n * Default value is `false`.\n *\n * @example\n * ```typescript\n * this.checkbox.focused = true;\n * ```\n * ```typescript\n * let isFocused = this.checkbox.focused;\n * ```\n */\n this.focused = false;\n /**\n * Sets/gets the checkbox indeterminate visual state.\n * Default value is `false`;\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let isIndeterminate = this.checkbox.indeterminate;\n * ```\n */\n this.indeterminate = false;\n /**\n * Sets/gets whether the checkbox is disabled.\n * Default value is `false`.\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let isDisabled = this.checkbox.disabled;\n * ```\n */\n this.disabled = false;\n /**\n * Sets/gets whether the checkbox is invalid.\n * Default value is `false`.\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let isInvalid = this.checkbox.invalid;\n * ```\n */\n this.invalid = false;\n /**\n * Sets/gets whether the checkbox is readonly.\n * Default value is `false`.\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let readonly = this.checkbox.readonly;\n * ```\n */\n this.readonly = false;\n /**\n * Sets/gets whether the checkbox should disable all css transitions.\n * Default value is `false`.\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let disableTransitions = this.checkbox.disableTransitions;\n * ```\n */\n this.disableTransitions = false;\n /**\n * @hidden\n * @internal\n */\n this.inputId = `${this.id}-input`;\n /**\n * @hidden\n */\n this._onChangeCallback = noop;\n /**\n * @hidden\n */\n this._onTouchedCallback = noop;\n /**\n * @hidden\n * @internal\n */\n this._checked = false;\n /**\n * @hidden\n * @internal\n */\n this._required = false;\n if (this.ngControl !== null) {\n this.ngControl.valueAccessor = this;\n }\n }\n /**\n * @hidden\n * @internal\n */\n ngAfterViewInit() {\n if (this.ngControl) {\n this.ngControl.statusChanges.pipe(takeUntil(this.destroy$)).subscribe(this.updateValidityState.bind(this));\n if (this.ngControl.control.validator || this.ngControl.control.asyncValidator) {\n this._required = this.ngControl?.control?.hasValidator(Validators.required);\n this.cdr.detectChanges();\n }\n }\n }\n /** @hidden @internal */\n onKeyUp(event) {\n event.stopPropagation();\n this.focused = true;\n }\n /** @hidden @internal */\n _onCheckboxClick(event) {\n // Since the original checkbox is hidden and the label\n // is used for styling and to change the checked state of the checkbox,\n // we need to prevent the checkbox click event from bubbling up\n // as it gets triggered on label click\n // NOTE: The above is no longer valid, as the native checkbox is not labeled\n // by the SVG anymore.\n if (this.disabled || this.readonly) {\n // readonly prevents the component from changing state (see toggle() method).\n // However, the native checkbox can still be activated through user interaction (focus + space, label click)\n // Prevent the native change so the input remains in sync\n event.preventDefault();\n return;\n }\n this.nativeInput.nativeElement.focus();\n this.indeterminate = false;\n this.checked = !this.checked;\n this.updateValidityState();\n // K.D. March 23, 2021 Emitting on click and not on the setter because otherwise every component\n // bound on change would have to perform self checks for weather the value has changed because\n // of the initial set on initialization\n this.change.emit({\n checked: this.checked,\n value: this.value,\n owner: this\n });\n }\n /**\n * @hidden\n * @internal\n */\n get ariaChecked() {\n if (this.indeterminate) {\n return 'mixed';\n } else {\n return this.checked;\n }\n }\n /** @hidden @internal */\n _onCheckboxChange(event) {\n // We have to stop the original checkbox change event\n // from bubbling up since we emit our own change event\n event.stopPropagation();\n }\n /** @hidden @internal */\n onBlur() {\n this.focused = false;\n this._onTouchedCallback();\n this.updateValidityState();\n }\n /** @hidden @internal */\n writeValue(value) {\n this._checked = value;\n }\n /** @hidden @internal */\n get labelClass() {\n switch (this.labelPosition) {\n case LabelPosition.BEFORE:\n return `${this.cssClass}__label--before`;\n case LabelPosition.AFTER:\n default:\n return `${this.cssClass}__label`;\n }\n }\n /** @hidden @internal */\n registerOnChange(fn) {\n this._onChangeCallback = fn;\n }\n /** @hidden @internal */\n registerOnTouched(fn) {\n this._onTouchedCallback = fn;\n }\n /** @hidden @internal */\n setDisabledState(isDisabled) {\n this.disabled = isDisabled;\n }\n /** @hidden @internal */\n getEditElement() {\n return this.nativeInput.nativeElement;\n }\n /**\n * @hidden\n * @internal\n */\n updateValidityState() {\n if (this.ngControl) {\n if (!this.disabled && !this.readonly && (this.ngControl.control.touched || this.ngControl.control.dirty)) {\n // the control is not disabled and is touched or dirty\n this.invalid = this.ngControl.invalid;\n } else {\n // if the control is untouched, pristine, or disabled, its state is initial. This is when the user did not interact\n // with the checkbox or when the form/control is reset\n this.invalid = false;\n }\n } else {\n this.checkNativeValidity();\n }\n }\n /**\n * A function to assign a native validity property of a checkbox.\n * This should be used when there's no ngControl\n *\n * @hidden\n * @internal\n */\n checkNativeValidity() {\n if (!this.disabled && this._required && !this.checked && !this.readonly) {\n this.invalid = true;\n } else {\n this.invalid = false;\n }\n }\n static {\n this.ɵfac = function IgxCheckboxComponent_Factory(t) {\n return new (t || IgxCheckboxComponent)(i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.Renderer2), i0.ɵɵdirectiveInject(i4.NgControl, 10));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxCheckboxComponent,\n selectors: [[\"igx-checkbox\"]],\n viewQuery: function IgxCheckboxComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c10, 7);\n i0.ɵɵviewQuery(_c11, 7);\n i0.ɵɵviewQuery(_c12, 7);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.nativeInput = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.nativeLabel = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.placeholderLabel = _t.first);\n }\n },\n hostVars: 15,\n hostBindings: function IgxCheckboxComponent_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"keyup\", function IgxCheckboxComponent_keyup_HostBindingHandler($event) {\n return ctx.onKeyUp($event);\n })(\"click\", function IgxCheckboxComponent_click_HostBindingHandler($event) {\n return ctx._onCheckboxClick($event);\n })(\"blur\", function IgxCheckboxComponent_blur_HostBindingHandler() {\n return ctx.onBlur();\n });\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id);\n i0.ɵɵclassProp(\"igx-checkbox\", ctx.cssClass)(\"igx-checkbox--focused\", ctx.focused)(\"igx-checkbox--indeterminate\", ctx.indeterminate)(\"igx-checkbox--checked\", ctx.checked)(\"igx-checkbox--disabled\", ctx.disabled)(\"igx-checkbox--invalid\", ctx.invalid)(\"igx-checkbox--plain\", ctx.disableTransitions);\n }\n },\n inputs: {\n id: \"id\",\n labelId: \"labelId\",\n value: \"value\",\n name: \"name\",\n tabindex: \"tabindex\",\n labelPosition: \"labelPosition\",\n disableRipple: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"disableRipple\", \"disableRipple\", booleanAttribute],\n required: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"required\", \"required\", booleanAttribute],\n ariaLabelledBy: [i0.ɵɵInputFlags.None, \"aria-labelledby\", \"ariaLabelledBy\"],\n ariaLabel: [i0.ɵɵInputFlags.None, \"aria-label\", \"ariaLabel\"],\n indeterminate: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"indeterminate\", \"indeterminate\", booleanAttribute],\n checked: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"checked\", \"checked\", booleanAttribute],\n disabled: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"disabled\", \"disabled\", booleanAttribute],\n invalid: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"invalid\", \"invalid\", booleanAttribute],\n readonly: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"readonly\", \"readonly\", booleanAttribute],\n disableTransitions: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"disableTransitions\", \"disableTransitions\", booleanAttribute]\n },\n outputs: {\n change: \"change\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: EDITOR_PROVIDER,\n useExisting: IgxCheckboxComponent,\n multi: true\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 11,\n vars: 19,\n consts: [[\"checkbox\", \"\"], [\"label\", \"\"], [\"placeholderLabel\", \"\"], [\"type\", \"checkbox\", 1, \"igx-checkbox__input\", 3, \"change\", \"blur\", \"id\", \"name\", \"value\", \"tabindex\", \"disabled\", \"indeterminate\", \"checked\", \"required\"], [\"igxRipple\", \"\", \"igxRippleTarget\", \".igx-checkbox__ripple\", 1, \"igx-checkbox__composite-wrapper\", 3, \"igxRippleDisabled\", \"igxRippleCentered\", \"igxRippleDuration\"], [1, \"igx-checkbox__composite\"], [\"xmlns\", \"http://www.w3.org/2000/svg\", \"viewBox\", \"0 0 24 24\", 1, \"igx-checkbox__composite-mark\"], [\"d\", \"M4.1,12.7 9,17.6 20.3,6.3\"], [1, \"igx-checkbox__ripple\"], [3, \"id\"]],\n template: function IgxCheckboxComponent_Template(rf, ctx) {\n if (rf & 1) {\n const _r1 = i0.ɵɵgetCurrentView();\n i0.ɵɵprojectionDef();\n i0.ɵɵelementStart(0, \"input\", 3, 0);\n i0.ɵɵlistener(\"change\", function IgxCheckboxComponent_Template_input_change_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx._onCheckboxChange($event));\n })(\"blur\", function IgxCheckboxComponent_Template_input_blur_0_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onBlur());\n });\n i0.ɵɵelementEnd();\n i0.ɵɵelementStart(2, \"div\", 4)(3, \"span\", 5, 1);\n i0.ɵɵnamespaceSVG();\n i0.ɵɵelementStart(5, \"svg\", 6);\n i0.ɵɵelement(6, \"path\", 7);\n i0.ɵɵelementEnd()();\n i0.ɵɵnamespaceHTML();\n i0.ɵɵelement(7, \"div\", 8);\n i0.ɵɵelementEnd();\n i0.ɵɵelementStart(8, \"span\", 9, 2);\n i0.ɵɵprojection(10);\n i0.ɵɵelementEnd();\n }\n if (rf & 2) {\n i0.ɵɵproperty(\"id\", ctx.inputId)(\"name\", ctx.name)(\"value\", ctx.value)(\"tabindex\", ctx.tabindex)(\"disabled\", ctx.disabled)(\"indeterminate\", ctx.indeterminate)(\"checked\", ctx.checked)(\"required\", ctx.required);\n i0.ɵɵattribute(\"aria-required\", ctx.required)(\"aria-invalid\", ctx.invalid)(\"aria-checked\", ctx.ariaChecked)(\"aria-labelledby\", ctx.ariaLabel ? null : ctx.ariaLabelledBy)(\"aria-label\", ctx.ariaLabel);\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"igxRippleDisabled\", ctx.disableRipple)(\"igxRippleCentered\", true)(\"igxRippleDuration\", 300);\n i0.ɵɵadvance(6);\n i0.ɵɵclassMap(ctx.labelClass);\n i0.ɵɵproperty(\"id\", ctx.labelId);\n }\n },\n dependencies: [IgxRippleDirective],\n encapsulation: 2\n });\n }\n }\n return IgxCheckboxComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * **Ignite UI for Angular Radio Button** -\n * [Documentation](https://www.infragistics.com/products/ignite-ui-angular/angular/components/radio_button.html)\n *\n * The Ignite UI Radio Button allows the user to select a single option from an available set of options that are listed side by side.\n *\n * Example:\n * ```html\n * \n * Simple radio button\n * \n * ```\n */\nlet IgxRadioComponent = /*#__PURE__*/(() => {\n class IgxRadioComponent extends IgxCheckboxComponent {\n constructor() {\n super(...arguments);\n /** @hidden @internal */\n this.blurRadio = new EventEmitter();\n /**\n * Returns the class of the radio component.\n * ```typescript\n * let radioClass = this.radio.cssClass;\n * ```\n *\n * @memberof IgxRadioComponent\n */\n this.cssClass = 'igx-radio';\n /**\n * Sets/gets the `disabled` attribute.\n * Default value is `false`.\n * ```html\n * \n * ```\n * ```typescript\n * let isDisabled = this.radio.disabled;\n * ```\n *\n * @memberof IgxRadioComponent\n */\n this.disabled = false;\n /**\n * Sets/gets whether the radio button is invalid.\n * Default value is `false`.\n * ```html\n * \n * ```\n * ```typescript\n * let isInvalid = this.radio.invalid;\n * ```\n *\n * @memberof IgxRadioComponent\n */\n this.invalid = false;\n /**\n * Sets/gets whether the radio component is on focus.\n * Default value is `false`.\n * ```typescript\n * this.radio.focus = true;\n * ```\n * ```typescript\n * let isFocused = this.radio.focused;\n * ```\n *\n * @memberof IgxRadioComponent\n */\n this.focused = false;\n }\n /**\n * Sets/gets the `checked` attribute.\n * Default value is `false`.\n * ```html\n * \n * ```\n * ```typescript\n * let isChecked = this.radio.checked;\n * ```\n *\n * @memberof IgxRadioComponent\n */\n set checked(value) {\n this._checked = value;\n }\n get checked() {\n return this._checked;\n }\n /**\n * @hidden\n * @internal\n */\n _changed(event) {\n if (event instanceof Event) {\n event.preventDefault();\n }\n }\n /**\n * @hidden\n */\n _onCheckboxClick() {\n this.select();\n }\n /**\n * Selects the current radio button.\n * ```typescript\n * this.radio.select();\n * ```\n *\n * @memberof IgxRadioComponent\n */\n select() {\n if (!this.checked) {\n this.checked = true;\n this.change.emit({\n value: this.value,\n owner: this,\n checked: this.checked\n });\n this._onChangeCallback(this.value);\n }\n }\n /**\n * Deselects the current radio button.\n * ```typescript\n * this.radio.deselect();\n * ```\n *\n * @memberof IgxRadioComponent\n */\n deselect() {\n this.checked = false;\n this.focused = false;\n this.cdr.markForCheck();\n }\n /**\n * Checks whether the provided value is consistent to the current radio button.\n * If it is, the checked attribute will have value `true`;\n * ```typescript\n * this.radio.writeValue('radioButtonValue');\n * ```\n */\n writeValue(value) {\n this.value = this.value ?? value;\n if (value === this.value) {\n if (!this.checked) {\n this.checked = true;\n }\n } else {\n this.deselect();\n }\n }\n /**\n * @hidden\n */\n onBlur() {\n super.onBlur();\n this.blurRadio.emit();\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxRadioComponent_BaseFactory;\n return function IgxRadioComponent_Factory(t) {\n return (ɵIgxRadioComponent_BaseFactory || (ɵIgxRadioComponent_BaseFactory = i0.ɵɵgetInheritedFactory(IgxRadioComponent)))(t || IgxRadioComponent);\n };\n })();\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxRadioComponent,\n selectors: [[\"igx-radio\"]],\n hostVars: 10,\n hostBindings: function IgxRadioComponent_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"change\", function IgxRadioComponent_change_HostBindingHandler($event) {\n return ctx._changed($event);\n })(\"click\", function IgxRadioComponent_click_HostBindingHandler() {\n return ctx._onCheckboxClick();\n })(\"blur\", function IgxRadioComponent_blur_HostBindingHandler() {\n return ctx.onBlur();\n });\n }\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-radio\", ctx.cssClass)(\"igx-radio--checked\", ctx.checked)(\"igx-radio--disabled\", ctx.disabled)(\"igx-radio--invalid\", ctx.invalid)(\"igx-radio--focused\", ctx.focused);\n }\n },\n inputs: {\n checked: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"checked\", \"checked\", booleanAttribute],\n disabled: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"disabled\", \"disabled\", booleanAttribute],\n invalid: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"invalid\", \"invalid\", booleanAttribute]\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: EDITOR_PROVIDER,\n useExisting: IgxRadioComponent,\n multi: true\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 8,\n vars: 18,\n consts: [[\"checkbox\", \"\"], [\"label\", \"\"], [\"placeholderLabel\", \"\"], [\"type\", \"radio\", 1, \"igx-radio__input\", 3, \"blur\", \"id\", \"name\", \"value\", \"tabindex\", \"disabled\", \"checked\", \"required\"], [\"igxRipple\", \"\", \"igxRippleTarget\", \".igx-radio__ripple\", 1, \"igx-radio__composite\", 3, \"igxRippleDisabled\", \"igxRippleCentered\", \"igxRippleDuration\"], [1, \"igx-radio__ripple\"], [3, \"id\"]],\n template: function IgxRadioComponent_Template(rf, ctx) {\n if (rf & 1) {\n const _r1 = i0.ɵɵgetCurrentView();\n i0.ɵɵprojectionDef();\n i0.ɵɵelementStart(0, \"input\", 3, 0);\n i0.ɵɵlistener(\"blur\", function IgxRadioComponent_Template_input_blur_0_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onBlur());\n });\n i0.ɵɵelementEnd();\n i0.ɵɵelementStart(2, \"span\", 4, 1);\n i0.ɵɵelement(4, \"div\", 5);\n i0.ɵɵelementEnd();\n i0.ɵɵelementStart(5, \"span\", 6, 2);\n i0.ɵɵprojection(7);\n i0.ɵɵelementEnd();\n }\n if (rf & 2) {\n i0.ɵɵproperty(\"id\", ctx.inputId)(\"name\", ctx.name)(\"value\", ctx.value)(\"tabindex\", ctx.tabindex)(\"disabled\", ctx.disabled)(\"checked\", ctx.checked)(\"required\", ctx.required);\n i0.ɵɵattribute(\"aria-required\", ctx.required)(\"aria-invalid\", ctx.invalid)(\"aria-checked\", ctx.checked)(\"aria-labelledby\", ctx.ariaLabel ? null : ctx.ariaLabelledBy)(\"aria-label\", ctx.ariaLabel);\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"igxRippleDisabled\", ctx.disableRipple)(\"igxRippleCentered\", true)(\"igxRippleDuration\", 300);\n i0.ɵɵadvance(3);\n i0.ɵɵclassMap(ctx.labelClass);\n i0.ɵɵproperty(\"id\", ctx.labelId);\n }\n },\n dependencies: [IgxRippleDirective],\n encapsulation: 2\n });\n }\n }\n return IgxRadioComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * @hidden\n */\nfunction DIR_DOCUMENT_FACTORY() {\n return inject(DOCUMENT);\n}\n/**\n * Injection token is used to inject the document into Directionality\n * which factory could be faked for testing purposes.\n *\n * We can't provide and mock the DOCUMENT token from platform-browser because configureTestingModule\n * allows override of the default providers, directive, pipes, modules of the test injector\n * which causes errors.\n *\n * @hidden\n */\nconst DIR_DOCUMENT = /*@__PURE__*/new InjectionToken('dir-doc', {\n providedIn: 'root',\n factory: DIR_DOCUMENT_FACTORY\n});\n/**\n * @hidden\n *\n * Bidirectional service that extracts the value of the direction attribute on the body or html elements.\n *\n * The dir attribute over the body element takes precedence.\n */\nlet IgxDirectionality = /*#__PURE__*/(() => {\n class IgxDirectionality {\n get value() {\n return this._dir;\n }\n get document() {\n return this._document;\n }\n get rtl() {\n return this._dir === 'rtl';\n }\n constructor(document) {\n this._document = document;\n const bodyDir = this._document.body ? this._document.body.dir : null;\n const htmlDir = this._document.documentElement ? this._document.documentElement.dir : null;\n const extractedDir = bodyDir || htmlDir;\n this._dir = extractedDir === 'ltr' || extractedDir === 'rtl' ? extractedDir : 'ltr';\n }\n static {\n this.ɵfac = function IgxDirectionality_Factory(t) {\n return new (t || IgxDirectionality)(i0.ɵɵinject(DIR_DOCUMENT));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: IgxDirectionality,\n factory: IgxDirectionality.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return IgxDirectionality;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Determines the Radio Group alignment\n */\nconst RadioGroupAlignment = mkenum({\n horizontal: 'horizontal',\n vertical: 'vertical'\n});\nlet nextId = 0;\n/**\n * Radio group directive renders set of radio buttons.\n *\n * @igxModule IgxRadioModule\n *\n * @igxTheme igx-radio-theme\n *\n * @igxKeywords radiogroup, radio, button, input\n *\n * @igxGroup Data Entry & Display\n *\n * @remarks\n * The Ignite UI Radio Group allows the user to select a single option from an available set of options that are listed side by side.\n *\n * @example:\n * ```html\n * \n * \n * {{item}}\n * \n * \n * ```\n */\nlet IgxRadioGroupDirective = /*#__PURE__*/(() => {\n class IgxRadioGroupDirective {\n /**\n * Sets/gets the `value` attribute.\n *\n * @example\n * ```html\n * \n * ```\n */\n get value() {\n return this._value;\n }\n set value(newValue) {\n if (this._value !== newValue) {\n this._value = newValue;\n this._selectRadioButton();\n }\n }\n /**\n * Sets/gets the `name` attribute of the radio group component. All child radio buttons inherits this name.\n *\n * @example\n * ```html\n * \n * ```\n */\n get name() {\n return this._name;\n }\n set name(newValue) {\n if (this._name !== newValue) {\n this._name = newValue;\n this._setRadioButtonNames();\n }\n }\n /**\n * Sets/gets whether the radio group is required.\n *\n * @remarks\n * If not set, `required` will have value `false`.\n *\n * @example\n * ```html\n * \n * ```\n */\n get required() {\n return this._required;\n }\n set required(value) {\n this._required = value;\n this._setRadioButtonsRequired();\n }\n /**\n * Sets/gets the selected child radio button.\n *\n * @example\n * ```typescript\n * let selectedButton = this.radioGroup.selected;\n * this.radioGroup.selected = selectedButton;\n * ```\n */\n get selected() {\n return this._selected;\n }\n set selected(selected) {\n if (this._selected !== selected) {\n this._selected = selected;\n this.value = selected ? selected.value : null;\n }\n }\n /**\n * Sets/gets whether the radio group is invalid.\n *\n * @remarks\n * If not set, `invalid` will have value `false`.\n *\n * @example\n * ```html\n * \n * ```\n */\n get invalid() {\n return this._invalid;\n }\n set invalid(value) {\n this._invalid = value;\n this._setRadioButtonsInvalid();\n }\n handleClick(event) {\n event.stopPropagation();\n if (this.selected) {\n this.selected.nativeElement.focus();\n }\n }\n handleKeyDown(event) {\n const {\n key\n } = event;\n const buttons = this.radioButtons.filter(radio => !radio.disabled);\n const checked = buttons.find(radio => radio.checked);\n if (['ArrowUp', 'ArrowDown', 'ArrowLeft', 'ArrowRight'].includes(key)) {\n let index = checked ? buttons.indexOf(checked) : -1;\n const ltr = this._directionality.value === 'ltr';\n switch (key) {\n case 'ArrowUp':\n index += -1;\n break;\n case 'ArrowLeft':\n index += ltr ? -1 : 1;\n break;\n case 'ArrowRight':\n index += ltr ? 1 : -1;\n break;\n default:\n index += 1;\n }\n if (index < 0) index = buttons.length - 1;\n if (index > buttons.length - 1) index = 0;\n buttons.forEach(radio => {\n radio.deselect();\n radio.nativeElement.blur();\n });\n buttons[index].focused = true;\n buttons[index].nativeElement.focus();\n buttons[index].select();\n event.preventDefault();\n }\n if (event.key === \"Tab\") {\n buttons.forEach(radio => {\n if (radio !== checked) {\n event.stopPropagation();\n }\n });\n }\n }\n /**\n * Returns the alignment of the `igx-radio-group`.\n * ```typescript\n * @ViewChild(\"MyRadioGroup\")\n * public radioGroup: IgxRadioGroupDirective;\n * ngAfterViewInit(){\n * let radioAlignment = this.radioGroup.alignment;\n * }\n * ```\n */\n get alignment() {\n return this.vertical ? RadioGroupAlignment.vertical : RadioGroupAlignment.horizontal;\n }\n /**\n * Allows you to set the radio group alignment.\n * Available options are `RadioGroupAlignment.horizontal` (default) and `RadioGroupAlignment.vertical`.\n * ```typescript\n * public alignment = RadioGroupAlignment.vertical;\n * //..\n * ```\n * ```html\n * \n * ```\n */\n set alignment(value) {\n this.vertical = value === RadioGroupAlignment.vertical;\n }\n /**\n * @hidden\n * @internal\n */\n ngAfterContentInit() {\n // The initial value can possibly be set by NgModel and it is possible that\n // the OnInit of the NgModel occurs after the OnInit of this class.\n this._isInitialized = true;\n this.radioButtons.changes.pipe(startWith(0), takeUntil(this.destroy$)).subscribe(() => {\n this.queryChange$.next();\n setTimeout(() => this._initRadioButtons());\n });\n if (this.ngControl) {\n this.radioButtons.forEach(button => {\n if (this.ngControl.disabled) {\n button.disabled = this.ngControl.disabled;\n }\n });\n }\n }\n /**\n * @hidden\n * @internal\n */\n ngAfterViewInit() {\n if (this.ngControl) {\n this.ngControl.statusChanges.pipe(takeUntil(this.destroy$)).subscribe(() => {\n this.invalid = false;\n });\n if (this.ngControl.control.validator || this.ngControl.control.asyncValidator) {\n this._required = this.ngControl?.control?.hasValidator(Validators.required);\n }\n }\n if (this.radioButtons) {\n this.radioButtons.forEach(button => {\n button.blurRadio.pipe(takeUntil(this.destroy$)).subscribe(() => {\n this.updateValidityOnBlur();\n });\n fromEvent(button.nativeElement, 'keyup').pipe(takeUntil(this.destroy$)).subscribe(event => {\n this.updateOnKeyUp(event);\n });\n });\n }\n }\n /**\n * @hidden\n * @internal\n */\n updateValidityOnBlur() {\n this.radioButtons.forEach(button => {\n button.focused = false;\n if (button.invalid) {\n this.invalid = true;\n }\n });\n }\n /**\n * @hidden\n * @internal\n */\n updateOnKeyUp(event) {\n const checked = this.radioButtons.find(x => x.checked);\n if (event.key === \"Tab\") {\n this.radioButtons.forEach(radio => {\n if (radio === checked) {\n checked.focused = true;\n }\n });\n }\n }\n ngDoCheck() {\n this._updateTabIndex();\n }\n _updateTabIndex() {\n // Needed so that the keyboard navigation of a radio group\n // placed inside a dialog works properly\n if (this.radioButtons) {\n const checked = this.radioButtons.find(x => x.checked);\n if (checked) {\n this.radioButtons.forEach(button => {\n checked.nativeElement.tabIndex = 0;\n if (button !== checked) {\n button.nativeElement.tabIndex = -1;\n button.focused = false;\n }\n });\n }\n }\n }\n /**\n * Sets the \"checked\" property value on the radio input element.\n *\n * @remarks\n * Checks whether the provided value is consistent to the current radio button.\n * If it is, the checked attribute will have value `true` and selected property will contain the selected `IgxRadioComponent`.\n *\n * @example\n * ```typescript\n * this.radioGroup.writeValue('radioButtonValue');\n * ```\n */\n writeValue(value) {\n this.value = value;\n }\n /**\n * Registers a function called when the control value changes.\n *\n * @hidden\n * @internal\n */\n registerOnChange(fn) {\n this._onChangeCallback = fn;\n }\n /**\n * Registers a function called when the control is touched.\n *\n * @hidden\n * @internal\n */\n registerOnTouched(fn) {\n if (this.radioButtons) {\n this.radioButtons.forEach(button => {\n button.registerOnTouched(fn);\n });\n }\n }\n /**\n * @hidden\n * @internal\n */\n ngOnDestroy() {\n this.destroy$.next(true);\n this.destroy$.complete();\n }\n constructor(ngControl, _directionality, cdr) {\n this.ngControl = ngControl;\n this._directionality = _directionality;\n this.cdr = cdr;\n /**\n * An event that is emitted after the radio group `value` is changed.\n *\n * @remarks\n * Provides references to the selected `IgxRadioComponent` and the `value` property as event arguments.\n *\n * @example\n * ```html\n * \n * ```\n */\n // eslint-disable-next-line @angular-eslint/no-output-native\n this.change = new EventEmitter();\n /**\n * The css class applied to the component.\n *\n * @hidden\n * @internal\n */\n this.cssClass = 'igx-radio-group';\n /**\n * Sets vertical alignment to the radio group, if `alignment` is set to `vertical`.\n * By default the alignment is horizontal.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.vertical = false;\n /**\n * @hidden\n * @internal\n */\n this._onChangeCallback = noop;\n /**\n * @hidden\n * @internal\n */\n this._name = `igx-radio-group-${nextId++}`;\n /**\n * @hidden\n * @internal\n */\n this._value = null;\n /**\n * @hidden\n * @internal\n */\n this._selected = null;\n /**\n * @hidden\n * @internal\n */\n this._isInitialized = false;\n /**\n * @hidden\n * @internal\n */\n this._required = false;\n /**\n * @hidden\n * @internal\n */\n this._invalid = false;\n /**\n * @hidden\n * @internal\n */\n this.destroy$ = new Subject();\n /**\n * @hidden\n * @internal\n */\n this.queryChange$ = new Subject();\n if (this.ngControl !== null) {\n this.ngControl.valueAccessor = this;\n }\n }\n /**\n * @hidden\n * @internal\n */\n _initRadioButtons() {\n if (this.radioButtons) {\n const props = {\n name: this._name,\n required: this._required\n };\n this.radioButtons.forEach(button => {\n Object.assign(button, props);\n if (button.value === this._value) {\n button.checked = true;\n this._selected = button;\n this.cdr.markForCheck();\n }\n button.change.pipe(takeUntil(button.destroy$), takeUntil(this.destroy$), takeUntil(this.queryChange$)).subscribe(ev => this._selectedRadioButtonChanged(ev));\n });\n }\n }\n /**\n * @hidden\n * @internal\n */\n _selectedRadioButtonChanged(args) {\n this.radioButtons.forEach(button => {\n button.checked = button.id === args.owner.id;\n if (button.checked && button.ngControl) {\n this.invalid = button.ngControl.invalid;\n } else if (button.checked) {\n this.invalid = false;\n }\n });\n this._selected = args.owner;\n this._value = args.value;\n if (this._isInitialized) {\n this.change.emit(args);\n this._onChangeCallback(this.value);\n }\n }\n /**\n * @hidden\n * @internal\n */\n _setRadioButtonNames() {\n if (this.radioButtons) {\n this.radioButtons.forEach(button => {\n button.name = this._name;\n });\n }\n }\n /**\n * @hidden\n * @internal\n */\n _selectRadioButton() {\n if (this.radioButtons) {\n this.radioButtons.forEach(button => {\n if (this._value === null) {\n // no value - uncheck all radio buttons\n if (button.checked) {\n button.checked = false;\n }\n } else {\n if (this._value === button.value) {\n // selected button\n if (this._selected !== button) {\n this._selected = button;\n }\n if (!button.checked) {\n button.checked = true;\n }\n } else {\n // non-selected button\n if (button.checked) {\n button.checked = false;\n }\n }\n }\n });\n }\n }\n /**\n * @hidden\n * @internal\n */\n _setRadioButtonsRequired() {\n if (this.radioButtons) {\n this.radioButtons.forEach(button => {\n button.required = this._required;\n });\n }\n }\n /**\n * @hidden\n * @internal\n */\n _setRadioButtonsInvalid() {\n if (this.radioButtons) {\n this.radioButtons.forEach(button => {\n button.invalid = this._invalid;\n });\n }\n }\n static {\n this.ɵfac = function IgxRadioGroupDirective_Factory(t) {\n return new (t || IgxRadioGroupDirective)(i0.ɵɵdirectiveInject(i4.NgControl, 10), i0.ɵɵdirectiveInject(IgxDirectionality), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxRadioGroupDirective,\n selectors: [[\"igx-radio-group\"], [\"\", \"igxRadioGroup\", \"\"]],\n contentQueries: function IgxRadioGroupDirective_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxRadioComponent, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.radioButtons = _t);\n }\n },\n hostVars: 4,\n hostBindings: function IgxRadioGroupDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"click\", function IgxRadioGroupDirective_click_HostBindingHandler($event) {\n return ctx.handleClick($event);\n })(\"keydown\", function IgxRadioGroupDirective_keydown_HostBindingHandler($event) {\n return ctx.handleKeyDown($event);\n });\n }\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-radio-group\", ctx.cssClass)(\"igx-radio-group--vertical\", ctx.vertical);\n }\n },\n inputs: {\n value: \"value\",\n name: \"name\",\n required: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"required\", \"required\", booleanAttribute],\n selected: \"selected\",\n invalid: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"invalid\", \"invalid\", booleanAttribute],\n alignment: \"alignment\"\n },\n outputs: {\n change: \"change\"\n },\n exportAs: [\"igxRadioGroup\"],\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature]\n });\n }\n }\n return IgxRadioGroupDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* NOTE: Radio Group directives collection for ease-of-use import in standalone components scenario */\nconst IGX_RADIO_GROUP_DIRECTIVES = [IgxRadioGroupDirective, IgxRadioComponent];\nlet IgxTextHighlightDirective = /*#__PURE__*/(() => {\n class IgxTextHighlightDirective {\n /**\n * The underlying value of the element that will be highlighted.\n *\n * ```typescript\n * // get\n * const elementValue = this.textHighlight.value;\n * ```\n *\n * ```html\n * \n *
\n *
\n * ```\n */\n get value() {\n return this._value;\n }\n set value(value) {\n if (value === undefined || value === null) {\n this._value = '';\n } else {\n this._value = value;\n }\n }\n /**\n * @hidden\n */\n get lastSearchInfo() {\n return this._lastSearchInfo;\n }\n constructor(element, service, renderer) {\n this.element = element;\n this.service = service;\n this.renderer = renderer;\n /**\n * Identifies the highlight within a unique group.\n * This allows it to have several different highlight groups,\n * with each of them having their own active highlight.\n *\n * ```html\n *
\n *
\n * ```\n */\n this.groupName = '';\n this.destroy$ = new Subject();\n this._value = '';\n this._div = null;\n this._observer = null;\n this._nodeWasRemoved = false;\n this._forceEvaluation = false;\n this._activeElementIndex = -1;\n this._defaultCssClass = 'igx-highlight';\n this._defaultActiveCssClass = 'igx-highlight--active';\n this.service.onActiveElementChanged.pipe(takeUntil(this.destroy$)).subscribe(groupName => {\n if (this.groupName === groupName) {\n if (this._activeElementIndex !== -1) {\n this.deactivate();\n }\n this.activateIfNecessary();\n }\n });\n }\n /**\n * @hidden\n */\n ngOnDestroy() {\n this.clearHighlight();\n if (this._observer !== null) {\n this._observer.disconnect();\n }\n this.destroy$.next(true);\n this.destroy$.complete();\n }\n /**\n * @hidden\n */\n ngOnChanges(changes) {\n if (changes.value && !changes.value.firstChange) {\n this._valueChanged = true;\n } else if (changes.row !== undefined && !changes.row.firstChange || changes.column !== undefined && !changes.column.firstChange || changes.page !== undefined && !changes.page.firstChange) {\n if (this._activeElementIndex !== -1) {\n this.deactivate();\n }\n this.activateIfNecessary();\n }\n }\n /**\n * @hidden\n */\n ngAfterViewInit() {\n this.parentElement = this.renderer.parentNode(this.element.nativeElement);\n if (this.service.highlightGroupsMap.has(this.groupName) === false) {\n this.service.highlightGroupsMap.set(this.groupName, {\n index: -1\n });\n }\n this._lastSearchInfo = {\n searchText: '',\n content: this.value,\n matchCount: 0,\n caseSensitive: false,\n exactMatch: false\n };\n this._container = this.parentElement.firstElementChild;\n }\n /**\n * @hidden\n */\n ngAfterViewChecked() {\n if (this._valueChanged) {\n this.highlight(this._lastSearchInfo.searchText, this._lastSearchInfo.caseSensitive, this._lastSearchInfo.exactMatch);\n this.activateIfNecessary();\n this._valueChanged = false;\n }\n }\n /**\n * Clears the existing highlight and highlights the searched text.\n * Returns how many times the element contains the searched text.\n */\n highlight(text, caseSensitive, exactMatch) {\n const caseSensitiveResolved = caseSensitive ? true : false;\n const exactMatchResolved = exactMatch ? true : false;\n if (this.searchNeedsEvaluation(text, caseSensitiveResolved, exactMatchResolved)) {\n this._lastSearchInfo.searchText = text;\n this._lastSearchInfo.caseSensitive = caseSensitiveResolved;\n this._lastSearchInfo.exactMatch = exactMatchResolved;\n this._lastSearchInfo.content = this.value;\n if (text === '' || text === undefined || text === null) {\n this.clearHighlight();\n } else {\n this.clearChildElements(true);\n this._lastSearchInfo.matchCount = this.getHighlightedText(text, caseSensitive, exactMatch);\n }\n } else if (this._nodeWasRemoved) {\n this._lastSearchInfo.searchText = text;\n this._lastSearchInfo.caseSensitive = caseSensitiveResolved;\n this._lastSearchInfo.exactMatch = exactMatchResolved;\n }\n return this._lastSearchInfo.matchCount;\n }\n /**\n * Clears any existing highlight.\n */\n clearHighlight() {\n this.clearChildElements(false);\n this._lastSearchInfo.searchText = '';\n this._lastSearchInfo.matchCount = 0;\n }\n /**\n * Activates the highlight if it is on the currently active row and column.\n */\n activateIfNecessary() {\n const group = this.service.highlightGroupsMap.get(this.groupName);\n if (group.index >= 0 && group.column === this.column && group.row === this.row && compareMaps(this.metadata, group.metadata)) {\n this.activate(group.index);\n }\n }\n /**\n * Attaches a MutationObserver to the parentElement and watches for when the container element is removed/readded to the DOM.\n * Should be used only when necessary as using many observers may lead to performance degradation.\n */\n observe() {\n if (this._observer === null) {\n const callback = mutationList => {\n mutationList.forEach(mutation => {\n const removedNodes = Array.from(mutation.removedNodes);\n removedNodes.forEach(n => {\n if (n === this._container) {\n this._nodeWasRemoved = true;\n this.clearChildElements(false);\n }\n });\n const addedNodes = Array.from(mutation.addedNodes);\n addedNodes.forEach(n => {\n if (n === this.parentElement.firstElementChild && this._nodeWasRemoved) {\n this._container = this.parentElement.firstElementChild;\n this._nodeWasRemoved = false;\n this._forceEvaluation = true;\n this.highlight(this._lastSearchInfo.searchText, this._lastSearchInfo.caseSensitive, this._lastSearchInfo.exactMatch);\n this._forceEvaluation = false;\n this.activateIfNecessary();\n this._observer.disconnect();\n this._observer = null;\n }\n });\n });\n };\n this._observer = new MutationObserver(callback);\n this._observer.observe(this.parentElement, {\n childList: true\n });\n }\n }\n activate(index) {\n this.deactivate();\n if (this._div !== null) {\n const spans = this._div.querySelectorAll('span');\n this._activeElementIndex = index;\n if (spans.length <= index) {\n return;\n }\n const elementToActivate = spans[index];\n this.renderer.addClass(elementToActivate, this._defaultActiveCssClass);\n this.renderer.addClass(elementToActivate, this.activeCssClass);\n }\n }\n deactivate() {\n if (this._activeElementIndex === -1) {\n return;\n }\n const spans = this._div.querySelectorAll('span');\n if (spans.length <= this._activeElementIndex) {\n this._activeElementIndex = -1;\n return;\n }\n const elementToDeactivate = spans[this._activeElementIndex];\n this.renderer.removeClass(elementToDeactivate, this._defaultActiveCssClass);\n this.renderer.removeClass(elementToDeactivate, this.activeCssClass);\n this._activeElementIndex = -1;\n }\n clearChildElements(originalContentHidden) {\n this.renderer.setProperty(this.element.nativeElement, 'hidden', originalContentHidden);\n if (this._div !== null) {\n this.renderer.removeChild(this.parentElement, this._div);\n this._div = null;\n this._activeElementIndex = -1;\n }\n }\n getHighlightedText(searchText, caseSensitive, exactMatch) {\n this.appendDiv();\n const stringValue = String(this.value);\n const contentStringResolved = !caseSensitive ? stringValue.toLowerCase() : stringValue;\n const searchTextResolved = !caseSensitive ? searchText.toLowerCase() : searchText;\n let matchCount = 0;\n if (exactMatch) {\n if (contentStringResolved === searchTextResolved) {\n this.appendSpan(`${stringValue}`);\n matchCount++;\n } else {\n this.appendText(stringValue);\n }\n } else {\n let foundIndex = contentStringResolved.indexOf(searchTextResolved, 0);\n let previousMatchEnd = 0;\n while (foundIndex !== -1) {\n const start = foundIndex;\n const end = foundIndex + searchTextResolved.length;\n this.appendText(stringValue.substring(previousMatchEnd, start));\n // eslint-disable-next-line max-len\n this.appendSpan(`${stringValue.substring(start, end)}`);\n previousMatchEnd = end;\n matchCount++;\n foundIndex = contentStringResolved.indexOf(searchTextResolved, end);\n }\n this.appendText(stringValue.substring(previousMatchEnd, stringValue.length));\n }\n return matchCount;\n }\n appendText(text) {\n const textElement = this.renderer.createText(text);\n this.renderer.appendChild(this._div, textElement);\n }\n appendSpan(outerHTML) {\n const span = this.renderer.createElement('span');\n this.renderer.appendChild(this._div, span);\n this.renderer.setProperty(span, 'outerHTML', outerHTML);\n }\n appendDiv() {\n this._div = this.renderer.createElement('div');\n if (this.containerClass) {\n this.renderer.addClass(this._div, this.containerClass);\n }\n this.renderer.appendChild(this.parentElement, this._div);\n }\n searchNeedsEvaluation(text, caseSensitive, exactMatch) {\n const searchedText = this._lastSearchInfo.searchText;\n return !this._nodeWasRemoved && (searchedText === null || searchedText !== text || this._lastSearchInfo.content !== this.value || this._lastSearchInfo.caseSensitive !== caseSensitive || this._lastSearchInfo.exactMatch !== exactMatch || this._forceEvaluation);\n }\n static {\n this.ɵfac = function IgxTextHighlightDirective_Factory(t) {\n return new (t || IgxTextHighlightDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(IgxTextHighlightService), i0.ɵɵdirectiveInject(i0.Renderer2));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxTextHighlightDirective,\n selectors: [[\"\", \"igxTextHighlight\", \"\"]],\n inputs: {\n cssClass: \"cssClass\",\n activeCssClass: \"activeCssClass\",\n containerClass: \"containerClass\",\n groupName: \"groupName\",\n value: \"value\",\n row: \"row\",\n column: \"column\",\n metadata: \"metadata\"\n },\n standalone: true,\n features: [i0.ɵɵNgOnChangesFeature]\n });\n }\n }\n return IgxTextHighlightDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxTextSelectionDirective = /*#__PURE__*/(() => {\n class IgxTextSelectionDirective {\n /**\n * Returns the nativeElement of the element where the directive was applied.\n *\n * ```html\n * \n * \n * ```\n *\n * ```typescript\n * @ViewChild('firstName',\n * {read: IgxTextSelectionDirective})\n * public inputElement: IgxTextSelectionDirective;\n *\n * public getNativeElement() {\n * return this.inputElement.nativeElement;\n * }\n * ```\n */\n get nativeElement() {\n return this.element.nativeElement;\n }\n constructor(element) {\n this.element = element;\n /**\n * Determines whether the input element could be selected through the directive.\n *\n * ```html\n * \n * \n * \n *\n * \n * \n * ```\n */\n this.selected = true;\n }\n /**\n * @hidden\n */\n onFocus() {\n this.trigger();\n }\n /**\n * Triggers the selection of the element if it is marked as selectable.\n *\n * ```html\n * \n * \n * ```\n *\n * ```typescript\n * @ViewChild('firstName',\n * {read: IgxTextSelectionDirective})\n * public inputElement: IgxTextSelectionDirective;\n *\n * public triggerElementSelection() {\n * this.inputElement.trigger();\n * }\n * ```\n */\n trigger() {\n if (this.selected && this.nativeElement.value.length) {\n // delay the select call to avoid race conditions in case the directive is applied\n // to an element with its own focus handler\n requestAnimationFrame(() => this.nativeElement.select());\n }\n }\n static {\n this.ɵfac = function IgxTextSelectionDirective_Factory(t) {\n return new (t || IgxTextSelectionDirective)(i0.ɵɵdirectiveInject(i0.ElementRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxTextSelectionDirective,\n selectors: [[\"\", \"igxTextSelection\", \"\"]],\n hostBindings: function IgxTextSelectionDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"focus\", function IgxTextSelectionDirective_focus_HostBindingHandler() {\n return ctx.onFocus();\n });\n }\n },\n inputs: {\n selected: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"igxTextSelection\", \"selected\", booleanAttribute]\n },\n exportAs: [\"igxTextSelection\"],\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature]\n });\n }\n }\n return IgxTextSelectionDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * @hidden\n */\nlet IgxTemplateOutletDirective = /*#__PURE__*/(() => {\n class IgxTemplateOutletDirective {\n constructor(_viewContainerRef, _zone, cdr) {\n this._viewContainerRef = _viewContainerRef;\n this._zone = _zone;\n this.cdr = cdr;\n this.viewCreated = new EventEmitter();\n this.viewMoved = new EventEmitter();\n this.cachedViewLoaded = new EventEmitter();\n this.beforeViewDetach = new EventEmitter();\n /**\n * The embedded views cache. Collection is key-value paired.\n * Key is the template type, value is another key-value paired collection\n * where the key is the template id and value is the embedded view for the related template.\n */\n this._embeddedViewsMap = new Map();\n }\n ngOnChanges(changes) {\n const actionType = this._getActionType(changes);\n switch (actionType) {\n case TemplateOutletAction.CreateView:\n this._recreateView();\n break;\n case TemplateOutletAction.MoveView:\n this._moveView();\n break;\n case TemplateOutletAction.UseCachedView:\n this._useCachedView();\n break;\n case TemplateOutletAction.UpdateViewContext:\n this._updateExistingContext(this.igxTemplateOutletContext);\n break;\n }\n }\n cleanCache() {\n this._embeddedViewsMap.forEach(collection => {\n collection.forEach(item => {\n if (!item.destroyed) {\n item.destroy();\n }\n });\n collection.clear();\n });\n this._embeddedViewsMap.clear();\n }\n cleanView(tmplID) {\n const embViewCollection = this._embeddedViewsMap.get(tmplID.type);\n const embView = embViewCollection?.get(tmplID.id);\n if (embView) {\n embView.destroy();\n this._embeddedViewsMap.get(tmplID.type).delete(tmplID.id);\n }\n }\n _recreateView() {\n const prevIndex = this._viewRef ? this._viewContainerRef.indexOf(this._viewRef) : -1;\n // detach old and create new\n if (prevIndex !== -1) {\n this.beforeViewDetach.emit({\n owner: this,\n view: this._viewRef,\n context: this.igxTemplateOutletContext\n });\n this._viewContainerRef.detach(prevIndex);\n }\n if (this.igxTemplateOutlet) {\n this._viewRef = this._viewContainerRef.createEmbeddedView(this.igxTemplateOutlet, this.igxTemplateOutletContext);\n this.viewCreated.emit({\n owner: this,\n view: this._viewRef,\n context: this.igxTemplateOutletContext\n });\n const tmplId = this.igxTemplateOutletContext['templateID'];\n if (tmplId) {\n // if context contains a template id, check if we have a view for that template already stored in the cache\n // if not create a copy and add it to the cache in detached state.\n // Note: Views in detached state do not appear in the DOM, however they remain stored in memory.\n const resCollection = this._embeddedViewsMap.get(this.igxTemplateOutletContext['templateID'].type);\n const res = resCollection?.get(this.igxTemplateOutletContext['templateID'].id);\n if (!res) {\n this._embeddedViewsMap.set(this.igxTemplateOutletContext['templateID'].type, new Map([[this.igxTemplateOutletContext['templateID'].id, this._viewRef]]));\n }\n }\n }\n }\n _moveView() {\n // using external view and inserting it in current view.\n const view = this.igxTemplateOutletContext['moveView'];\n const owner = this.igxTemplateOutletContext['owner'];\n if (view !== this._viewRef) {\n if (owner._viewContainerRef.indexOf(view) !== -1) {\n // detach in case view it is attached somewhere else at the moment.\n this.beforeViewDetach.emit({\n owner: this,\n view: this._viewRef,\n context: this.igxTemplateOutletContext\n });\n owner._viewContainerRef.detach(owner._viewContainerRef.indexOf(view));\n }\n if (this._viewRef && this._viewContainerRef.indexOf(this._viewRef) !== -1) {\n this.beforeViewDetach.emit({\n owner: this,\n view: this._viewRef,\n context: this.igxTemplateOutletContext\n });\n this._viewContainerRef.detach(this._viewContainerRef.indexOf(this._viewRef));\n }\n this._viewRef = view;\n this._viewContainerRef.insert(view, 0);\n this._updateExistingContext(this.igxTemplateOutletContext);\n this.viewMoved.emit({\n owner: this,\n view: this._viewRef,\n context: this.igxTemplateOutletContext\n });\n } else {\n this._updateExistingContext(this.igxTemplateOutletContext);\n }\n }\n _useCachedView() {\n // use view for specific template cached in the current template outlet\n const tmplID = this.igxTemplateOutletContext['templateID'];\n const cachedView = tmplID ? this._embeddedViewsMap.get(tmplID.type)?.get(tmplID.id) : null;\n // if view exists, but template has been changed and there is a view in the cache with the related template\n // then detach old view and insert the stored one with the matching template\n // after that update its context.\n if (this._viewContainerRef.length > 0) {\n this.beforeViewDetach.emit({\n owner: this,\n view: this._viewRef,\n context: this.igxTemplateOutletContext\n });\n this._viewContainerRef.detach(this._viewContainerRef.indexOf(this._viewRef));\n }\n this._viewRef = cachedView;\n const oldContext = this._cloneContext(cachedView.context);\n this._viewContainerRef.insert(this._viewRef, 0);\n this._updateExistingContext(this.igxTemplateOutletContext);\n this.cachedViewLoaded.emit({\n owner: this,\n view: this._viewRef,\n context: this.igxTemplateOutletContext,\n oldContext\n });\n }\n _shouldRecreateView(changes) {\n const ctxChange = changes['igxTemplateOutletContext'];\n return !!changes['igxTemplateOutlet'] || ctxChange && this._hasContextShapeChanged(ctxChange);\n }\n _hasContextShapeChanged(ctxChange) {\n const prevCtxKeys = Object.keys(ctxChange.previousValue || {});\n const currCtxKeys = Object.keys(ctxChange.currentValue || {});\n if (prevCtxKeys.length === currCtxKeys.length) {\n for (const propName of currCtxKeys) {\n if (prevCtxKeys.indexOf(propName) === -1) {\n return true;\n }\n }\n return false;\n } else {\n return true;\n }\n }\n _updateExistingContext(ctx) {\n for (const propName of Object.keys(ctx)) {\n this._viewRef.context[propName] = this.igxTemplateOutletContext[propName];\n }\n }\n _cloneContext(ctx) {\n const clone = {};\n for (const propName of Object.keys(ctx)) {\n clone[propName] = ctx[propName];\n }\n return clone;\n }\n _getActionType(changes) {\n const movedView = this.igxTemplateOutletContext['moveView'];\n const tmplID = this.igxTemplateOutletContext['templateID'];\n const cachedView = tmplID ? this._embeddedViewsMap.get(tmplID.type)?.get(tmplID.id) : null;\n const shouldRecreate = this._shouldRecreateView(changes);\n if (movedView) {\n // view is moved from external source\n return TemplateOutletAction.MoveView;\n } else if (shouldRecreate && cachedView) {\n // should recreate (template or context change) and there is a matching template in cache\n return TemplateOutletAction.UseCachedView;\n } else if (!this._viewRef || shouldRecreate) {\n // no view or should recreate\n return TemplateOutletAction.CreateView;\n } else if (this.igxTemplateOutletContext) {\n // has context, update context\n return TemplateOutletAction.UpdateViewContext;\n }\n }\n static {\n this.ɵfac = function IgxTemplateOutletDirective_Factory(t) {\n return new (t || IgxTemplateOutletDirective)(i0.ɵɵdirectiveInject(i0.ViewContainerRef), i0.ɵɵdirectiveInject(i0.NgZone), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxTemplateOutletDirective,\n selectors: [[\"\", \"igxTemplateOutlet\", \"\"]],\n inputs: {\n igxTemplateOutletContext: \"igxTemplateOutletContext\",\n igxTemplateOutlet: \"igxTemplateOutlet\"\n },\n outputs: {\n viewCreated: \"viewCreated\",\n viewMoved: \"viewMoved\",\n cachedViewLoaded: \"cachedViewLoaded\",\n beforeViewDetach: \"beforeViewDetach\"\n },\n standalone: true,\n features: [i0.ɵɵNgOnChangesFeature]\n });\n }\n }\n return IgxTemplateOutletDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nvar TemplateOutletAction = /*#__PURE__*/function (TemplateOutletAction) {\n TemplateOutletAction[TemplateOutletAction[\"CreateView\"] = 0] = \"CreateView\";\n TemplateOutletAction[TemplateOutletAction[\"MoveView\"] = 1] = \"MoveView\";\n TemplateOutletAction[TemplateOutletAction[\"UseCachedView\"] = 2] = \"UseCachedView\";\n TemplateOutletAction[TemplateOutletAction[\"UpdateViewContext\"] = 3] = \"UpdateViewContext\";\n return TemplateOutletAction;\n}(TemplateOutletAction || {});\nlet IgxToggleDirective = /*#__PURE__*/(() => {\n class IgxToggleDirective {\n /**\n * @hidden\n */\n get collapsed() {\n return this._collapsed;\n }\n /**\n * @hidden\n */\n get element() {\n return this.elementRef.nativeElement;\n }\n /**\n * @hidden\n */\n get hiddenClass() {\n return this.collapsed;\n }\n get hiddenWebkitClass() {\n const isSafari = this.platform?.isSafari;\n const browserVersion = this.platform?.browserVersion;\n return this.collapsed && isSafari && !!browserVersion && browserVersion < 17.5;\n }\n /**\n * @hidden\n */\n get defaultClass() {\n return !this.collapsed;\n }\n /**\n * @hidden\n */\n constructor(elementRef, cdr, overlayService, navigationService, platform) {\n this.elementRef = elementRef;\n this.cdr = cdr;\n this.overlayService = overlayService;\n this.navigationService = navigationService;\n this.platform = platform;\n /**\n * Emits an event after the toggle container is opened.\n *\n * ```typescript\n * onToggleOpened(event) {\n * alert(\"Toggle opened!\");\n * }\n * ```\n *\n * ```html\n *
\n *
\n * ```\n */\n this.opened = new EventEmitter();\n /**\n * Emits an event before the toggle container is opened.\n *\n * ```typescript\n * onToggleOpening(event) {\n * alert(\"Toggle opening!\");\n * }\n * ```\n *\n * ```html\n *
\n *
\n * ```\n */\n this.opening = new EventEmitter();\n /**\n * Emits an event after the toggle container is closed.\n *\n * ```typescript\n * onToggleClosed(event) {\n * alert(\"Toggle closed!\");\n * }\n * ```\n *\n * ```html\n *
\n *
\n * ```\n */\n this.closed = new EventEmitter();\n /**\n * Emits an event before the toggle container is closed.\n *\n * ```typescript\n * onToggleClosing(event) {\n * alert(\"Toggle closing!\");\n * }\n * ```\n *\n * ```html\n *
\n *
\n * ```\n */\n this.closing = new EventEmitter();\n /**\n * Emits an event after the toggle element is appended to the overlay container.\n *\n * ```typescript\n * onAppended() {\n * alert(\"Content appended!\");\n * }\n * ```\n *\n * ```html\n *
\n *
\n * ```\n */\n this.appended = new EventEmitter();\n this._collapsed = true;\n this.destroy$ = new Subject();\n this._overlaySubFilter = [filter(x => x.id === this._overlayId), takeUntil(this.destroy$)];\n this.overlayClosed = e => {\n this._collapsed = true;\n this.cdr.detectChanges();\n this.unsubscribe();\n this.overlayService.detach(this.overlayId);\n const args = {\n owner: this,\n id: this._overlayId,\n event: e.event\n };\n delete this._overlayId;\n this.closed.emit(args);\n this.cdr.markForCheck();\n };\n }\n /**\n * Opens the toggle.\n *\n * ```typescript\n * this.myToggle.open();\n * ```\n */\n open(overlaySettings) {\n // if there is open animation do nothing\n // if toggle is not collapsed and there is no close animation do nothing\n const info = this.overlayService.getOverlayById(this._overlayId);\n const openAnimationStarted = info?.openAnimationPlayer?.hasStarted() ?? false;\n const closeAnimationStarted = info?.closeAnimationPlayer?.hasStarted() ?? false;\n if (openAnimationStarted || !(this._collapsed || closeAnimationStarted)) {\n return;\n }\n const target = overlaySettings && overlaySettings.target;\n // Get the size from the target element\n if (target && target instanceof Element) {\n const styles = window.getComputedStyle(target);\n const componentSize = styles.getPropertyValue('--component-size');\n const globalSize = styles.getPropertyValue('--ig-size');\n const size = componentSize || globalSize || '3';\n this.elementRef.nativeElement.style.setProperty('--ig-size', size);\n }\n this._collapsed = false;\n this.cdr.detectChanges();\n if (!info) {\n this.unsubscribe();\n this.subscribe();\n this._overlayId = this.overlayService.attach(this.elementRef, overlaySettings);\n }\n const args = {\n cancel: false,\n owner: this,\n id: this._overlayId\n };\n this.opening.emit(args);\n if (args.cancel) {\n this.unsubscribe();\n this.overlayService.detach(this._overlayId);\n this._collapsed = true;\n delete this._overlayId;\n this.cdr.detectChanges();\n return;\n }\n this.overlayService.show(this._overlayId, overlaySettings);\n }\n /**\n * Closes the toggle.\n *\n * ```typescript\n * this.myToggle.close();\n * ```\n */\n close(event) {\n // if toggle is collapsed do nothing\n // if there is close animation do nothing, toggle will close anyway\n const info = this.overlayService.getOverlayById(this._overlayId);\n const closeAnimationStarted = info?.closeAnimationPlayer?.hasStarted() || false;\n if (this._collapsed || closeAnimationStarted) {\n return;\n }\n this.overlayService.hide(this._overlayId, event);\n }\n /**\n * Opens or closes the toggle, depending on its current state.\n *\n * ```typescript\n * this.myToggle.toggle();\n * ```\n */\n toggle(overlaySettings) {\n // if toggle is collapsed call open\n // if there is running close animation call open\n if (this.collapsed || this.isClosing) {\n this.open(overlaySettings);\n } else {\n this.close();\n }\n }\n /** @hidden @internal */\n get isClosing() {\n const info = this.overlayService.getOverlayById(this._overlayId);\n return info ? info.closeAnimationPlayer?.hasStarted() : false;\n }\n /**\n * Returns the id of the overlay the content is rendered in.\n * ```typescript\n * this.myToggle.overlayId;\n * ```\n */\n get overlayId() {\n return this._overlayId;\n }\n /**\n * Repositions the toggle.\n * ```typescript\n * this.myToggle.reposition();\n * ```\n */\n reposition() {\n this.overlayService.reposition(this._overlayId);\n }\n /**\n * Offsets the content along the corresponding axis by the provided amount\n */\n setOffset(deltaX, deltaY) {\n this.overlayService.setOffset(this._overlayId, deltaX, deltaY);\n }\n /**\n * @hidden\n */\n ngOnInit() {\n if (this.navigationService && this.id) {\n this.navigationService.add(this.id, this);\n }\n }\n /**\n * @hidden\n */\n ngOnDestroy() {\n if (this.navigationService && this.id) {\n this.navigationService.remove(this.id);\n }\n if (this._overlayId) {\n this.overlayService.detach(this._overlayId);\n }\n this.unsubscribe();\n this.destroy$.next(true);\n this.destroy$.complete();\n }\n subscribe() {\n this._overlayContentAppendedSub = this.overlayService.contentAppended.pipe(first$2(), takeUntil(this.destroy$)).subscribe(() => {\n const args = {\n owner: this,\n id: this._overlayId\n };\n this.appended.emit(args);\n });\n this._overlayOpenedSub = this.overlayService.opened.pipe(...this._overlaySubFilter).subscribe(() => {\n const args = {\n owner: this,\n id: this._overlayId\n };\n this.opened.emit(args);\n });\n this._overlayClosingSub = this.overlayService.closing.pipe(...this._overlaySubFilter).subscribe(e => {\n const args = {\n cancel: false,\n event: e.event,\n owner: this,\n id: this._overlayId\n };\n this.closing.emit(args);\n e.cancel = args.cancel;\n // in case event is not canceled this will close the toggle and we need to unsubscribe.\n // Otherwise if for some reason, e.g. close on outside click, close() gets called before\n // closed was fired we will end with calling closing more than once\n if (!e.cancel) {\n this.clearSubscription(this._overlayClosingSub);\n }\n });\n this._overlayClosedSub = this.overlayService.closed.pipe(...this._overlaySubFilter).subscribe(this.overlayClosed);\n }\n unsubscribe() {\n this.clearSubscription(this._overlayOpenedSub);\n this.clearSubscription(this._overlayClosingSub);\n this.clearSubscription(this._overlayClosedSub);\n this.clearSubscription(this._overlayContentAppendedSub);\n }\n clearSubscription(subscription) {\n if (subscription && !subscription.closed) {\n subscription.unsubscribe();\n }\n }\n static {\n this.ɵfac = function IgxToggleDirective_Factory(t) {\n return new (t || IgxToggleDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(IgxOverlayService), i0.ɵɵdirectiveInject(IgxNavigationService, 8), i0.ɵɵdirectiveInject(PlatformUtil, 8));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxToggleDirective,\n selectors: [[\"\", \"igxToggle\", \"\"]],\n hostVars: 7,\n hostBindings: function IgxToggleDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"aria-hidden\", ctx.hiddenClass);\n i0.ɵɵclassProp(\"igx-toggle--hidden\", ctx.hiddenClass)(\"igx-toggle--hidden-webkit\", ctx.hiddenWebkitClass)(\"igx-toggle\", ctx.defaultClass);\n }\n },\n inputs: {\n id: \"id\"\n },\n outputs: {\n opened: \"opened\",\n opening: \"opening\",\n closed: \"closed\",\n closing: \"closing\",\n appended: \"appended\"\n },\n exportAs: [\"toggle\"],\n standalone: true\n });\n }\n }\n return IgxToggleDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxToggleActionDirective = /*#__PURE__*/(() => {\n class IgxToggleActionDirective {\n /**\n * @hidden\n */\n set target(target) {\n if (target !== null && target !== '') {\n this._target = target;\n }\n }\n /**\n * @hidden\n */\n get target() {\n if (typeof this._target === 'string') {\n return this.navigationService.get(this._target);\n }\n return this._target;\n }\n constructor(element, navigationService) {\n this.element = element;\n this.navigationService = navigationService;\n }\n /**\n * @hidden\n */\n onClick() {\n if (this.outlet) {\n this._overlayDefaults.outlet = this.outlet;\n }\n const clonedSettings = Object.assign({}, this._overlayDefaults, this.overlaySettings);\n this.updateOverlaySettings(clonedSettings);\n this.target.toggle(clonedSettings);\n }\n /**\n * @hidden\n */\n ngOnInit() {\n const targetElement = this.element.nativeElement;\n this._overlayDefaults = {\n target: targetElement,\n positionStrategy: new ConnectedPositioningStrategy(),\n scrollStrategy: new AbsoluteScrollStrategy(),\n closeOnOutsideClick: true,\n modal: false,\n excludeFromOutsideClick: [targetElement]\n };\n }\n /**\n * Updates provided overlay settings\n *\n * @param settings settings to update\n * @returns returns updated copy of provided overlay settings\n */\n updateOverlaySettings(settings) {\n if (settings && settings.positionStrategy) {\n const positionStrategyClone = settings.positionStrategy.clone();\n settings.target = this.element.nativeElement;\n settings.positionStrategy = positionStrategyClone;\n }\n return settings;\n }\n static {\n this.ɵfac = function IgxToggleActionDirective_Factory(t) {\n return new (t || IgxToggleActionDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(IgxNavigationService, 8));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxToggleActionDirective,\n selectors: [[\"\", \"igxToggleAction\", \"\"]],\n hostBindings: function IgxToggleActionDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"click\", function IgxToggleActionDirective_click_HostBindingHandler() {\n return ctx.onClick();\n });\n }\n },\n inputs: {\n overlaySettings: \"overlaySettings\",\n outlet: [i0.ɵɵInputFlags.None, \"igxToggleOutlet\", \"outlet\"],\n target: [i0.ɵɵInputFlags.None, \"igxToggleAction\", \"target\"]\n },\n exportAs: [\"toggle-action\"],\n standalone: true\n });\n }\n }\n return IgxToggleActionDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Mark an element as an igxOverlay outlet container.\n * Directive instance is exported as `overlay-outlet` to be assigned to templates variables:\n * ```html\n * \n * ```\n */\nlet IgxOverlayOutletDirective = /*#__PURE__*/(() => {\n class IgxOverlayOutletDirective {\n constructor(element) {\n this.element = element;\n }\n /** @hidden */\n get nativeElement() {\n return this.element.nativeElement;\n }\n static {\n this.ɵfac = function IgxOverlayOutletDirective_Factory(t) {\n return new (t || IgxOverlayOutletDirective)(i0.ɵɵdirectiveInject(i0.ElementRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxOverlayOutletDirective,\n selectors: [[\"\", \"igxOverlayOutlet\", \"\"]],\n exportAs: [\"overlay-outlet\"],\n standalone: true\n });\n }\n }\n return IgxOverlayOutletDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet NEXT_ID$t = 0;\n/**\n * **Ignite UI for Angular Tooltip** -\n * [Documentation](https://www.infragistics.com/products/ignite-ui-angular/angular/components/tooltip)\n *\n * The Ignite UI for Angular Tooltip directive is used to mark an HTML element in the markup as one that should behave as a tooltip.\n * The tooltip is used in combination with the Ignite UI for Angular Tooltip Target by assigning the exported tooltip reference to the\n * respective target's selector property.\n *\n * Example:\n * ```html\n * \n * Hello there, I am a tooltip!\n * ```\n */\nlet IgxTooltipDirective = /*#__PURE__*/(() => {\n class IgxTooltipDirective extends IgxToggleDirective {\n /**\n * @hidden\n */\n get hiddenClass() {\n return this.collapsed;\n }\n /**\n * @hidden\n */\n get defaultClass() {\n return !this.collapsed;\n }\n /**\n * Get the role attribute of the tooltip.\n *\n * ```typescript\n * let tooltipRole = this.tooltip.role;\n * ```\n */\n get role() {\n return 'tooltip';\n }\n /** @hidden */\n constructor(elementRef, cdr, overlayService, navigationService) {\n // D.P. constructor duplication due to es6 compilation, might be obsolete in the future\n super(elementRef, cdr, overlayService, navigationService);\n /**\n * Identifier for the tooltip.\n * If this is property is not explicitly set, it will be automatically generated.\n *\n * ```typescript\n * let tooltipId = this.tooltip.id;\n * ```\n */\n this.id = `igx-tooltip-${NEXT_ID$t++}`;\n /**\n * @hidden\n * Returns whether close time out has started\n */\n this.toBeHidden = false;\n /**\n * @hidden\n * Returns whether open time out has started\n */\n this.toBeShown = false;\n }\n /**\n * If there is open animation in progress this method will finish is.\n * If there is no open animation in progress this method will open the toggle with no animation.\n *\n * @param overlaySettings setting to use for opening the toggle\n */\n forceOpen(overlaySettings) {\n const info = this.overlayService.getOverlayById(this._overlayId);\n const hasOpenAnimation = info ? info.openAnimationPlayer : false;\n if (hasOpenAnimation) {\n info.openAnimationPlayer.finish();\n info.openAnimationPlayer.reset();\n info.openAnimationPlayer = null;\n } else if (this.collapsed) {\n const animation = overlaySettings.positionStrategy.settings.openAnimation;\n overlaySettings.positionStrategy.settings.openAnimation = null;\n this.open(overlaySettings);\n overlaySettings.positionStrategy.settings.openAnimation = animation;\n }\n }\n /**\n * If there is close animation in progress this method will finish is.\n * If there is no close animation in progress this method will close the toggle with no animation.\n *\n * @param overlaySettings settings to use for closing the toggle\n */\n forceClose(overlaySettings) {\n const info = this.overlayService.getOverlayById(this._overlayId);\n const hasCloseAnimation = info ? info.closeAnimationPlayer : false;\n if (hasCloseAnimation) {\n info.closeAnimationPlayer.finish();\n info.closeAnimationPlayer.reset();\n info.closeAnimationPlayer = null;\n } else if (!this.collapsed) {\n const animation = overlaySettings.positionStrategy.settings.closeAnimation;\n overlaySettings.positionStrategy.settings.closeAnimation = null;\n this.close();\n overlaySettings.positionStrategy.settings.closeAnimation = animation;\n }\n }\n static {\n this.ɵfac = function IgxTooltipDirective_Factory(t) {\n return new (t || IgxTooltipDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(IgxOverlayService), i0.ɵɵdirectiveInject(IgxNavigationService, 8));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxTooltipDirective,\n selectors: [[\"\", \"igxTooltip\", \"\"]],\n hostVars: 6,\n hostBindings: function IgxTooltipDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id)(\"role\", ctx.role);\n i0.ɵɵclassProp(\"igx-tooltip--hidden\", ctx.hiddenClass)(\"igx-tooltip--desktop\", ctx.defaultClass);\n }\n },\n inputs: {\n context: \"context\",\n id: \"id\"\n },\n exportAs: [\"tooltip\"],\n standalone: true,\n features: [i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxTooltipDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxTooltipComponent = /*#__PURE__*/(() => {\n class IgxTooltipComponent {\n static {\n this.ɵfac = function IgxTooltipComponent_Factory(t) {\n return new (t || IgxTooltipComponent)();\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxTooltipComponent,\n selectors: [[\"igx-tooltip\"]],\n viewQuery: function IgxTooltipComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(IgxTooltipDirective, 7);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.tooltip = _t.first);\n }\n },\n standalone: true,\n features: [i0.ɵɵStandaloneFeature],\n decls: 2,\n vars: 1,\n consts: [[\"igxTooltip\", \"\"]],\n template: function IgxTooltipComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵelementStart(0, \"span\", 0);\n i0.ɵɵtext(1);\n i0.ɵɵelementEnd();\n }\n if (rf & 2) {\n i0.ɵɵadvance();\n i0.ɵɵtextInterpolate(ctx.content);\n }\n },\n dependencies: [IgxTooltipDirective],\n encapsulation: 2\n });\n }\n }\n return IgxTooltipComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * **Ignite UI for Angular Tooltip Target** -\n * [Documentation](https://www.infragistics.com/products/ignite-ui-angular/angular/components/tooltip)\n *\n * The Ignite UI for Angular Tooltip Target directive is used to mark an HTML element in the markup as one that has a tooltip.\n * The tooltip target is used in combination with the Ignite UI for Angular Tooltip by assigning the exported tooltip reference to the\n * target's selector property.\n *\n * Example:\n * ```html\n * \n * Hello there, I am a tooltip!\n * ```\n */\nlet IgxTooltipTargetDirective = /*#__PURE__*/(() => {\n class IgxTooltipTargetDirective extends IgxToggleActionDirective {\n /**\n * @hidden\n */\n set target(target) {\n if (target instanceof IgxTooltipDirective) {\n this._target = target;\n }\n }\n /**\n * @hidden\n */\n get target() {\n if (typeof this._target === 'string') {\n return this._navigationService.get(this._target);\n }\n return this._target;\n }\n /**\n * @hidden\n */\n set tooltip(content) {\n if (!this.target && (typeof content === 'string' || content instanceof String)) {\n const tooltipComponent = this._viewContainerRef.createComponent(IgxTooltipComponent);\n tooltipComponent.instance.content = content;\n this._target = tooltipComponent.instance.tooltip;\n }\n }\n /**\n * Gets the respective native element of the directive.\n *\n * ```typescript\n * let tooltipTargetElement = this.tooltipTarget.nativeElement;\n * ```\n */\n get nativeElement() {\n return this._element.nativeElement;\n }\n /**\n * Indicates if the tooltip that is is associated with this target is currently hidden.\n *\n * ```typescript\n * let tooltipHiddenValue = this.tooltipTarget.tooltipHidden;\n * ```\n */\n get tooltipHidden() {\n return !this.target || this.target.collapsed;\n }\n constructor(_element, _navigationService, _viewContainerRef) {\n super(_element, _navigationService);\n this._element = _element;\n this._navigationService = _navigationService;\n this._viewContainerRef = _viewContainerRef;\n /**\n * Gets/sets the amount of milliseconds that should pass before showing the tooltip.\n *\n * ```typescript\n * // get\n * let tooltipShowDelay = this.tooltipTarget.showDelay;\n * ```\n *\n * ```html\n * \n * \n * Hello there, I am a tooltip!\n * ```\n */\n this.showDelay = 500;\n /**\n * Gets/sets the amount of milliseconds that should pass before hiding the tooltip.\n *\n * ```typescript\n * // get\n * let tooltipHideDelay = this.tooltipTarget.hideDelay;\n * ```\n *\n * ```html\n * \n * \n * Hello there, I am a tooltip!\n * ```\n */\n this.hideDelay = 500;\n /**\n * Specifies if the tooltip should not show when hovering its target with the mouse. (defaults to false)\n * While setting this property to 'true' will disable the user interactions that shows/hides the tooltip,\n * the developer will still be able to show/hide the tooltip through the API.\n *\n * ```typescript\n * // get\n * let tooltipDisabledValue = this.tooltipTarget.tooltipDisabled;\n * ```\n *\n * ```html\n * \n * \n * Hello there, I am a tooltip!\n * ```\n */\n this.tooltipDisabled = false;\n /**\n * Emits an event when the tooltip that is associated with this target starts showing.\n * This event is fired before the start of the countdown to showing the tooltip.\n *\n * ```typescript\n * tooltipShowing(args: ITooltipShowEventArgs) {\n * alert(\"Tooltip started showing!\");\n * }\n * ```\n *\n * ```html\n * \n * Hello there, I am a tooltip!\n * ```\n */\n this.tooltipShow = new EventEmitter();\n /**\n * Emits an event when the tooltip that is associated with this target starts hiding.\n * This event is fired before the start of the countdown to hiding the tooltip.\n *\n * ```typescript\n * tooltipHiding(args: ITooltipHideEventArgs) {\n * alert(\"Tooltip started hiding!\");\n * }\n * ```\n *\n * ```html\n * \n * Hello there, I am a tooltip!\n * ```\n */\n this.tooltipHide = new EventEmitter();\n this.destroy$ = new Subject();\n }\n /**\n * @hidden\n */\n onClick() {\n if (!this.target.collapsed) {\n this.target.forceClose(this.mergedOverlaySettings);\n }\n }\n /**\n * @hidden\n */\n onMouseEnter() {\n if (this.tooltipDisabled) {\n return;\n }\n this.checkOutletAndOutsideClick();\n const shouldReturn = this.preMouseEnterCheck();\n if (shouldReturn) {\n return;\n }\n const showingArgs = {\n target: this,\n tooltip: this.target,\n cancel: false\n };\n this.tooltipShow.emit(showingArgs);\n if (showingArgs.cancel) {\n return;\n }\n this.target.toBeShown = true;\n this.target.timeoutId = setTimeout(() => {\n this.target.open(this.mergedOverlaySettings); // Call open() of IgxTooltipDirective\n this.target.toBeShown = false;\n }, this.showDelay);\n }\n /**\n * @hidden\n */\n onMouseLeave() {\n if (this.tooltipDisabled) {\n return;\n }\n this.checkOutletAndOutsideClick();\n const shouldReturn = this.preMouseLeaveCheck();\n if (shouldReturn || this.target.collapsed) {\n return;\n }\n this.target.toBeHidden = true;\n this.target.timeoutId = setTimeout(() => {\n this.target.close(); // Call close() of IgxTooltipDirective\n this.target.toBeHidden = false;\n }, this.hideDelay);\n }\n /**\n * @hidden\n */\n onTouchStart() {\n if (this.tooltipDisabled) {\n return;\n }\n this.showTooltip();\n }\n /**\n * @hidden\n */\n onDocumentTouchStart(event) {\n if (this.tooltipDisabled) {\n return;\n }\n if (this.nativeElement !== event.target && !this.nativeElement.contains(event.target)) {\n this.hideTooltip();\n }\n }\n /**\n * @hidden\n */\n ngOnInit() {\n super.ngOnInit();\n const positionSettings = {\n horizontalDirection: HorizontalAlignment.Center,\n horizontalStartPoint: HorizontalAlignment.Center,\n openAnimation: useAnimation(scaleInCenter, {\n params: {\n duration: '150ms'\n }\n }),\n closeAnimation: useAnimation(fadeOut, {\n params: {\n duration: '75ms'\n }\n })\n };\n this._overlayDefaults.positionStrategy = new AutoPositionStrategy(positionSettings);\n this._overlayDefaults.closeOnOutsideClick = false;\n this._overlayDefaults.closeOnEscape = true;\n this.target.closing.pipe(takeUntil(this.destroy$)).subscribe(event => {\n const hidingArgs = {\n target: this,\n tooltip: this.target,\n cancel: false\n };\n this.tooltipHide.emit(hidingArgs);\n if (hidingArgs.cancel) {\n event.cancel = true;\n }\n });\n }\n /**\n * @hidden\n */\n ngOnDestroy() {\n this.destroy$.next();\n this.destroy$.complete();\n }\n /**\n * Shows the tooltip by respecting the 'showDelay' property.\n *\n * ```typescript\n * this.tooltipTarget.showTooltip();\n * ```\n */\n showTooltip() {\n clearTimeout(this.target.timeoutId);\n if (!this.target.collapsed) {\n // if close animation has started finish it, or close the tooltip with no animation\n this.target.forceClose(this.mergedOverlaySettings);\n this.target.toBeHidden = false;\n }\n const showingArgs = {\n target: this,\n tooltip: this.target,\n cancel: false\n };\n this.tooltipShow.emit(showingArgs);\n if (showingArgs.cancel) {\n return;\n }\n this.target.toBeShown = true;\n this.target.timeoutId = setTimeout(() => {\n this.target.open(this.mergedOverlaySettings); // Call open() of IgxTooltipDirective\n this.target.toBeShown = false;\n }, this.showDelay);\n }\n /**\n * Hides the tooltip by respecting the 'hideDelay' property.\n *\n * ```typescript\n * this.tooltipTarget.hideTooltip();\n * ```\n */\n hideTooltip() {\n if (this.target.collapsed && this.target.toBeShown) {\n clearTimeout(this.target.timeoutId);\n }\n if (this.target.collapsed || this.target.toBeHidden) {\n return;\n }\n this.target.toBeHidden = true;\n this.target.timeoutId = setTimeout(() => {\n this.target.close(); // Call close() of IgxTooltipDirective\n this.target.toBeHidden = false;\n }, this.hideDelay);\n }\n checkOutletAndOutsideClick() {\n if (this.outlet) {\n this._overlayDefaults.outlet = this.outlet;\n }\n }\n get mergedOverlaySettings() {\n return Object.assign({}, this._overlayDefaults, this.overlaySettings);\n }\n // Return true if the execution in onMouseEnter should be terminated after this method\n preMouseEnterCheck() {\n // If tooltip is about to be opened\n if (this.target.toBeShown) {\n clearTimeout(this.target.timeoutId);\n this.target.toBeShown = false;\n }\n // If Tooltip is opened or about to be hidden\n if (!this.target.collapsed || this.target.toBeHidden) {\n clearTimeout(this.target.timeoutId);\n // if close animation has started finish it, or close the tooltip with no animation\n this.target.forceClose(this.mergedOverlaySettings);\n this.target.toBeHidden = false;\n }\n return false;\n }\n // Return true if the execution in onMouseLeave should be terminated after this method\n preMouseLeaveCheck() {\n clearTimeout(this.target.timeoutId);\n // If tooltip is about to be opened\n if (this.target.toBeShown) {\n this.target.toBeShown = false;\n this.target.toBeHidden = false;\n return true;\n }\n return false;\n }\n static {\n this.ɵfac = function IgxTooltipTargetDirective_Factory(t) {\n return new (t || IgxTooltipTargetDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(IgxNavigationService, 8), i0.ɵɵdirectiveInject(i0.ViewContainerRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxTooltipTargetDirective,\n selectors: [[\"\", \"igxTooltipTarget\", \"\"]],\n hostBindings: function IgxTooltipTargetDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"click\", function IgxTooltipTargetDirective_click_HostBindingHandler() {\n return ctx.onClick();\n })(\"mouseenter\", function IgxTooltipTargetDirective_mouseenter_HostBindingHandler() {\n return ctx.onMouseEnter();\n })(\"mouseleave\", function IgxTooltipTargetDirective_mouseleave_HostBindingHandler() {\n return ctx.onMouseLeave();\n })(\"touchstart\", function IgxTooltipTargetDirective_touchstart_HostBindingHandler() {\n return ctx.onTouchStart();\n })(\"touchstart\", function IgxTooltipTargetDirective_touchstart_HostBindingHandler($event) {\n return ctx.onDocumentTouchStart($event);\n }, false, i0.ɵɵresolveDocument);\n }\n },\n inputs: {\n showDelay: \"showDelay\",\n hideDelay: \"hideDelay\",\n tooltipDisabled: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"tooltipDisabled\", \"tooltipDisabled\", booleanAttribute],\n target: [i0.ɵɵInputFlags.None, \"igxTooltipTarget\", \"target\"],\n tooltip: \"tooltip\"\n },\n outputs: {\n tooltipShow: \"tooltipShow\",\n tooltipHide: \"tooltipHide\"\n },\n exportAs: [\"tooltipTarget\"],\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxTooltipTargetDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* NOTE: Tooltip directives collection for ease-of-use import in standalone components scenario */\nconst IGX_TOOLTIP_DIRECTIVES = [IgxTooltipDirective, IgxTooltipTargetDirective];\n\n/**\n * Specify a particular date, time or AmPm part.\n */\nvar DatePart = /*#__PURE__*/function (DatePart) {\n DatePart[\"Date\"] = \"date\";\n DatePart[\"Month\"] = \"month\";\n DatePart[\"Year\"] = \"year\";\n DatePart[\"Hours\"] = \"hours\";\n DatePart[\"Minutes\"] = \"minutes\";\n DatePart[\"Seconds\"] = \"seconds\";\n DatePart[\"AmPm\"] = \"ampm\";\n DatePart[\"Literal\"] = \"literal\";\n return DatePart;\n}(DatePart || {});\nconst DATE_CHARS = ['h', 'H', 'm', 's', 'S', 't', 'T'];\nconst TIME_CHARS = ['d', 'D', 'M', 'y', 'Y'];\n/** @hidden */\nlet DateTimeUtil = /*#__PURE__*/(() => {\n class DateTimeUtil {\n static {\n this.DEFAULT_INPUT_FORMAT = 'MM/dd/yyyy';\n }\n static {\n this.DEFAULT_TIME_INPUT_FORMAT = 'hh:mm tt';\n }\n static {\n this.SEPARATOR = 'literal';\n }\n static {\n this.DEFAULT_LOCALE = 'en';\n }\n /**\n * Parse a Date value from masked string input based on determined date parts\n *\n * @param inputData masked value to parse\n * @param dateTimeParts Date parts array for the mask\n */\n static parseValueFromMask(inputData, dateTimeParts, promptChar) {\n const parts = {};\n dateTimeParts.forEach(dp => {\n let value = parseInt(DateTimeUtil.getCleanVal(inputData, dp, promptChar), 10);\n if (!value) {\n value = dp.type === DatePart.Date || dp.type === DatePart.Month ? 1 : 0;\n }\n parts[dp.type] = value;\n });\n parts[DatePart.Month] -= 1;\n if (parts[DatePart.Month] < 0 || 11 < parts[DatePart.Month]) {\n return null;\n }\n // TODO: Century threshold\n if (parts[DatePart.Year] < 50) {\n parts[DatePart.Year] += 2000;\n }\n if (parts[DatePart.Date] > DateTimeUtil.daysInMonth(parts[DatePart.Year], parts[DatePart.Month])) {\n return null;\n }\n if (parts[DatePart.Hours] > 23 || parts[DatePart.Minutes] > 59 || parts[DatePart.Seconds] > 59) {\n return null;\n }\n const amPm = dateTimeParts.find(p => p.type === DatePart.AmPm);\n if (amPm) {\n parts[DatePart.Hours] %= 12;\n }\n if (amPm && DateTimeUtil.getCleanVal(inputData, amPm, promptChar).toLowerCase() === 'pm') {\n parts[DatePart.Hours] += 12;\n }\n return new Date(parts[DatePart.Year] || 2000, parts[DatePart.Month] || 0, parts[DatePart.Date] || 1, parts[DatePart.Hours] || 0, parts[DatePart.Minutes] || 0, parts[DatePart.Seconds] || 0);\n }\n /** Parse the mask into date/time and literal parts */\n static parseDateTimeFormat(mask, locale) {\n const format = mask || DateTimeUtil.getDefaultInputFormat(locale);\n const dateTimeParts = [];\n const formatArray = Array.from(format);\n let currentPart = null;\n let position = 0;\n for (let i = 0; i < formatArray.length; i++, position++) {\n const type = DateTimeUtil.determineDatePart(formatArray[i]);\n if (currentPart) {\n if (currentPart.type === type) {\n currentPart.format += formatArray[i];\n if (i < formatArray.length - 1) {\n continue;\n }\n }\n DateTimeUtil.addCurrentPart(currentPart, dateTimeParts);\n position = currentPart.end;\n }\n currentPart = {\n start: position,\n end: position + formatArray[i].length,\n type,\n format: formatArray[i]\n };\n }\n // make sure the last member of a format like H:m:s is not omitted\n if (!dateTimeParts.filter(p => p.format.includes(currentPart.format)).length) {\n DateTimeUtil.addCurrentPart(currentPart, dateTimeParts);\n }\n // formats like \"y\" or \"yyy\" are treated like \"yyyy\" while editing\n const yearPart = dateTimeParts.filter(p => p.type === DatePart.Year)[0];\n if (yearPart && yearPart.format !== 'yy') {\n yearPart.end += 4 - yearPart.format.length;\n yearPart.format = 'yyyy';\n }\n return dateTimeParts;\n }\n static getPartValue(value, datePartInfo, partLength) {\n let maskedValue;\n const datePart = datePartInfo.type;\n switch (datePart) {\n case DatePart.Date:\n maskedValue = value.getDate();\n break;\n case DatePart.Month:\n // months are zero based\n maskedValue = value.getMonth() + 1;\n break;\n case DatePart.Year:\n if (partLength === 2) {\n maskedValue = this.prependValue(parseInt(value.getFullYear().toString().slice(-2), 10), partLength, '0');\n } else {\n maskedValue = value.getFullYear();\n }\n break;\n case DatePart.Hours:\n if (datePartInfo.format.indexOf('h') !== -1) {\n maskedValue = this.prependValue(this.toTwelveHourFormat(value.getHours().toString()), partLength, '0');\n } else {\n maskedValue = value.getHours();\n }\n break;\n case DatePart.Minutes:\n maskedValue = value.getMinutes();\n break;\n case DatePart.Seconds:\n maskedValue = value.getSeconds();\n break;\n case DatePart.AmPm:\n maskedValue = value.getHours() >= 12 ? 'PM' : 'AM';\n break;\n }\n if (datePartInfo.type !== DatePart.AmPm) {\n return this.prependValue(maskedValue, partLength, '0');\n }\n return maskedValue;\n }\n /** Builds a date-time editor's default input format based on provided locale settings. */\n static getDefaultInputFormat(locale) {\n locale = locale || DateTimeUtil.DEFAULT_LOCALE;\n if (!Intl || !Intl.DateTimeFormat || !Intl.DateTimeFormat.prototype.formatToParts) {\n // TODO: fallback with Intl.format for IE?\n return DateTimeUtil.DEFAULT_INPUT_FORMAT;\n }\n const parts = DateTimeUtil.getDefaultLocaleMask(locale);\n parts.forEach(p => {\n if (p.type !== DatePart.Year && p.type !== DateTimeUtil.SEPARATOR) {\n p.formatType = \"2-digit\" /* FormatDesc.TwoDigits */;\n }\n });\n return DateTimeUtil.getMask(parts);\n }\n /** Tries to format a date using Angular's DatePipe. Fallbacks to `Intl` if no locale settings have been loaded. */\n static formatDate(value, format, locale, timezone) {\n let formattedDate;\n try {\n formattedDate = formatDate$1(value, format, locale, timezone);\n } catch {\n DateTimeUtil.logMissingLocaleSettings(locale);\n const formatter = new Intl.DateTimeFormat(locale);\n formattedDate = formatter.format(value);\n }\n return formattedDate;\n }\n /**\n * Returns the date format based on a provided locale.\n * Supports Angular's DatePipe format options such as `shortDate`, `longDate`.\n */\n static getLocaleDateFormat(locale, displayFormat) {\n const formatKeys = Object.keys(FormatWidth);\n const targetKey = formatKeys.find(k => k.toLowerCase() === displayFormat?.toLowerCase().replace('date', ''));\n if (!targetKey) {\n // if displayFormat is not shortDate, longDate, etc.\n // or if it is not set by the user\n return displayFormat;\n }\n let format;\n try {\n format = getLocaleDateFormat(locale, FormatWidth[targetKey]);\n } catch {\n DateTimeUtil.logMissingLocaleSettings(locale);\n format = DateTimeUtil.getDefaultInputFormat(locale);\n }\n return format;\n }\n /** Determines if a given character is `d/M/y` or `h/m/s`. */\n static isDateOrTimeChar(char) {\n return DATE_CHARS.indexOf(char) !== -1 || TIME_CHARS.indexOf(char) !== -1;\n }\n /** Spins the date portion in a date-time editor. */\n static spinDate(delta, newDate, spinLoop) {\n const maxDate = DateTimeUtil.daysInMonth(newDate.getFullYear(), newDate.getMonth());\n let date = newDate.getDate() + delta;\n if (date > maxDate) {\n date = spinLoop ? date % maxDate : maxDate;\n } else if (date < 1) {\n date = spinLoop ? maxDate + date % maxDate : 1;\n }\n newDate.setDate(date);\n }\n /** Spins the month portion in a date-time editor. */\n static spinMonth(delta, newDate, spinLoop) {\n const maxDate = DateTimeUtil.daysInMonth(newDate.getFullYear(), newDate.getMonth() + delta);\n if (newDate.getDate() > maxDate) {\n newDate.setDate(maxDate);\n }\n const maxMonth = 11;\n const minMonth = 0;\n let month = newDate.getMonth() + delta;\n if (month > maxMonth) {\n month = spinLoop ? month % maxMonth - 1 : maxMonth;\n } else if (month < minMonth) {\n month = spinLoop ? maxMonth + month % maxMonth + 1 : minMonth;\n }\n newDate.setMonth(month);\n }\n /** Spins the year portion in a date-time editor. */\n static spinYear(delta, newDate) {\n const maxDate = DateTimeUtil.daysInMonth(newDate.getFullYear() + delta, newDate.getMonth());\n if (newDate.getDate() > maxDate) {\n // clip to max to avoid leap year change shifting the entire value\n newDate.setDate(maxDate);\n }\n newDate.setFullYear(newDate.getFullYear() + delta);\n }\n /** Spins the hours portion in a date-time editor. */\n static spinHours(delta, newDate, spinLoop) {\n const maxHour = 23;\n const minHour = 0;\n let hours = newDate.getHours() + delta;\n if (hours > maxHour) {\n hours = spinLoop ? hours % maxHour - 1 : maxHour;\n } else if (hours < minHour) {\n hours = spinLoop ? maxHour + hours % maxHour + 1 : minHour;\n }\n newDate.setHours(hours);\n }\n /** Spins the minutes portion in a date-time editor. */\n static spinMinutes(delta, newDate, spinLoop) {\n const maxMinutes = 59;\n const minMinutes = 0;\n let minutes = newDate.getMinutes() + delta;\n if (minutes > maxMinutes) {\n minutes = spinLoop ? minutes % maxMinutes - 1 : maxMinutes;\n } else if (minutes < minMinutes) {\n minutes = spinLoop ? maxMinutes + minutes % maxMinutes + 1 : minMinutes;\n }\n newDate.setMinutes(minutes);\n }\n /** Spins the seconds portion in a date-time editor. */\n static spinSeconds(delta, newDate, spinLoop) {\n const maxSeconds = 59;\n const minSeconds = 0;\n let seconds = newDate.getSeconds() + delta;\n if (seconds > maxSeconds) {\n seconds = spinLoop ? seconds % maxSeconds - 1 : maxSeconds;\n } else if (seconds < minSeconds) {\n seconds = spinLoop ? maxSeconds + seconds % maxSeconds + 1 : minSeconds;\n }\n newDate.setSeconds(seconds);\n }\n /** Spins the AM/PM portion in a date-time editor. */\n static spinAmPm(newDate, currentDate, amPmFromMask) {\n switch (amPmFromMask) {\n case 'AM':\n newDate = new Date(newDate.setHours(newDate.getHours() + 12));\n break;\n case 'PM':\n newDate = new Date(newDate.setHours(newDate.getHours() - 12));\n break;\n }\n if (newDate.getDate() !== currentDate.getDate()) {\n return currentDate;\n }\n return newDate;\n }\n /**\n * Determines whether the provided value is greater than the provided max value.\n *\n * @param includeTime set to false if you want to exclude time portion of the two dates\n * @param includeDate set to false if you want to exclude the date portion of the two dates\n * @returns true if provided value is greater than provided maxValue\n */\n static greaterThanMaxValue(value, maxValue, includeTime = true, includeDate = true) {\n if (includeTime && includeDate) {\n return value.getTime() > maxValue.getTime();\n }\n const _value = new Date(value.getTime());\n const _maxValue = new Date(maxValue.getTime());\n if (!includeTime) {\n _value.setHours(0, 0, 0, 0);\n _maxValue.setHours(0, 0, 0, 0);\n }\n if (!includeDate) {\n _value.setFullYear(0, 0, 0);\n _maxValue.setFullYear(0, 0, 0);\n }\n return _value.getTime() > _maxValue.getTime();\n }\n /**\n * Determines whether the provided value is less than the provided min value.\n *\n * @param includeTime set to false if you want to exclude time portion of the two dates\n * @param includeDate set to false if you want to exclude the date portion of the two dates\n * @returns true if provided value is less than provided minValue\n */\n static lessThanMinValue(value, minValue, includeTime = true, includeDate = true) {\n if (includeTime && includeDate) {\n return value.getTime() < minValue.getTime();\n }\n const _value = new Date(value.getTime());\n const _minValue = new Date(minValue.getTime());\n if (!includeTime) {\n _value.setHours(0, 0, 0, 0);\n _minValue.setHours(0, 0, 0, 0);\n }\n if (!includeDate) {\n _value.setFullYear(0, 0, 0);\n _minValue.setFullYear(0, 0, 0);\n }\n return _value.getTime() < _minValue.getTime();\n }\n /**\n * Validates a value within a given min and max value range.\n *\n * @param value The value to validate\n * @param minValue The lowest possible value that `value` can take\n * @param maxValue The largest possible value that `value` can take\n */\n static validateMinMax(value, minValue, maxValue, includeTime = true, includeDate = true) {\n if (!value) {\n return null;\n }\n const errors = {};\n const min = DateTimeUtil.isValidDate(minValue) ? minValue : DateTimeUtil.parseIsoDate(minValue);\n const max = DateTimeUtil.isValidDate(maxValue) ? maxValue : DateTimeUtil.parseIsoDate(maxValue);\n if (min && value && DateTimeUtil.lessThanMinValue(value, min, includeTime, includeDate)) {\n Object.assign(errors, {\n minValue: true\n });\n }\n if (max && value && DateTimeUtil.greaterThanMaxValue(value, max, includeTime, includeDate)) {\n Object.assign(errors, {\n maxValue: true\n });\n }\n return errors;\n }\n /** Parse an ISO string to a Date */\n static parseIsoDate(value) {\n let regex = /^\\d{4}/g;\n const timeLiteral = 'T';\n if (regex.test(value)) {\n return new Date(value + `${value.indexOf(timeLiteral) === -1 ? 'T00:00:00' : ''}`);\n }\n regex = /^\\d{2}/g;\n if (regex.test(value)) {\n const dateNow = new Date().toISOString();\n // eslint-disable-next-line prefer-const\n let [datePart, _timePart] = dateNow.split(timeLiteral);\n return new Date(`${datePart}T${value}`);\n }\n return null;\n }\n /**\n * Returns whether the input is valid date\n *\n * @param value input to check\n * @returns true if provided input is a valid date\n */\n static isValidDate(value) {\n if (isDate(value)) {\n return !isNaN(value.getTime());\n }\n return false;\n }\n static addCurrentPart(currentPart, dateTimeParts) {\n DateTimeUtil.ensureLeadingZero(currentPart);\n currentPart.end = currentPart.start + currentPart.format.length;\n dateTimeParts.push(currentPart);\n }\n static daysInMonth(fullYear, month) {\n return new Date(fullYear, month + 1, 0).getDate();\n }\n static trimEmptyPlaceholders(value, promptChar) {\n const result = value.replace(new RegExp(promptChar || '_', 'g'), '');\n return result;\n }\n static getMask(dateStruct) {\n const mask = [];\n for (const part of dateStruct) {\n switch (part.formatType) {\n case \"numeric\" /* FormatDesc.Numeric */:\n {\n if (part.type === \"day\" /* DateParts.Day */) {\n mask.push('d');\n } else if (part.type === \"month\" /* DateParts.Month */) {\n mask.push('M');\n } else {\n mask.push('yyyy');\n }\n break;\n }\n case \"2-digit\" /* FormatDesc.TwoDigits */:\n {\n if (part.type === \"day\" /* DateParts.Day */) {\n mask.push('dd');\n } else if (part.type === \"month\" /* DateParts.Month */) {\n mask.push('MM');\n } else {\n mask.push('yy');\n }\n }\n }\n if (part.type === DateTimeUtil.SEPARATOR) {\n mask.push(part.value);\n }\n }\n return mask.join('');\n }\n static logMissingLocaleSettings(locale) {\n console.warn(`Missing locale data for the locale ${locale}. Please refer to https://angular.io/guide/i18n#i18n-pipes`);\n console.warn('Using default browser locale settings.');\n }\n static prependValue(value, partLength, prependChar) {\n return (prependChar + value.toString()).slice(-partLength);\n }\n static toTwelveHourFormat(value, promptChar = '_') {\n let hour = parseInt(value.replace(new RegExp(promptChar, 'g'), '0'), 10);\n if (hour > 12) {\n hour -= 12;\n } else if (hour === 0) {\n hour = 12;\n }\n return hour;\n }\n static ensureLeadingZero(part) {\n switch (part.type) {\n case DatePart.Date:\n case DatePart.Month:\n case DatePart.Hours:\n case DatePart.Minutes:\n case DatePart.Seconds:\n if (part.format.length === 1) {\n part.format = part.format.repeat(2);\n }\n break;\n }\n }\n static getCleanVal(inputData, datePart, promptChar) {\n return DateTimeUtil.trimEmptyPlaceholders(inputData.substring(datePart.start, datePart.end), promptChar);\n }\n static determineDatePart(char) {\n switch (char) {\n case 'd':\n case 'D':\n return DatePart.Date;\n case 'M':\n return DatePart.Month;\n case 'y':\n case 'Y':\n return DatePart.Year;\n case 'h':\n case 'H':\n return DatePart.Hours;\n case 'm':\n return DatePart.Minutes;\n case 's':\n case 'S':\n return DatePart.Seconds;\n case 't':\n case 'T':\n return DatePart.AmPm;\n default:\n return DatePart.Literal;\n }\n }\n static getDefaultLocaleMask(locale) {\n const dateStruct = [];\n const formatter = new Intl.DateTimeFormat(locale);\n const formatToParts = formatter.formatToParts(new Date());\n for (const part of formatToParts) {\n if (part.type === DateTimeUtil.SEPARATOR) {\n dateStruct.push({\n type: DateTimeUtil.SEPARATOR,\n value: part.value\n });\n } else {\n dateStruct.push({\n type: part.type\n });\n }\n }\n const formatterOptions = formatter.resolvedOptions();\n for (const part of dateStruct) {\n switch (part.type) {\n case \"day\" /* DateParts.Day */:\n {\n part.formatType = formatterOptions.day;\n break;\n }\n case \"month\" /* DateParts.Month */:\n {\n part.formatType = formatterOptions.month;\n break;\n }\n case \"year\" /* DateParts.Year */:\n {\n part.formatType = formatterOptions.year;\n break;\n }\n }\n }\n DateTimeUtil.fillDatePartsPositions(dateStruct);\n return dateStruct;\n }\n static fillDatePartsPositions(dateArray) {\n let currentPos = 0;\n for (const part of dateArray) {\n // Day|Month part positions\n if (part.type === \"day\" /* DateParts.Day */ || part.type === \"month\" /* DateParts.Month */) {\n // Offset 2 positions for number\n part.position = [currentPos, currentPos + 2];\n currentPos += 2;\n } else if (part.type === \"year\" /* DateParts.Year */) {\n // Year part positions\n switch (part.formatType) {\n case \"numeric\" /* FormatDesc.Numeric */:\n {\n // Offset 4 positions for full year\n part.position = [currentPos, currentPos + 4];\n currentPos += 4;\n break;\n }\n case \"2-digit\" /* FormatDesc.TwoDigits */:\n {\n // Offset 2 positions for short year\n part.position = [currentPos, currentPos + 2];\n currentPos += 2;\n break;\n }\n }\n } else if (part.type === DateTimeUtil.SEPARATOR) {\n // Separator positions\n part.position = [currentPos, currentPos + 1];\n currentPos++;\n }\n }\n }\n }\n return DateTimeUtil;\n})();\n/* eslint-disable @angular-eslint/no-conflicting-lifecycle */\n/**\n * Date Time Editor provides a functionality to input, edit and format date and time.\n *\n * @igxModule IgxDateTimeEditorModule\n *\n * @igxParent IgxInputGroup\n *\n * @igxTheme igx-input-theme\n *\n * @igxKeywords date, time, editor\n *\n * @igxGroup Scheduling\n *\n * @remarks\n *\n * The Ignite UI Date Time Editor Directive makes it easy for developers to manipulate date/time user input.\n * It requires input in a specified or default input format which is visible in the input element as a placeholder.\n * It allows the input of only date (ex: 'dd/MM/yyyy'), only time (ex:'HH:mm tt') or both at once, if needed.\n * Supports display format that may differ from the input format.\n * Provides methods to increment and decrement any specific/targeted `DatePart`.\n *\n * @example\n * ```html\n * \n * \n * \n * ```\n */\nlet IgxDateTimeEditorDirective = /*#__PURE__*/(() => {\n class IgxDateTimeEditorDirective extends IgxMaskDirective {\n /**\n * Minimum value required for the editor to remain valid.\n *\n * @remarks\n * If a `string` value is passed, it must be in the defined input format.\n *\n * @example\n * ```html\n * \n * ```\n */\n get minValue() {\n return this._minValue;\n }\n set minValue(value) {\n this._minValue = value;\n this._onValidatorChange();\n }\n /**\n * Maximum value required for the editor to remain valid.\n *\n * @remarks\n * If a `string` value is passed in, it must be in the defined input format.\n *\n * @example\n * ```html\n * \n * ```\n */\n get maxValue() {\n return this._maxValue;\n }\n set maxValue(value) {\n this._maxValue = value;\n this._onValidatorChange();\n }\n /**\n * Expected user input format (and placeholder).\n *\n * @example\n * ```html\n * \n * ```\n */\n set inputFormat(value) {\n if (value) {\n this.setMask(value);\n this._inputFormat = value;\n }\n }\n get inputFormat() {\n return this._inputFormat || this._defaultInputFormat;\n }\n /**\n * Editor value.\n *\n * @example\n * ```html\n * \n * ```\n */\n set value(value) {\n this._value = value;\n this.setDateValue(value);\n this.onChangeCallback(value);\n this.updateMask();\n }\n get value() {\n return this._value;\n }\n get datePartDeltas() {\n return Object.assign({}, this._datePartDeltas, this.spinDelta);\n }\n get emptyMask() {\n return this.maskParser.applyMask(null, this.maskOptions);\n }\n get targetDatePart() {\n // V.K. May 16th, 2022 #11554 Get correct date part in shadow DOM\n if (this.document.activeElement === this.nativeElement || this.document.activeElement?.shadowRoot?.activeElement === this.nativeElement) {\n return this._inputDateParts.find(p => p.start <= this.selectionStart && this.selectionStart <= p.end && p.type !== DatePart.Literal)?.type;\n } else {\n if (this._inputDateParts.some(p => p.type === DatePart.Date)) {\n return DatePart.Date;\n } else if (this._inputDateParts.some(p => p.type === DatePart.Hours)) {\n return DatePart.Hours;\n }\n }\n }\n get hasDateParts() {\n return this._inputDateParts.some(p => p.type === DatePart.Date || p.type === DatePart.Month || p.type === DatePart.Year);\n }\n get hasTimeParts() {\n return this._inputDateParts.some(p => p.type === DatePart.Hours || p.type === DatePart.Minutes || p.type === DatePart.Seconds);\n }\n get dateValue() {\n return this._dateValue;\n }\n constructor(renderer, elementRef, maskParser, platform, _document, _locale) {\n super(elementRef, maskParser, renderer, platform);\n this._document = _document;\n this._locale = _locale;\n /**\n * Specify if the currently spun date segment should loop over.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.spinLoop = true;\n /**\n * Emitted when the editor's value has changed.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.valueChange = new EventEmitter();\n /**\n * Emitted when the editor is not within a specified range or when the editor's value is in an invalid state.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.validationFailed = new EventEmitter();\n this._datePartDeltas = {\n date: 1,\n month: 1,\n year: 1,\n hours: 1,\n minutes: 1,\n seconds: 1\n };\n this.onChangeCallback = noop;\n this._onValidatorChange = noop;\n this.document = this._document;\n this.locale = this.locale || this._locale;\n }\n onWheel(event) {\n if (!this._focused) {\n return;\n }\n event.preventDefault();\n event.stopPropagation();\n if (event.deltaY > 0) {\n this.decrement();\n } else {\n this.increment();\n }\n }\n ngOnInit() {\n this.updateDefaultFormat();\n this.setMask(this.inputFormat);\n this.updateMask();\n }\n /** @hidden @internal */\n ngOnChanges(changes) {\n if (changes['locale'] && !changes['locale'].firstChange) {\n this.updateDefaultFormat();\n if (!this._inputFormat) {\n this.setMask(this.inputFormat);\n this.updateMask();\n }\n }\n if (changes['inputFormat'] && !changes['inputFormat'].firstChange) {\n this.updateMask();\n }\n }\n /** Clear the input element value. */\n clear() {\n this._onClear = true;\n this.updateValue(null);\n this.setSelectionRange(0, this.inputValue.length);\n this._onClear = false;\n }\n /**\n * Increment specified DatePart.\n *\n * @param datePart The optional DatePart to increment. Defaults to Date or Hours (when Date is absent from the inputFormat - ex:'HH:mm').\n * @param delta The optional delta to increment by. Overrides `spinDelta`.\n */\n increment(datePart, delta) {\n const targetPart = datePart || this.targetDatePart;\n if (!targetPart) {\n return;\n }\n const newValue = this.trySpinValue(targetPart, delta);\n this.updateValue(newValue);\n }\n /**\n * Decrement specified DatePart.\n *\n * @param datePart The optional DatePart to decrement. Defaults to Date or Hours (when Date is absent from the inputFormat - ex:'HH:mm').\n * @param delta The optional delta to decrement by. Overrides `spinDelta`.\n */\n decrement(datePart, delta) {\n const targetPart = datePart || this.targetDatePart;\n if (!targetPart) {\n return;\n }\n const newValue = this.trySpinValue(targetPart, delta, true);\n this.updateValue(newValue);\n }\n /** @hidden @internal */\n writeValue(value) {\n this._value = value;\n this.setDateValue(value);\n this.updateMask();\n }\n /** @hidden @internal */\n validate(control) {\n if (!control.value) {\n return null;\n }\n // InvalidDate handling\n if (isDate(control.value) && !DateTimeUtil.isValidDate(control.value)) {\n return {\n value: true\n };\n }\n let errors = {};\n const value = DateTimeUtil.isValidDate(control.value) ? control.value : DateTimeUtil.parseIsoDate(control.value);\n const minValueDate = DateTimeUtil.isValidDate(this.minValue) ? this.minValue : this.parseDate(this.minValue);\n const maxValueDate = DateTimeUtil.isValidDate(this.maxValue) ? this.maxValue : this.parseDate(this.maxValue);\n if (minValueDate || maxValueDate) {\n errors = DateTimeUtil.validateMinMax(value, minValueDate, maxValueDate, this.hasTimeParts, this.hasDateParts);\n }\n return Object.keys(errors).length > 0 ? errors : null;\n }\n /** @hidden @internal */\n registerOnValidatorChange(fn) {\n this._onValidatorChange = fn;\n }\n /** @hidden @internal */\n registerOnChange(fn) {\n this.onChangeCallback = fn;\n }\n /** @hidden @internal */\n registerOnTouched(fn) {\n this._onTouchedCallback = fn;\n }\n /** @hidden @internal */\n setDisabledState(_isDisabled) {}\n /** @hidden @internal */\n onCompositionEnd() {\n super.onCompositionEnd();\n this.updateValue(this.parseDate(this.inputValue));\n this.updateMask();\n }\n /** @hidden @internal */\n onInputChanged(event) {\n super.onInputChanged(event);\n if (this._composing) {\n return;\n }\n if (this.inputIsComplete()) {\n const parsedDate = this.parseDate(this.inputValue);\n if (DateTimeUtil.isValidDate(parsedDate)) {\n this.updateValue(parsedDate);\n } else {\n const oldValue = this.value && new Date(this.dateValue.getTime());\n const args = {\n oldValue,\n newValue: parsedDate,\n userInput: this.inputValue\n };\n this.validationFailed.emit(args);\n if (DateTimeUtil.isValidDate(args.newValue)) {\n this.updateValue(args.newValue);\n } else {\n this.updateValue(null);\n }\n }\n } else {\n this.updateValue(null);\n }\n }\n /** @hidden @internal */\n onKeyDown(event) {\n if (this.nativeElement.readOnly) {\n return;\n }\n super.onKeyDown(event);\n const key = event.key;\n if (event.altKey) {\n return;\n }\n if (key === this.platform.KEYMAP.ARROW_DOWN || key === this.platform.KEYMAP.ARROW_UP) {\n this.spin(event);\n return;\n }\n if (event.ctrlKey && key === this.platform.KEYMAP.SEMICOLON) {\n this.updateValue(new Date());\n }\n this.moveCursor(event);\n }\n /** @hidden @internal */\n onFocus() {\n if (this.nativeElement.readOnly) {\n return;\n }\n this._focused = true;\n this._onTouchedCallback();\n this.updateMask();\n super.onFocus();\n this.nativeElement.select();\n }\n /** @hidden @internal */\n onBlur(value) {\n this._focused = false;\n if (!this.inputIsComplete() && this.inputValue !== this.emptyMask) {\n this.updateValue(this.parseDate(this.inputValue));\n } else {\n this.updateMask();\n }\n // TODO: think of a better way to set displayValuePipe in mask directive\n if (this.displayValuePipe) {\n return;\n }\n super.onBlur(value);\n }\n // the date editor sets its own inputFormat as its placeholder if none is provided\n /** @hidden */\n setPlaceholder(_value) {}\n updateDefaultFormat() {\n this._defaultInputFormat = DateTimeUtil.getDefaultInputFormat(this.locale);\n }\n updateMask() {\n if (this._focused) {\n // store the cursor position as it will be moved during masking\n const cursor = this.selectionEnd;\n this.inputValue = this.getMaskedValue();\n this.setSelectionRange(cursor);\n } else {\n if (!this.dateValue || !DateTimeUtil.isValidDate(this.dateValue)) {\n this.inputValue = '';\n return;\n }\n if (this.displayValuePipe) {\n // TODO: remove when formatter func has been deleted\n this.inputValue = this.displayValuePipe.transform(this.value);\n return;\n }\n const format = this.displayFormat || this.inputFormat;\n if (format) {\n this.inputValue = DateTimeUtil.formatDate(this.dateValue, format.replace('tt', 'aa'), this.locale);\n } else {\n this.inputValue = this.dateValue.toLocaleString();\n }\n }\n }\n setMask(inputFormat) {\n const oldFormat = this._inputDateParts?.map(p => p.format).join('');\n this._inputDateParts = DateTimeUtil.parseDateTimeFormat(inputFormat);\n inputFormat = this._inputDateParts.map(p => p.format).join('');\n const mask = (inputFormat || DateTimeUtil.DEFAULT_INPUT_FORMAT).replace(new RegExp(/(?=[^t])[\\w]/, 'g'), '0');\n this.mask = mask.indexOf('tt') !== -1 ? mask.replace(new RegExp('tt', 'g'), 'LL') : mask;\n const placeholder = this.nativeElement.placeholder;\n if (!placeholder || oldFormat === placeholder) {\n this.renderer.setAttribute(this.nativeElement, 'placeholder', inputFormat);\n }\n }\n parseDate(val) {\n if (!val) {\n return null;\n }\n return DateTimeUtil.parseValueFromMask(val, this._inputDateParts, this.promptChar);\n }\n getMaskedValue() {\n let mask = this.emptyMask;\n if (DateTimeUtil.isValidDate(this.value) || DateTimeUtil.parseIsoDate(this.value)) {\n for (const part of this._inputDateParts) {\n if (part.type === DatePart.Literal) {\n continue;\n }\n const targetValue = this.getPartValue(part, part.format.length);\n mask = this.maskParser.replaceInMask(mask, targetValue, this.maskOptions, part.start, part.end).value;\n }\n return mask;\n }\n if (!this.inputIsComplete() || !this._onClear) {\n return this.inputValue;\n }\n return mask;\n }\n valueInRange(value) {\n if (!value) {\n return false;\n }\n let errors = {};\n const minValueDate = DateTimeUtil.isValidDate(this.minValue) ? this.minValue : this.parseDate(this.minValue);\n const maxValueDate = DateTimeUtil.isValidDate(this.maxValue) ? this.maxValue : this.parseDate(this.maxValue);\n if (minValueDate || maxValueDate) {\n errors = DateTimeUtil.validateMinMax(value, this.minValue, this.maxValue, this.hasTimeParts, this.hasDateParts);\n }\n return Object.keys(errors).length === 0;\n }\n spinValue(datePart, delta) {\n if (!this.dateValue || !DateTimeUtil.isValidDate(this.dateValue)) {\n return null;\n }\n const newDate = new Date(this.dateValue.getTime());\n switch (datePart) {\n case DatePart.Date:\n DateTimeUtil.spinDate(delta, newDate, this.spinLoop);\n break;\n case DatePart.Month:\n DateTimeUtil.spinMonth(delta, newDate, this.spinLoop);\n break;\n case DatePart.Year:\n DateTimeUtil.spinYear(delta, newDate);\n break;\n case DatePart.Hours:\n DateTimeUtil.spinHours(delta, newDate, this.spinLoop);\n break;\n case DatePart.Minutes:\n DateTimeUtil.spinMinutes(delta, newDate, this.spinLoop);\n break;\n case DatePart.Seconds:\n DateTimeUtil.spinSeconds(delta, newDate, this.spinLoop);\n break;\n case DatePart.AmPm:\n const formatPart = this._inputDateParts.find(dp => dp.type === DatePart.AmPm);\n const amPmFromMask = this.inputValue.substring(formatPart.start, formatPart.end);\n return DateTimeUtil.spinAmPm(newDate, this.dateValue, amPmFromMask);\n }\n return newDate;\n }\n trySpinValue(datePart, delta, negative = false) {\n if (!delta) {\n // default to 1 if a delta is set to 0 or any other falsy value\n delta = this.datePartDeltas[datePart] || 1;\n }\n const spinValue = negative ? -Math.abs(delta) : Math.abs(delta);\n return this.spinValue(datePart, spinValue) || new Date();\n }\n setDateValue(value) {\n this._dateValue = DateTimeUtil.isValidDate(value) ? value : DateTimeUtil.parseIsoDate(value);\n }\n updateValue(newDate) {\n this._oldValue = this.dateValue;\n this.value = newDate;\n // TODO: should we emit events here?\n if (this.inputIsComplete() || this.inputValue === this.emptyMask) {\n this.valueChange.emit(this.dateValue);\n }\n if (this.dateValue && !this.valueInRange(this.dateValue)) {\n this.validationFailed.emit({\n oldValue: this._oldValue,\n newValue: this.dateValue,\n userInput: this.inputValue\n });\n }\n }\n toTwelveHourFormat(value) {\n let hour = parseInt(value.replace(new RegExp(this.promptChar, 'g'), '0'), 10);\n if (hour > 12) {\n hour -= 12;\n } else if (hour === 0) {\n hour = 12;\n }\n return hour;\n }\n getPartValue(datePartInfo, partLength) {\n let maskedValue;\n const datePart = datePartInfo.type;\n switch (datePart) {\n case DatePart.Date:\n maskedValue = this.dateValue.getDate();\n break;\n case DatePart.Month:\n // months are zero based\n maskedValue = this.dateValue.getMonth() + 1;\n break;\n case DatePart.Year:\n if (partLength === 2) {\n maskedValue = this.prependValue(parseInt(this.dateValue.getFullYear().toString().slice(-2), 10), partLength, '0');\n } else {\n maskedValue = this.dateValue.getFullYear();\n }\n break;\n case DatePart.Hours:\n if (datePartInfo.format.indexOf('h') !== -1) {\n maskedValue = this.prependValue(this.toTwelveHourFormat(this.dateValue.getHours().toString()), partLength, '0');\n } else {\n maskedValue = this.dateValue.getHours();\n }\n break;\n case DatePart.Minutes:\n maskedValue = this.dateValue.getMinutes();\n break;\n case DatePart.Seconds:\n maskedValue = this.dateValue.getSeconds();\n break;\n case DatePart.AmPm:\n maskedValue = this.dateValue.getHours() >= 12 ? 'PM' : 'AM';\n break;\n }\n if (datePartInfo.type !== DatePart.AmPm) {\n return this.prependValue(maskedValue, partLength, '0');\n }\n return maskedValue;\n }\n prependValue(value, partLength, prependChar) {\n return (prependChar + value.toString()).slice(-partLength);\n }\n spin(event) {\n event.preventDefault();\n switch (event.key) {\n case this.platform.KEYMAP.ARROW_UP:\n this.increment();\n break;\n case this.platform.KEYMAP.ARROW_DOWN:\n this.decrement();\n break;\n }\n }\n inputIsComplete() {\n return this.inputValue.indexOf(this.promptChar) === -1;\n }\n moveCursor(event) {\n const value = event.target.value;\n switch (event.key) {\n case this.platform.KEYMAP.ARROW_LEFT:\n if (event.ctrlKey) {\n event.preventDefault();\n this.setSelectionRange(this.getNewPosition(value));\n }\n break;\n case this.platform.KEYMAP.ARROW_RIGHT:\n if (event.ctrlKey) {\n event.preventDefault();\n this.setSelectionRange(this.getNewPosition(value, 1));\n }\n break;\n }\n }\n /**\n * Move the cursor in a specific direction until it reaches a date/time separator.\n * Then return its index.\n *\n * @param value The string it operates on.\n * @param direction 0 is left, 1 is right. Default is 0.\n */\n getNewPosition(value, direction = 0) {\n const literals = this._inputDateParts.filter(p => p.type === DatePart.Literal);\n let cursorPos = this.selectionStart;\n if (!direction) {\n do {\n cursorPos = cursorPos > 0 ? --cursorPos : cursorPos;\n } while (!literals.some(l => l.end === cursorPos) && cursorPos > 0);\n return cursorPos;\n } else {\n do {\n cursorPos++;\n } while (!literals.some(l => l.start === cursorPos) && cursorPos < value.length);\n return cursorPos;\n }\n }\n static {\n this.ɵfac = function IgxDateTimeEditorDirective_Factory(t) {\n return new (t || IgxDateTimeEditorDirective)(i0.ɵɵdirectiveInject(i0.Renderer2), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(MaskParsingService), i0.ɵɵdirectiveInject(PlatformUtil), i0.ɵɵdirectiveInject(DOCUMENT), i0.ɵɵdirectiveInject(LOCALE_ID));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxDateTimeEditorDirective,\n selectors: [[\"\", \"igxDateTimeEditor\", \"\"]],\n hostBindings: function IgxDateTimeEditorDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"wheel\", function IgxDateTimeEditorDirective_wheel_HostBindingHandler($event) {\n return ctx.onWheel($event);\n });\n }\n },\n inputs: {\n locale: \"locale\",\n minValue: \"minValue\",\n maxValue: \"maxValue\",\n spinLoop: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"spinLoop\", \"spinLoop\", booleanAttribute],\n displayFormat: \"displayFormat\",\n inputFormat: [i0.ɵɵInputFlags.None, \"igxDateTimeEditor\", \"inputFormat\"],\n value: \"value\",\n spinDelta: \"spinDelta\"\n },\n outputs: {\n valueChange: \"valueChange\",\n validationFailed: \"validationFailed\"\n },\n exportAs: [\"igxDateTimeEditor\"],\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: NG_VALUE_ACCESSOR,\n useExisting: IgxDateTimeEditorDirective,\n multi: true\n }, {\n provide: NG_VALIDATORS,\n useExisting: IgxDateTimeEditorDirective,\n multi: true\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵNgOnChangesFeature]\n });\n }\n }\n return IgxDateTimeEditorDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgcFormControlDirective = /*#__PURE__*/(() => {\n class IgcFormControlDirective {\n constructor(elementRef, renderer) {\n this.elementRef = elementRef;\n this.renderer = renderer;\n /** @hidden @internal */\n this.onChange = () => {};\n /** @hidden @internal */\n this.onTouched = () => {};\n }\n /** @hidden @internal */\n onBlur() {\n this.onTouched();\n }\n /** @hidden @internal */\n listenForValueChange(value) {\n this.onChange(value);\n }\n /** @hidden @internal */\n writeValue(value) {\n if (value) {\n this.elementRef.nativeElement.value = value;\n }\n }\n /** @hidden @internal */\n registerOnChange(fn) {\n this.onChange = fn;\n }\n /** @hidden @internal */\n registerOnTouched(fn) {\n this.onTouched = fn;\n }\n /** @hidden @internal */\n setDisabledState(isDisabled) {\n this.renderer.setProperty(this.elementRef.nativeElement, 'disabled', isDisabled);\n }\n static {\n this.ɵfac = function IgcFormControlDirective_Factory(t) {\n return new (t || IgcFormControlDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.Renderer2));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgcFormControlDirective,\n selectors: [[\"igc-rating\", \"ngModel\", \"\"], [\"igc-rating\", \"formControlName\", \"\"]],\n hostBindings: function IgcFormControlDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"blur\", function IgcFormControlDirective_blur_HostBindingHandler() {\n return ctx.onBlur();\n })(\"igcChange\", function IgcFormControlDirective_igcChange_HostBindingHandler($event) {\n return ctx.listenForValueChange($event.detail);\n });\n }\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: NG_VALUE_ACCESSOR,\n useExisting: forwardRef(() => IgcFormControlDirective),\n multi: true\n }])]\n });\n }\n }\n return IgcFormControlDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Provides base filtering operations\n * Implementations should be Singleton\n *\n * @export\n */\nlet IgxFilteringOperand = /*#__PURE__*/(() => {\n class IgxFilteringOperand {\n static {\n this._instance = null;\n }\n constructor() {\n this.operations = [{\n name: 'null',\n isUnary: true,\n iconName: 'is-null',\n logic: target => target === null\n }, {\n name: 'notNull',\n isUnary: true,\n iconName: 'is-not-null',\n logic: target => target !== null\n }, {\n name: 'in',\n isUnary: false,\n iconName: 'is-in',\n hidden: true,\n logic: (target, searchVal) => this.findValueInSet(target, searchVal)\n }];\n }\n static instance() {\n return this._instance || (this._instance = new this());\n }\n /**\n * Returns an array of names of the conditions which are visible in the UI\n */\n conditionList() {\n return this.operations.filter(f => !f.hidden).map(element => element.name);\n }\n /**\n * Returns an instance of the condition with the specified name.\n *\n * @param name The name of the condition.\n */\n condition(name) {\n return this.operations.find(element => element.name === name);\n }\n /**\n * Adds a new condition to the filtering operations.\n *\n * @param operation The filtering operation.\n */\n append(operation) {\n this.operations.push(operation);\n }\n /**\n * @hidden\n */\n findValueInSet(target, searchVal) {\n return searchVal.has(target);\n }\n }\n return IgxFilteringOperand;\n})();\n/**\n * Provides filtering operations for booleans\n *\n * @export\n */\nclass IgxBooleanFilteringOperand extends IgxFilteringOperand {\n constructor() {\n super();\n this.operations = [{\n name: 'all',\n isUnary: true,\n iconName: 'select-all',\n logic: _target => true\n }, {\n name: 'true',\n isUnary: true,\n iconName: 'is-true',\n logic: target => !!(target && target !== null && target !== undefined)\n }, {\n name: 'false',\n isUnary: true,\n iconName: 'is-false',\n logic: target => !target && target !== null && target !== undefined\n }, {\n name: 'empty',\n isUnary: true,\n iconName: 'is-empty',\n logic: target => target === null || target === undefined\n }, {\n name: 'notEmpty',\n isUnary: true,\n iconName: 'not-empty',\n logic: target => target !== null && target !== undefined\n }].concat(this.operations);\n }\n}\n/**\n * @internal\n * @hidden\n */\nclass IgxBaseDateTimeFilteringOperand extends IgxFilteringOperand {\n constructor() {\n super();\n this.operations = [{\n name: 'empty',\n isUnary: true,\n iconName: 'is-empty',\n logic: target => target === null || target === undefined\n }, {\n name: 'notEmpty',\n isUnary: true,\n iconName: 'not-empty',\n logic: target => target !== null && target !== undefined\n }].concat(this.operations);\n }\n /**\n * Splits a Date object into parts\n *\n * @memberof IgxDateFilteringOperand\n */\n static getDateParts(date, dateFormat) {\n const res = {\n day: null,\n hours: null,\n milliseconds: null,\n minutes: null,\n month: null,\n seconds: null,\n year: null\n };\n if (!date || !dateFormat) {\n return res;\n }\n if (dateFormat.indexOf('y') >= 0) {\n res.year = date.getFullYear();\n }\n if (dateFormat.indexOf('M') >= 0) {\n res.month = date.getMonth();\n }\n if (dateFormat.indexOf('d') >= 0) {\n res.day = date.getDate();\n }\n if (dateFormat.indexOf('h') >= 0) {\n res.hours = date.getHours();\n }\n if (dateFormat.indexOf('m') >= 0) {\n res.minutes = date.getMinutes();\n }\n if (dateFormat.indexOf('s') >= 0) {\n res.seconds = date.getSeconds();\n }\n if (dateFormat.indexOf('f') >= 0) {\n res.milliseconds = date.getMilliseconds();\n }\n return res;\n }\n findValueInSet(target, searchVal) {\n if (!target) {\n return false;\n }\n return searchVal.has(target instanceof Date ? target.toISOString() : target);\n }\n validateInputData(target) {\n if (!(target instanceof Date)) {\n throw new Error('Could not perform filtering on \\'date\\' column because the datasource object type is not \\'Date\\'.');\n }\n }\n}\n/**\n * Provides filtering operations for Dates\n *\n * @export\n */\nclass IgxDateFilteringOperand extends IgxBaseDateTimeFilteringOperand {\n constructor() {\n super();\n this.operations = [{\n name: 'equals',\n isUnary: false,\n iconName: 'equals',\n logic: (target, searchVal) => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const targetp = IgxDateFilteringOperand.getDateParts(target, 'yMd');\n const searchp = IgxDateFilteringOperand.getDateParts(searchVal, 'yMd');\n return targetp.year === searchp.year && targetp.month === searchp.month && targetp.day === searchp.day;\n }\n }, {\n name: 'doesNotEqual',\n isUnary: false,\n iconName: 'not-equal',\n logic: (target, searchVal) => {\n if (!target) {\n return true;\n }\n this.validateInputData(target);\n const targetp = IgxDateFilteringOperand.getDateParts(target, 'yMd');\n const searchp = IgxDateFilteringOperand.getDateParts(searchVal, 'yMd');\n return targetp.year !== searchp.year || targetp.month !== searchp.month || targetp.day !== searchp.day;\n }\n }, {\n name: 'before',\n isUnary: false,\n iconName: 'is-before',\n logic: (target, searchVal) => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n return target < searchVal;\n }\n }, {\n name: 'after',\n isUnary: false,\n iconName: 'is-after',\n logic: (target, searchVal) => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n return target > searchVal;\n }\n }, {\n name: 'today',\n isUnary: true,\n iconName: 'today',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const d = IgxDateFilteringOperand.getDateParts(target, 'yMd');\n const now = IgxDateFilteringOperand.getDateParts(new Date(), 'yMd');\n return d.year === now.year && d.month === now.month && d.day === now.day;\n }\n }, {\n name: 'yesterday',\n isUnary: true,\n iconName: 'yesterday',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const td = IgxDateFilteringOperand.getDateParts(target, 'yMd');\n const y = (d => new Date(d.setDate(d.getDate() - 1)))(new Date());\n const yesterday = IgxDateFilteringOperand.getDateParts(y, 'yMd');\n return td.year === yesterday.year && td.month === yesterday.month && td.day === yesterday.day;\n }\n }, {\n name: 'thisMonth',\n isUnary: true,\n iconName: 'this-month',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const d = IgxDateFilteringOperand.getDateParts(target, 'yM');\n const now = IgxDateFilteringOperand.getDateParts(new Date(), 'yM');\n return d.year === now.year && d.month === now.month;\n }\n }, {\n name: 'lastMonth',\n isUnary: true,\n iconName: 'last-month',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const d = IgxDateFilteringOperand.getDateParts(target, 'yM');\n const now = IgxDateFilteringOperand.getDateParts(new Date(), 'yM');\n if (!now.month) {\n now.month = 11;\n now.year -= 1;\n } else {\n now.month--;\n }\n return d.year === now.year && d.month === now.month;\n }\n }, {\n name: 'nextMonth',\n isUnary: true,\n iconName: 'next-month',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const d = IgxDateFilteringOperand.getDateParts(target, 'yM');\n const now = IgxDateFilteringOperand.getDateParts(new Date(), 'yM');\n if (now.month === 11) {\n now.month = 0;\n now.year += 1;\n } else {\n now.month++;\n }\n return d.year === now.year && d.month === now.month;\n }\n }, {\n name: 'thisYear',\n isUnary: true,\n iconName: 'this-year',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const d = IgxDateFilteringOperand.getDateParts(target, 'y');\n const now = IgxDateFilteringOperand.getDateParts(new Date(), 'y');\n return d.year === now.year;\n }\n }, {\n name: 'lastYear',\n isUnary: true,\n iconName: 'last-year',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const d = IgxDateFilteringOperand.getDateParts(target, 'y');\n const now = IgxDateFilteringOperand.getDateParts(new Date(), 'y');\n return d.year === now.year - 1;\n }\n }, {\n name: 'nextYear',\n isUnary: true,\n iconName: 'next-year',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const d = IgxDateFilteringOperand.getDateParts(target, 'y');\n const now = IgxDateFilteringOperand.getDateParts(new Date(), 'y');\n return d.year === now.year + 1;\n }\n }].concat(this.operations);\n }\n}\nclass IgxDateTimeFilteringOperand extends IgxBaseDateTimeFilteringOperand {\n constructor() {\n super();\n this.operations = [{\n name: 'equals',\n isUnary: false,\n iconName: 'equals',\n logic: (target, searchVal) => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const targetp = IgxDateTimeFilteringOperand.getDateParts(target, 'yMdhms');\n const searchp = IgxDateTimeFilteringOperand.getDateParts(searchVal, 'yMdhms');\n return targetp.year === searchp.year && targetp.month === searchp.month && targetp.day === searchp.day && targetp.hours === searchp.hours && targetp.minutes === searchp.minutes && targetp.seconds === searchp.seconds;\n }\n }, {\n name: 'doesNotEqual',\n isUnary: false,\n iconName: 'not-equal',\n logic: (target, searchVal) => {\n if (!target) {\n return true;\n }\n this.validateInputData(target);\n const targetp = IgxDateTimeFilteringOperand.getDateParts(target, 'yMdhms');\n const searchp = IgxDateTimeFilteringOperand.getDateParts(searchVal, 'yMdhms');\n return targetp.year !== searchp.year || targetp.month !== searchp.month || targetp.day !== searchp.day || targetp.hours !== searchp.hours || targetp.minutes !== searchp.minutes || targetp.seconds !== searchp.seconds;\n }\n }, {\n name: 'before',\n isUnary: false,\n iconName: 'is-before',\n logic: (target, searchVal) => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n return target < searchVal;\n }\n }, {\n name: 'after',\n isUnary: false,\n iconName: 'is-after',\n logic: (target, searchVal) => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n return target > searchVal;\n }\n }, {\n name: 'today',\n isUnary: true,\n iconName: 'today',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const d = IgxDateTimeFilteringOperand.getDateParts(target, 'yMd');\n const now = IgxDateTimeFilteringOperand.getDateParts(new Date(), 'yMd');\n return d.year === now.year && d.month === now.month && d.day === now.day;\n }\n }, {\n name: 'yesterday',\n isUnary: true,\n iconName: 'yesterday',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const td = IgxDateTimeFilteringOperand.getDateParts(target, 'yMd');\n const y = (d => new Date(d.setDate(d.getDate() - 1)))(new Date());\n const yesterday = IgxDateTimeFilteringOperand.getDateParts(y, 'yMd');\n return td.year === yesterday.year && td.month === yesterday.month && td.day === yesterday.day;\n }\n }, {\n name: 'thisMonth',\n isUnary: true,\n iconName: 'this-month',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const d = IgxDateTimeFilteringOperand.getDateParts(target, 'yM');\n const now = IgxDateTimeFilteringOperand.getDateParts(new Date(), 'yM');\n return d.year === now.year && d.month === now.month;\n }\n }, {\n name: 'lastMonth',\n isUnary: true,\n iconName: 'last-month',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const d = IgxDateTimeFilteringOperand.getDateParts(target, 'yM');\n const now = IgxDateTimeFilteringOperand.getDateParts(new Date(), 'yM');\n if (!now.month) {\n now.month = 11;\n now.year -= 1;\n } else {\n now.month--;\n }\n return d.year === now.year && d.month === now.month;\n }\n }, {\n name: 'nextMonth',\n isUnary: true,\n iconName: 'next-month',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const d = IgxDateTimeFilteringOperand.getDateParts(target, 'yM');\n const now = IgxDateTimeFilteringOperand.getDateParts(new Date(), 'yM');\n if (now.month === 11) {\n now.month = 0;\n now.year += 1;\n } else {\n now.month++;\n }\n return d.year === now.year && d.month === now.month;\n }\n }, {\n name: 'thisYear',\n isUnary: true,\n iconName: 'this-year',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const d = IgxDateTimeFilteringOperand.getDateParts(target, 'y');\n const now = IgxDateTimeFilteringOperand.getDateParts(new Date(), 'y');\n return d.year === now.year;\n }\n }, {\n name: 'lastYear',\n isUnary: true,\n iconName: 'last-year',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const d = IgxDateTimeFilteringOperand.getDateParts(target, 'y');\n const now = IgxDateTimeFilteringOperand.getDateParts(new Date(), 'y');\n return d.year === now.year - 1;\n }\n }, {\n name: 'nextYear',\n isUnary: true,\n iconName: 'next-year',\n logic: target => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const d = IgxDateTimeFilteringOperand.getDateParts(target, 'y');\n const now = IgxDateTimeFilteringOperand.getDateParts(new Date(), 'y');\n return d.year === now.year + 1;\n }\n }].concat(this.operations);\n }\n}\nclass IgxTimeFilteringOperand extends IgxBaseDateTimeFilteringOperand {\n constructor() {\n super();\n this.operations = [{\n name: 'at',\n isUnary: false,\n iconName: 'equals',\n logic: (target, searchVal) => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const targetp = IgxTimeFilteringOperand.getDateParts(target, 'hms');\n const searchp = IgxTimeFilteringOperand.getDateParts(searchVal, 'hms');\n return targetp.hours === searchp.hours && targetp.minutes === searchp.minutes && targetp.seconds === searchp.seconds;\n }\n }, {\n name: 'not_at',\n isUnary: false,\n iconName: 'not-equal',\n logic: (target, searchVal) => {\n if (!target) {\n return true;\n }\n this.validateInputData(target);\n const targetp = IgxTimeFilteringOperand.getDateParts(target, 'hms');\n const searchp = IgxTimeFilteringOperand.getDateParts(searchVal, 'hms');\n return targetp.hours !== searchp.hours || targetp.minutes !== searchp.minutes || targetp.seconds !== searchp.seconds;\n }\n }, {\n name: 'before',\n isUnary: false,\n iconName: 'is-before',\n logic: (target, searchVal) => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const targetn = IgxTimeFilteringOperand.getDateParts(target, 'hms');\n const search = IgxTimeFilteringOperand.getDateParts(searchVal, 'hms');\n return targetn.hours < search.hours ? true : targetn.hours === search.hours && targetn.minutes < search.minutes ? true : targetn.hours === search.hours && targetn.minutes === search.minutes && targetn.seconds < search.seconds;\n }\n }, {\n name: 'after',\n isUnary: false,\n iconName: 'is-after',\n logic: (target, searchVal) => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const targetn = IgxTimeFilteringOperand.getDateParts(target, 'hms');\n const search = IgxTimeFilteringOperand.getDateParts(searchVal, 'hms');\n return targetn.hours > search.hours ? true : targetn.hours === search.hours && targetn.minutes > search.minutes ? true : targetn.hours === search.hours && targetn.minutes === search.minutes && targetn.seconds > search.seconds;\n }\n }, {\n name: 'at_before',\n isUnary: false,\n iconName: 'is-before',\n logic: (target, searchVal) => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const targetn = IgxTimeFilteringOperand.getDateParts(target, 'hms');\n const search = IgxTimeFilteringOperand.getDateParts(searchVal, 'hms');\n return targetn.hours === search.hours && targetn.minutes === search.minutes && targetn.seconds === search.seconds || targetn.hours < search.hours ? true : targetn.hours === search.hours && targetn.minutes < search.minutes ? true : targetn.hours === search.hours && targetn.minutes === search.minutes && targetn.seconds < search.seconds;\n }\n }, {\n name: 'at_after',\n isUnary: false,\n iconName: 'is-after',\n logic: (target, searchVal) => {\n if (!target) {\n return false;\n }\n this.validateInputData(target);\n const targetn = IgxTimeFilteringOperand.getDateParts(target, 'hms');\n const search = IgxTimeFilteringOperand.getDateParts(searchVal, 'hms');\n return targetn.hours === search.hours && targetn.minutes === search.minutes && targetn.seconds === search.seconds || targetn.hours > search.hours ? true : targetn.hours === search.hours && targetn.minutes > search.minutes ? true : targetn.hours === search.hours && targetn.minutes === search.minutes && targetn.seconds > search.seconds;\n }\n }].concat(this.operations);\n }\n findValueInSet(target, searchVal) {\n if (!target) {\n return false;\n }\n return searchVal.has(target.toLocaleTimeString());\n }\n}\n/**\n * Provides filtering operations for numbers\n *\n * @export\n */\nclass IgxNumberFilteringOperand extends IgxFilteringOperand {\n constructor() {\n super();\n this.operations = [{\n name: 'equals',\n isUnary: false,\n iconName: 'equals',\n logic: (target, searchVal) => target === searchVal\n }, {\n name: 'doesNotEqual',\n isUnary: false,\n iconName: 'not-equal',\n logic: (target, searchVal) => target !== searchVal\n }, {\n name: 'greaterThan',\n isUnary: false,\n iconName: 'greater-than',\n logic: (target, searchVal) => target > searchVal\n }, {\n name: 'lessThan',\n isUnary: false,\n iconName: 'less-than',\n logic: (target, searchVal) => target < searchVal\n }, {\n name: 'greaterThanOrEqualTo',\n isUnary: false,\n iconName: 'greater-than-or-equal',\n logic: (target, searchVal) => target >= searchVal\n }, {\n name: 'lessThanOrEqualTo',\n isUnary: false,\n iconName: 'less-than-or-equal',\n logic: (target, searchVal) => target <= searchVal\n }, {\n name: 'empty',\n isUnary: true,\n iconName: 'is-empty',\n logic: target => target === null || target === undefined || isNaN(target)\n }, {\n name: 'notEmpty',\n isUnary: true,\n iconName: 'not-empty',\n logic: target => target !== null && target !== undefined && !isNaN(target)\n }].concat(this.operations);\n }\n}\n/**\n * Provides filtering operations for strings\n *\n * @export\n */\nclass IgxStringFilteringOperand extends IgxFilteringOperand {\n constructor() {\n super();\n this.operations = [{\n name: 'contains',\n isUnary: false,\n iconName: 'contains',\n logic: (target, searchVal, ignoreCase) => {\n const search = IgxStringFilteringOperand.applyIgnoreCase(searchVal, ignoreCase);\n target = IgxStringFilteringOperand.applyIgnoreCase(target, ignoreCase);\n return target.indexOf(search) !== -1;\n }\n }, {\n name: 'doesNotContain',\n isUnary: false,\n iconName: 'does-not-contain',\n logic: (target, searchVal, ignoreCase) => {\n const search = IgxStringFilteringOperand.applyIgnoreCase(searchVal, ignoreCase);\n target = IgxStringFilteringOperand.applyIgnoreCase(target, ignoreCase);\n return target.indexOf(search) === -1;\n }\n }, {\n name: 'startsWith',\n isUnary: false,\n iconName: 'starts-with',\n logic: (target, searchVal, ignoreCase) => {\n const search = IgxStringFilteringOperand.applyIgnoreCase(searchVal, ignoreCase);\n target = IgxStringFilteringOperand.applyIgnoreCase(target, ignoreCase);\n return target.startsWith(search);\n }\n }, {\n name: 'endsWith',\n isUnary: false,\n iconName: 'ends-with',\n logic: (target, searchVal, ignoreCase) => {\n const search = IgxStringFilteringOperand.applyIgnoreCase(searchVal, ignoreCase);\n target = IgxStringFilteringOperand.applyIgnoreCase(target, ignoreCase);\n return target.endsWith(search);\n }\n }, {\n name: 'equals',\n isUnary: false,\n iconName: 'equals',\n logic: (target, searchVal, ignoreCase) => {\n const search = IgxStringFilteringOperand.applyIgnoreCase(searchVal, ignoreCase);\n target = IgxStringFilteringOperand.applyIgnoreCase(target, ignoreCase);\n return target === search;\n }\n }, {\n name: 'doesNotEqual',\n isUnary: false,\n iconName: 'not-equal',\n logic: (target, searchVal, ignoreCase) => {\n const search = IgxStringFilteringOperand.applyIgnoreCase(searchVal, ignoreCase);\n target = IgxStringFilteringOperand.applyIgnoreCase(target, ignoreCase);\n return target !== search;\n }\n }, {\n name: 'empty',\n isUnary: true,\n iconName: 'is-empty',\n logic: target => target === null || target === undefined || target.length === 0\n }, {\n name: 'notEmpty',\n isUnary: true,\n iconName: 'not-empty',\n logic: target => target !== null && target !== undefined && target.length > 0\n }].concat(this.operations);\n }\n /**\n * Applies case sensitivity on strings if provided\n *\n * @memberof IgxStringFilteringOperand\n */\n static applyIgnoreCase(a, ignoreCase) {\n a = a ?? '';\n // bulletproof\n return ignoreCase ? ('' + a).toLowerCase() : a;\n }\n}\n\n/**\n * @hidden\n */\nclass GroupedRecords extends Array {}\n\n/** @hidden */\nconst IGX_EXPANSION_PANEL_COMPONENT = /*@__PURE__*/new InjectionToken('IgxExpansionPanelToken');\nlet HeaderContentBaseDirective = /*#__PURE__*/(() => {\n class HeaderContentBaseDirective {\n constructor(element) {\n this.element = element;\n /**\n * Returns the `textContent` of an element\n *\n * ```html\n * \n * Tooltip content\n * \n * ```\n *\n * or the `title` content\n *\n * ```html\n * \n * \n * ```\n *\n * If both are provided, returns the `title` content.\n *\n * @param element\n * @returns tooltip content for an element\n */\n this.getTooltipContent = element => {\n if (element.nativeElement.title) {\n return element.nativeElement.title;\n }\n if (element.nativeElement.textContent) {\n return element.nativeElement.textContent.trim();\n }\n return null;\n };\n }\n static {\n this.ɵfac = function HeaderContentBaseDirective_Factory(t) {\n return new (t || HeaderContentBaseDirective)(i0.ɵɵdirectiveInject(i0.ElementRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: HeaderContentBaseDirective\n });\n }\n }\n return HeaderContentBaseDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxExpansionPanelBodyComponent = /*#__PURE__*/(() => {\n class IgxExpansionPanelBodyComponent {\n constructor(panel, element, cdr) {\n this.panel = panel;\n this.element = element;\n this.cdr = cdr;\n /**\n * @hidden\n */\n this.cssClass = `igx-expansion-panel__body`;\n /**\n * Gets/sets the `role` attribute of the panel body\n * Default is 'region';\n * Get\n * ```typescript\n * const currentRole = this.panel.body.role;\n * ```\n * Set\n * ```typescript\n * this.panel.body.role = 'content';\n * ```\n * ```html\n * \n * ```\n */\n this.role = 'region';\n this._labelledBy = '';\n this._label = '';\n }\n /**\n * Gets the `aria-label` attribute of the panel body\n * Defaults to the panel id with '-region' in the end;\n * Get\n * ```typescript\n * const currentLabel = this.panel.body.label;\n * ```\n */\n get label() {\n return this._label || this.panel.id + '-region';\n }\n /**\n * Sets the `aria-label` attribute of the panel body\n * ```typescript\n * this.panel.body.label = 'my-custom-label';\n * ```\n * ```html\n * \n * ```\n */\n set label(val) {\n this._label = val;\n }\n /**\n * Gets the `aria-labelledby` attribute of the panel body\n * Defaults to the panel header id;\n * Get\n * ```typescript\n * const currentLabel = this.panel.body.labelledBy;\n * ```\n */\n get labelledBy() {\n return this._labelledBy;\n }\n /**\n * Sets the `aria-labelledby` attribute of the panel body\n * ```typescript\n * this.panel.body.labelledBy = 'my-custom-id';\n * ```\n * ```html\n * \n * ```\n */\n set labelledBy(val) {\n this._labelledBy = val;\n }\n static {\n this.ɵfac = function IgxExpansionPanelBodyComponent_Factory(t) {\n return new (t || IgxExpansionPanelBodyComponent)(i0.ɵɵdirectiveInject(IGX_EXPANSION_PANEL_COMPONENT), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxExpansionPanelBodyComponent,\n selectors: [[\"igx-expansion-panel-body\"]],\n hostVars: 5,\n hostBindings: function IgxExpansionPanelBodyComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"role\", ctx.role)(\"aria-label\", ctx.label)(\"aria-labelledby\", ctx.labelledBy);\n i0.ɵɵclassProp(\"igx-expansion-panel__body\", ctx.cssClass);\n }\n },\n inputs: {\n role: \"role\",\n label: \"label\",\n labelledBy: \"labelledBy\"\n },\n standalone: true,\n features: [i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 1,\n vars: 0,\n template: function IgxExpansionPanelBodyComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵprojection(0);\n }\n },\n encapsulation: 2\n });\n }\n }\n return IgxExpansionPanelBodyComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** @hidden @internal */\nlet IgxExpansionPanelTitleDirective = /*#__PURE__*/(() => {\n class IgxExpansionPanelTitleDirective extends HeaderContentBaseDirective {\n constructor() {\n super(...arguments);\n this.cssClass = `igx-expansion-panel__header-title`;\n }\n get title() {\n return this.getTooltipContent(this.element);\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxExpansionPanelTitleDirective_BaseFactory;\n return function IgxExpansionPanelTitleDirective_Factory(t) {\n return (ɵIgxExpansionPanelTitleDirective_BaseFactory || (ɵIgxExpansionPanelTitleDirective_BaseFactory = i0.ɵɵgetInheritedFactory(IgxExpansionPanelTitleDirective)))(t || IgxExpansionPanelTitleDirective);\n };\n })();\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxExpansionPanelTitleDirective,\n selectors: [[\"igx-expansion-panel-title\"]],\n hostVars: 3,\n hostBindings: function IgxExpansionPanelTitleDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"title\", ctx.title);\n i0.ɵɵclassProp(\"igx-expansion-panel__header-title\", ctx.cssClass);\n }\n },\n standalone: true,\n features: [i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxExpansionPanelTitleDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/** @hidden @internal */\nlet IgxExpansionPanelDescriptionDirective = /*#__PURE__*/(() => {\n class IgxExpansionPanelDescriptionDirective extends HeaderContentBaseDirective {\n constructor() {\n super(...arguments);\n this.cssClass = `igx-expansion-panel__header-description`;\n }\n get title() {\n return this.getTooltipContent(this.element);\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxExpansionPanelDescriptionDirective_BaseFactory;\n return function IgxExpansionPanelDescriptionDirective_Factory(t) {\n return (ɵIgxExpansionPanelDescriptionDirective_BaseFactory || (ɵIgxExpansionPanelDescriptionDirective_BaseFactory = i0.ɵɵgetInheritedFactory(IgxExpansionPanelDescriptionDirective)))(t || IgxExpansionPanelDescriptionDirective);\n };\n })();\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxExpansionPanelDescriptionDirective,\n selectors: [[\"igx-expansion-panel-description\"]],\n hostVars: 3,\n hostBindings: function IgxExpansionPanelDescriptionDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"title\", ctx.title);\n i0.ɵɵclassProp(\"igx-expansion-panel__header-description\", ctx.cssClass);\n }\n },\n standalone: true,\n features: [i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxExpansionPanelDescriptionDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/** @hidden @internal */\nlet IgxExpansionPanelIconDirective = /*#__PURE__*/(() => {\n class IgxExpansionPanelIconDirective {\n static {\n this.ɵfac = function IgxExpansionPanelIconDirective_Factory(t) {\n return new (t || IgxExpansionPanelIconDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxExpansionPanelIconDirective,\n selectors: [[\"igx-expansion-panel-icon\"]],\n standalone: true\n });\n }\n }\n return IgxExpansionPanelIconDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * @hidden\n */\nconst ExpansionPanelHeaderIconPosition = /*@__PURE__*/mkenum({\n LEFT: 'left',\n NONE: 'none',\n RIGHT: 'right'\n});\nlet IgxExpansionPanelHeaderComponent = /*#__PURE__*/(() => {\n class IgxExpansionPanelHeaderComponent {\n /**\n * Returns a reference to the `igx-expansion-panel-icon` element;\n * If `iconPosition` is `NONE` - return null;\n */\n get iconRef() {\n const renderedTemplate = this.customIconRef ?? this.defaultIconRef;\n return this.iconPosition !== ExpansionPanelHeaderIconPosition.NONE ? renderedTemplate : null;\n }\n /**\n * @hidden\n */\n set iconTemplate(val) {\n this._iconTemplate = val;\n }\n /**\n * @hidden\n */\n get iconTemplate() {\n return this._iconTemplate;\n }\n /**\n * @hidden\n */\n get controls() {\n return this.panel.id;\n }\n /**\n * @hidden @internal\n */\n get innerElement() {\n return this.elementRef.nativeElement.children[0];\n }\n /**\n * @hidden\n */\n get isExpanded() {\n return !this.panel.collapsed;\n }\n /**\n * Gets/sets the whether the header is disabled\n * When disabled, the header will not handle user events and will stop their propagation\n *\n * ```typescript\n * const isDisabled = this.panel.header.disabled;\n * ```\n * Set\n * ```typescript\n * this.panel.header.disabled = true;\n * ```\n * ```html\n * \n * ...\n * \n * ```\n */\n get disabled() {\n return this._disabled;\n }\n set disabled(val) {\n this._disabled = val;\n if (val) {\n // V.S. June 11th, 2021: #9696 TabIndex should be removed when panel is disabled\n delete this.tabIndex;\n } else {\n this.tabIndex = 0;\n }\n }\n constructor(panel, cdr, elementRef) {\n this.panel = panel;\n this.cdr = cdr;\n this.elementRef = elementRef;\n /**\n * Gets/sets the `aria-level` attribute of the header\n * Get\n * ```typescript\n * const currentAriaLevel = this.panel.header.lv;\n * ```\n * Set\n * ```typescript\n * this.panel.header.lv = '5';\n * ```\n * ```html\n * \n * ```\n */\n this.lv = '3';\n /**\n * Gets/sets the `role` attribute of the header\n * Get\n * ```typescript\n * const currentRole = this.panel.header.role;\n * ```\n * Set\n * ```typescript\n * this.panel.header.role = '5';\n * ```\n * ```html\n * \n * ```\n */\n this.role = 'heading';\n /**\n * Gets/sets the position of the expansion-panel-header expand/collapse icon\n * Accepts `left`, `right` or `none`\n * ```typescript\n * const currentIconPosition = this.panel.header.iconPosition;\n * ```\n * Set\n * ```typescript\n * this.panel.header.iconPosition = 'left';\n * ```\n * ```html\n * \n * ```\n */\n this.iconPosition = ExpansionPanelHeaderIconPosition.LEFT;\n /**\n * Emitted whenever a user interacts with the header host\n * ```typescript\n * handleInteraction(event: IExpansionPanelCancelableEventArgs) {\n * ...\n * }\n * ```\n * ```html\n * \n * ...\n * \n * ```\n */\n this.interaction = new EventEmitter();\n /**\n * @hidden\n */\n this.cssClass = 'igx-expansion-panel__header';\n /**\n * Sets/gets the `id` of the expansion panel header.\n * ```typescript\n * let panelHeaderId = this.panel.header.id;\n * ```\n *\n * @memberof IgxExpansionPanelComponent\n */\n this.id = '';\n /** @hidden @internal */\n this.tabIndex = 0;\n // properties section\n this._iconTemplate = false;\n this._disabled = false;\n this.id = `${this.panel.id}-header`;\n }\n /**\n * @hidden\n */\n onAction(evt) {\n if (this.disabled) {\n evt.stopPropagation();\n return;\n }\n const eventArgs = {\n event: evt,\n owner: this.panel,\n cancel: false\n };\n this.interaction.emit(eventArgs);\n if (eventArgs.cancel === true) {\n return;\n }\n this.panel.toggle(evt);\n evt.preventDefault();\n }\n /** @hidden @internal */\n openPanel(event) {\n if (event.altKey) {\n const eventArgs = {\n event,\n owner: this.panel,\n cancel: false\n };\n this.interaction.emit(eventArgs);\n if (eventArgs.cancel === true) {\n return;\n }\n this.panel.expand(event);\n }\n }\n /** @hidden @internal */\n closePanel(event) {\n if (event.altKey) {\n const eventArgs = {\n event,\n owner: this.panel,\n cancel: false\n };\n this.interaction.emit(eventArgs);\n if (eventArgs.cancel === true) {\n return;\n }\n this.panel.collapse(event);\n }\n }\n /**\n * @hidden\n */\n get iconPositionClass() {\n switch (this.iconPosition) {\n case ExpansionPanelHeaderIconPosition.LEFT:\n return `igx-expansion-panel__header-icon--start`;\n case ExpansionPanelHeaderIconPosition.RIGHT:\n return `igx-expansion-panel__header-icon--end`;\n case ExpansionPanelHeaderIconPosition.NONE:\n return `igx-expansion-panel__header-icon--none`;\n default:\n return '';\n }\n }\n static {\n this.ɵfac = function IgxExpansionPanelHeaderComponent_Factory(t) {\n return new (t || IgxExpansionPanelHeaderComponent)(i0.ɵɵdirectiveInject(IGX_EXPANSION_PANEL_COMPONENT, 1), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.ElementRef));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxExpansionPanelHeaderComponent,\n selectors: [[\"igx-expansion-panel-header\"]],\n contentQueries: function IgxExpansionPanelHeaderComponent_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxExpansionPanelIconDirective, 5);\n i0.ɵɵcontentQuery(dirIndex, IgxExpansionPanelIconDirective, 5, ElementRef);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.iconTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.customIconRef = _t.first);\n }\n },\n viewQuery: function IgxExpansionPanelHeaderComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(IgxIconComponent, 5, ElementRef);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.defaultIconRef = _t.first);\n }\n },\n hostVars: 8,\n hostBindings: function IgxExpansionPanelHeaderComponent_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"keydown.Enter\", function IgxExpansionPanelHeaderComponent_keydown_Enter_HostBindingHandler($event) {\n return ctx.onAction($event);\n })(\"keydown.Space\", function IgxExpansionPanelHeaderComponent_keydown_Space_HostBindingHandler($event) {\n return ctx.onAction($event);\n })(\"keydown.Spacebar\", function IgxExpansionPanelHeaderComponent_keydown_Spacebar_HostBindingHandler($event) {\n return ctx.onAction($event);\n })(\"click\", function IgxExpansionPanelHeaderComponent_click_HostBindingHandler($event) {\n return ctx.onAction($event);\n })(\"keydown.Alt.ArrowDown\", function IgxExpansionPanelHeaderComponent_keydown_Alt_ArrowDown_HostBindingHandler($event) {\n return ctx.openPanel($event);\n })(\"keydown.Alt.ArrowUp\", function IgxExpansionPanelHeaderComponent_keydown_Alt_ArrowUp_HostBindingHandler($event) {\n return ctx.closePanel($event);\n });\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"aria-level\", ctx.lv)(\"role\", ctx.role);\n i0.ɵɵclassProp(\"igx-expansion-panel__header\", ctx.cssClass)(\"igx-expansion-panel__header--expanded\", ctx.isExpanded)(\"igx-expansion-panel--disabled\", ctx.disabled);\n }\n },\n inputs: {\n lv: \"lv\",\n role: \"role\",\n iconPosition: \"iconPosition\",\n disabled: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"disabled\", \"disabled\", booleanAttribute]\n },\n outputs: {\n interaction: \"interaction\"\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c14,\n decls: 8,\n vars: 9,\n consts: [[\"role\", \"button\", 1, \"igx-expansion-panel__header-inner\"], [1, \"igx-expansion-panel__title-wrapper\"], [4, \"ngIf\"]],\n template: function IgxExpansionPanelHeaderComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef(_c13);\n i0.ɵɵelementStart(0, \"div\", 0)(1, \"div\", 1);\n i0.ɵɵprojection(2);\n i0.ɵɵprojection(3, 1);\n i0.ɵɵelementEnd();\n i0.ɵɵprojection(4, 2);\n i0.ɵɵelementStart(5, \"div\");\n i0.ɵɵtemplate(6, IgxExpansionPanelHeaderComponent_ng_content_6_Template, 1, 0, \"ng-content\", 2)(7, IgxExpansionPanelHeaderComponent_igx_icon_7_Template, 2, 1, \"igx-icon\", 2);\n i0.ɵɵelementEnd()();\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"tabindex\", ctx.tabIndex)(\"id\", ctx.id)(\"aria-disabled\", ctx.disabled)(\"aria-expanded\", ctx.isExpanded)(\"aria-controls\", ctx.controls);\n i0.ɵɵadvance(5);\n i0.ɵɵclassMap(ctx.iconPositionClass);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.iconTemplate);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", !ctx.iconTemplate);\n }\n },\n dependencies: [NgIf, IgxIconComponent],\n encapsulation: 2\n });\n }\n }\n return IgxExpansionPanelHeaderComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** @hidden @internal */\nvar ANIMATION_TYPE = /*#__PURE__*/function (ANIMATION_TYPE) {\n ANIMATION_TYPE[\"OPEN\"] = \"open\";\n ANIMATION_TYPE[\"CLOSE\"] = \"close\";\n return ANIMATION_TYPE;\n}(ANIMATION_TYPE || {});\n/**@hidden @internal */\n// eslint-disable-next-line @angular-eslint/directive-class-suffix\nlet ToggleAnimationPlayer = /*#__PURE__*/(() => {\n class ToggleAnimationPlayer {\n get animationSettings() {\n return this._animationSettings;\n }\n set animationSettings(value) {\n this._animationSettings = value;\n }\n constructor(animationService) {\n this.animationService = animationService;\n /** @hidden @internal */\n this.openAnimationDone = new EventEmitter();\n /** @hidden @internal */\n this.closeAnimationDone = new EventEmitter();\n /** @hidden @internal */\n this.openAnimationStart = new EventEmitter();\n /** @hidden @internal */\n this.closeAnimationStart = new EventEmitter();\n /** @hidden @internal */\n this.openAnimationPlayer = null;\n /** @hidden @internal */\n this.closeAnimationPlayer = null;\n this.destroy$ = new Subject();\n this.players = new Map();\n this._animationSettings = {\n openAnimation: growVerIn,\n closeAnimation: growVerOut\n };\n this.closeInterrupted = false;\n this.openInterrupted = false;\n this._defaultClosedCallback = noop;\n this._defaultOpenedCallback = noop;\n this.onClosedCallback = this._defaultClosedCallback;\n this.onOpenedCallback = this._defaultOpenedCallback;\n }\n /** @hidden @internal */\n playOpenAnimation(targetElement, onDone) {\n this.startPlayer(ANIMATION_TYPE.OPEN, targetElement, onDone || this._defaultOpenedCallback);\n }\n /** @hidden @internal */\n playCloseAnimation(targetElement, onDone) {\n this.startPlayer(ANIMATION_TYPE.CLOSE, targetElement, onDone || this._defaultClosedCallback);\n }\n /** @hidden @internal */\n ngOnDestroy() {\n this.destroy$.next();\n this.destroy$.complete();\n }\n startPlayer(type, targetElement, callback) {\n if (!targetElement) {\n // if no element is passed, there is nothing to animate\n return;\n }\n let target = this.getPlayer(type);\n if (!target) {\n target = this.initializePlayer(type, targetElement, callback);\n }\n // V.S. Jun 28th, 2021 #9783: player will NOT be initialized w/ null settings\n // events will already be emitted\n if (!target || target.hasStarted()) {\n return;\n }\n const targetEmitter = type === ANIMATION_TYPE.OPEN ? this.openAnimationStart : this.closeAnimationStart;\n targetEmitter.emit();\n if (target) {\n target.play();\n }\n }\n initializePlayer(type, targetElement, callback) {\n const oppositeType = type === ANIMATION_TYPE.OPEN ? ANIMATION_TYPE.CLOSE : ANIMATION_TYPE.OPEN;\n // V.S. Jun 28th, 2021 #9783: Treat falsy animation settings as disabled animations\n const targetAnimationSettings = this.animationSettings || {\n closeAnimation: null,\n openAnimation: null\n };\n const animationSettings = type === ANIMATION_TYPE.OPEN ? targetAnimationSettings.openAnimation : targetAnimationSettings.closeAnimation;\n // V.S. Jun 28th, 2021 #9783: When no animation in target direction, emit start and done events and return\n if (!animationSettings) {\n this.setCallback(type, callback);\n const targetEmitter = type === ANIMATION_TYPE.OPEN ? this.openAnimationStart : this.closeAnimationStart;\n targetEmitter.emit();\n this.onDoneHandler(type);\n return;\n }\n const opposite = this.getPlayer(oppositeType);\n let oppositePosition = 1;\n if (opposite) {\n oppositePosition = opposite.position;\n this.cleanUpPlayer(oppositeType);\n }\n if (type === ANIMATION_TYPE.OPEN) {\n this.openAnimationPlayer = this.animationService.buildAnimation(animationSettings, targetElement.nativeElement);\n } else if (type === ANIMATION_TYPE.CLOSE) {\n this.closeAnimationPlayer = this.animationService.buildAnimation(animationSettings, targetElement.nativeElement);\n }\n const target = this.getPlayer(type);\n target.init();\n this.getPlayer(type).position = 1 - oppositePosition;\n this.setCallback(type, callback);\n target.animationEnd.pipe(takeUntil(this.destroy$)).subscribe(() => {\n this.onDoneHandler(type);\n });\n return target;\n }\n onDoneHandler(type) {\n const targetEmitter = type === ANIMATION_TYPE.OPEN ? this.openAnimationDone : this.closeAnimationDone;\n const targetCallback = type === ANIMATION_TYPE.OPEN ? this.onOpenedCallback : this.onClosedCallback;\n targetCallback();\n if (!(type === ANIMATION_TYPE.OPEN ? this.openInterrupted : this.closeInterrupted)) {\n targetEmitter.emit();\n }\n this.cleanUpPlayer(type);\n }\n setCallback(type, callback) {\n if (type === ANIMATION_TYPE.OPEN) {\n this.onOpenedCallback = callback;\n this.openInterrupted = false;\n } else if (type === ANIMATION_TYPE.CLOSE) {\n this.onClosedCallback = callback;\n this.closeInterrupted = false;\n }\n }\n cleanUpPlayer(target) {\n switch (target) {\n case ANIMATION_TYPE.CLOSE:\n if (this.closeAnimationPlayer != null) {\n this.closeAnimationPlayer.reset();\n this.closeAnimationPlayer.destroy();\n this.closeAnimationPlayer = null;\n }\n this.closeInterrupted = true;\n this.onClosedCallback = this._defaultClosedCallback;\n break;\n case ANIMATION_TYPE.OPEN:\n if (this.openAnimationPlayer != null) {\n this.openAnimationPlayer.reset();\n this.openAnimationPlayer.destroy();\n this.openAnimationPlayer = null;\n }\n this.openInterrupted = true;\n this.onOpenedCallback = this._defaultOpenedCallback;\n break;\n default:\n break;\n }\n }\n getPlayer(type) {\n switch (type) {\n case ANIMATION_TYPE.OPEN:\n return this.openAnimationPlayer;\n case ANIMATION_TYPE.CLOSE:\n return this.closeAnimationPlayer;\n default:\n return null;\n }\n }\n static {\n this.ɵfac = function ToggleAnimationPlayer_Factory(t) {\n return new (t || ToggleAnimationPlayer)(i0.ɵɵdirectiveInject(IgxAngularAnimationService));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: ToggleAnimationPlayer\n });\n }\n }\n return ToggleAnimationPlayer;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet NEXT_ID$s = 0;\nlet IgxExpansionPanelComponent = /*#__PURE__*/(() => {\n class IgxExpansionPanelComponent extends ToggleAnimationPlayer {\n /**\n * Sets/gets the animation settings of the expansion panel component\n * Open and Close animation should be passed\n *\n * Get\n * ```typescript\n * const currentAnimations = this.panel.animationSettings;\n * ```\n * Set\n * ```typescript\n * import { slideInLeft, slideOutRight } from 'igniteui-angular';\n * ...\n * this.panel.animationsSettings = {\n * openAnimation: slideInLeft,\n * closeAnimation: slideOutRight\n * };\n * ```\n * or via template\n * ```typescript\n * import { slideInLeft, slideOutRight } from 'igniteui-angular';\n * ...\n * myCustomAnimationObject = {\n * openAnimation: slideInLeft,\n * closeAnimation: slideOutRight\n * };\n * ```html\n * \n * ...\n * \n * ```\n */\n get animationSettings() {\n return this._animationSettings;\n }\n set animationSettings(value) {\n this._animationSettings = value;\n }\n /**\n * @hidden @internal\n */\n get panelExpanded() {\n return !this.collapsed;\n }\n /**\n * @hidden\n */\n get headerId() {\n return this.header ? `${this.id}-header` : '';\n }\n /**\n * @hidden @internal\n */\n get nativeElement() {\n return this.elementRef.nativeElement;\n }\n constructor(animationService, cdr, elementRef) {\n super(animationService);\n this.cdr = cdr;\n this.elementRef = elementRef;\n /**\n * Sets/gets the `id` of the expansion panel component.\n * If not set, `id` will have value `\"igx-expansion-panel-0\"`;\n * ```html\n * \n * ```\n * ```typescript\n * let panelId = this.panel.id;\n * ```\n *\n * @memberof IgxExpansionPanelComponent\n */\n this.id = `igx-expansion-panel-${NEXT_ID$s++}`;\n /**\n * @hidden\n */\n this.cssClass = 'igx-expansion-panel';\n /**\n * @hidden\n */\n this.opened = false;\n /**\n * Gets/sets whether the component is collapsed (its content is hidden)\n * Get\n * ```typescript\n * const myPanelState: boolean = this.panel.collapsed;\n * ```\n * Set\n * ```html\n * this.panel.collapsed = true;\n * ```\n *\n * Two-way data binding:\n * ```html\n * \n * ```\n */\n this.collapsed = true;\n /**\n * @hidden\n */\n this.collapsedChange = new EventEmitter();\n /**\n * Emitted when the expansion panel starts collapsing\n * ```typescript\n * handleCollapsing(event: IExpansionPanelCancelableEventArgs)\n * ```\n * ```html\n * \n * ...\n * \n * ```\n */\n this.contentCollapsing = new EventEmitter();\n /**\n * Emitted when the expansion panel finishes collapsing\n * ```typescript\n * handleCollapsed(event: IExpansionPanelEventArgs)\n * ```\n * ```html\n * \n * ...\n * \n * ```\n */\n this.contentCollapsed = new EventEmitter();\n /**\n * Emitted when the expansion panel starts expanding\n * ```typescript\n * handleExpanding(event: IExpansionPanelCancelableEventArgs)\n * ```\n * ```html\n * \n * ...\n * \n * ```\n */\n this.contentExpanding = new EventEmitter();\n /**\n * Emitted when the expansion panel finishes expanding\n * ```typescript\n * handleExpanded(event: IExpansionPanelEventArgs)\n * ```\n * ```html\n * \n * ...\n * \n * ```\n */\n this.contentExpanded = new EventEmitter();\n }\n /** @hidden */\n ngAfterContentInit() {\n if (this.body && this.header) {\n // schedule at end of turn:\n Promise.resolve().then(() => {\n this.body.labelledBy = this.body.labelledBy || this.headerId;\n this.body.label = this.body.label || this.id + '-region';\n });\n }\n }\n /**\n * Collapses the panel\n *\n * ```html\n * \n * ...\n * \n * \n * ```\n */\n collapse(evt) {\n // If expansion panel is already collapsed or is collapsing, do nothing\n if (this.collapsed || this.closeAnimationPlayer) {\n return;\n }\n const args = {\n event: evt,\n panel: this,\n owner: this,\n cancel: false\n };\n this.contentCollapsing.emit(args);\n if (args.cancel === true) {\n return;\n }\n this.opened = false;\n this.playCloseAnimation(this.body?.element, () => {\n this.contentCollapsed.emit({\n event: evt,\n owner: this\n });\n this.collapsed = true;\n this.collapsedChange.emit(true);\n this.cdr.markForCheck();\n });\n }\n /**\n * Expands the panel\n *\n * ```html\n * \n * ...\n * \n * \n * ```\n */\n expand(evt) {\n if (!this.collapsed) {\n // If the panel is already opened, do nothing\n return;\n }\n const args = {\n event: evt,\n panel: this,\n owner: this,\n cancel: false\n };\n this.contentExpanding.emit(args);\n if (args.cancel === true) {\n return;\n }\n this.collapsed = false;\n this.opened = true;\n this.collapsedChange.emit(false);\n this.cdr.detectChanges();\n this.playOpenAnimation(this.body?.element, () => {\n this.contentExpanded.emit({\n event: evt,\n owner: this\n });\n });\n }\n /**\n * Toggles the panel\n *\n * ```html\n * \n * ...\n * \n * \n * ```\n */\n toggle(evt) {\n if (this.collapsed) {\n this.open(evt);\n } else {\n this.close(evt);\n }\n }\n open(evt) {\n this.expand(evt);\n }\n close(evt) {\n this.collapse(evt);\n }\n static {\n this.ɵfac = function IgxExpansionPanelComponent_Factory(t) {\n return new (t || IgxExpansionPanelComponent)(i0.ɵɵdirectiveInject(IgxAngularAnimationService), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.ElementRef));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxExpansionPanelComponent,\n selectors: [[\"igx-expansion-panel\"]],\n contentQueries: function IgxExpansionPanelComponent_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxExpansionPanelBodyComponent, 5, IgxExpansionPanelBodyComponent);\n i0.ɵɵcontentQuery(dirIndex, IgxExpansionPanelHeaderComponent, 5, IgxExpansionPanelHeaderComponent);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.body = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.header = _t.first);\n }\n },\n hostVars: 6,\n hostBindings: function IgxExpansionPanelComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id)(\"aria-expanded\", ctx.panelExpanded);\n i0.ɵɵclassProp(\"igx-expansion-panel\", ctx.cssClass)(\"igx-expansion-panel--expanded\", ctx.opened);\n }\n },\n inputs: {\n animationSettings: \"animationSettings\",\n id: \"id\",\n collapsed: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"collapsed\", \"collapsed\", booleanAttribute]\n },\n outputs: {\n collapsedChange: \"collapsedChange\",\n contentCollapsing: \"contentCollapsing\",\n contentCollapsed: \"contentCollapsed\",\n contentExpanding: \"contentExpanding\",\n contentExpanded: \"contentExpanded\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: IGX_EXPANSION_PANEL_COMPONENT,\n useExisting: IgxExpansionPanelComponent\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c16,\n decls: 2,\n vars: 1,\n consts: [[4, \"ngIf\"]],\n template: function IgxExpansionPanelComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef(_c15);\n i0.ɵɵprojection(0);\n i0.ɵɵtemplate(1, IgxExpansionPanelComponent_ng_content_1_Template, 1, 0, \"ng-content\", 0);\n }\n if (rf & 2) {\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", !ctx.collapsed);\n }\n },\n dependencies: [NgIf],\n encapsulation: 2\n });\n }\n }\n return IgxExpansionPanelComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet NEXT_ID$r = 0;\n/**\n * IgxAccordion is a container-based component that contains that can house multiple expansion panels.\n *\n * @igxModule IgxAccordionModule\n *\n * @igxKeywords accordion\n *\n * @igxGroup Layouts\n *\n * @remark\n * The Ignite UI for Angular Accordion component enables the user to navigate among multiple collapsing panels\n * displayed in a single container.\n * The accordion offers keyboard navigation and API to control the underlying panels' expansion state.\n *\n * @example\n * ```html\n * \n * \n * ...\n * \n * \n * ```\n */\nlet IgxAccordionComponent = /*#__PURE__*/(() => {\n class IgxAccordionComponent {\n /**\n * Get/Set the animation settings that panels should use when expanding/collpasing.\n *\n * ```html\n * \n * ```\n *\n * ```typescript\n * const customAnimationSettings: ToggleAnimationSettings = {\n * openAnimation: growVerIn,\n * closeAnimation: growVerOut\n * };\n *\n * this.accordion.animationSettings = customAnimationSettings;\n * ```\n */\n get animationSettings() {\n return this._animationSettings;\n }\n set animationSettings(value) {\n this._animationSettings = value;\n this.updatePanelsAnimation();\n }\n /**\n * Get/Set how the accordion handles the expansion of the projected expansion panels.\n * If set to `true`, only a single panel can be expanded at a time, collapsing all others\n *\n * ```html\n * \n * ...\n * \n * ```\n *\n * ```typescript\n * this.accordion.singleBranchExpand = false;\n * ```\n */\n get singleBranchExpand() {\n return this._singleBranchExpand;\n }\n set singleBranchExpand(val) {\n this._singleBranchExpand = val;\n if (val) {\n this.collapseAllExceptLast();\n }\n }\n /**\n * Get all panels.\n *\n * ```typescript\n * const panels: IgxExpansionPanelComponent[] = this.accordion.panels;\n * ```\n */\n get panels() {\n return this._panels?.toArray();\n }\n constructor(cdr) {\n this.cdr = cdr;\n /**\n * Get/Set the `id` of the accordion component.\n * Default value is `\"igx-accordion-0\"`;\n * ```html\n * \n * ```\n * ```typescript\n * const accordionId = this.accordion.id;\n * ```\n */\n this.id = `igx-accordion-${NEXT_ID$r++}`;\n /** @hidden @internal **/\n this.cssClass = 'igx-accordion';\n /** @hidden @internal **/\n this.displayStyle = 'block';\n /**\n * Emitted before a panel is expanded.\n *\n * @remarks\n * This event is cancelable.\n *\n * ```html\n * \n * \n * ```\n *\n *```typescript\n * public handlePanelExpanding(event: IExpansionPanelCancelableEventArgs){\n * const expandedPanel: IgxExpansionPanelComponent = event.panel;\n * if (expandedPanel.disabled) {\n * event.cancel = true;\n * }\n * }\n *```\n */\n this.panelExpanding = new EventEmitter();\n /**\n * Emitted after a panel has been expanded.\n *\n * ```html\n * \n * \n * ```\n *\n *```typescript\n * public handlePanelExpanded(event: IExpansionPanelCancelableEventArgs) {\n * const expandedPanel: IgxExpansionPanelComponent = event.panel;\n * console.log(\"Panel is expanded: \", expandedPanel.id);\n * }\n *```\n */\n this.panelExpanded = new EventEmitter();\n /**\n * Emitted before a panel is collapsed.\n *\n * @remarks\n * This event is cancelable.\n *\n * ```html\n * \n * \n * ```\n */\n this.panelCollapsing = new EventEmitter();\n /**\n * Emitted after a panel has been collapsed.\n *\n * ```html\n * \n * \n * ```\n */\n this.panelCollapsed = new EventEmitter();\n this._destroy$ = new Subject();\n this._unsubChildren$ = new Subject();\n this._singleBranchExpand = false;\n }\n /** @hidden @internal **/\n ngAfterContentInit() {\n this.updatePanelsAnimation();\n if (this.singleBranchExpand) {\n this.collapseAllExceptLast();\n }\n }\n /** @hidden @internal **/\n ngAfterViewInit() {\n this._expandedPanels = new Set(this._panels.filter(panel => !panel.collapsed));\n this._expandingPanels = new Set();\n this._panels.changes.pipe(takeUntil(this._destroy$)).subscribe(() => {\n this.subToChanges();\n });\n this.subToChanges();\n }\n /** @hidden @internal */\n ngOnDestroy() {\n this._unsubChildren$.next();\n this._unsubChildren$.complete();\n this._destroy$.next();\n this._destroy$.complete();\n }\n /**\n * Expands all collapsed expansion panels.\n *\n * ```typescript\n * accordion.expandAll();\n * ```\n */\n expandAll() {\n if (this.singleBranchExpand) {\n for (let i = 0; i < this.panels.length - 1; i++) {\n this.panels[i].collapse();\n }\n this._panels.last.expand();\n return;\n }\n this.panels.forEach(panel => panel.expand());\n }\n /**\n * Collapses all expanded expansion panels.\n *\n * ```typescript\n * accordion.collapseAll();\n * ```\n */\n collapseAll() {\n this.panels.forEach(panel => panel.collapse());\n }\n collapseAllExceptLast() {\n const lastExpanded = this.panels?.filter(p => !p.collapsed && !p.header.disabled).pop();\n this.panels?.forEach(p => {\n if (p !== lastExpanded && !p.header.disabled) {\n p.collapsed = true;\n }\n });\n this.cdr.markForCheck();\n }\n handleKeydown(event, panel) {\n const key = event.key.toLowerCase();\n if (!ACCORDION_NAVIGATION_KEYS.has(key)) {\n return;\n }\n // TO DO: if we ever want to improve the performance of the accordion,\n // enabledPanels could be cached (by making a disabledChange emitter on the panel header)\n this._enabledPanels = this._panels.filter(p => !p.header.disabled);\n event.preventDefault();\n this.handleNavigation(event, panel);\n }\n handleNavigation(event, panel) {\n switch (event.key.toLowerCase()) {\n case 'home':\n this._enabledPanels[0].header.innerElement.focus();\n break;\n case 'end':\n this._enabledPanels[this._enabledPanels.length - 1].header.innerElement.focus();\n break;\n case 'arrowup':\n case 'up':\n this.handleUpDownArrow(true, event, panel);\n break;\n case 'arrowdown':\n case 'down':\n this.handleUpDownArrow(false, event, panel);\n break;\n }\n }\n handleUpDownArrow(isUp, event, panel) {\n if (!event.altKey) {\n const focusedPanel = panel;\n const next = this.getNextPanel(focusedPanel, isUp ? -1 : 1);\n if (next === focusedPanel) {\n return;\n }\n next.header.innerElement.focus();\n }\n if (event.altKey && event.shiftKey) {\n if (isUp) {\n this._enabledPanels.forEach(p => p.collapse());\n } else {\n if (this.singleBranchExpand) {\n for (let i = 0; i < this._enabledPanels.length - 1; i++) {\n this._enabledPanels[i].collapse();\n }\n this._enabledPanels[this._enabledPanels.length - 1].expand();\n return;\n }\n this._enabledPanels.forEach(p => p.expand());\n }\n }\n }\n getNextPanel(panel, dir = 1) {\n const panelIndex = this._enabledPanels.indexOf(panel);\n return this._enabledPanels[panelIndex + dir] || panel;\n }\n subToChanges() {\n this._unsubChildren$.next();\n this._panels.forEach(panel => {\n panel.contentExpanded.pipe(takeUntil(this._unsubChildren$)).subscribe(args => {\n this._expandedPanels.add(args.owner);\n this._expandingPanels.delete(args.owner);\n const evArgs = {\n ...args,\n owner: this,\n panel: args.owner\n };\n this.panelExpanded.emit(evArgs);\n });\n panel.contentExpanding.pipe(takeUntil(this._unsubChildren$)).subscribe(args => {\n if (args.cancel) {\n return;\n }\n const evArgs = {\n ...args,\n owner: this,\n panel: args.owner\n };\n this.panelExpanding.emit(evArgs);\n if (evArgs.cancel) {\n args.cancel = true;\n return;\n }\n if (this.singleBranchExpand) {\n this._expandedPanels.forEach(p => {\n if (!p.header.disabled) {\n p.collapse();\n }\n });\n this._expandingPanels.forEach(p => {\n if (!p.header.disabled) {\n if (!p.animationSettings.closeAnimation) {\n p.openAnimationPlayer?.reset();\n }\n if (!p.animationSettings.openAnimation) {\n p.closeAnimationPlayer?.reset();\n }\n p.collapse();\n }\n });\n this._expandingPanels.add(args.owner);\n }\n });\n panel.contentCollapsed.pipe(takeUntil(this._unsubChildren$)).subscribe(args => {\n this._expandedPanels.delete(args.owner);\n this._expandingPanels.delete(args.owner);\n const evArgs = {\n ...args,\n owner: this,\n panel: args.owner\n };\n this.panelCollapsed.emit(evArgs);\n });\n panel.contentCollapsing.pipe(takeUntil(this._unsubChildren$)).subscribe(args => {\n const evArgs = {\n ...args,\n owner: this,\n panel: args.owner\n };\n this.panelCollapsing.emit(evArgs);\n if (evArgs.cancel) {\n args.cancel = true;\n }\n });\n fromEvent(panel.header.innerElement, 'keydown').pipe(takeUntil(this._unsubChildren$)).subscribe(e => {\n this.handleKeydown(e, panel);\n });\n });\n }\n updatePanelsAnimation() {\n if (this.animationSettings !== undefined) {\n this.panels?.forEach(panel => panel.animationSettings = this.animationSettings);\n }\n }\n static {\n this.ɵfac = function IgxAccordionComponent_Factory(t) {\n return new (t || IgxAccordionComponent)(i0.ɵɵdirectiveInject(i0.ChangeDetectorRef));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxAccordionComponent,\n selectors: [[\"igx-accordion\"]],\n contentQueries: function IgxAccordionComponent_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxExpansionPanelComponent, 4);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx._panels = _t);\n }\n },\n hostVars: 5,\n hostBindings: function IgxAccordionComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id);\n i0.ɵɵstyleProp(\"display\", ctx.displayStyle);\n i0.ɵɵclassProp(\"igx-accordion\", ctx.cssClass);\n }\n },\n inputs: {\n id: \"id\",\n animationSettings: \"animationSettings\",\n singleBranchExpand: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"singleBranchExpand\", \"singleBranchExpand\", booleanAttribute]\n },\n outputs: {\n panelExpanding: \"panelExpanding\",\n panelExpanded: \"panelExpanded\",\n panelCollapsing: \"panelCollapsing\",\n panelCollapsed: \"panelCollapsed\"\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c18,\n decls: 1,\n vars: 0,\n template: function IgxAccordionComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef(_c17);\n i0.ɵɵprojection(0);\n }\n },\n encapsulation: 2\n });\n }\n }\n return IgxAccordionComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* NOTE: Expansion panel directives collection for ease-of-use import in standalone components scenario */\nconst IGX_EXPANSION_PANEL_DIRECTIVES = [IgxExpansionPanelComponent, IgxExpansionPanelHeaderComponent, IgxExpansionPanelBodyComponent, IgxExpansionPanelDescriptionDirective, IgxExpansionPanelTitleDirective, IgxExpansionPanelIconDirective];\n\n/* Accordion directives collection for ease-of-use import in standalone components scenario */\nconst IGX_ACCORDION_DIRECTIVES = [IgxAccordionComponent, IgxExpansionPanelComponent, IgxExpansionPanelHeaderComponent, IgxExpansionPanelBodyComponent, IgxExpansionPanelDescriptionDirective, IgxExpansionPanelTitleDirective, IgxExpansionPanelIconDirective];\nconst ActionStripResourceStringsEN = {\n igx_action_strip_button_more_title: 'More'\n};\n\n/** @hidden */\nlet IgxSelectionAPIService = /*#__PURE__*/(() => {\n class IgxSelectionAPIService {\n constructor() {\n /**\n * If primaryKey is defined, then multiple selection is based on the primaryKey, and it is array of numbers, strings, etc.\n * If the primaryKey is omitted, then selection is based on the item data\n */\n this.selection = new Map();\n }\n /**\n * Get current component selection.\n *\n * @param componentID ID of the component.\n */\n get(componentID) {\n return this.selection.get(componentID);\n }\n /**\n * Set new component selection.\n *\n * @param componentID ID of the component.\n * @param newSelection The new component selection to be set.\n */\n set(componentID, newSelection) {\n if (!componentID) {\n throw Error('Invalid value for component id!');\n }\n this.selection.set(componentID, newSelection);\n }\n /**\n * Clears selection for component.\n *\n * @param componentID ID of the component.\n */\n clear(componentID) {\n this.selection.set(componentID, this.get_empty());\n }\n /**\n * Removes selection for a component.\n * @param componentID\n */\n delete(componentID) {\n this.selection.delete(componentID);\n }\n /**\n * Get current component selection length.\n *\n * @param componentID ID of the component.\n */\n size(componentID) {\n const sel = this.get(componentID);\n return sel ? sel.size : 0;\n }\n /**\n * Creates new selection that consist of the new item added to the current component selection.\n * The returned collection is new Set,\n * therefore if you want to update component selection you need to call in addition the set_selection() method\n * or instead use the select_item() one.\n *\n * @param componentID ID of the component, which we add new item to.\n * @param itemID ID of the item to add to component selection.\n * @param sel Used internally only by the selection (add_items method) to accumulate selection for multiple items.\n *\n * @returns Selection after the new item is added.\n */\n add_item(componentID, itemID, sel) {\n if (!sel) {\n sel = new Set(this.get(componentID));\n }\n if (sel === undefined) {\n sel = this.get_empty();\n }\n sel.add(itemID);\n return sel;\n }\n /**\n * Creates new selection that consist of the new items added to the current component selection.\n * The returned collection is new Set,\n * therefore if you want to update component selection you need to call in addition the set_selection() method\n * or instead use the select_items() one.\n *\n * @param componentID ID of the component, which we add new items to.\n * @param itemIDs Array of IDs of the items to add to component selection.\n * @param clearSelection If true it will clear previous selection.\n *\n * @returns Selection after the new items are added.\n */\n add_items(componentID, itemIDs, clearSelection) {\n let selection;\n if (clearSelection) {\n selection = this.get_empty();\n } else if (itemIDs && itemIDs.length === 0) {\n selection = new Set(this.get(componentID));\n }\n itemIDs.forEach(item => selection = this.add_item(componentID, item, selection));\n return selection;\n }\n /**\n * Add item to the current component selection.\n *\n * @param componentID ID of the component, which we add new item to.\n * @param itemID ID of the item to add to component selection.\n * @param sel Used internally only by the selection (select_items method) to accumulate selection for multiple items.\n */\n select_item(componentID, itemID, sel) {\n this.set(componentID, this.add_item(componentID, itemID, sel));\n }\n /**\n * Add items to the current component selection.\n *\n * @param componentID ID of the component, which we add new items to.\n * @param itemIDs Array of IDs of the items to add to component selection.\n * @param clearSelection If true it will clear previous selection.\n */\n select_items(componentID, itemID, clearSelection) {\n this.set(componentID, this.add_items(componentID, itemID, clearSelection));\n }\n /**\n * Creates new selection that consist of the new items excluded from the current component selection.\n * The returned collection is new Set,\n * therefore if you want to update component selection you need to call in addition the set_selection() method\n * or instead use the deselect_item() one.\n *\n * @param componentID ID of the component, which we remove items from.\n * @param itemID ID of the item to remove from component selection.\n * @param sel Used internally only by the selection (delete_items method) to accumulate deselected items.\n *\n * @returns Selection after the item is removed.\n */\n delete_item(componentID, itemID, sel) {\n if (!sel) {\n sel = new Set(this.get(componentID));\n }\n if (sel === undefined) {\n return;\n }\n sel.delete(itemID);\n return sel;\n }\n /**\n * Creates new selection that consist of the new items removed to the current component selection.\n * The returned collection is new Set,\n * therefore if you want to update component selection you need to call in addition the set_selection() method\n * or instead use the deselect_items() one.\n *\n * @param componentID ID of the component, which we remove items from.\n * @param itemID ID of the items to remove from component selection.\n *\n * @returns Selection after the items are removed.\n */\n delete_items(componentID, itemIDs) {\n let selection;\n itemIDs.forEach(deselectedItem => selection = this.delete_item(componentID, deselectedItem, selection));\n return selection;\n }\n /**\n * Remove item from the current component selection.\n *\n * @param componentID ID of the component, which we remove item from.\n * @param itemID ID of the item to remove from component selection.\n * @param sel Used internally only by the selection (deselect_items method) to accumulate selection for multiple items.\n */\n deselect_item(componentID, itemID, sel) {\n this.set(componentID, this.delete_item(componentID, itemID, sel));\n }\n /**\n * Remove items to the current component selection.\n *\n * @param componentID ID of the component, which we add new items to.\n * @param itemIDs Array of IDs of the items to add to component selection.\n */\n deselect_items(componentID, itemID, _clearSelection) {\n this.set(componentID, this.delete_items(componentID, itemID));\n }\n /**\n * Check if the item is selected in the component selection.\n *\n * @param componentID ID of the component.\n * @param itemID ID of the item to search.\n *\n * @returns If item is selected.\n */\n is_item_selected(componentID, itemID) {\n const sel = this.get(componentID);\n if (!sel) {\n return false;\n }\n return sel.has(itemID);\n }\n /**\n * Get first element in the selection.\n * This is correct when we have only one item in the collection (for single selection purposes)\n * and the method returns that item.\n *\n * @param componentID ID of the component.\n *\n * @returns First element in the set.\n */\n first_item(componentID) {\n const sel = this.get(componentID);\n if (sel && sel.size > 0) {\n return sel.values().next().value;\n }\n }\n /**\n * Returns whether all items are selected.\n *\n * @param componentID ID of the component.\n * @param dataCount: number Number of items in the data.\n *\n * @returns If all items are selected.\n */\n are_all_selected(componentID, dataCount) {\n return dataCount > 0 && dataCount === this.size(componentID);\n }\n /**\n * Returns whether any of the items is selected.\n *\n * @param componentID ID of the component.\n * @param data Entire data array.\n *\n * @returns If there is any item selected.\n */\n are_none_selected(componentID) {\n return this.size(componentID) === 0;\n }\n /**\n * Get all primary key values from a data array. If there isn't a primary key defined that the entire data is returned instead.\n *\n * @param data Entire data array.\n * @param primaryKey Data primary key.\n *\n * @returns Array of identifiers, either primary key values or the entire data array.\n */\n get_all_ids(data, primaryKey) {\n // If primaryKey is 0, this should still map to the property\n return primaryKey !== undefined && primaryKey !== null ? data.map(x => x[primaryKey]) : data;\n }\n /**\n * Returns empty selection collection.\n *\n * @returns empty set.\n */\n get_empty() {\n return new Set();\n }\n static {\n this.ɵfac = function IgxSelectionAPIService_Factory(t) {\n return new (t || IgxSelectionAPIService)();\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: IgxSelectionAPIService,\n factory: IgxSelectionAPIService.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return IgxSelectionAPIService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet NEXT_ID$q = 0;\n/**\n * The `` is a container intended for row items in\n * a `` container.\n */\nlet IgxDropDownGroupComponent = /*#__PURE__*/(() => {\n class IgxDropDownGroupComponent {\n constructor() {\n /**\n * @hidden @internal\n */\n this.role = 'group';\n /** @hidden @internal */\n this.groupClass = true;\n /**\n * Sets/gets if the item group is disabled\n *\n * ```typescript\n * const myDropDownGroup: IgxDropDownGroupComponent = this.dropdownGroup;\n * // get\n * ...\n * const groupState: boolean = myDropDownGroup.disabled;\n * ...\n * //set\n * ...\n * myDropDownGroup,disabled = false;\n * ...\n * ```\n *\n * ```html\n * \n * \n * {{ item.text }}\n * \n * \n * ```\n *\n * **NOTE:** All items inside of a disabled drop down group will be treated as disabled\n */\n this.disabled = false;\n this._id = NEXT_ID$q++;\n }\n /**\n * @hidden @internal\n */\n get labelId() {\n return `igx-item-group-label-${this._id}`;\n }\n get labelledBy() {\n return this.labelId;\n }\n static {\n this.ɵfac = function IgxDropDownGroupComponent_Factory(t) {\n return new (t || IgxDropDownGroupComponent)();\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxDropDownGroupComponent,\n selectors: [[\"igx-drop-down-item-group\"]],\n hostVars: 7,\n hostBindings: function IgxDropDownGroupComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"aria-labelledby\", ctx.labelledBy)(\"role\", ctx.role)(\"aria-disabled\", ctx.disabled);\n i0.ɵɵclassProp(\"igx-drop-down__group\", ctx.groupClass)(\"igx-drop-down__group--disabled\", ctx.disabled);\n }\n },\n inputs: {\n disabled: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"disabled\", \"disabled\", booleanAttribute],\n label: \"label\"\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c20,\n decls: 3,\n vars: 2,\n consts: [[3, \"id\"]],\n template: function IgxDropDownGroupComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef(_c19);\n i0.ɵɵelementStart(0, \"label\", 0);\n i0.ɵɵtext(1);\n i0.ɵɵelementEnd();\n i0.ɵɵprojection(2);\n }\n if (rf & 2) {\n i0.ɵɵpropertyInterpolate(\"id\", ctx.labelId);\n i0.ɵɵadvance();\n i0.ɵɵtextInterpolate(ctx.label);\n }\n },\n encapsulation: 2\n });\n }\n }\n return IgxDropDownGroupComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet NEXT_ID$p = 0;\n/**\n * An abstract class defining a drop-down item:\n * With properties / styles for selection, highlight, height\n * Bindable property for passing data (`value: any`)\n * Parent component (has to be used under a parent with type `IDropDownBase`)\n * Method for handling click on Host()\n */\nlet IgxDropDownItemBaseDirective = /*#__PURE__*/(() => {\n class IgxDropDownItemBaseDirective {\n get ariaLabel() {\n return this._label ? this._label : this.value ? this.value : this.id;\n }\n set ariaLabel(value) {\n this._label = value;\n }\n /**\n * @hidden @internal\n */\n get itemID() {\n return this;\n }\n /**\n * The data index of the dropdown item.\n *\n * ```typescript\n * // get the data index of the selected dropdown item\n * let selectedItemIndex = this.dropdown.selectedItem.index\n * ```\n */\n get index() {\n if (this._index === null) {\n return this.itemIndex;\n }\n return this._index;\n }\n set index(value) {\n this._index = value;\n }\n /**\n * @hidden @internal\n */\n get itemStyle() {\n return !this.isHeader;\n }\n /** @hidden @internal */\n get size() {\n return this.dropDown.getComponentSizeStyles();\n }\n /**\n * Sets/Gets if the item is the currently selected one in the dropdown\n *\n * ```typescript\n * let mySelectedItem = this.dropdown.selectedItem;\n * let isMyItemSelected = mySelectedItem.selected; // true\n * ```\n *\n * Two-way data binding\n * ```html\n * \n * ```\n */\n get selected() {\n return this._selected;\n }\n set selected(value) {\n if (this.isHeader) {\n return;\n }\n this._selected = value;\n this.selectedChange.emit(this._selected);\n }\n /**\n * Sets/gets if the given item is focused\n * ```typescript\n * let mySelectedItem = this.dropdown.selectedItem;\n * let isMyItemFocused = mySelectedItem.focused;\n * ```\n */\n get focused() {\n return this.isSelectable && this._focused;\n }\n /**\n * ```html\n * \n *
\n * {{item.field}}\n *
\n * \n * ```\n */\n set focused(value) {\n this._focused = value;\n }\n /**\n * Sets/gets if the given item is disabled\n *\n * ```typescript\n * // get\n * let mySelectedItem = this.dropdown.selectedItem;\n * let myItemIsDisabled = mySelectedItem.disabled;\n * ```\n *\n * ```html\n * \n *
\n * {{item.field}}\n *
\n * \n * ```\n * **NOTE:** Drop-down items inside of a disabled `IgxDropDownGroup` will always count as disabled\n */\n get disabled() {\n return this.group ? this.group.disabled || this._disabled : this._disabled;\n }\n set disabled(value) {\n this._disabled = value;\n }\n /**\n * Gets item index\n *\n * @hidden @internal\n */\n get itemIndex() {\n return this.dropDown.items.indexOf(this);\n }\n /**\n * Gets item element height\n *\n * @hidden @internal\n */\n get elementHeight() {\n return this.elementRef.nativeElement.clientHeight;\n }\n /**\n * Get item html element\n *\n * @hidden @internal\n */\n get element() {\n return this.elementRef;\n }\n get hasIndex() {\n return this._index !== null && this._index !== undefined;\n }\n constructor(dropDown, elementRef, group, selection) {\n this.dropDown = dropDown;\n this.elementRef = elementRef;\n this.group = group;\n this.selection = selection;\n /**\n * Sets/gets the `id` of the item.\n * ```html\n * \n * ```\n * ```typescript\n * let itemId = this.item.id;\n * ```\n *\n * @memberof IgxSelectItemComponent\n */\n this.id = `igx-drop-down-item-${NEXT_ID$p++}`;\n /**\n * @hidden\n */\n this.selectedChange = new EventEmitter();\n /**\n * Gets/sets the `role` attribute of the item. Default is 'option'.\n *\n * ```html\n * \n * ```\n */\n this.role = 'option';\n /**\n * @hidden\n */\n this._focused = false;\n this._selected = false;\n this._index = null;\n this._disabled = false;\n this._label = null;\n }\n /**\n * @hidden\n * @internal\n */\n clicked(event) {}\n /**\n * @hidden\n * @internal\n */\n handleMousedown(event) {\n if (!this.dropDown.allowItemsFocus) {\n event.preventDefault();\n }\n }\n ngDoCheck() {\n if (this._selected) {\n const dropDownSelectedItem = this.dropDown.selectedItem;\n if (!dropDownSelectedItem) {\n this.dropDown.selectItem(this, undefined, false);\n } else if (this.hasIndex ? this._index !== dropDownSelectedItem.index || this.value !== dropDownSelectedItem.value : this !== dropDownSelectedItem) {\n this.dropDown.selectItem(this, undefined, false);\n }\n }\n }\n /** Returns true if the items is not a header or disabled */\n get isSelectable() {\n return !(this.disabled || this.isHeader);\n }\n /** If `allowItemsFocus` is enabled, keep the browser focus on the active item */\n ensureItemFocus() {\n if (this.dropDown.allowItemsFocus) {\n const focusedItem = this.dropDown.items.find(item => item.focused);\n if (!focusedItem) {\n return;\n }\n focusedItem.element.nativeElement.focus({\n preventScroll: true\n });\n }\n }\n static {\n this.ɵfac = function IgxDropDownItemBaseDirective_Factory(t) {\n return new (t || IgxDropDownItemBaseDirective)(i0.ɵɵdirectiveInject(IGX_DROPDOWN_BASE), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(IgxDropDownGroupComponent, 8), i0.ɵɵdirectiveInject(IgxSelectionAPIService, 8));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxDropDownItemBaseDirective,\n selectors: [[\"\", \"igxDropDownItemBase\", \"\"]],\n hostVars: 17,\n hostBindings: function IgxDropDownItemBaseDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"click\", function IgxDropDownItemBaseDirective_click_HostBindingHandler($event) {\n return ctx.clicked($event);\n })(\"mousedown\", function IgxDropDownItemBaseDirective_mousedown_HostBindingHandler($event) {\n return ctx.handleMousedown($event);\n });\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id)(\"aria-label\", ctx.ariaLabel)(\"aria-selected\", ctx.selected)(\"aria-disabled\", ctx.disabled)(\"role\", ctx.role);\n i0.ɵɵstyleProp(\"--component-size\", ctx.size);\n i0.ɵɵclassProp(\"igx-drop-down__item\", ctx.itemStyle)(\"igx-drop-down__item--selected\", ctx.selected)(\"igx-drop-down__item--focused\", ctx.focused)(\"igx-drop-down__header\", ctx.isHeader)(\"igx-drop-down__item--disabled\", ctx.disabled);\n }\n },\n inputs: {\n id: \"id\",\n ariaLabel: \"ariaLabel\",\n index: \"index\",\n value: \"value\",\n selected: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"selected\", \"selected\", booleanAttribute],\n isHeader: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"isHeader\", \"isHeader\", booleanAttribute],\n disabled: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"disabled\", \"disabled\", booleanAttribute],\n role: \"role\"\n },\n outputs: {\n selectedChange: \"selectedChange\"\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature]\n });\n }\n }\n return IgxDropDownItemBaseDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * The `` is a container intended for row items in\n * a `` container.\n */\nlet IgxDropDownItemComponent = /*#__PURE__*/(() => {\n class IgxDropDownItemComponent extends IgxDropDownItemBaseDirective {\n /**\n * Sets/gets if the given item is focused\n * ```typescript\n * let mySelectedItem = this.dropdown.selectedItem;\n * let isMyItemFocused = mySelectedItem.focused;\n * ```\n */\n get focused() {\n let focusedState = this._focused;\n if (this.hasIndex) {\n const focusedItem = this.selection.first_item(`${this.dropDown.id}-active`);\n const focusedIndex = focusedItem ? focusedItem.index : -1;\n focusedState = this._index === focusedIndex;\n }\n return this.isSelectable && focusedState;\n }\n /**\n * Sets/gets if the given item is focused\n * ```typescript\n * let mySelectedItem = this.dropdown.selectedItem;\n * let isMyItemFocused = mySelectedItem.focused;\n * ```\n */\n set focused(value) {\n this._focused = value;\n }\n /**\n * Sets/Gets if the item is the currently selected one in the dropdown\n *\n * ```typescript\n * let mySelectedItem = this.dropdown.selectedItem;\n * let isMyItemSelected = mySelectedItem.selected; // true\n * ```\n *\n * Two-way data binding\n * ```html\n * \n * ```\n */\n get selected() {\n if (this.hasIndex) {\n const item = this.selection.first_item(`${this.dropDown.id}`);\n return item ? item.index === this._index && item.value === this.value : false;\n }\n return this._selected;\n }\n /**\n * Sets/Gets if the item is the currently selected one in the dropdown\n *\n */\n set selected(value) {\n if (this.isHeader) {\n return;\n }\n this._selected = value;\n this.selectedChange.emit(this._selected);\n }\n /**\n * @hidden @internal\n */\n get setTabIndex() {\n const shouldSetTabIndex = this.dropDown.allowItemsFocus && this.isSelectable;\n if (shouldSetTabIndex) {\n return 0;\n } else {\n return null;\n }\n }\n clicked(event) {\n if (!this.isSelectable) {\n this.ensureItemFocus();\n return;\n }\n if (this.selection) {\n this.dropDown.selectItem(this, event);\n }\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxDropDownItemComponent_BaseFactory;\n return function IgxDropDownItemComponent_Factory(t) {\n return (ɵIgxDropDownItemComponent_BaseFactory || (ɵIgxDropDownItemComponent_BaseFactory = i0.ɵɵgetInheritedFactory(IgxDropDownItemComponent)))(t || IgxDropDownItemComponent);\n };\n })();\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxDropDownItemComponent,\n selectors: [[\"igx-drop-down-item\"]],\n hostVars: 1,\n hostBindings: function IgxDropDownItemComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"tabindex\", ctx.setTabIndex);\n }\n },\n standalone: true,\n features: [i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c22,\n decls: 6,\n vars: 0,\n consts: [[1, \"igx-drop-down__content\"], [1, \"igx-drop-down__inner\"]],\n template: function IgxDropDownItemComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef(_c21);\n i0.ɵɵelementStart(0, \"span\", 0);\n i0.ɵɵprojection(1);\n i0.ɵɵelementStart(2, \"span\", 1);\n i0.ɵɵprojection(3, 1);\n i0.ɵɵelementEnd();\n i0.ɵɵprojection(4, 2);\n i0.ɵɵprojection(5, 3);\n i0.ɵɵelementEnd();\n }\n },\n encapsulation: 2\n });\n }\n }\n return IgxDropDownItemComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * **Ignite UI for Angular DropDown** -\n * [Documentation](https://www.infragistics.com/products/ignite-ui-angular/angular/components/drop-down)\n *\n * The Ignite UI for Angular Drop Down displays a scrollable list of items which may be visually grouped and\n * supports selection of a single item. Clicking or tapping an item selects it and closes the Drop Down\n *\n * Example:\n * ```html\n * \n * \n * {{ item.value }}\n * \n * \n * ```\n */\nlet IgxDropDownComponent = /*#__PURE__*/(() => {\n class IgxDropDownComponent extends IgxDropDownBaseDirective {\n /**\n * @hidden @internal\n */\n get focusedItem() {\n if (this.virtDir) {\n return this._focusedItem && this._focusedItem.index !== -1 ? this.children.find(e => e.index === this._focusedItem.index) || null : null;\n }\n return this._focusedItem;\n }\n set focusedItem(value) {\n if (!value) {\n this.selection.clear(`${this.id}-active`);\n this._focusedItem = null;\n return;\n }\n this._focusedItem = value;\n if (this.virtDir) {\n this._focusedItem = {\n value: value.value,\n index: value.index\n };\n }\n this.selection.set(`${this.id}-active`, new Set([this._focusedItem]));\n }\n get id() {\n return this._id;\n }\n set id(value) {\n this.selection.set(value, this.selection.get(this.id));\n this.selection.clear(this.id);\n this.selection.set(value, this.selection.get(`${this.id}-active`));\n this.selection.clear(`${this.id}-active`);\n this._id = value;\n }\n /** Id of the internal listbox of the drop down */\n get listId() {\n return this.id + '-list';\n }\n /**\n * Get currently selected item\n *\n * ```typescript\n * let currentItem = this.dropdown.selectedItem;\n * ```\n */\n get selectedItem() {\n const selectedItem = this.selection.first_item(this.id);\n if (selectedItem) {\n return selectedItem;\n }\n return null;\n }\n /**\n * Gets if the dropdown is collapsed\n *\n * ```typescript\n * let isCollapsed = this.dropdown.collapsed;\n * ```\n */\n get collapsed() {\n return this.toggleDirective.collapsed;\n }\n /** @hidden @internal */\n get scrollContainer() {\n return this.scrollContainerRef.nativeElement;\n }\n get collectionLength() {\n if (this.virtDir) {\n return this.virtDir.totalItemCount || this.virtDir.igxForOf.length;\n }\n }\n constructor(elementRef, cdr, selection, _displayDensityOptions) {\n super(elementRef, cdr, _displayDensityOptions);\n this.selection = selection;\n /**\n * Emitted before the dropdown is opened\n *\n * ```html\n * \n * ```\n */\n this.opening = new EventEmitter();\n /**\n * Emitted after the dropdown is opened\n *\n * ```html\n * \n * ```\n */\n this.opened = new EventEmitter();\n /**\n * Emitted before the dropdown is closed\n *\n * ```html\n * \n * ```\n */\n this.closing = new EventEmitter();\n /**\n * Emitted after the dropdown is closed\n *\n * ```html\n * \n * ```\n */\n this.closed = new EventEmitter();\n /**\n * Gets/sets whether items take focus. Disabled by default.\n * When enabled, drop down items gain tab index and are focused when active -\n * this includes activating the selected item when opening the drop down and moving with keyboard navigation.\n *\n * Note: Keep that focus shift in mind when using the igxDropDownItemNavigation directive\n * and ensure it's placed either on each focusable item or a common ancestor to allow it to handle keyboard events.\n *\n * ```typescript\n * // get\n * let dropDownAllowsItemFocus = this.dropdown.allowItemsFocus;\n * ```\n *\n * ```html\n * \n * \n * ```\n */\n this.allowItemsFocus = false;\n this.destroy$ = new Subject();\n }\n /**\n * Opens the dropdown\n *\n * ```typescript\n * this.dropdown.open();\n * ```\n */\n open(overlaySettings) {\n const settings = overlaySettings || this.getDefaultOverlaySettings();\n this.toggleDirective.open(settings);\n this.updateScrollPosition();\n }\n /**\n * @hidden @internal\n */\n getDefaultOverlaySettings() {\n return {\n closeOnOutsideClick: true,\n modal: false,\n positionStrategy: new ConnectedPositioningStrategy()\n };\n }\n /**\n * Closes the dropdown\n *\n * ```typescript\n * this.dropdown.close();\n * ```\n */\n close(event) {\n this.toggleDirective.close(event);\n }\n /**\n * Toggles the dropdown\n *\n * ```typescript\n * this.dropdown.toggle();\n * ```\n */\n toggle(overlaySettings) {\n if (this.collapsed || this.toggleDirective.isClosing) {\n this.open(overlaySettings);\n } else {\n this.close();\n }\n }\n /**\n * Select an item by index\n *\n * @param index of the item to select; If the drop down uses *igxFor, pass the index in data\n */\n setSelectedItem(index) {\n if (index < 0 || index >= this.items.length) {\n return;\n }\n let newSelection;\n if (this.virtDir) {\n newSelection = {\n value: this.virtDir.igxForOf[index],\n index\n };\n } else {\n newSelection = this.items[index];\n }\n this.selectItem(newSelection);\n }\n /**\n * Navigates to the item on the specified index\n * If the data in the drop-down is virtualized, pass the index of the item in the virtualized data.\n *\n * @param newIndex number\n */\n navigateItem(index) {\n if (this.virtDir) {\n if (index === -1 || index >= this.collectionLength) {\n return;\n }\n const direction = index > (this.focusedItem ? this.focusedItem.index : -1) ? Navigate.Down : Navigate.Up;\n const subRequired = this.isIndexOutOfBounds(index, direction);\n this.focusedItem = {\n value: this.virtDir.igxForOf[index],\n index\n };\n if (subRequired) {\n this.virtDir.scrollTo(index);\n }\n if (subRequired) {\n this.virtDir.chunkLoad.pipe(take(1)).subscribe(() => {\n this.skipHeader(direction);\n });\n } else {\n this.skipHeader(direction);\n }\n } else {\n super.navigateItem(index);\n }\n if (this.allowItemsFocus && this.focusedItem) {\n this.focusedItem.element.nativeElement.focus();\n this.cdr.markForCheck();\n }\n }\n /**\n * @hidden @internal\n */\n updateScrollPosition() {\n if (!this.virtDir) {\n return;\n }\n if (!this.selectedItem) {\n this.virtDir.scrollTo(0);\n return;\n }\n let targetScroll = this.virtDir.getScrollForIndex(this.selectedItem.index);\n // TODO: This logic _cannot_ be right, those are optional user-provided inputs that can be strings with units, refactor:\n const itemsInView = this.virtDir.igxForContainerSize / this.virtDir.igxForItemSize;\n targetScroll -= (itemsInView / 2 - 1) * this.virtDir.igxForItemSize;\n this.virtDir.getScroll().scrollTop = targetScroll;\n }\n /**\n * @hidden @internal\n */\n onToggleOpening(e) {\n const args = {\n owner: this,\n event: e.event,\n cancel: false\n };\n this.opening.emit(args);\n e.cancel = args.cancel;\n if (e.cancel) {\n return;\n }\n if (this.virtDir) {\n this.virtDir.scrollPosition = this._scrollPosition;\n }\n }\n /**\n * @hidden @internal\n */\n onToggleContentAppended(_event) {\n if (!this.virtDir && this.selectedItem) {\n this.scrollToItem(this.selectedItem);\n }\n }\n /**\n * @hidden @internal\n */\n onToggleOpened() {\n this.updateItemFocus();\n this.opened.emit({\n owner: this\n });\n }\n /**\n * @hidden @internal\n */\n onToggleClosing(e) {\n const args = {\n owner: this,\n event: e.event,\n cancel: false\n };\n this.closing.emit(args);\n e.cancel = args.cancel;\n if (e.cancel) {\n return;\n }\n if (this.virtDir) {\n this._scrollPosition = this.virtDir.scrollPosition;\n }\n }\n /**\n * @hidden @internal\n */\n onToggleClosed() {\n this.focusItem(false);\n this.closed.emit({\n owner: this\n });\n }\n /**\n * @hidden @internal\n */\n ngOnDestroy() {\n this.destroy$.next(true);\n this.destroy$.complete();\n this.selection.delete(this.id);\n this.selection.delete(`${this.id}-active`);\n }\n /** @hidden @internal */\n calculateScrollPosition(item) {\n if (!item) {\n return 0;\n }\n const elementRect = item.element.nativeElement.getBoundingClientRect();\n const parentRect = this.scrollContainer.getBoundingClientRect();\n const scrollDelta = parentRect.top - elementRect.top;\n let scrollPosition = this.scrollContainer.scrollTop - scrollDelta;\n const dropDownHeight = this.scrollContainer.clientHeight;\n scrollPosition -= dropDownHeight / 2;\n scrollPosition += item.elementHeight / 2;\n return Math.floor(scrollPosition);\n }\n /**\n * @hidden @internal\n */\n ngOnChanges(changes) {\n if (changes.id) {\n // temp workaround until fix --> https://github.com/angular/angular/issues/34992\n this.toggleDirective.id = changes.id.currentValue;\n }\n }\n ngAfterViewInit() {\n if (this.virtDir) {\n this.virtDir.igxForItemSize = 28;\n }\n }\n /** Keydown Handler */\n onItemActionKey(key, event) {\n super.onItemActionKey(key, event);\n this.close(event);\n }\n /**\n * Virtual scroll implementation\n *\n * @hidden @internal\n */\n navigateFirst() {\n if (this.virtDir) {\n this.navigateItem(0);\n } else {\n super.navigateFirst();\n }\n }\n /**\n * @hidden @internal\n */\n navigateLast() {\n if (this.virtDir) {\n this.navigateItem(this.virtDir.totalItemCount ? this.virtDir.totalItemCount - 1 : this.virtDir.igxForOf.length - 1);\n } else {\n super.navigateLast();\n }\n }\n /**\n * @hidden @internal\n */\n navigateNext() {\n if (this.virtDir) {\n this.navigateItem(this._focusedItem ? this._focusedItem.index + 1 : 0);\n } else {\n super.navigateNext();\n }\n }\n /**\n * @hidden @internal\n */\n navigatePrev() {\n if (this.virtDir) {\n this.navigateItem(this._focusedItem ? this._focusedItem.index - 1 : 0);\n } else {\n super.navigatePrev();\n }\n }\n /**\n * Handles the `selectionChanging` emit and the drop down toggle when selection changes\n *\n * @hidden\n * @internal\n * @param newSelection\n * @param event\n * @param emit\n */\n selectItem(newSelection, event, emit = true) {\n const oldSelection = this.selectedItem;\n if (!newSelection) {\n newSelection = this.focusedItem;\n }\n if (newSelection === null) {\n return;\n }\n if (newSelection instanceof IgxDropDownItemBaseDirective && newSelection.isHeader) {\n return;\n }\n if (this.virtDir) {\n newSelection = {\n value: newSelection.value,\n index: newSelection.index\n };\n }\n const args = {\n oldSelection,\n newSelection,\n cancel: false,\n owner: this\n };\n if (emit) {\n this.selectionChanging.emit(args);\n }\n if (!args.cancel) {\n if (this.isSelectionValid(args.newSelection)) {\n this.selection.set(this.id, new Set([args.newSelection]));\n if (!this.virtDir) {\n if (oldSelection) {\n oldSelection.selected = false;\n }\n if (args.newSelection) {\n args.newSelection.selected = true;\n }\n }\n if (event) {\n this.toggleDirective.close(event);\n }\n } else {\n throw new Error('Please provide a valid drop-down item for the selection!');\n }\n }\n }\n /**\n * Clears the selection of the dropdown\n * ```typescript\n * this.dropdown.clearSelection();\n * ```\n */\n clearSelection() {\n const oldSelection = this.selectedItem;\n const newSelection = null;\n const args = {\n oldSelection,\n newSelection,\n cancel: false,\n owner: this\n };\n this.selectionChanging.emit(args);\n if (this.selectedItem && !args.cancel) {\n this.selectedItem.selected = false;\n this.selection.clear(this.id);\n }\n }\n /**\n * Checks whether the selection is valid\n * `null` - the selection should be emptied\n * Virtual? - the selection should at least have and `index` and `value` property\n * Non-virtual? - the selection should be a valid drop-down item and **not** be a header\n */\n isSelectionValid(selection) {\n return selection === null || this.virtDir && selection.hasOwnProperty('value') && selection.hasOwnProperty('index') || selection instanceof IgxDropDownItemComponent && !selection.isHeader;\n }\n scrollToItem(item) {\n this.scrollContainer.scrollTop = this.calculateScrollPosition(item);\n }\n focusItem(value) {\n if (value || this._focusedItem) {\n this._focusedItem.focused = value;\n }\n }\n updateItemFocus() {\n if (this.selectedItem) {\n this.focusedItem = this.selectedItem;\n this.focusItem(true);\n } else if (this.allowItemsFocus) {\n this.navigateFirst();\n }\n }\n skipHeader(direction) {\n if (!this.focusedItem) {\n return;\n }\n if (this.focusedItem.isHeader || this.focusedItem.disabled) {\n if (direction === Navigate.Up) {\n this.navigatePrev();\n } else {\n this.navigateNext();\n }\n }\n }\n isIndexOutOfBounds(index, direction) {\n const virtState = this.virtDir.state;\n const currentPosition = this.virtDir.getScroll().scrollTop;\n const itemPosition = this.virtDir.getScrollForIndex(index, direction === Navigate.Down);\n const indexOutOfChunk = index < virtState.startIndex || index > virtState.chunkSize + virtState.startIndex;\n const scrollNeeded = direction === Navigate.Down ? currentPosition < itemPosition : currentPosition > itemPosition;\n const subRequired = indexOutOfChunk || scrollNeeded;\n return subRequired;\n }\n static {\n this.ɵfac = function IgxDropDownComponent_Factory(t) {\n return new (t || IgxDropDownComponent)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(IgxSelectionAPIService), i0.ɵɵdirectiveInject(DisplayDensityToken, 8));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxDropDownComponent,\n selectors: [[\"igx-drop-down\"]],\n contentQueries: function IgxDropDownComponent_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxForOfToken, 5);\n i0.ɵɵcontentQuery(dirIndex, IgxDropDownItemComponent, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.virtDir = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.children = _t);\n }\n },\n viewQuery: function IgxDropDownComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(IgxToggleDirective, 7);\n i0.ɵɵviewQuery(_c23, 7);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.toggleDirective = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.scrollContainerRef = _t.first);\n }\n },\n inputs: {\n allowItemsFocus: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"allowItemsFocus\", \"allowItemsFocus\", booleanAttribute],\n labelledBy: \"labelledBy\"\n },\n outputs: {\n opening: \"opening\",\n opened: \"opened\",\n closing: \"closing\",\n closed: \"closed\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: IGX_DROPDOWN_BASE,\n useExisting: IgxDropDownComponent\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵNgOnChangesFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 4,\n vars: 11,\n consts: [[\"scrollContainer\", \"\"], [\"igxToggle\", \"\", 1, \"igx-drop-down__list\", 3, \"appended\", \"opening\", \"opened\", \"closing\", \"closed\"], [\"role\", \"listbox\", 1, \"igx-drop-down__list-scroll\"], [4, \"ngIf\"]],\n template: function IgxDropDownComponent_Template(rf, ctx) {\n if (rf & 1) {\n const _r1 = i0.ɵɵgetCurrentView();\n i0.ɵɵprojectionDef();\n i0.ɵɵelementStart(0, \"div\", 1);\n i0.ɵɵlistener(\"appended\", function IgxDropDownComponent_Template_div_appended_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onToggleContentAppended($event));\n })(\"opening\", function IgxDropDownComponent_Template_div_opening_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onToggleOpening($event));\n })(\"opened\", function IgxDropDownComponent_Template_div_opened_0_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onToggleOpened());\n })(\"closing\", function IgxDropDownComponent_Template_div_closing_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onToggleClosing($event));\n })(\"closed\", function IgxDropDownComponent_Template_div_closed_0_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onToggleClosed());\n });\n i0.ɵɵelementStart(1, \"div\", 2, 0);\n i0.ɵɵtemplate(3, IgxDropDownComponent_ng_container_3_Template, 2, 0, \"ng-container\", 3);\n i0.ɵɵelementEnd()();\n }\n if (rf & 2) {\n i0.ɵɵstyleProp(\"width\", ctx.width)(\"--component-size\", ctx.getComponentSizeStyles());\n i0.ɵɵadvance();\n i0.ɵɵstyleProp(\"height\", ctx.height)(\"max-height\", ctx.maxHeight);\n i0.ɵɵattribute(\"id\", ctx.listId)(\"aria-labelledby\", ctx.labelledBy);\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"ngIf\", !ctx.collapsed);\n }\n },\n dependencies: [IgxToggleDirective, NgIf],\n encapsulation: 2\n });\n }\n }\n return IgxDropDownComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxGridActionButtonComponent = /*#__PURE__*/(() => {\n class IgxGridActionButtonComponent {\n constructor() {\n /**\n * Event emitted when action button is clicked.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.actionClick = new EventEmitter();\n /**\n * Whether button action is rendered in menu and should container text label.\n */\n this.asMenuItem = false;\n }\n /** @hidden @internal */\n get containerClass() {\n return 'igx-action-strip__menu-button ' + (this.classNames || '');\n }\n /**\n * @hidden\n * @internal\n */\n handleClick(event) {\n this.actionClick.emit(event);\n }\n /**\n * @hidden @internal\n */\n preventEvent(event) {\n if (event) {\n event.stopPropagation();\n event.preventDefault();\n }\n }\n static {\n this.ɵfac = function IgxGridActionButtonComponent_Factory(t) {\n return new (t || IgxGridActionButtonComponent)();\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxGridActionButtonComponent,\n selectors: [[\"igx-grid-action-button\"]],\n viewQuery: function IgxGridActionButtonComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c9, 5);\n i0.ɵɵviewQuery(_c24, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.container = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.templateRef = _t.first);\n }\n },\n inputs: {\n asMenuItem: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"asMenuItem\", \"asMenuItem\", booleanAttribute],\n iconName: \"iconName\",\n classNames: \"classNames\",\n iconSet: \"iconSet\",\n labelText: \"labelText\"\n },\n outputs: {\n actionClick: \"actionClick\"\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵStandaloneFeature],\n decls: 3,\n vars: 1,\n consts: [[\"menuItemTemplate\", \"\"], [\"container\", \"\"], [4, \"ngIf\"], [\"type\", \"button\", \"igxIconButton\", \"flat\", \"igxRipple\", \"\", 3, \"click\", \"mousedown\", \"title\"], [3, \"family\", \"name\", 4, \"ngIf\"], [3, \"family\", \"name\"], [3, \"className\"], [\"igxLabel\", \"\"]],\n template: function IgxGridActionButtonComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵtemplate(0, IgxGridActionButtonComponent_ng_container_0_Template, 4, 3, \"ng-container\", 2)(1, IgxGridActionButtonComponent_ng_template_1_Template, 1, 1, \"ng-template\", null, 0, i0.ɵɵtemplateRefExtractor);\n }\n if (rf & 2) {\n i0.ɵɵproperty(\"ngIf\", !ctx.asMenuItem);\n }\n },\n dependencies: [NgIf, IgxRippleDirective, IgxIconComponent, IgxIconButtonDirective],\n encapsulation: 2\n });\n }\n }\n return IgxGridActionButtonComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nclass IgxEditRow {\n constructor(id, index, data, grid) {\n this.id = id;\n this.index = index;\n this.data = data;\n this.grid = grid;\n this.rowFormGroup = new FormGroup({});\n this.rowFormGroup = this.grid.validation.create(id, data);\n }\n createRowEditEventArgs(includeNewValue = true, event) {\n const args = {\n primaryKey: this.id,\n rowID: this.id,\n rowKey: this.id,\n rowData: this.data,\n oldValue: this.data,\n cancel: false,\n owner: this.grid,\n isAddRow: false,\n valid: this.rowFormGroup.valid,\n event\n };\n if (includeNewValue) {\n args.newValue = this.newData ?? this.data;\n }\n return args;\n }\n createRowDataEventArgs(event) {\n const args = {\n rowID: this.id,\n primaryKey: this.id,\n rowKey: this.id,\n rowData: this.newData ?? this.data,\n data: this.newData ?? this.data,\n oldValue: this.data,\n cancel: false,\n owner: this.grid,\n isAddRow: true,\n valid: this.rowFormGroup.valid,\n event\n };\n return args;\n }\n createRowEditDoneEventArgs(cachedRowData, event) {\n const updatedData = this.grid.transactions.enabled ? this.grid.transactions.getAggregatedValue(this.id, true) : this.grid.gridAPI.getRowData(this.id);\n const rowData = updatedData ?? this.grid.gridAPI.getRowData(this.id);\n const args = {\n primaryKey: this.id,\n rowID: this.id,\n rowKey: this.id,\n rowData,\n oldValue: cachedRowData,\n newValue: updatedData,\n owner: this.grid,\n isAddRow: false,\n valid: true,\n event\n };\n return args;\n }\n getClassName() {\n return this.constructor.name;\n }\n}\nclass IgxAddRow extends IgxEditRow {\n constructor(id, index, data, recordRef, grid) {\n super(id, index, data, grid);\n this.recordRef = recordRef;\n this.isAddRow = true;\n }\n createRowEditEventArgs(includeNewValue = true, event) {\n const args = super.createRowEditEventArgs(includeNewValue, event);\n args.oldValue = null;\n args.isAddRow = true;\n args.rowData = this.newData ?? this.data;\n return args;\n }\n createRowEditDoneEventArgs(cachedRowData, event) {\n const args = super.createRowEditDoneEventArgs(null, event);\n args.isAddRow = true;\n return args;\n }\n}\nclass IgxCell {\n constructor(id, rowIndex, column, value, _editValue, rowData, grid) {\n this.id = id;\n this.rowIndex = rowIndex;\n this.column = column;\n this.value = value;\n this._editValue = _editValue;\n this.rowData = rowData;\n this.grid = grid;\n this.grid.validation.create(id.rowID, rowData);\n }\n get editValue() {\n const formControl = this.grid.validation.getFormControl(this.id.rowID, this.column.field);\n if (formControl) {\n return formControl.value;\n }\n }\n set editValue(value) {\n const formControl = this.grid.validation.getFormControl(this.id.rowID, this.column.field);\n if (this.grid.validationTrigger === 'change') {\n // in case trigger is change, mark as touched.\n formControl.setValue(value);\n formControl.markAsTouched();\n } else {\n this.pendingValue = value;\n }\n }\n castToNumber(value) {\n if (this.column.dataType === 'number' && !this.column.inlineEditorTemplate) {\n const v = parseFloat(value);\n return !isNaN(v) && isFinite(v) ? v : 0;\n }\n return value;\n }\n createCellEditEventArgs(includeNewValue = true, event) {\n const formControl = this.grid.validation.getFormControl(this.id.rowID, this.column.field);\n const args = {\n primaryKey: this.id.rowID,\n rowID: this.id.rowID,\n rowKey: this.id.rowID,\n cellID: this.id,\n rowData: this.rowData,\n oldValue: this.value,\n cancel: false,\n column: this.column,\n owner: this.grid,\n valid: formControl ? formControl.valid : true,\n event\n };\n if (includeNewValue) {\n args.newValue = this.castToNumber(this.editValue);\n }\n return args;\n }\n createCellEditDoneEventArgs(value, event) {\n const updatedData = this.grid.transactions.enabled ? this.grid.transactions.getAggregatedValue(this.id.rowID, true) : this.rowData;\n const rowData = updatedData === null ? this.grid.gridAPI.getRowData(this.id.rowID) : updatedData;\n const formControl = this.grid.validation.getFormControl(this.id.rowID, this.column.field);\n const args = {\n primaryKey: this.id.rowID,\n rowID: this.id.rowID,\n rowKey: this.id.rowID,\n cellID: this.id,\n // rowData - should be the updated/committed rowData - this effectively should be the newValue\n // the only case we use this.rowData directly, is when there is no rowEditing or transactions enabled\n rowData,\n oldValue: this.value,\n valid: formControl ? formControl.valid : true,\n newValue: value,\n column: this.column,\n owner: this.grid,\n event\n };\n return args;\n }\n}\nclass IgxCellCrudState {\n constructor() {\n this.cell = null;\n this.row = null;\n this.isInCompositionMode = false;\n }\n createCell(cell) {\n return this.cell = new IgxCell(cell.cellID || cell.id, cell.row.index, cell.column, cell.value, cell.value, cell.row.data, cell.grid);\n }\n createRow(cell) {\n return this.row = new IgxEditRow(cell.id.rowID, cell.rowIndex, cell.rowData, cell.grid);\n }\n sameRow(rowID) {\n return this.row && this.row.id === rowID;\n }\n sameCell(cell) {\n return this.cell.id.rowID === cell.id.rowID && this.cell.id.columnID === cell.id.columnID;\n }\n get cellInEditMode() {\n return !!this.cell;\n }\n beginCellEdit(event) {\n const args = this.cell.createCellEditEventArgs(false, event);\n this.grid.cellEditEnter.emit(args);\n if (args.cancel) {\n this.endCellEdit();\n }\n }\n cellEdit(event) {\n const args = this.cell.createCellEditEventArgs(true, event);\n this.grid.cellEdit.emit(args);\n return args;\n }\n updateCell(exit, event) {\n if (!this.cell) {\n return;\n }\n // this is needed when we are not using ngModel to update the editValue\n // so that the change event of the inlineEditorTemplate is hit before\n // trying to update any cell\n const cellNode = this.grid.gridAPI.get_cell_by_index(this.cell.id.rowIndex, this.cell.column.field)?.nativeElement;\n let activeElement;\n if (cellNode) {\n const document = cellNode.getRootNode();\n activeElement = document.activeElement;\n activeElement.blur();\n }\n const formControl = this.grid.validation.getFormControl(this.cell.id.rowID, this.cell.column.field);\n if (this.grid.validationTrigger === 'blur' && this.cell.pendingValue !== undefined) {\n // in case trigger is blur, update value if there's a pending one and mark as touched.\n formControl.setValue(this.cell.pendingValue);\n formControl.markAsTouched();\n }\n if (this.grid.validationTrigger === 'blur') {\n this.grid.tbody.nativeElement.focus({\n preventScroll: true\n });\n }\n let doneArgs;\n if (this.cell.column.dataType === 'date' && !isDate(this.cell.value)) {\n if (isEqual(DateTimeUtil.parseIsoDate(this.cell.value), this.cell.editValue)) {\n doneArgs = this.exitCellEdit(event);\n return doneArgs;\n }\n }\n if (isEqual(this.cell.value, this.cell.editValue)) {\n doneArgs = this.exitCellEdit(event);\n return doneArgs;\n }\n const args = this.cellEdit(event);\n if (args.cancel) {\n // the focus is needed when we cancel the cellEdit so that the activeElement stays on the editor template\n activeElement?.focus();\n return args;\n }\n this.grid.gridAPI.update_cell(this.cell);\n doneArgs = this.cellEditDone(event, false);\n if (exit) {\n doneArgs = this.exitCellEdit(event);\n }\n return {\n ...args,\n ...doneArgs\n };\n }\n cellEditDone(event, addRow) {\n const newValue = this.cell.castToNumber(this.cell.editValue);\n const doneArgs = this.cell.createCellEditDoneEventArgs(newValue, event);\n this.grid.cellEditDone.emit(doneArgs);\n if (addRow) {\n doneArgs.rowData = this.row.data;\n }\n return doneArgs;\n }\n /** Exit cell edit mode */\n exitCellEdit(event) {\n if (!this.cell) {\n return;\n }\n const newValue = this.cell.castToNumber(this.cell.editValue);\n const args = this.cell?.createCellEditDoneEventArgs(newValue, event);\n this.cell.value = newValue;\n this.grid.cellEditExit.emit(args);\n this.endCellEdit();\n return args;\n }\n /** Clears cell editing state */\n endCellEdit() {\n this.cell = null;\n }\n /** Returns whether the targeted cell is in edit mode */\n targetInEdit(rowIndex, columnIndex) {\n if (!this.cell) {\n return false;\n }\n const res = this.cell.column.index === columnIndex && this.cell.rowIndex === rowIndex;\n return res;\n }\n}\nclass IgxRowCrudState extends IgxCellCrudState {\n constructor() {\n super(...arguments);\n this.closeRowEditingOverlay = new Subject();\n this._rowEditingBlocked = false;\n this._rowEditingStarted = false;\n }\n get primaryKey() {\n return this.grid.primaryKey;\n }\n get rowInEditMode() {\n const editRowState = this.row;\n return editRowState !== null ? this.grid.rowList.find(e => e.key === editRowState.id) : null;\n }\n get rowEditing() {\n return this.grid.rowEditable;\n }\n get nonEditable() {\n return this.grid.rowEditable && (this.grid.primaryKey === undefined || this.grid.primaryKey === null);\n }\n get rowEditingBlocked() {\n return this._rowEditingBlocked;\n }\n set rowEditingBlocked(val) {\n this._rowEditingBlocked = val;\n }\n /** Enters row edit mode */\n beginRowEdit(event) {\n if (!this.row || !(this.row.getClassName() === IgxEditRow.name)) {\n if (!this.row) {\n this.createRow(this.cell);\n }\n if (!this._rowEditingStarted) {\n const rowArgs = this.row.createRowEditEventArgs(false, event);\n this.grid.rowEditEnter.emit(rowArgs);\n if (rowArgs.cancel) {\n this.endEditMode();\n return true;\n }\n this._rowEditingStarted = true;\n }\n this.row.transactionState = this.grid.transactions.getAggregatedValue(this.row.id, true);\n this.grid.transactions.startPending();\n this.grid.openRowOverlay(this.row.id);\n }\n }\n rowEdit(event) {\n const args = this.row.createRowEditEventArgs(true, event);\n this.grid.rowEdit.emit(args);\n return args;\n }\n updateRow(commit, event) {\n if (!this.grid.rowEditable || this.grid.rowEditingOverlay && this.grid.rowEditingOverlay.collapsed || !this.row) {\n return {};\n }\n let args;\n if (commit) {\n this.row.newData = this.grid.transactions.getAggregatedValue(this.row.id, true);\n this.updateRowEditData(this.row, this.row.newData);\n args = this.rowEdit(event);\n if (args.cancel) {\n return args;\n }\n }\n args = this.endRowTransaction(commit, event);\n return args;\n }\n /**\n * @hidden @internal\n */\n endRowTransaction(commit, event) {\n this.row.newData = this.grid.transactions.getAggregatedValue(this.row.id, true);\n let rowEditArgs = this.row.createRowEditEventArgs(true, event);\n let nonCancelableArgs;\n if (!commit) {\n this.grid.transactions.endPending(false);\n const isAddRow = this.row && this.row.getClassName() === IgxAddRow.name;\n const id = this.row ? this.row.id : this.cell.id.rowID;\n if (isAddRow) {\n this.grid.validation.clear(id);\n } else {\n this.grid.validation.update(id, rowEditArgs.oldValue);\n }\n } else if (this.row.getClassName() === IgxEditRow.name) {\n rowEditArgs = this.grid.gridAPI.update_row(this.row, this.row.newData, event);\n nonCancelableArgs = this.rowEditDone(rowEditArgs.oldValue, event);\n } else {\n const rowAddArgs = this.row.createRowDataEventArgs(event);\n this.grid.rowAdd.emit(rowAddArgs);\n if (rowAddArgs.cancel) {\n return rowAddArgs;\n }\n this.grid.transactions.endPending(false);\n const parentId = this.getParentRowId();\n this.grid.gridAPI.addRowToData(this.row.newData ?? this.row.data, parentId);\n this.grid.triggerPipes();\n nonCancelableArgs = this.rowEditDone(null, event);\n }\n nonCancelableArgs = this.exitRowEdit(rowEditArgs.oldValue, event);\n return {\n ...nonCancelableArgs,\n ...rowEditArgs\n };\n }\n rowEditDone(cachedRowData, event) {\n const doneArgs = this.row.createRowEditDoneEventArgs(cachedRowData, event);\n this.grid.rowEditDone.emit(doneArgs);\n return doneArgs;\n }\n /** Exit row edit mode */\n exitRowEdit(cachedRowData, event) {\n const nonCancelableArgs = this.row.createRowEditDoneEventArgs(cachedRowData, event);\n this.grid.rowEditExit.emit(nonCancelableArgs);\n this.grid.closeRowEditingOverlay();\n this.endRowEdit();\n return nonCancelableArgs;\n }\n /** Clears row editing state */\n endRowEdit() {\n this.row = null;\n this.rowEditingBlocked = false;\n this._rowEditingStarted = false;\n }\n /** Clears cell and row editing state and closes row editing template if it is open */\n endEditMode() {\n this.endCellEdit();\n if (this.grid.rowEditable) {\n this.endRowEdit();\n this.grid.closeRowEditingOverlay();\n }\n }\n updateRowEditData(row, value) {\n const grid = this.grid;\n const rowInEditMode = grid.gridAPI.crudService.row;\n row.newData = value ?? rowInEditMode.transactionState;\n if (rowInEditMode && row.id === rowInEditMode.id) {\n // do not use spread operator here as it will copy everything over an empty object with no descriptors\n row.data = Object.assign(copyDescriptors(row.data), row.data, rowInEditMode.transactionState);\n // TODO: Workaround for updating a row in edit mode through the API\n } else if (this.grid.transactions.enabled) {\n const state = grid.transactions.getState(row.id);\n row.data = state ? Object.assign({}, row.data, state.value) : row.data;\n }\n }\n getParentRowId() {\n return null;\n }\n}\nclass IgxRowAddCrudState extends IgxRowCrudState {\n constructor() {\n super(...arguments);\n this.addRowParent = null;\n }\n /**\n * @hidden @internal\n */\n createAddRow(parentRow, asChild) {\n this.createAddRowParent(parentRow, asChild);\n const newRec = this.grid.getEmptyRecordObjectFor(parentRow);\n const addRowIndex = this.addRowParent.index + 1;\n return this.row = new IgxAddRow(newRec.rowID, addRowIndex, newRec.data, newRec.recordRef, this.grid);\n }\n /**\n * @hidden @internal\n */\n createAddRowParent(row, newRowAsChild) {\n const rowIndex = row ? row.index : -1;\n const rowId = row ? row.key : rowIndex >= 0 ? this.grid.rowList.last.key : null;\n const isInPinnedArea = this.grid.isRecordPinnedByViewIndex(rowIndex);\n const pinIndex = this.grid.pinnedRecords.findIndex(x => x[this.primaryKey] === rowId);\n const unpinIndex = this.grid.getUnpinnedIndexById(rowId);\n this.addRowParent = {\n rowID: rowId,\n rowKey: rowId,\n index: isInPinnedArea ? pinIndex : unpinIndex,\n asChild: newRowAsChild,\n isPinned: isInPinnedArea\n };\n }\n /**\n * @hidden @internal\n */\n endRowTransaction(commit, event) {\n const isAddRow = this.row && this.row.getClassName() === IgxAddRow.name;\n if (isAddRow) {\n this.grid.rowAdded.pipe(first$2()).subscribe(addRowArgs => {\n const rowData = addRowArgs.data;\n const pinnedIndex = this.grid.pinnedRecords.findIndex(x => x[this.primaryKey] === rowData[this.primaryKey]);\n // A check whether the row is in the current view\n const viewIndex = pinnedIndex !== -1 ? pinnedIndex : this._findRecordIndexInView(rowData);\n const dataIndex = this.grid.filteredSortedData.findIndex(data => data[this.primaryKey] === rowData[this.primaryKey]);\n const isInView = viewIndex !== -1 && !this.grid.navigation.shouldPerformVerticalScroll(viewIndex, 0);\n const showIndex = isInView ? -1 : dataIndex;\n this.grid.showSnackbarFor(showIndex);\n });\n }\n const args = super.endRowTransaction(commit, event);\n if (args.cancel) {\n return args;\n }\n if (isAddRow) {\n this.endAddRow();\n if (commit) {\n const rowAddedEventArgs = {\n data: args.rowData,\n rowData: args.rowData,\n owner: this.grid,\n primaryKey: args.rowData[this.grid.primaryKey],\n rowKey: args.rowData[this.grid.primaryKey]\n };\n this.grid.rowAddedNotifier.next(rowAddedEventArgs);\n this.grid.rowAdded.emit(rowAddedEventArgs);\n }\n }\n return args;\n }\n /**\n * @hidden @internal\n */\n endAddRow() {\n this.addRowParent = null;\n this.grid.triggerPipes();\n }\n /**\n * @hidden\n * @internal\n * TODO: consider changing modifier\n */\n _findRecordIndexInView(rec) {\n return this.grid.dataView.findIndex(data => data[this.primaryKey] === rec[this.primaryKey]);\n }\n getParentRowId() {\n if (this.addRowParent.asChild) {\n return this.addRowParent.asChild ? this.addRowParent.rowID : undefined;\n } else if (this.addRowParent.rowID !== null && this.addRowParent.rowID !== undefined) {\n const spawnedForRecord = this.grid.gridAPI.get_rec_by_id(this.addRowParent.rowID);\n return spawnedForRecord?.parent?.rowID;\n }\n }\n}\nlet IgxGridCRUDService = /*#__PURE__*/(() => {\n class IgxGridCRUDService extends IgxRowAddCrudState {\n enterEditMode(cell, event) {\n if (this.isInCompositionMode) {\n return;\n }\n if (this.nonEditable) {\n console.warn('The grid must have a `primaryKey` specified when using `rowEditable`!');\n return;\n }\n if (this.cellInEditMode) {\n // TODO: case solely for f2/enter nav that uses enterEditMode as toggle. Refactor.\n const canceled = this.endEdit(true, event);\n if (!canceled || !this.cell) {\n this.grid.tbody.nativeElement.focus();\n }\n } else {\n if (this.rowEditing) {\n // TODO rowData\n if (this.row && !this.sameRow(cell?.cellID?.rowID)) {\n this.rowEditingBlocked = this.endEdit(true, event);\n if (this.rowEditingBlocked) {\n return true;\n }\n this.rowEditingBlocked = false;\n this.endRowEdit();\n }\n this.createCell(cell);\n const canceled = this.beginRowEdit(event);\n if (!canceled) {\n this.beginCellEdit(event);\n }\n } else {\n this.createCell(cell);\n this.beginCellEdit(event);\n }\n }\n }\n /**\n * Enters add row mode by creating temporary dummy so the user can fill in new row cells.\n *\n * @param parentRow Parent row after which the Add Row UI will be rendered.\n * If `null` will show it at the bottom after all rows (or top if there are not rows).\n * @param asChild Specifies if the new row should be added as a child to a tree row.\n * @param event Base event that triggered the add row mode.\n */\n enterAddRowMode(parentRow, asChild, event) {\n if (!this.rowEditing && (this.grid.primaryKey === undefined || this.grid.primaryKey === null)) {\n console.warn('The grid must use row edit mode to perform row adding! Please set rowEditable to true.');\n return;\n }\n this.endEdit(true, event);\n if (parentRow != null && this.grid.expansionStates.get(parentRow.key)) {\n this.grid.collapseRow(parentRow.key);\n }\n this.createAddRow(parentRow, asChild);\n this.grid.transactions.startPending();\n if (this.addRowParent.isPinned) {\n // If parent is pinned, add the new row to pinned records\n this.grid._pinnedRecordIDs.splice(this.row.index, 0, this.row.id);\n }\n this.grid.triggerPipes();\n this.grid.notifyChanges(true);\n this.grid.navigateTo(this.row.index, -1);\n // when selecting the dummy row we need to adjust for top pinned rows\n const indexAdjust = this.grid.isRowPinningToTop ? !this.addRowParent.isPinned ? this.grid.pinnedRows.length : 0 : !this.addRowParent.isPinned ? 0 : this.grid.unpinnedRecords.length;\n // TODO: Type this without shoving a bunch of internal properties in the row type\n const dummyRow = this.grid.gridAPI.get_row_by_index(this.row.index + indexAdjust);\n dummyRow.triggerAddAnimation();\n dummyRow.cdr.detectChanges();\n dummyRow.addAnimationEnd.pipe(first$2()).subscribe(() => {\n const cell = dummyRow.cells.find(c => c.editable);\n if (cell) {\n this.grid.gridAPI.update_cell(this.cell);\n this.enterEditMode(cell, event);\n cell.activate();\n }\n });\n }\n /**\n * Finishes the row transactions on the current row and returns whether the grid editing was canceled.\n *\n * @remarks\n * If `commit === true`, passes them from the pending state to the data (or transaction service)\n * @example\n * ```html\n * \n * ```\n * @param commit\n */\n // TODO: Implement the same representation of the method without evt emission.\n endEdit(commit = true, event) {\n if (!this.row && !this.cell) {\n return;\n }\n let args;\n if (commit) {\n args = this.updateCell(true, event);\n if (args && args.cancel) {\n return args.cancel;\n }\n } else {\n // needede because this.cell is null after exitCellEdit\n // thus the next if is always false\n const cell = this.cell;\n this.exitCellEdit(event);\n if (!this.grid.rowEditable && cell) {\n const value = this.grid.transactions.getAggregatedValue(cell.id.rowID, true) || cell.rowData;\n this.grid.validation.update(cell.id.rowID, value);\n }\n }\n args = this.updateRow(commit, event);\n this.rowEditingBlocked = args.cancel;\n if (args.cancel) {\n return true;\n }\n const activeCell = this.grid.selectionService.activeElement;\n if (event && activeCell) {\n const rowIndex = activeCell.row;\n const visibleColIndex = activeCell.layout ? activeCell.layout.columnVisibleIndex : activeCell.column;\n this.grid.navigateTo(rowIndex, visibleColIndex);\n }\n return false;\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxGridCRUDService_BaseFactory;\n return function IgxGridCRUDService_Factory(t) {\n return (ɵIgxGridCRUDService_BaseFactory || (ɵIgxGridCRUDService_BaseFactory = i0.ɵɵgetInheritedFactory(IgxGridCRUDService)))(t || IgxGridCRUDService);\n };\n })();\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: IgxGridCRUDService,\n factory: IgxGridCRUDService.ɵfac\n });\n }\n }\n return IgxGridCRUDService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst IGX_GRID_BASE = /*@__PURE__*/new InjectionToken('IgxGridBaseToken');\nconst IGX_GRID_SERVICE_BASE = /*@__PURE__*/new InjectionToken('IgxGridServiceBaseToken');\nconst clear = el => el === 0 || Boolean(el);\nconst first = arr => arr[0];\nconst last = arr => arr[arr.length - 1];\nclass IgxSummaryOperand {\n /**\n * Counts all the records in the data source.\n * If filtering is applied, counts only the filtered records.\n * ```typescript\n * IgxSummaryOperand.count(dataSource);\n * ```\n *\n * @memberof IgxSummaryOperand\n */\n static count(data) {\n return data.length;\n }\n /**\n * Executes the static `count` method and returns `IgxSummaryResult[]`.\n * ```typescript\n * interface IgxSummaryResult {\n * key: string;\n * label: string;\n * summaryResult: any;\n * }\n * ```\n * Can be overridden in the inherited classes to provide customization for the `summary`.\n * ```typescript\n * class CustomSummary extends IgxSummaryOperand {\n * constructor() {\n * super();\n * }\n * public operate(data: any[], allData: any[], fieldName: string, groupRecord: IGroupByRecord): IgxSummaryResult[] {\n * const result = [];\n * result.push({\n * key: \"test\",\n * label: \"Test\",\n * summaryResult: IgxSummaryOperand.count(data)\n * });\n * return result;\n * }\n * }\n * this.grid.getColumnByName('ColumnName').summaries = CustomSummary;\n * ```\n *\n * @memberof IgxSummaryOperand\n */\n operate(data = [], _allData = [], _fieldName, _groupRecord) {\n return [{\n key: 'count',\n label: 'Count',\n defaultFormatting: false,\n summaryResult: IgxSummaryOperand.count(data)\n }];\n }\n}\n// @dynamic\nclass IgxNumberSummaryOperand extends IgxSummaryOperand {\n /**\n * Returns the minimum numeric value in the provided data records.\n * If filtering is applied, returns the minimum value in the filtered data records.\n * ```typescript\n * IgxNumberSummaryOperand.min(data);\n * ```\n *\n * @memberof IgxNumberSummaryOperand\n */\n static min(data) {\n return data.length && data.filter(clear).length ? data.filter(clear).reduce((a, b) => Math.min(a, b)) : 0;\n }\n /**\n * Returns the maximum numeric value in the provided data records.\n * If filtering is applied, returns the maximum value in the filtered data records.\n * ```typescript\n * IgxNumberSummaryOperand.max(data);\n * ```\n *\n * @memberof IgxNumberSummaryOperand\n */\n static max(data) {\n return data.length && data.filter(clear).length ? data.filter(clear).reduce((a, b) => Math.max(a, b)) : 0;\n }\n /**\n * Returns the sum of the numeric values in the provided data records.\n * If filtering is applied, returns the sum of the numeric values in the data records.\n * ```typescript\n * IgxNumberSummaryOperand.sum(data);\n * ```\n *\n * @memberof IgxNumberSummaryOperand\n */\n static sum(data) {\n return data.length && data.filter(clear).length ? data.filter(clear).reduce((a, b) => +a + +b) : 0;\n }\n /**\n * Returns the average numeric value in the data provided data records.\n * If filtering is applied, returns the average numeric value in the filtered data records.\n * ```typescript\n * IgxSummaryOperand.average(data);\n * ```\n *\n * @memberof IgxNumberSummaryOperand\n */\n static average(data) {\n return data.length && data.filter(clear).length ? this.sum(data) / this.count(data) : 0;\n }\n /**\n * Executes the static methods and returns `IgxSummaryResult[]`.\n * ```typescript\n * interface IgxSummaryResult {\n * key: string;\n * label: string;\n * summaryResult: any;\n * }\n * ```\n * Can be overridden in the inherited classes to provide customization for the `summary`.\n * ```typescript\n * class CustomNumberSummary extends IgxNumberSummaryOperand {\n * constructor() {\n * super();\n * }\n * public operate(data: any[], allData: any[], fieldName: string, groupRecord: IGroupByRecord): IgxSummaryResult[] {\n * const result = super.operate(data, allData, fieldName, groupRecord);\n * result.push({\n * key: \"avg\",\n * label: \"Avg\",\n * summaryResult: IgxNumberSummaryOperand.average(data)\n * });\n * result.push({\n * key: 'mdn',\n * label: 'Median',\n * summaryResult: this.findMedian(data)\n * });\n * return result;\n * }\n * }\n * this.grid.getColumnByName('ColumnName').summaries = CustomNumberSummary;\n * ```\n *\n * @memberof IgxNumberSummaryOperand\n */\n operate(data = [], allData = [], fieldName, groupRecord) {\n const result = super.operate(data, allData, fieldName, groupRecord);\n result.push({\n key: 'min',\n label: 'Min',\n defaultFormatting: true,\n summaryResult: IgxNumberSummaryOperand.min(data)\n });\n result.push({\n key: 'max',\n label: 'Max',\n defaultFormatting: true,\n summaryResult: IgxNumberSummaryOperand.max(data)\n });\n result.push({\n key: 'sum',\n label: 'Sum',\n defaultFormatting: true,\n summaryResult: IgxNumberSummaryOperand.sum(data)\n });\n result.push({\n key: 'average',\n label: 'Avg',\n defaultFormatting: true,\n summaryResult: IgxNumberSummaryOperand.average(data)\n });\n return result;\n }\n}\n// @dynamic\nclass IgxDateSummaryOperand extends IgxSummaryOperand {\n /**\n * Returns the latest date value in the data records.\n * If filtering is applied, returns the latest date value in the filtered data records.\n * ```typescript\n * IgxDateSummaryOperand.latest(data);\n * ```\n *\n * @memberof IgxDateSummaryOperand\n */\n static latest(data) {\n return data.length && data.filter(clear).length ? first(data.filter(clear).sort((a, b) => new Date(b).valueOf() - new Date(a).valueOf())) : undefined;\n }\n /**\n * Returns the earliest date value in the data records.\n * If filtering is applied, returns the latest date value in the filtered data records.\n * ```typescript\n * IgxDateSummaryOperand.earliest(data);\n * ```\n *\n * @memberof IgxDateSummaryOperand\n */\n static earliest(data) {\n return data.length && data.filter(clear).length ? last(data.filter(clear).sort((a, b) => new Date(b).valueOf() - new Date(a).valueOf())) : undefined;\n }\n /**\n * Executes the static methods and returns `IgxSummaryResult[]`.\n * ```typescript\n * interface IgxSummaryResult {\n * key: string;\n * label: string;\n * summaryResult: any;\n * }\n * ```\n * Can be overridden in the inherited classes to provide customization for the `summary`.\n * ```typescript\n * class CustomDateSummary extends IgxDateSummaryOperand {\n * constructor() {\n * super();\n * }\n * public operate(data: any[], allData: any[], fieldName: string, groupRecord: IGroupByRecord): IgxSummaryResult[] {\n * const result = super.operate(data, allData, fieldName, groupRecord);\n * result.push({\n * key: \"deadline\",\n * label: \"Deadline Date\",\n * summaryResult: this.calculateDeadline(data);\n * });\n * return result;\n * }\n * }\n * this.grid.getColumnByName('ColumnName').summaries = CustomDateSummary;\n * ```\n *\n * @memberof IgxDateSummaryOperand\n */\n operate(data = [], allData = [], fieldName, groupRecord) {\n const result = super.operate(data, allData, fieldName, groupRecord);\n result.push({\n key: 'earliest',\n label: 'Earliest',\n defaultFormatting: true,\n summaryResult: IgxDateSummaryOperand.earliest(data)\n });\n result.push({\n key: 'latest',\n label: 'Latest',\n defaultFormatting: true,\n summaryResult: IgxDateSummaryOperand.latest(data)\n });\n return result;\n }\n}\n// @dynamic\nclass IgxTimeSummaryOperand extends IgxSummaryOperand {\n /**\n * Returns the latest time value in the data records. Compare only the time part of the date.\n * If filtering is applied, returns the latest time value in the filtered data records.\n * ```typescript\n * IgxTimeSummaryOperand.latestTime(data);\n * ```\n *\n * @memberof IgxTimeSummaryOperand\n */\n static latestTime(data) {\n return data.length && data.filter(clear).length ? first(data.filter(clear).map(v => new Date(v)).sort((a, b) => new Date().setHours(b.getHours(), b.getMinutes(), b.getSeconds()) - new Date().setHours(a.getHours(), a.getMinutes(), a.getSeconds()))) : undefined;\n }\n /**\n * Returns the earliest time value in the data records. Compare only the time part of the date.\n * If filtering is applied, returns the earliest time value in the filtered data records.\n * ```typescript\n * IgxTimeSummaryOperand.earliestTime(data);\n * ```\n *\n * @memberof IgxTimeSummaryOperand\n */\n static earliestTime(data) {\n return data.length && data.filter(clear).length ? last(data.filter(clear).map(v => new Date(v)).sort((a, b) => new Date().setHours(b.getHours(), b.getMinutes(), b.getSeconds()) - new Date().setHours(a.getHours(), a.getMinutes(), a.getSeconds()))) : undefined;\n }\n /**\n * @memberof IgxTimeSummaryOperand\n */\n operate(data = [], allData = [], fieldName, groupRecord) {\n const result = super.operate(data, allData, fieldName, groupRecord);\n result.push({\n key: 'earliest',\n label: 'Earliest',\n defaultFormatting: true,\n summaryResult: IgxTimeSummaryOperand.earliestTime(data)\n });\n result.push({\n key: 'latest',\n label: 'Latest',\n defaultFormatting: true,\n summaryResult: IgxTimeSummaryOperand.latestTime(data)\n });\n return result;\n }\n}\nclass IgxPivotAggregate {\n /**\n * Gets array with default aggregator function for base aggregation.\n * ```typescript\n * IgxPivotAggregate.aggregators();\n * ```\n *\n * @memberof IgxPivotAggregate\n */\n static aggregators() {\n return [{\n key: 'COUNT',\n label: 'Count',\n aggregator: IgxPivotAggregate.count\n }];\n }\n /**\n * Counts all the records in the data source.\n * If filtering is applied, counts only the filtered records.\n * ```typescript\n * IgxSummaryOperand.count(dataSource);\n * ```\n *\n * @memberof IgxPivotAggregate\n */\n static count(members) {\n return members.length;\n }\n}\nclass IgxPivotNumericAggregate extends IgxPivotAggregate {\n /**\n * Gets array with default aggregator function for numeric aggregation.\n * ```typescript\n * IgxPivotAggregate.aggregators();\n * ```\n *\n * @memberof IgxPivotAggregate\n */\n static aggregators() {\n let result = [];\n result = result.concat(super.aggregators());\n result.push({\n key: 'MIN',\n label: 'Minimum',\n aggregator: IgxPivotNumericAggregate.min\n });\n result.push({\n key: 'MAX',\n label: 'Maximum',\n aggregator: IgxPivotNumericAggregate.max\n });\n result.push({\n key: 'SUM',\n label: 'Sum',\n aggregator: IgxPivotNumericAggregate.sum\n });\n result.push({\n key: 'AVG',\n label: 'Average',\n aggregator: IgxPivotNumericAggregate.average\n });\n return result;\n }\n /**\n * Returns the minimum numeric value in the provided data records.\n * If filtering is applied, returns the minimum value in the filtered data records.\n * ```typescript\n * IgxPivotNumericAggregate.min(members, data);\n * ```\n *\n * @memberof IgxPivotNumericAggregate\n */\n static min(members) {\n return IgxNumberSummaryOperand.min(members);\n }\n /**\n * Returns the maximum numeric value in the provided data records.\n * If filtering is applied, returns the maximum value in the filtered data records.\n * ```typescript\n * IgxPivotNumericAggregate.max(data);\n * ```\n *\n * @memberof IgxPivotNumericAggregate\n */\n static max(members) {\n return IgxNumberSummaryOperand.max(members);\n }\n /**\n * Returns the sum of the numeric values in the provided data records.\n * If filtering is applied, returns the sum of the numeric values in the data records.\n * ```typescript\n * IgxPivotNumericAggregate.sum(data);\n * ```\n *\n * @memberof IgxPivotNumericAggregate\n */\n static sum(members) {\n return IgxNumberSummaryOperand.sum(members);\n }\n /**\n * Returns the average numeric value in the data provided data records.\n * If filtering is applied, returns the average numeric value in the filtered data records.\n * ```typescript\n * IgxPivotNumericAggregate.average(data);\n * ```\n *\n * @memberof IgxPivotNumericAggregate\n */\n static average(members) {\n return IgxNumberSummaryOperand.average(members);\n }\n}\nclass IgxPivotDateAggregate extends IgxPivotAggregate {\n /**\n * Gets array with default aggregator function for date aggregation.\n * ```typescript\n * IgxPivotDateAggregate.aggregators();\n * ```\n *\n * @memberof IgxPivotAggregate\n */\n static aggregators() {\n let result = [];\n result = result.concat(super.aggregators());\n result.push({\n key: 'LATEST',\n label: 'Latest Date',\n aggregator: IgxPivotDateAggregate.latest\n });\n result.push({\n key: 'EARLIEST',\n label: 'Earliest Date',\n aggregator: IgxPivotDateAggregate.earliest\n });\n return result;\n }\n /**\n * Returns the latest date value in the data records.\n * If filtering is applied, returns the latest date value in the filtered data records.\n * ```typescript\n * IgxPivotDateAggregate.latest(data);\n * ```\n *\n * @memberof IgxPivotDateAggregate\n */\n static latest(members) {\n return IgxDateSummaryOperand.latest(members);\n }\n /**\n * Returns the earliest date value in the data records.\n * If filtering is applied, returns the latest date value in the filtered data records.\n * ```typescript\n * IgxPivotDateAggregate.earliest(data);\n * ```\n *\n * @memberof IgxPivotDateAggregate\n */\n static earliest(members) {\n return IgxDateSummaryOperand.earliest(members);\n }\n}\nclass IgxPivotTimeAggregate extends IgxPivotAggregate {\n /**\n * Gets array with default aggregator function for time aggregation.\n * ```typescript\n * IgxPivotTimeAggregate.aggregators();\n * ```\n *\n * @memberof IgxPivotAggregate\n */\n static aggregators() {\n let result = [];\n result = result.concat(super.aggregators());\n result.push({\n key: 'LATEST',\n label: 'Latest Time',\n aggregator: IgxPivotTimeAggregate.latestTime\n });\n result.push({\n key: 'EARLIEST',\n label: 'Earliest Time',\n aggregator: IgxPivotTimeAggregate.earliestTime\n });\n return result;\n }\n /**\n * Returns the latest time value in the data records. Compare only the time part of the date.\n * If filtering is applied, returns the latest time value in the filtered data records.\n * ```typescript\n * IgxPivotTimeAggregate.latestTime(data);\n * ```\n *\n * @memberof IgxPivotTimeAggregate\n */\n static latestTime(members) {\n return IgxTimeSummaryOperand.latestTime(members);\n }\n /**\n * Returns the earliest time value in the data records. Compare only the time part of the date.\n * If filtering is applied, returns the earliest time value in the filtered data records.\n * ```typescript\n * IgxPivotTimeAggregate.earliestTime(data);\n * ```\n *\n * @memberof IgxPivotTimeAggregate\n */\n static earliestTime(members) {\n return IgxTimeSummaryOperand.earliestTime(members);\n }\n}\n\n/**\n* Default pivot keys used for data processing in the pivot pipes.\n*/\nconst DEFAULT_PIVOT_KEYS = {\n aggregations: 'aggregations',\n records: 'records',\n children: 'children',\n level: 'level',\n rowDimensionSeparator: '_',\n columnDimensionSeparator: '-'\n};\n/** The dimension types - Row, Column or Filter. */\nvar PivotDimensionType = /*#__PURE__*/function (PivotDimensionType) {\n PivotDimensionType[PivotDimensionType[\"Row\"] = 0] = \"Row\";\n PivotDimensionType[PivotDimensionType[\"Column\"] = 1] = \"Column\";\n PivotDimensionType[PivotDimensionType[\"Filter\"] = 2] = \"Filter\";\n return PivotDimensionType;\n}(PivotDimensionType || {});\nclass PivotUtil {\n // go through all children and apply new dimension groups as child\n static processGroups(recs, dimension, pivotKeys, cloneStrategy) {\n for (const rec of recs) {\n // process existing children\n if (rec.children && rec.children.size > 0) {\n // process hierarchy in dept\n rec.children.forEach(values => {\n this.processGroups(values, dimension, pivotKeys, cloneStrategy);\n });\n }\n // add children for current dimension\n const hierarchyFields = PivotUtil.getFieldsHierarchy(rec.records, [dimension], PivotDimensionType.Row, pivotKeys, cloneStrategy);\n const siblingData = PivotUtil.processHierarchy(hierarchyFields, pivotKeys, 0);\n rec.children.set(dimension.memberName, siblingData);\n }\n }\n static flattenGroups(data, dimension, expansionStates, defaultExpand, parent, parentRec) {\n for (let i = 0; i < data.length; i++) {\n const rec = data[i];\n const field = dimension.memberName;\n if (!field) {\n continue;\n }\n let recordsData = rec.children.get(field);\n if (!recordsData && parent) {\n // check parent\n recordsData = rec.children.get(parent.memberName);\n if (recordsData) {\n dimension = parent;\n }\n }\n if (parentRec) {\n parentRec.dimensionValues.forEach((value, key) => {\n if (parent.memberName !== key) {\n rec.dimensionValues.set(key, value);\n const dim = parentRec.dimensions.find(x => x.memberName === key);\n rec.dimensions.unshift(dim);\n }\n });\n }\n const expansionRowKey = PivotUtil.getRecordKey(rec, dimension);\n const isExpanded = expansionStates.get(expansionRowKey) === undefined ? defaultExpand : expansionStates.get(expansionRowKey);\n const shouldExpand = isExpanded || !dimension.childLevel || !rec.dimensionValues.get(dimension.memberName);\n if (shouldExpand && recordsData) {\n if (dimension.childLevel) {\n this.flattenGroups(recordsData, dimension.childLevel, expansionStates, defaultExpand, dimension, rec);\n } else {\n // copy parent values and dims in child\n recordsData.forEach(x => {\n rec.dimensionValues.forEach((value, key) => {\n if (dimension.memberName !== key) {\n x.dimensionValues.set(key, value);\n const dim = rec.dimensions.find(y => y.memberName === key);\n x.dimensions.unshift(dim);\n }\n });\n });\n }\n data.splice(i + 1, 0, ...recordsData);\n i += recordsData.length;\n }\n }\n }\n static assignLevels(dims) {\n for (const dim of dims) {\n let currDim = dim;\n let lvl = 0;\n while (currDim.childLevel) {\n currDim.level = lvl;\n currDim = currDim.childLevel;\n lvl++;\n }\n currDim.level = lvl;\n }\n }\n static getFieldsHierarchy(data, dimensions, dimensionType, pivotKeys, cloneStrategy) {\n const hierarchy = new Map();\n for (const rec of data) {\n const vals = dimensionType === PivotDimensionType.Column ? this.extractValuesForColumn(dimensions, rec, pivotKeys) : this.extractValuesForRow(dimensions, rec, pivotKeys, cloneStrategy);\n for (const [_key, val] of vals) {\n // this should go in depth also vals.children\n if (hierarchy.get(val.value) != null) {\n this.applyHierarchyChildren(hierarchy, val, rec, pivotKeys);\n } else {\n hierarchy.set(val.value, cloneStrategy.clone(val));\n this.applyHierarchyChildren(hierarchy, val, rec, pivotKeys);\n }\n }\n }\n return hierarchy;\n }\n static sort(data, expressions, sorting = new IgxSorting()) {\n data.forEach(rec => {\n const children = rec.children;\n if (children) {\n children.forEach(x => {\n this.sort(x, expressions, sorting);\n });\n }\n });\n return DataUtil.sort(data, expressions, sorting);\n }\n static extractValueFromDimension(dim, recData) {\n return dim.memberFunction ? dim.memberFunction.call(null, recData) : recData[dim.memberName];\n }\n static getDimensionDepth(dim) {\n let lvl = 0;\n while (dim.childLevel) {\n lvl++;\n dim = dim.childLevel;\n }\n return lvl;\n }\n static extractValuesForRow(dims, recData, pivotKeys, cloneStrategy) {\n const values = new Map();\n for (const col of dims) {\n if (recData[pivotKeys.level] && recData[pivotKeys.level] > 0) {\n const childData = recData[pivotKeys.records];\n return this.getFieldsHierarchy(childData, [col], PivotDimensionType.Row, pivotKeys, cloneStrategy);\n }\n const value = this.extractValueFromDimension(col, recData);\n const objValue = {};\n objValue['value'] = value;\n objValue['dimension'] = col;\n if (col.childLevel) {\n const childValues = this.extractValuesForRow([col.childLevel], recData, pivotKeys, cloneStrategy);\n objValue[pivotKeys.children] = childValues;\n }\n values.set(value, objValue);\n }\n return values;\n }\n static extractValuesForColumn(dims, recData, pivotKeys, path = []) {\n const vals = new Map();\n let lvlCollection = vals;\n const flattenedDims = this.flatten(dims);\n for (const col of flattenedDims) {\n const value = this.extractValueFromDimension(col, recData);\n path.push(value);\n const newValue = path.join(pivotKeys.columnDimensionSeparator);\n const newObj = {\n value: newValue,\n expandable: col.expandable,\n children: null,\n dimension: col\n };\n if (!newObj.children) {\n newObj.children = new Map();\n }\n lvlCollection.set(newValue, newObj);\n lvlCollection = newObj.children;\n }\n return vals;\n }\n static flatten(arr, lvl = 0) {\n const newArr = arr.reduce((acc, item) => {\n if (item) {\n item.level = lvl;\n acc.push(item);\n if (item.childLevel) {\n item.expandable = true;\n acc = acc.concat(this.flatten([item.childLevel], lvl + 1));\n }\n }\n return acc;\n }, []);\n return newArr;\n }\n static applyAggregations(rec, hierarchies, values, pivotKeys) {\n if (hierarchies.size === 0) {\n // no column groups\n const aggregationResult = this.aggregate(rec.records, values);\n this.applyAggregationRecordData(aggregationResult, undefined, rec, pivotKeys);\n return;\n }\n hierarchies.forEach(hierarchy => {\n const children = hierarchy[pivotKeys.children];\n if (children && children.size > 0) {\n this.applyAggregations(rec, children, values, pivotKeys);\n const childRecords = this.collectRecords(children, pivotKeys);\n hierarchy[pivotKeys.aggregations] = this.aggregate(childRecords, values);\n this.applyAggregationRecordData(hierarchy[pivotKeys.aggregations], hierarchy.value, rec, pivotKeys);\n } else if (hierarchy[pivotKeys.records]) {\n hierarchy[pivotKeys.aggregations] = this.aggregate(hierarchy[pivotKeys.records], values);\n this.applyAggregationRecordData(hierarchy[pivotKeys.aggregations], hierarchy.value, rec, pivotKeys);\n }\n });\n }\n static applyAggregationRecordData(aggregationData, groupName, rec, pivotKeys) {\n const aggregationKeys = Object.keys(aggregationData);\n if (aggregationKeys.length > 1) {\n aggregationKeys.forEach(key => {\n const aggregationKey = groupName ? groupName + pivotKeys.columnDimensionSeparator + key : key;\n rec.aggregationValues.set(aggregationKey, aggregationData[key]);\n });\n } else if (aggregationKeys.length === 1) {\n const aggregationKey = aggregationKeys[0];\n rec.aggregationValues.set(groupName || aggregationKey, aggregationData[aggregationKey]);\n }\n }\n static aggregate(records, values) {\n const result = {};\n for (const pivotValue of values) {\n const aggregator = PivotUtil.getAggregatorForType(pivotValue.aggregate, pivotValue.dataType);\n if (!aggregator) {\n throw `No valid aggregator found for ${pivotValue.member}. Please set either a valid aggregatorName or aggregator`;\n }\n result[pivotValue.member] = aggregator(records.map(r => r[pivotValue.member]), records);\n }\n return result;\n }\n static getAggregatorForType(aggregate, dataType) {\n let aggregator = aggregate.aggregator;\n if (aggregate.aggregatorName) {\n let aggregators = IgxPivotNumericAggregate.aggregators();\n if (!dataType || dataType === 'date' || dataType === 'dateTime') {\n aggregators = aggregators.concat(IgxPivotDateAggregate.aggregators());\n } else if (dataType === 'time') {\n aggregators = aggregators.concat(IgxPivotTimeAggregate.aggregators());\n }\n aggregator = aggregators.find(x => x.key === aggregate.aggregatorName)?.aggregator;\n }\n return aggregator;\n }\n static processHierarchy(hierarchies, pivotKeys, level = 0, rootData = false) {\n const flatData = [];\n hierarchies.forEach((h, key) => {\n const field = h.dimension.memberName;\n const rec = {\n dimensionValues: new Map(),\n aggregationValues: new Map(),\n children: new Map(),\n dimensions: [h.dimension]\n };\n rec.dimensionValues.set(field, key);\n if (h[pivotKeys.records]) {\n rec.records = this.getDirectLeafs(h[pivotKeys.records]);\n }\n rec.level = level;\n flatData.push(rec);\n if (h[pivotKeys.children] && h[pivotKeys.children].size > 0) {\n const nestedData = this.processHierarchy(h[pivotKeys.children], pivotKeys, level + 1, rootData);\n rec.records = this.getDirectLeafs(nestedData);\n rec.children.set(field, nestedData);\n }\n });\n return flatData;\n }\n static getDirectLeafs(records) {\n let leafs = [];\n for (const rec of records) {\n if (rec.records) {\n const data = rec.records.filter(x => !x.records && leafs.indexOf(x) === -1);\n leafs = leafs.concat(data);\n } else {\n leafs.push(rec);\n }\n }\n return leafs;\n }\n static getRecordKey(rec, currentDim) {\n const parentFields = [];\n const currentDimIndex = rec.dimensions.findIndex(x => x.memberName === currentDim.memberName) + 1;\n const prevDims = rec.dimensions.slice(0, currentDimIndex);\n for (const prev of prevDims) {\n const prevValue = rec.dimensionValues.get(prev.memberName);\n parentFields.push(prevValue);\n }\n return parentFields.join('-');\n }\n static buildExpressionTree(config) {\n const allDimensions = (config?.rows || []).concat(config?.columns || []).concat(config?.filters || []).filter(x => x !== null && x !== undefined);\n const enabledDimensions = allDimensions.filter(x => x && x.enabled);\n const expressionsTree = new FilteringExpressionsTree(FilteringLogic.And);\n // add expression trees from all filters\n PivotUtil.flatten(enabledDimensions).forEach(x => {\n if (x.filter && x.filter.filteringOperands) {\n expressionsTree.filteringOperands.push(...x.filter.filteringOperands);\n }\n });\n return expressionsTree;\n }\n static collectRecords(children, pivotKeys) {\n let result = [];\n children.forEach(value => result = result.concat(value[pivotKeys.records]));\n return result;\n }\n static applyHierarchyChildren(hierarchy, val, rec, pivotKeys) {\n const recordsKey = pivotKeys.records;\n const childKey = pivotKeys.children;\n const childCollection = val[childKey];\n const hierarchyValue = hierarchy.get(val.value);\n if (Array.isArray(hierarchyValue[childKey])) {\n hierarchyValue[childKey] = new Map();\n }\n if (!childCollection || childCollection.size === 0) {\n const dim = hierarchyValue.dimension;\n const isValid = this.extractValueFromDimension(dim, rec) === val.value;\n if (isValid) {\n if (hierarchyValue[recordsKey]) {\n hierarchyValue[recordsKey].push(rec);\n } else {\n hierarchyValue[recordsKey] = [rec];\n }\n }\n } else {\n const hierarchyChild = hierarchyValue[childKey];\n for (const [_key, child] of childCollection) {\n let hierarchyChildValue = hierarchyChild.get(child.value);\n if (!hierarchyChildValue) {\n hierarchyChild.set(child.value, child);\n hierarchyChildValue = child;\n }\n if (hierarchyChildValue[recordsKey]) {\n const copy = Object.assign({}, rec);\n if (rec[recordsKey]) {\n // not all nested children are valid\n const nestedValue = hierarchyChildValue.value;\n const dimension = hierarchyChildValue.dimension;\n const validRecs = rec[recordsKey].filter(x => this.extractValueFromDimension(dimension, x) === nestedValue);\n copy[recordsKey] = validRecs;\n }\n hierarchyChildValue[recordsKey].push(copy);\n } else {\n hierarchyChildValue[recordsKey] = [rec];\n }\n if (child[childKey] && child[childKey].size > 0) {\n this.applyHierarchyChildren(hierarchyChild, child, rec, pivotKeys);\n }\n }\n }\n }\n static getAggregateList(val, grid) {\n if (!val.aggregateList) {\n let defaultAggr = this.getAggregatorsForValue(val, grid);\n const isDefault = defaultAggr.find(x => x.key === val.aggregate.key);\n // resolve custom aggregations\n if (!isDefault && grid.data[0][val.member] !== undefined) {\n // if field exists, then we can apply default aggregations and add the custom one.\n defaultAggr.unshift(val.aggregate);\n } else if (!isDefault) {\n // otherwise this is a custom aggregation that is not compatible\n // with the defaults, since it operates on field that is not in the data\n // leave only the custom one.\n defaultAggr = [val.aggregate];\n }\n val.aggregateList = defaultAggr;\n }\n return val.aggregateList;\n }\n static getAggregatorsForValue(value, grid) {\n const dataType = value.dataType || grid.resolveDataTypes(grid.data[0][value.member]);\n switch (dataType) {\n case GridColumnDataType.Number:\n case GridColumnDataType.Currency:\n return IgxPivotNumericAggregate.aggregators();\n case GridColumnDataType.Date:\n case GridColumnDataType.DateTime:\n return IgxPivotDateAggregate.aggregators();\n case GridColumnDataType.Time:\n return IgxPivotTimeAggregate.aggregators();\n default:\n return IgxPivotAggregate.aggregators();\n }\n }\n}\nlet IgxGridSelectionService = /*#__PURE__*/(() => {\n class IgxGridSelectionService {\n /**\n * Returns the current selected ranges in the grid from both\n * keyboard and pointer interactions\n */\n get ranges() {\n // The last action was keyboard + shift selection -> add it\n this.addKeyboardRange();\n const ranges = Array.from(this._ranges).map(range => JSON.parse(range));\n // No ranges but we have a focused cell -> add it\n if (!ranges.length && this.activeElement && this.grid.isCellSelectable) {\n ranges.push(this.generateRange(this.activeElement));\n }\n return ranges;\n }\n get primaryButton() {\n return this.pointerState.primaryButton;\n }\n set primaryButton(value) {\n this.pointerState.primaryButton = value;\n }\n constructor(zone, platform) {\n this.zone = zone;\n this.platform = platform;\n this.dragMode = false;\n this.keyboardState = {};\n this.pointerState = {};\n this.columnsState = {};\n this.selection = new Map();\n this.temp = new Map();\n this.rowSelection = new Set();\n this.indeterminateRows = new Set();\n this.columnSelection = new Set();\n /**\n * @hidden @internal\n */\n this.selectedRowsChange = new Subject();\n /**\n * Toggled when a pointerdown event is triggered inside the grid body (cells).\n * When `false` the drag select behavior is disabled.\n */\n this.pointerEventInGridBody = false;\n this._ranges = new Set();\n this.pointerOriginHandler = event => {\n this.pointerEventInGridBody = false;\n document.body.removeEventListener('pointerup', this.pointerOriginHandler);\n const targetTagName = event.target.tagName.toLowerCase();\n if (targetTagName !== 'igx-grid-cell' && targetTagName !== 'igx-tree-grid-cell') {\n this.pointerUp(this._lastSelectedNode, this.grid.rangeSelected, true);\n }\n };\n this.initPointerState();\n this.initKeyboardState();\n this.initColumnsState();\n }\n /**\n * Resets the keyboard state\n */\n initKeyboardState() {\n this.keyboardState.node = null;\n this.keyboardState.shift = false;\n this.keyboardState.range = null;\n this.keyboardState.active = false;\n }\n /**\n * Resets the pointer state\n */\n initPointerState() {\n this.pointerState.node = null;\n this.pointerState.ctrl = false;\n this.pointerState.shift = false;\n this.pointerState.range = null;\n this.pointerState.primaryButton = true;\n }\n /**\n * Resets the columns state\n */\n initColumnsState() {\n this.columnsState.field = null;\n this.columnsState.range = [];\n }\n /**\n * Adds a single node.\n * Single clicks | Ctrl + single clicks on cells is the usual case.\n */\n add(node, addToRange = true) {\n if (this.selection.has(node.row)) {\n this.selection.get(node.row).add(node.column);\n } else {\n this.selection.set(node.row, new Set()).get(node.row).add(node.column);\n }\n if (addToRange) {\n this._ranges.add(JSON.stringify(this.generateRange(node)));\n }\n }\n /**\n * Adds the active keyboard range selection (if any) to the `ranges` meta.\n */\n addKeyboardRange() {\n if (this.keyboardState.range) {\n this._ranges.add(JSON.stringify(this.keyboardState.range));\n }\n }\n remove(node) {\n if (this.selection.has(node.row)) {\n this.selection.get(node.row).delete(node.column);\n }\n if (this.isActiveNode(node)) {\n this.activeElement = null;\n }\n this._ranges.delete(JSON.stringify(this.generateRange(node)));\n }\n isInMap(node) {\n return this.selection.has(node.row) && this.selection.get(node.row).has(node.column) || this.temp.has(node.row) && this.temp.get(node.row).has(node.column);\n }\n selected(node) {\n return this.isActiveNode(node) && this.grid.isCellSelectable || this.isInMap(node);\n }\n isActiveNode(node) {\n if (this.activeElement) {\n const isActive = this.activeElement.column === node.column && this.activeElement.row === node.row;\n if (this.grid.hasColumnLayouts) {\n const layout = this.activeElement.layout;\n return isActive && this.isActiveLayout(layout, node.layout);\n }\n return isActive;\n }\n return false;\n }\n isActiveLayout(current, target) {\n return current.columnVisibleIndex === target.columnVisibleIndex;\n }\n addRangeMeta(node, state) {\n this._ranges.add(JSON.stringify(this.generateRange(node, state)));\n }\n removeRangeMeta(node, state) {\n this._ranges.delete(JSON.stringify(this.generateRange(node, state)));\n }\n /**\n * Generates a new selection range from the given `node`.\n * If `state` is passed instead it will generate the range based on the passed `node`\n * and the start node of the `state`.\n */\n generateRange(node, state) {\n this._lastSelectedNode = node;\n if (!state) {\n return {\n rowStart: node.row,\n rowEnd: node.row,\n columnStart: node.column,\n columnEnd: node.column\n };\n }\n const {\n row,\n column\n } = state.node;\n const rowStart = Math.min(node.row, row);\n const rowEnd = Math.max(node.row, row);\n const columnStart = Math.min(node.column, column);\n const columnEnd = Math.max(node.column, column);\n return {\n rowStart,\n rowEnd,\n columnStart,\n columnEnd\n };\n }\n /**\n *\n */\n keyboardStateOnKeydown(node, shift, shiftTab) {\n this.keyboardState.active = true;\n this.initPointerState();\n this.keyboardState.shift = shift && !shiftTab;\n if (!this.grid.navigation.isDataRow(node.row)) {\n return;\n }\n // Kb navigation with shift and no previous node.\n // Clear the current selection init the start node.\n if (this.keyboardState.shift && !this.keyboardState.node) {\n this.clear();\n this.keyboardState.node = Object.assign({}, node);\n }\n }\n keyboardStateOnFocus(node, emitter, dom) {\n const kbState = this.keyboardState;\n // Focus triggered by keyboard navigation\n if (kbState.active) {\n if (this.platform.isChromium) {\n this._moveSelectionChrome(dom);\n }\n // Start generating a range if shift is hold\n if (kbState.shift) {\n this.dragSelect(node, kbState);\n kbState.range = this.generateRange(node, kbState);\n emitter.emit(this.generateRange(node, kbState));\n return;\n }\n this.initKeyboardState();\n this.clear();\n this.add(node);\n }\n }\n pointerDown(node, shift, ctrl) {\n this.addKeyboardRange();\n this.initKeyboardState();\n this.pointerState.ctrl = ctrl;\n this.pointerState.shift = shift;\n this.pointerEventInGridBody = true;\n document.body.addEventListener('pointerup', this.pointerOriginHandler);\n // No ctrl key pressed - no multiple selection\n if (!ctrl) {\n this.clear();\n }\n if (shift) {\n // No previously 'clicked' node. Use the last active node.\n if (!this.pointerState.node) {\n this.pointerState.node = this.activeElement || node;\n }\n this.pointerDownShiftKey(node);\n this.clearTextSelection();\n return;\n }\n this.removeRangeMeta(node);\n this.pointerState.node = node;\n }\n pointerDownShiftKey(node) {\n this.clear();\n this.selectRange(node, this.pointerState);\n }\n mergeMap(target, source) {\n const iterator = source.entries();\n let pair = iterator.next();\n let key;\n let value;\n while (!pair.done) {\n [key, value] = pair.value;\n if (target.has(key)) {\n const newValue = target.get(key);\n value.forEach(record => newValue.add(record));\n target.set(key, newValue);\n } else {\n target.set(key, value);\n }\n pair = iterator.next();\n }\n }\n pointerEnter(node, event) {\n // https://www.w3.org/TR/pointerevents/#the-button-property\n this.dragMode = event.buttons === 1 && (event.button === -1 || event.button === 0) && this.pointerEventInGridBody;\n if (!this.dragMode) {\n return false;\n }\n this.clearTextSelection();\n // If the users triggers a drag-like event by first clicking outside the grid cells\n // and then enters in the grid body we may not have a initial pointer starting node.\n // Assume the first pointerenter node is where we start.\n if (!this.pointerState.node) {\n this.pointerState.node = node;\n }\n if (this.pointerState.ctrl) {\n this.selectRange(node, this.pointerState, this.temp);\n } else {\n this.dragSelect(node, this.pointerState);\n }\n return true;\n }\n pointerUp(node, emitter, firedOutsideGrid) {\n if (this.dragMode || firedOutsideGrid) {\n this.restoreTextSelection();\n this.addRangeMeta(node, this.pointerState);\n this.mergeMap(this.selection, this.temp);\n this.zone.runTask(() => emitter.emit(this.generateRange(node, this.pointerState)));\n this.temp.clear();\n this.dragMode = false;\n return true;\n }\n if (this.pointerState.shift) {\n this.clearTextSelection();\n this.restoreTextSelection();\n this.addRangeMeta(node, this.pointerState);\n emitter.emit(this.generateRange(node, this.pointerState));\n return true;\n }\n if (this.pointerEventInGridBody && this.isActiveNode(node)) {\n this.add(node);\n }\n return false;\n }\n selectRange(node, state, collection = this.selection) {\n if (collection === this.temp) {\n collection.clear();\n }\n const {\n rowStart,\n rowEnd,\n columnStart,\n columnEnd\n } = this.generateRange(node, state);\n for (let i = rowStart; i <= rowEnd; i++) {\n for (let j = columnStart; j <= columnEnd; j++) {\n if (collection.has(i)) {\n collection.get(i).add(j);\n } else {\n collection.set(i, new Set()).get(i).add(j);\n }\n }\n }\n }\n dragSelect(node, state) {\n if (!this.pointerState.ctrl) {\n this.selection.clear();\n }\n this.selectRange(node, state);\n }\n clear(clearAcriveEl = false) {\n if (clearAcriveEl) {\n this.activeElement = null;\n }\n this.selection.clear();\n this.temp.clear();\n this._ranges.clear();\n }\n clearTextSelection() {\n const selection = window.getSelection();\n if (selection.rangeCount) {\n this._selectionRange = selection.getRangeAt(0);\n this._selectionRange.collapse(true);\n selection.removeAllRanges();\n }\n }\n restoreTextSelection() {\n const selection = window.getSelection();\n if (!selection.rangeCount) {\n selection.addRange(this._selectionRange || document.createRange());\n }\n }\n getSelectedRowsData() {\n if (this.grid.isPivot) {\n return this.grid.dataView.filter(r => {\n const keys = r.dimensions.map(d => PivotUtil.getRecordKey(r, d));\n return keys.some(k => this.isPivotRowSelected(k));\n });\n }\n if (!this.grid.primaryKey) {\n return Array.from(this.rowSelection);\n }\n const selection = [];\n const gridDataMap = {};\n this.grid.gridAPI.get_all_data(true).forEach(row => gridDataMap[this.getRecordKey(row)] = row);\n this.rowSelection.forEach(rID => {\n const rData = gridDataMap[rID];\n const partialRowData = {};\n partialRowData[this.grid.primaryKey] = rID;\n selection.push(rData ? rData : partialRowData);\n });\n return selection;\n }\n /** Returns array of the selected row id's. */\n getSelectedRows() {\n return this.rowSelection.size ? Array.from(this.rowSelection.keys()) : [];\n }\n /** Returns array of the rows in indeterminate state. */\n getIndeterminateRows() {\n return this.indeterminateRows.size ? Array.from(this.indeterminateRows.keys()) : [];\n }\n /** Clears row selection, if filtering is applied clears only selected rows from filtered data. */\n clearRowSelection(event) {\n const selectedRows = this.getSelectedRowsData();\n const removedRec = this.isFilteringApplied() ? this.allData.filter(row => this.isRowSelected(this.getRecordKey(row))) : selectedRows;\n const newSelection = this.isFilteringApplied() ? selectedRows.filter(x => !removedRec.includes(x)) : [];\n this.emitRowSelectionEvent(newSelection, [], removedRec, event, selectedRows);\n }\n /** Select all rows, if filtering is applied select only from filtered data. */\n selectAllRows(event) {\n const addedRows = this.allData.filter(row => !this.isRowSelected(this.getRecordKey(row)));\n const selectedRows = this.getSelectedRowsData();\n const newSelection = this.rowSelection.size ? selectedRows.concat(addedRows) : addedRows;\n this.indeterminateRows.clear();\n this.emitRowSelectionEvent(newSelection, addedRows, [], event, selectedRows);\n }\n /** Select the specified row and emit event. */\n selectRowById(rowID, clearPrevSelection, event) {\n if (!(this.grid.isRowSelectable || this.grid.isPivot) || this.isRowDeleted(rowID)) {\n return;\n }\n clearPrevSelection = !this.grid.isMultiRowSelectionEnabled || clearPrevSelection;\n if (this.grid.isPivot) {\n this.selectPivotRowById(rowID, clearPrevSelection, event);\n return;\n }\n const selectedRows = this.getSelectedRowsData();\n const newSelection = clearPrevSelection ? [this.getRowDataById(rowID)] : this.rowSelection.has(rowID) ? selectedRows : [...selectedRows, this.getRowDataById(rowID)];\n const removed = clearPrevSelection ? selectedRows : [];\n this.emitRowSelectionEvent(newSelection, [this.getRowDataById(rowID)], removed, event, selectedRows);\n }\n selectPivotRowById(rowID, clearPrevSelection, event) {\n const selectedRows = this.getSelectedRows();\n const newSelection = clearPrevSelection ? [rowID] : this.rowSelection.has(rowID) ? selectedRows : [...selectedRows, rowID];\n const added = this.getPivotRowsByIds([rowID]);\n const removed = this.getPivotRowsByIds(clearPrevSelection ? selectedRows : []);\n this.emitRowSelectionEventPivotGrid(selectedRows, newSelection, added, removed, event);\n }\n /** Deselect the specified row and emit event. */\n deselectRow(rowID, event) {\n if (!this.isRowSelected(rowID)) {\n return;\n }\n if (this.grid.isPivot) {\n this.deselectPivotRowByID(rowID, event);\n return;\n }\n const selectedRows = this.getSelectedRowsData();\n const newSelection = selectedRows.filter(r => this.getRecordKey(r) !== rowID);\n if (this.rowSelection.size && this.rowSelection.has(rowID)) {\n this.emitRowSelectionEvent(newSelection, [], [this.getRowDataById(rowID)], event, selectedRows);\n }\n }\n deselectPivotRowByID(rowID, event) {\n if (this.rowSelection.size && this.rowSelection.has(rowID)) {\n const currSelection = this.getSelectedRows();\n const newSelection = currSelection.filter(r => r !== rowID);\n const removed = this.getPivotRowsByIds([rowID]);\n this.emitRowSelectionEventPivotGrid(currSelection, newSelection, [], removed, event);\n }\n }\n emitRowSelectionEventPivotGrid(currSelection, newSelection, added, removed, event) {\n if (this.areEqualCollections(currSelection, newSelection)) {\n return;\n }\n const currSelectedRows = this.getSelectedRowsData();\n const args = {\n owner: this.grid,\n oldSelection: currSelectedRows,\n newSelection: this.getPivotRowsByIds(newSelection),\n added,\n removed,\n event,\n cancel: false,\n allRowsSelected: this.areAllRowSelected(newSelection)\n };\n this.grid.rowSelectionChanging.emit(args);\n if (args.cancel) {\n this.clearHeaderCBState();\n return;\n }\n this.selectRowsWithNoEvent(newSelection, true);\n }\n /** Select the specified rows and emit event. */\n selectRows(keys, clearPrevSelection, event) {\n if (!this.grid.isMultiRowSelectionEnabled) {\n return;\n }\n let rowsToSelect = keys.filter(x => !this.isRowDeleted(x) && !this.rowSelection.has(x));\n if (!rowsToSelect.length && !clearPrevSelection) {\n // no valid/additional rows to select and no clear\n return;\n }\n const selectedRows = this.getSelectedRowsData();\n rowsToSelect = this.grid.primaryKey ? rowsToSelect.map(r => this.getRowDataById(r)) : rowsToSelect;\n const newSelection = clearPrevSelection ? rowsToSelect : [...selectedRows, ...rowsToSelect];\n const keysAsSet = new Set(rowsToSelect);\n const removed = clearPrevSelection ? selectedRows.filter(x => !keysAsSet.has(x)) : [];\n this.emitRowSelectionEvent(newSelection, rowsToSelect, removed, event, selectedRows);\n }\n deselectRows(keys, event) {\n if (!this.rowSelection.size) {\n return;\n }\n let rowsToDeselect = keys.filter(x => this.rowSelection.has(x));\n if (!rowsToDeselect.length) {\n return;\n }\n const selectedRows = this.getSelectedRowsData();\n rowsToDeselect = this.grid.primaryKey ? rowsToDeselect.map(r => this.getRowDataById(r)) : rowsToDeselect;\n const keysAsSet = new Set(rowsToDeselect);\n const newSelection = selectedRows.filter(r => !keysAsSet.has(r));\n this.emitRowSelectionEvent(newSelection, [], rowsToDeselect, event, selectedRows);\n }\n /** Select specified rows. No event is emitted. */\n selectRowsWithNoEvent(rowIDs, clearPrevSelection) {\n if (clearPrevSelection) {\n this.rowSelection.clear();\n }\n rowIDs.forEach(rowID => this.rowSelection.add(rowID));\n this.clearHeaderCBState();\n this.selectedRowsChange.next();\n }\n /** Deselect specified rows. No event is emitted. */\n deselectRowsWithNoEvent(rowIDs) {\n this.clearHeaderCBState();\n rowIDs.forEach(rowID => this.rowSelection.delete(rowID));\n this.selectedRowsChange.next();\n }\n isRowSelected(rowID) {\n return this.rowSelection.size > 0 && this.rowSelection.has(rowID);\n }\n isPivotRowSelected(rowID) {\n let contains = false;\n this.rowSelection.forEach(x => {\n const correctRowId = rowID.replace(x, '');\n if (rowID.includes(x) && (correctRowId === '' || correctRowId.startsWith('_'))) {\n contains = true;\n return;\n }\n });\n return this.rowSelection.size > 0 && contains;\n }\n isRowInIndeterminateState(rowID) {\n return this.indeterminateRows.size > 0 && this.indeterminateRows.has(rowID);\n }\n /** Select range from last selected row to the current specified row. */\n selectMultipleRows(rowID, rowData, event) {\n this.clearHeaderCBState();\n if (!this.rowSelection.size || this.isRowDeleted(rowID)) {\n this.selectRowById(rowID);\n return;\n }\n const gridData = this.allData;\n const lastRowID = this.getSelectedRows()[this.rowSelection.size - 1];\n const currIndex = gridData.indexOf(this.getRowDataById(lastRowID));\n const newIndex = gridData.indexOf(rowData);\n const rows = gridData.slice(Math.min(currIndex, newIndex), Math.max(currIndex, newIndex) + 1);\n const currSelection = this.getSelectedRowsData();\n const added = rows.filter(r => !this.isRowSelected(this.getRecordKey(r)));\n const newSelection = currSelection.concat(added);\n this.emitRowSelectionEvent(newSelection, added, [], event, currSelection);\n }\n areAllRowSelected(newSelection) {\n if (!this.grid.data && !newSelection) {\n return false;\n }\n if (this.allRowsSelected !== undefined && !newSelection) {\n return this.allRowsSelected;\n }\n const selectedData = new Set(newSelection ? newSelection : [...this.rowSelection]);\n const allData = this.getRowIDs(this.allData);\n const unSelectedRows = allData.filter(row => !selectedData.has(row));\n return this.allRowsSelected = this.allData.length > 0 && unSelectedRows.length === 0;\n }\n hasSomeRowSelected() {\n const filteredData = this.isFilteringApplied() ? this.getRowIDs(this.grid.filteredData).some(rID => this.isRowSelected(rID)) : true;\n return this.rowSelection.size > 0 && filteredData && !this.areAllRowSelected();\n }\n get filteredSelectedRowIds() {\n return this.isFilteringApplied() ? this.getRowIDs(this.allData).filter(rowID => this.isRowSelected(rowID)) : this.getSelectedRows().filter(rowID => !this.isRowDeleted(rowID));\n }\n emitRowSelectionEvent(newSelection, added, removed, event, currSelection) {\n currSelection = currSelection ?? this.getSelectedRowsData();\n if (this.areEqualCollections(currSelection, newSelection)) {\n return;\n }\n const args = {\n owner: this.grid,\n oldSelection: currSelection,\n newSelection,\n added,\n removed,\n event,\n cancel: false,\n allRowsSelected: this.areAllRowSelected(newSelection.map(r => this.getRecordKey(r)))\n };\n this.grid.rowSelectionChanging.emit(args);\n if (args.cancel) {\n this.clearHeaderCBState();\n return;\n }\n this.selectRowsWithNoEvent(args.newSelection.map(r => this.getRecordKey(r)), true);\n }\n getPivotRowsByIds(ids) {\n return this.grid.dataView.filter(r => {\n const keys = r.dimensions.map(d => PivotUtil.getRecordKey(r, d));\n return new Set(ids.concat(keys)).size < ids.length + keys.length;\n });\n }\n getRowDataById(rowID) {\n if (!this.grid.primaryKey) {\n return rowID;\n }\n const rowIndex = this.getRowIDs(this.grid.gridAPI.get_all_data(true)).indexOf(rowID);\n return rowIndex < 0 ? rowID : this.grid.gridAPI.get_all_data(true)[rowIndex];\n }\n clearHeaderCBState() {\n this.allRowsSelected = undefined;\n }\n getRowIDs(data) {\n return this.grid.primaryKey && data.length ? data.map(rec => rec[this.grid.primaryKey]) : data;\n }\n getRecordKey(record) {\n return this.grid.primaryKey ? record[this.grid.primaryKey] : record;\n }\n /** Clear rowSelection and update checkbox state */\n clearAllSelectedRows() {\n this.rowSelection.clear();\n this.indeterminateRows.clear();\n this.clearHeaderCBState();\n this.selectedRowsChange.next();\n }\n /** Returns all data in the grid, with applied filtering and sorting and without deleted rows. */\n get allData() {\n let allData;\n // V.T. Jan 17th, 2024 #13757 Adding an additional conditional check to take account WITHIN range of groups\n if (this.isFilteringApplied() || this.grid.sortingExpressions.length || this.grid.groupingExpressions?.length) {\n allData = this.grid.pinnedRecordsCount ? this.grid._filteredSortedUnpinnedData : this.grid.filteredSortedData;\n } else {\n allData = this.grid.gridAPI.get_all_data(true);\n }\n return allData.filter(rData => !this.isRowDeleted(this.grid.gridAPI.get_row_id(rData)));\n }\n /** Returns array of the selected columns fields. */\n getSelectedColumns() {\n return this.columnSelection.size ? Array.from(this.columnSelection.keys()) : [];\n }\n isColumnSelected(field) {\n return this.columnSelection.size > 0 && this.columnSelection.has(field);\n }\n /** Select the specified column and emit event. */\n selectColumn(field, clearPrevSelection, selectColumnsRange, event) {\n const stateColumn = this.columnsState.field ? this.grid.getColumnByName(this.columnsState.field) : null;\n if (!event || !stateColumn || stateColumn.visibleIndex < 0 || !selectColumnsRange) {\n this.columnsState.field = field;\n this.columnsState.range = [];\n const newSelection = clearPrevSelection ? [field] : this.getSelectedColumns().indexOf(field) !== -1 ? this.getSelectedColumns() : [...this.getSelectedColumns(), field];\n const removed = clearPrevSelection ? this.getSelectedColumns().filter(colField => colField !== field) : [];\n const added = this.isColumnSelected(field) ? [] : [field];\n this.emitColumnSelectionEvent(newSelection, added, removed, event);\n } else if (selectColumnsRange) {\n this.selectColumnsRange(field, event);\n }\n }\n /** Select specified columns. And emit event. */\n selectColumns(fields, clearPrevSelection, selectColumnsRange, event) {\n const columns = fields.map(f => this.grid.getColumnByName(f)).sort((a, b) => a.visibleIndex - b.visibleIndex);\n const stateColumn = this.columnsState.field ? this.grid.getColumnByName(this.columnsState.field) : null;\n if (!stateColumn || stateColumn.visibleIndex < 0 || !selectColumnsRange) {\n this.columnsState.field = columns[0] ? columns[0].field : null;\n this.columnsState.range = [];\n const added = fields.filter(colField => !this.isColumnSelected(colField));\n const removed = clearPrevSelection ? this.getSelectedColumns().filter(colField => fields.indexOf(colField) === -1) : [];\n const newSelection = clearPrevSelection ? fields : this.getSelectedColumns().concat(added);\n this.emitColumnSelectionEvent(newSelection, added, removed, event);\n } else {\n const filedStart = stateColumn.visibleIndex > columns[columns.length - 1].visibleIndex ? columns[0].field : columns[columns.length - 1].field;\n this.selectColumnsRange(filedStart, event);\n }\n }\n /** Select range from last clicked column to the current specified column. */\n selectColumnsRange(field, event) {\n const currIndex = this.grid.getColumnByName(this.columnsState.field).visibleIndex;\n const newIndex = this.grid.columnToVisibleIndex(field);\n const columnsFields = this.grid.visibleColumns.filter(c => !c.columnGroup).sort((a, b) => a.visibleIndex - b.visibleIndex).slice(Math.min(currIndex, newIndex), Math.max(currIndex, newIndex) + 1).filter(col => col.selectable).map(col => col.field);\n const removed = [];\n const oldAdded = [];\n const added = columnsFields.filter(colField => !this.isColumnSelected(colField));\n this.columnsState.range.forEach(f => {\n if (columnsFields.indexOf(f) === -1) {\n removed.push(f);\n } else {\n oldAdded.push(f);\n }\n });\n this.columnsState.range = columnsFields.filter(colField => !this.isColumnSelected(colField) || oldAdded.indexOf(colField) > -1);\n const newSelection = this.getSelectedColumns().concat(added).filter(c => removed.indexOf(c) === -1);\n this.emitColumnSelectionEvent(newSelection, added, removed, event);\n }\n /** Select specified columns. No event is emitted. */\n selectColumnsWithNoEvent(fields, clearPrevSelection) {\n if (clearPrevSelection) {\n this.columnSelection.clear();\n }\n fields.forEach(field => {\n this.columnSelection.add(field);\n });\n }\n /** Deselect the specified column and emit event. */\n deselectColumn(field, event) {\n this.initColumnsState();\n const newSelection = this.getSelectedColumns().filter(c => c !== field);\n this.emitColumnSelectionEvent(newSelection, [], [field], event);\n }\n /** Deselect specified columns. No event is emitted. */\n deselectColumnsWithNoEvent(fields) {\n fields.forEach(field => this.columnSelection.delete(field));\n }\n /** Deselect specified columns. And emit event. */\n deselectColumns(fields, event) {\n const removed = this.getSelectedColumns().filter(colField => fields.indexOf(colField) > -1);\n const newSelection = this.getSelectedColumns().filter(colField => fields.indexOf(colField) === -1);\n this.emitColumnSelectionEvent(newSelection, [], removed, event);\n }\n emitColumnSelectionEvent(newSelection, added, removed, event) {\n const currSelection = this.getSelectedColumns();\n if (this.areEqualCollections(currSelection, newSelection)) {\n return;\n }\n const args = {\n oldSelection: currSelection,\n newSelection,\n added,\n removed,\n event,\n cancel: false\n };\n this.grid.columnSelectionChanging.emit(args);\n if (args.cancel) {\n return;\n }\n this.selectColumnsWithNoEvent(args.newSelection, true);\n }\n /** Clear columnSelection */\n clearAllSelectedColumns() {\n this.columnSelection.clear();\n }\n areEqualCollections(first, second) {\n return first.length === second.length && new Set(first.concat(second)).size === first.length;\n }\n /**\n * (╯°□°)╯︵ ┻━┻\n * Chrome and Chromium don't care about the active\n * range after keyboard navigation, thus this.\n */\n _moveSelectionChrome(node) {\n const selection = window.getSelection();\n selection.removeAllRanges();\n const range = new Range();\n range.selectNode(node);\n range.collapse(true);\n selection.addRange(range);\n }\n isFilteringApplied() {\n return !FilteringExpressionsTree.empty(this.grid.filteringExpressionsTree) || !FilteringExpressionsTree.empty(this.grid.advancedFilteringExpressionsTree);\n }\n isRowDeleted(rowID) {\n return this.grid.gridAPI.row_deleted_transaction(rowID);\n }\n static {\n this.ɵfac = function IgxGridSelectionService_Factory(t) {\n return new (t || IgxGridSelectionService)(i0.ɵɵinject(i0.NgZone), i0.ɵɵinject(PlatformUtil));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: IgxGridSelectionService,\n factory: IgxGridSelectionService.ɵfac\n });\n }\n }\n return IgxGridSelectionService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxRowDirective = /*#__PURE__*/(() => {\n class IgxRowDirective {\n /**\n * The data passed to the row component.\n *\n * ```typescript\n * // get the row data for the first selected row\n * let selectedRowData = this.grid.selectedRows[0].data;\n * ```\n */\n get data() {\n if (this.inEditMode) {\n return mergeWith(this.grid.dataCloneStrategy.clone(this._data), this.grid.transactions.getAggregatedValue(this.key, false), (objValue, srcValue) => {\n if (Array.isArray(srcValue)) {\n return objValue = srcValue;\n }\n });\n }\n return this._data;\n }\n set data(v) {\n this._data = v;\n }\n /**\n * Sets whether the row is pinned.\n * Default value is `false`.\n * ```typescript\n * this.grid.selectedRows[0].pinned = true;\n * ```\n */\n set pinned(value) {\n if (value) {\n this.grid.pinRow(this.key);\n } else {\n this.grid.unpinRow(this.key);\n }\n }\n /**\n * Gets whether the row is pinned.\n * ```typescript\n * let isPinned = row.pinned;\n * ```\n */\n get pinned() {\n return this.grid.isRecordPinned(this.data);\n }\n /**\n * Gets the expanded state of the row.\n * ```typescript\n * let isExpanded = row.expanded;\n * ```\n */\n get expanded() {\n return this.grid.gridAPI.get_row_expansion_state(this.data);\n }\n /**\n * Expands/collapses the current row.\n *\n * ```typescript\n * this.grid.selectedRows[2].expanded = true;\n * ```\n */\n set expanded(val) {\n this.grid.gridAPI.set_row_expansion_state(this.key, val);\n }\n get addRowUI() {\n return !!this.grid.crudService.row && this.grid.crudService.row.getClassName() === IgxAddRow.name && this.grid.crudService.row.id === this.key;\n }\n get rowHeight() {\n let height = this.grid.rowHeight || 32;\n if (this.grid.hasColumnLayouts) {\n const maxRowSpan = this.grid.multiRowLayoutRowSize;\n height = height * maxRowSpan;\n }\n return this.addRowUI ? height : null;\n }\n get cellHeight() {\n return this.addRowUI && !this.inEditMode ? null : this.grid.rowHeight || 32;\n }\n get virtDirRow() {\n return this._virtDirRow ? this._virtDirRow.first : null;\n }\n /**\n * Gets the rendered cells in the row component.\n *\n * ```typescript\n * // get the cells of the third selected row\n * let selectedRowCells = this.grid.selectedRows[2].cells;\n * ```\n */\n get cells() {\n const res = new QueryList();\n if (!this._cells) {\n return res;\n }\n const cList = this._cells.filter(item => item.nativeElement.parentElement !== null).sort((item1, item2) => item1.column.visibleIndex - item2.column.visibleIndex);\n res.reset(cList);\n return res;\n }\n get dataRowIndex() {\n return this.index;\n }\n /**\n * @hidden\n */\n get selected() {\n return this.selectionService.isRowSelected(this.key);\n }\n set selected(value) {\n if (value) {\n this.selectionService.selectRowsWithNoEvent([this.key]);\n } else {\n this.selectionService.deselectRowsWithNoEvent([this.key]);\n }\n this.grid.cdr.markForCheck();\n }\n /**\n * @hidden\n */\n get columns() {\n return this.grid.visibleColumns;\n }\n /**\n * @hidden\n * @internal\n */\n get viewIndex() {\n if (this.grid.groupingExpressions.length) {\n return this.grid.filteredSortedData.indexOf(this.data);\n }\n return this.index + this.grid.page * this.grid.perPage;\n }\n /**\n * @hidden\n */\n get pinnedColumns() {\n return this.grid.pinnedColumns;\n }\n /**\n * @hidden\n */\n get isRoot() {\n return true;\n }\n /**\n * @hidden\n */\n get hasChildren() {\n return false;\n }\n /**\n * @hidden\n */\n get unpinnedColumns() {\n return this.grid.unpinnedColumns;\n }\n /**\n * @hidden\n */\n get showRowSelectors() {\n return this.grid.showRowSelectors;\n }\n /** @hidden */\n get dirty() {\n const row = this.grid.transactions.getState(this.key);\n if (row) {\n return row.type === TransactionType.ADD || row.type === TransactionType.UPDATE;\n }\n return false;\n }\n /**\n * @hidden\n */\n get rowDraggable() {\n return this.grid.rowDraggable;\n }\n /** @hidden */\n get added() {\n const row = this.grid.transactions.getState(this.key);\n if (row) {\n return row.type === TransactionType.ADD;\n }\n return false;\n }\n /** @hidden */\n get deleted() {\n return this.grid.gridAPI.row_deleted_transaction(this.key);\n }\n /**\n * @hidden\n */\n get dragging() {\n return this.grid.dragRowID === this.key;\n }\n // TODO: Refactor\n get inEditMode() {\n if (this.grid.rowEditable) {\n const editRowState = this.grid.crudService.row;\n return editRowState && editRowState.id === this.key || false;\n } else {\n return false;\n }\n }\n /**\n * Gets the ID of the row.\n * A row in the grid is identified either by:\n * - primaryKey data value,\n * - the whole data, if the primaryKey is omitted.\n *\n * ```typescript\n * let rowID = this.grid.selectedRows[2].key;\n * ```\n */\n get key() {\n const primaryKey = this.grid.primaryKey;\n if (this._data) {\n return primaryKey ? this._data[primaryKey] : this._data;\n } else {\n return undefined;\n }\n }\n /**\n * The native DOM element representing the row. Could be null in certain environments.\n *\n * ```typescript\n * // get the nativeElement of the second selected row\n * let selectedRowNativeElement = this.grid.selectedRows[1].nativeElement;\n * ```\n */\n get nativeElement() {\n return this.element.nativeElement;\n }\n constructor(grid, selectionService, element, cdr) {\n this.grid = grid;\n this.selectionService = selectionService;\n this.element = element;\n this.cdr = cdr;\n /**\n * @hidden\n */\n this.addAnimationEnd = new EventEmitter();\n /**\n * @hidden\n */\n this.role = 'row';\n /**\n * Sets whether this specific row has disabled functionality for editing and row selection.\n * Default value is `false`.\n * ```typescript\n * this.grid.selectedRows[0].pinned = true;\n * ```\n */\n this.disabled = false;\n /**\n * @hidden\n */\n this.focused = false;\n /**\n * @hidden\n * @internal\n */\n this.defaultCssClass = 'igx-grid__tr';\n /**\n * @hidden\n */\n this.triggerAddAnimationClass = false;\n this.destroy$ = new Subject();\n }\n /**\n * @hidden\n * @internal\n */\n onClick(event) {\n this.grid.rowClick.emit({\n row: this,\n event\n });\n if (this.grid.rowSelection === 'none' || this.deleted || !this.grid.selectRowOnClick) {\n return;\n }\n if (event.shiftKey && this.grid.isMultiRowSelectionEnabled) {\n this.selectionService.selectMultipleRows(this.key, this.data, event);\n return;\n }\n // eslint-disable-next-line no-bitwise\n const clearSelection = !(+event.ctrlKey ^ +event.metaKey);\n if (this.selected && !clearSelection) {\n this.selectionService.deselectRow(this.key, event);\n } else {\n this.selectionService.selectRowById(this.key, clearSelection, event);\n }\n }\n /**\n * @hidden\n * @internal\n */\n showActionStrip() {\n if (this.grid.actionStrip) {\n this.grid.actionStrip.show(this);\n }\n }\n /**\n * @hidden\n * @internal\n */\n hideActionStrip() {\n if (this.grid.actionStrip && this.grid.actionStrip.hideOnRowLeave) {\n this.grid.actionStrip.hide();\n }\n }\n /**\n * @hidden\n * @internal\n */\n ngAfterViewInit() {\n // If the template of the row changes, the forOf in it is recreated and is not detected by the grid and rows can't be scrolled.\n this._virtDirRow.changes.pipe(takeUntil(this.destroy$)).subscribe(() => this.grid.resetHorizontalVirtualization());\n }\n /**\n * @hidden\n * @internal\n */\n ngOnDestroy() {\n this.destroy$.next(true);\n this.destroy$.complete();\n }\n /**\n * @hidden\n */\n onRowSelectorClick(event) {\n event.stopPropagation();\n if (event.shiftKey && this.grid.isMultiRowSelectionEnabled) {\n this.selectionService.selectMultipleRows(this.key, this.data, event);\n return;\n }\n if (this.selected) {\n this.selectionService.deselectRow(this.key, event);\n } else {\n this.selectionService.selectRowById(this.key, false, event);\n }\n }\n /**\n * Updates the specified row object and the data source record with the passed value.\n *\n * ```typescript\n * // update the second selected row's value\n * let newValue = \"Apple\";\n * this.grid.selectedRows[1].update(newValue);\n * ```\n */\n update(value) {\n const crudService = this.grid.crudService;\n if (crudService.cellInEditMode && crudService.cell.id.key === this.key) {\n this.grid.transactions.endPending(false);\n }\n const row = new IgxEditRow(this.key, this.index, this.data, this.grid);\n this.grid.gridAPI.update_row(row, value);\n this.cdr.markForCheck();\n }\n /**\n * Removes the specified row from the grid's data source.\n * This method emits `rowDeleted` event.\n *\n * ```typescript\n * // delete the third selected row from the grid\n * this.grid.selectedRows[2].delete();\n * ```\n */\n delete() {\n this.grid.deleteRowById(this.key);\n }\n isCellActive(visibleColumnIndex) {\n const node = this.grid.navigation.activeNode;\n return node ? node.row === this.index && node.column === visibleColumnIndex : false;\n }\n /**\n * Pins the specified row.\n * This method emits `rowPinning`\\`rowPinned` event.\n *\n * ```typescript\n * // pin the selected row from the grid\n * this.grid.selectedRows[0].pin();\n * ```\n */\n pin() {\n return this.grid.pinRow(this.key);\n }\n /**\n * Unpins the specified row.\n * This method emits `rowPinning`\\`rowPinned` event.\n *\n * ```typescript\n * // unpin the selected row from the grid\n * this.grid.selectedRows[0].unpin();\n * ```\n */\n unpin() {\n return this.grid.unpinRow(this.key);\n }\n /**\n * @hidden\n */\n get rowCheckboxAriaLabel() {\n return this.grid.primaryKey ? this.selected ? 'Deselect row with key ' + this.key : 'Select row with key ' + this.key : this.selected ? 'Deselect row' : 'Select row';\n }\n /**\n * @hidden\n */\n ngDoCheck() {\n this.cdr.markForCheck();\n }\n /**\n * @hidden\n */\n shouldDisplayPinnedChip(visibleColumnIndex) {\n return this.pinned && this.disabled && visibleColumnIndex === 0;\n }\n /**\n * Spawns the add row UI for the specific row.\n *\n * @example\n * ```typescript\n * const row = this.grid1.getRowByIndex(1);\n * row.beginAddRow();\n * ```\n */\n beginAddRow() {\n this.grid.crudService.enterAddRowMode(this);\n }\n /**\n * @hidden\n */\n triggerAddAnimation() {\n this.triggerAddAnimationClass = true;\n }\n /**\n * @hidden\n */\n animationEndHandler() {\n this.triggerAddAnimationClass = false;\n this.addAnimationEnd.emit(this);\n }\n /**\n * @hidden\n */\n get resolveDragIndicatorClasses() {\n const defaultDragIndicatorCssClass = 'igx-grid__drag-indicator';\n const dragIndicatorOff = this.grid.rowDragging && !this.dragging ? 'igx-grid__drag-indicator--off' : '';\n return `${defaultDragIndicatorCssClass} ${dragIndicatorOff}`;\n }\n static {\n this.ɵfac = function IgxRowDirective_Factory(t) {\n return new (t || IgxRowDirective)(i0.ɵɵdirectiveInject(IGX_GRID_BASE), i0.ɵɵdirectiveInject(IgxGridSelectionService), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxRowDirective,\n selectors: [[\"\", \"igxRowBaseComponent\", \"\"]],\n viewQuery: function IgxRowDirective_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(IgxCheckboxComponent, 5, IgxCheckboxComponent);\n i0.ɵɵviewQuery(_c25, 5, IgxGridForOfDirective);\n i0.ɵɵviewQuery(_c26, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.checkboxElement = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx._virtDirRow = _t);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx._cells = _t);\n }\n },\n hostVars: 8,\n hostBindings: function IgxRowDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"click\", function IgxRowDirective_click_HostBindingHandler($event) {\n return ctx.onClick($event);\n })(\"mouseenter\", function IgxRowDirective_mouseenter_HostBindingHandler() {\n return ctx.showActionStrip();\n })(\"mouseleave\", function IgxRowDirective_mouseleave_HostBindingHandler() {\n return ctx.hideActionStrip();\n });\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"role\", ctx.role)(\"aria-disabled\", ctx.disabled)(\"data-rowIndex\", ctx.dataRowIndex)(\"aria-selected\", ctx.selected);\n i0.ɵɵstyleProp(\"min-height\", ctx.rowHeight, \"px\");\n i0.ɵɵclassProp(\"igx-grid__tr--disabled\", ctx.disabled);\n }\n },\n inputs: {\n data: \"data\",\n index: \"index\",\n disabled: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"disabled\", \"disabled\", booleanAttribute],\n gridID: \"gridID\",\n selected: \"selected\"\n },\n outputs: {\n addAnimationEnd: \"addAnimationEnd\"\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature]\n });\n }\n }\n return IgxRowDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxGridActionsBaseDirective = /*#__PURE__*/(() => {\n class IgxGridActionsBaseDirective {\n /**\n * @hidden\n * @internal\n */\n get grid() {\n return this.strip.context.grid;\n }\n /**\n * Getter to be used in template\n *\n * @hidden\n * @internal\n */\n get isRowContext() {\n return this.isRow(this.strip.context) && !this.strip.context.inEditMode;\n }\n constructor(iconService, differs) {\n this.iconService = iconService;\n this.differs = differs;\n /**\n * Gets/Sets if the action buttons will be rendered as menu items. When in menu, items will be rendered with text label.\n *\n * @example\n * ```html\n * \n * \n * ```\n */\n this.asMenuItems = false;\n }\n /**\n * @hidden\n * @internal\n */\n ngAfterViewInit() {\n if (this.asMenuItems) {\n this.buttons.changes.subscribe(() => {\n this.strip.cdr.detectChanges();\n });\n }\n }\n /**\n * Check if the param is a row from a grid\n *\n * @hidden\n * @internal\n * @param context\n */\n isRow(context) {\n return context && context instanceof IgxRowDirective;\n }\n static {\n this.ɵfac = function IgxGridActionsBaseDirective_Factory(t) {\n return new (t || IgxGridActionsBaseDirective)(i0.ɵɵdirectiveInject(IgxIconService), i0.ɵɵdirectiveInject(i0.IterableDiffers));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxGridActionsBaseDirective,\n selectors: [[\"\", \"igxGridActionsBase\", \"\"]],\n viewQuery: function IgxGridActionsBaseDirective_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(IgxGridActionButtonComponent, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.buttons = _t);\n }\n },\n inputs: {\n asMenuItems: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"asMenuItems\", \"asMenuItems\", booleanAttribute]\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature]\n });\n }\n }\n return IgxGridActionsBaseDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** @hidden @internal */\nclass IgxActionStripToken {}\nlet IgxActionStripMenuItemDirective = /*#__PURE__*/(() => {\n class IgxActionStripMenuItemDirective {\n constructor(templateRef) {\n this.templateRef = templateRef;\n }\n static {\n this.ɵfac = function IgxActionStripMenuItemDirective_Factory(t) {\n return new (t || IgxActionStripMenuItemDirective)(i0.ɵɵdirectiveInject(i0.TemplateRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxActionStripMenuItemDirective,\n selectors: [[\"\", \"igxActionStripMenuItem\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxActionStripMenuItemDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Action Strip provides templatable area for one or more actions.\n *\n * @igxModule IgxActionStripModule\n *\n * @igxTheme igx-action-strip-theme\n *\n * @igxKeywords action, strip, actionStrip, pinning, editing\n *\n * @igxGroup Data Entry & Display\n *\n * @remarks\n * The Ignite UI Action Strip is a container, overlaying its parent container,\n * and displaying action buttons with action applicable to the parent component the strip is instantiated or shown for.\n *\n * @example\n * ```html\n * \n * \n * \n */\nlet IgxActionStripComponent = /*#__PURE__*/(() => {\n class IgxActionStripComponent extends DisplayDensityBase {\n /**\n * Gets/Sets the resource strings.\n *\n * @remarks\n * By default it uses EN resources.\n */\n set resourceStrings(value) {\n this._resourceStrings = Object.assign({}, this._resourceStrings, value);\n }\n get resourceStrings() {\n return this._resourceStrings;\n }\n /**\n * Hide or not the Action Strip based on if it is a menu.\n *\n * @hidden\n * @internal\n */\n get hideOnRowLeave() {\n if (this.menu.items.length === 0) {\n return true;\n } else if (this.menu.items.length > 0) {\n if (this.menu.collapsed) {\n return true;\n } else {\n return false;\n }\n }\n }\n constructor(_viewContainer, renderer, el, _displayDensityOptions, /** @hidden @internal **/\n cdr) {\n super(_displayDensityOptions, el);\n this._viewContainer = _viewContainer;\n this.renderer = renderer;\n this.el = el;\n this._displayDensityOptions = _displayDensityOptions;\n this.cdr = cdr;\n /**\n * Gets/Sets the visibility of the Action Strip.\n * Could be used to set if the Action Strip will be initially hidden.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.hidden = false;\n /**\n * Getter for menu overlay settings\n *\n * @hidden\n * @internal\n */\n this.menuOverlaySettings = {\n scrollStrategy: new CloseScrollStrategy()\n };\n this._hidden = false;\n this._resourceStrings = getCurrentResourceStrings(ActionStripResourceStringsEN);\n /**\n * Host `attr.class` binding.\n */\n this.hostClass = 'igx-action-strip';\n }\n /**\n * Menu Items list.\n *\n * @hidden\n * @internal\n */\n get menuItems() {\n const actions = [];\n this.actionButtons.forEach(button => {\n if (button.asMenuItems) {\n const children = button.buttons;\n if (children) {\n children.toArray().forEach(x => actions.push(x));\n }\n }\n });\n return [...this._menuItems.toArray(), ...actions];\n }\n /**\n * Getter for the 'display' property of the current `IgxActionStrip`\n */\n get display() {\n return this.hidden ? 'none' : 'flex';\n }\n get componentSize() {\n return this.getComponentSizeStyles();\n }\n /**\n * @hidden\n * @internal\n */\n ngAfterContentInit() {\n this.actionButtons.forEach(button => {\n button.strip = this;\n });\n this.actionButtons.changes.subscribe(() => {\n this.actionButtons.forEach(button => {\n button.strip = this;\n });\n });\n }\n /**\n * @hidden\n * @internal\n */\n ngAfterViewInit() {\n this.menu.selectionChanging.subscribe($event => {\n const newSelection = $event.newSelection.elementRef.nativeElement;\n let allButtons = [];\n this.actionButtons.forEach(actionButtons => {\n if (actionButtons.asMenuItems) {\n allButtons = [...allButtons, ...actionButtons.buttons.toArray()];\n }\n });\n const button = allButtons.find(x => newSelection.contains(x.container.nativeElement));\n if (button) {\n button.actionClick.emit();\n }\n });\n }\n /**\n * Showing the Action Strip and appending it the specified context element.\n *\n * @param context\n * @example\n * ```typescript\n * this.actionStrip.show(row);\n * ```\n */\n show(context) {\n this.hidden = false;\n if (!context) {\n return;\n }\n // when shown for different context make sure the menu won't stay opened\n if (this.context !== context) {\n this.closeMenu();\n }\n this.context = context;\n if (this.context && this.context.element) {\n this.renderer.appendChild(context.element.nativeElement, this._viewContainer.element.nativeElement);\n }\n this.cdr.detectChanges();\n }\n /**\n * Hiding the Action Strip and removing it from its current context element.\n *\n * @example\n * ```typescript\n * this.actionStrip.hide();\n * ```\n */\n hide() {\n this.hidden = true;\n this.closeMenu();\n if (this.context && this.context.element) {\n this.renderer.removeChild(this.context.element.nativeElement, this._viewContainer.element.nativeElement);\n }\n }\n /**\n * Close the menu if opened\n *\n * @hidden\n * @internal\n */\n closeMenu() {\n if (this.menu && !this.menu.collapsed) {\n this.menu.close();\n }\n }\n static {\n this.ɵfac = function IgxActionStripComponent_Factory(t) {\n return new (t || IgxActionStripComponent)(i0.ɵɵdirectiveInject(i0.ViewContainerRef), i0.ɵɵdirectiveInject(i0.Renderer2), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(DisplayDensityToken, 8), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxActionStripComponent,\n selectors: [[\"igx-action-strip\"]],\n contentQueries: function IgxActionStripComponent_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxActionStripMenuItemDirective, 4);\n i0.ɵɵcontentQuery(dirIndex, IgxGridActionsBaseDirective, 4);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx._menuItems = _t);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.actionButtons = _t);\n }\n },\n viewQuery: function IgxActionStripComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c27, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.menu = _t.first);\n }\n },\n hostVars: 6,\n hostBindings: function IgxActionStripComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵstyleProp(\"display\", ctx.display)(\"--component-size\", ctx.componentSize);\n i0.ɵɵclassProp(\"igx-action-strip\", ctx.hostClass);\n }\n },\n inputs: {\n context: \"context\",\n hidden: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"hidden\", \"hidden\", booleanAttribute],\n resourceStrings: \"resourceStrings\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: IgxActionStripToken,\n useExisting: IgxActionStripComponent\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 6,\n vars: 3,\n consts: [[\"dropdown\", \"\"], [1, \"igx-action-strip__actions\"], [4, \"ngIf\"], [3, \"displayDensity\"], [\"class\", \"igx-action-strip__menu-item\", 4, \"ngFor\", \"ngForOf\"], [\"type\", \"button\", \"igxIconButton\", \"flat\", \"igxRipple\", \"\", 3, \"click\", \"igxToggleAction\", \"overlaySettings\", \"title\", \"igxDropDownItemNavigation\"], [1, \"igx-action-strip__menu-item\"], [1, \"igx-drop-down__item-template\"], [4, \"ngTemplateOutlet\", \"ngTemplateOutletContext\"]],\n template: function IgxActionStripComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵelementStart(0, \"div\", 1);\n i0.ɵɵprojection(1, 0, [\"#content\", \"\"]);\n i0.ɵɵtemplate(2, IgxActionStripComponent_ng_container_2_Template, 4, 4, \"ng-container\", 2);\n i0.ɵɵelementStart(3, \"igx-drop-down\", 3, 0);\n i0.ɵɵtemplate(5, IgxActionStripComponent_igx_drop_down_item_5_Template, 3, 4, \"igx-drop-down-item\", 4);\n i0.ɵɵelementEnd()();\n }\n if (rf & 2) {\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"ngIf\", ctx.menuItems.length > 0);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"displayDensity\", ctx.displayDensity);\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"ngForOf\", ctx.menuItems);\n }\n },\n dependencies: [NgIf, NgFor, NgTemplateOutlet, IgxIconButtonDirective, IgxRippleDirective, IgxToggleActionDirective, IgxDropDownItemNavigationDirective, IgxIconComponent, IgxDropDownComponent, IgxDropDownItemComponent],\n encapsulation: 2\n });\n }\n }\n return IgxActionStripComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxGridEditingActionsComponent = /*#__PURE__*/(() => {\n class IgxGridEditingActionsComponent extends IgxGridActionsBaseDirective {\n constructor() {\n super(...arguments);\n /**\n * Host `class.igx-action-strip` binding.\n *\n * @hidden\n * @internal\n */\n this.cssClass = 'igx-action-strip__editing-actions';\n /**\n * An input to enable/disable action strip row editing button\n */\n this.editRow = true;\n /**\n * An input to enable/disable action strip row deleting button\n */\n this.deleteRow = true;\n /**\n * An input to enable/disable action strip child row adding button\n */\n this.addChild = false;\n this.isMessageShown = false;\n this._addRow = false;\n this.iconsRendered = false;\n }\n /**\n * An input to enable/disable action strip row adding button\n */\n set addRow(value) {\n this._addRow = value;\n }\n get addRow() {\n if (!this.iconsRendered) {\n this.registerIcons();\n this.iconsRendered = true;\n }\n return this._addRow;\n }\n /**\n * Getter if the row is disabled\n *\n * @hidden\n * @internal\n */\n get disabled() {\n if (!this.isRow(this.strip.context)) {\n return;\n }\n return this.strip.context.disabled;\n }\n /**\n * Getter if the row is root.\n *\n * @hidden\n * @internal\n */\n get isRootRow() {\n if (!this.isRow(this.strip.context)) {\n return false;\n }\n return this.strip.context.isRoot;\n }\n get hasChildren() {\n if (!this.isRow(this.strip.context)) {\n return false;\n }\n return this.strip.context.hasChildren;\n }\n /**\n * Enter row or cell edit mode depending the grid rowEditable option\n *\n * @example\n * ```typescript\n * this.gridEditingActions.startEdit();\n * ```\n */\n startEdit(event) {\n if (event) {\n event.stopPropagation();\n }\n if (!this.isRow(this.strip.context)) {\n return;\n }\n const row = this.strip.context;\n const firstEditable = row.cells.filter(cell => cell.editable)[0];\n const grid = row.grid;\n if (!grid.hasEditableColumns) {\n this.isMessageShown = showMessage('The grid should be editable in order to use IgxGridEditingActionsComponent', this.isMessageShown);\n return;\n }\n // be sure row is in view\n if (grid.rowList.filter(r => r === row).length !== 0) {\n grid.gridAPI.crudService.enterEditMode(firstEditable, event);\n if (!grid.gridAPI.crudService.nonEditable) {\n firstEditable.activate(event);\n }\n }\n this.strip.hide();\n }\n /** @hidden @internal **/\n deleteRowHandler(event) {\n if (event) {\n event.stopPropagation();\n }\n if (!this.isRow(this.strip.context)) {\n return;\n }\n const context = this.strip.context;\n const grid = context.grid;\n grid.deleteRow(context.key);\n this.strip.hide();\n }\n /** @hidden @internal **/\n addRowHandler(event, asChild) {\n if (event) {\n event.stopPropagation();\n }\n if (!this.isRow(this.strip.context)) {\n return;\n }\n const context = this.strip.context;\n const grid = context.grid;\n if (!grid.rowEditable) {\n console.warn('The grid must use row edit mode to perform row adding! Please set rowEditable to true.');\n return;\n }\n grid.gridAPI.crudService.enterAddRowMode(context, asChild, event);\n this.strip.hide();\n }\n /**\n * @hidden\n * @internal\n */\n registerIcons() {\n this.iconService.addSvgIconFromText(addRow.name, addRow.value, 'imx-icons', true);\n this.iconService.addSvgIconFromText(addChild.name, addChild.value, 'imx-icons', true);\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxGridEditingActionsComponent_BaseFactory;\n return function IgxGridEditingActionsComponent_Factory(t) {\n return (ɵIgxGridEditingActionsComponent_BaseFactory || (ɵIgxGridEditingActionsComponent_BaseFactory = i0.ɵɵgetInheritedFactory(IgxGridEditingActionsComponent)))(t || IgxGridEditingActionsComponent);\n };\n })();\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxGridEditingActionsComponent,\n selectors: [[\"igx-grid-editing-actions\"]],\n hostVars: 2,\n hostBindings: function IgxGridEditingActionsComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-action-strip__editing-actions\", ctx.cssClass);\n }\n },\n inputs: {\n addRow: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"addRow\", \"addRow\", booleanAttribute],\n editRow: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"editRow\", \"editRow\", booleanAttribute],\n deleteRow: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"deleteRow\", \"deleteRow\", booleanAttribute],\n addChild: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"addChild\", \"addChild\", booleanAttribute]\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: IgxGridActionsBaseDirective,\n useExisting: IgxGridEditingActionsComponent\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n decls: 1,\n vars: 1,\n consts: [[4, \"ngIf\"], [\"iconName\", \"edit\", 3, \"asMenuItem\", \"labelText\", \"actionClick\", 4, \"ngIf\"], [\"iconName\", \"add-row\", \"iconSet\", \"imx-icons\", 3, \"asMenuItem\", \"labelText\", \"actionClick\", 4, \"ngIf\"], [\"iconName\", \"add-child\", \"iconSet\", \"imx-icons\", 3, \"asMenuItem\", \"labelText\", \"actionClick\", 4, \"ngIf\"], [\"class\", \"igx-action-strip__delete\", \"classNames\", \"igx-action-strip__menu-item--danger\", \"iconName\", \"delete\", 3, \"asMenuItem\", \"labelText\", \"actionClick\", 4, \"ngIf\"], [\"iconName\", \"edit\", 3, \"actionClick\", \"asMenuItem\", \"labelText\"], [\"iconName\", \"add-row\", \"iconSet\", \"imx-icons\", 3, \"actionClick\", \"asMenuItem\", \"labelText\"], [\"iconName\", \"add-child\", \"iconSet\", \"imx-icons\", 3, \"actionClick\", \"asMenuItem\", \"labelText\"], [\"classNames\", \"igx-action-strip__menu-item--danger\", \"iconName\", \"delete\", 1, \"igx-action-strip__delete\", 3, \"actionClick\", \"asMenuItem\", \"labelText\"]],\n template: function IgxGridEditingActionsComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵtemplate(0, IgxGridEditingActionsComponent_ng_container_0_Template, 5, 4, \"ng-container\", 0);\n }\n if (rf & 2) {\n i0.ɵɵproperty(\"ngIf\", ctx.isRowContext);\n }\n },\n dependencies: [NgIf, IgxGridActionButtonComponent],\n encapsulation: 2\n });\n }\n }\n return IgxGridEditingActionsComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxGridPinningActionsComponent = /*#__PURE__*/(() => {\n class IgxGridPinningActionsComponent extends IgxGridActionsBaseDirective {\n constructor() {\n super(...arguments);\n /**\n * Host `class.igx-action-strip` binding.\n *\n * @hidden\n * @internal\n */\n this.cssClass = 'igx-action-strip__pinning-actions';\n this.iconsRendered = false;\n }\n /**\n * Getter to know if the row is pinned\n *\n * @hidden\n * @internal\n */\n get pinned() {\n if (!this.isRow(this.strip.context)) {\n return;\n }\n const context = this.strip.context;\n if (context && !this.iconsRendered) {\n this.registerSVGIcons();\n this.iconsRendered = true;\n }\n return context && context.pinned;\n }\n /**\n * Getter to know if the row is in pinned and ghost\n *\n * @hidden\n * @internal\n */\n get inPinnedArea() {\n if (!this.isRow(this.strip.context)) {\n return;\n }\n const context = this.strip.context;\n return this.pinned && !context.disabled;\n }\n /**\n * Getter to know if the row pinning is set to top or bottom\n *\n * @hidden\n * @internal\n */\n get pinnedTop() {\n if (!this.isRow(this.strip.context)) {\n return;\n }\n return this.strip.context.grid.isRowPinningToTop;\n }\n /**\n * Pin the row according to the context.\n *\n * @example\n * ```typescript\n * this.gridPinningActions.pin();\n * ```\n */\n pin(event) {\n if (event) {\n event.stopPropagation();\n }\n if (!this.isRow(this.strip.context)) {\n return;\n }\n const row = this.strip.context;\n const grid = row.grid;\n grid.pinRow(row.key, grid.pinnedRecords.length);\n this.strip.hide();\n }\n /**\n * Unpin the row according to the context.\n *\n * @example\n * ```typescript\n * this.gridPinningActions.unpin();\n * ```\n */\n unpin(event) {\n if (event) {\n event.stopPropagation();\n }\n if (!this.isRow(this.strip.context)) {\n return;\n }\n const row = this.strip.context;\n const grid = row.grid;\n grid.unpinRow(row.key);\n this.strip.hide();\n }\n scrollToRow(event) {\n if (event) {\n event.stopPropagation();\n }\n const context = this.strip.context;\n const grid = context.grid;\n grid.scrollTo(context.data, 0);\n this.strip.hide();\n }\n registerSVGIcons() {\n if (!this.isRow(this.strip.context)) {\n return;\n }\n const context = this.strip.context;\n const grid = context.grid;\n if (grid) {\n this.iconService.addSvgIconFromText(pinLeft.name, pinLeft.value, 'imx-icons', true);\n this.iconService.addSvgIconFromText(unpinLeft.name, unpinLeft.value, 'imx-icons', true);\n this.iconService.addSvgIconFromText(jumpDown.name, jumpDown.value, 'imx-icons', true);\n this.iconService.addSvgIconFromText(jumpUp.name, jumpDown.value, 'imx-icons', true);\n }\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxGridPinningActionsComponent_BaseFactory;\n return function IgxGridPinningActionsComponent_Factory(t) {\n return (ɵIgxGridPinningActionsComponent_BaseFactory || (ɵIgxGridPinningActionsComponent_BaseFactory = i0.ɵɵgetInheritedFactory(IgxGridPinningActionsComponent)))(t || IgxGridPinningActionsComponent);\n };\n })();\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxGridPinningActionsComponent,\n selectors: [[\"igx-grid-pinning-actions\"]],\n hostVars: 2,\n hostBindings: function IgxGridPinningActionsComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-action-strip__pinning-actions\", ctx.cssClass);\n }\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: IgxGridActionsBaseDirective,\n useExisting: IgxGridPinningActionsComponent\n }]), i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n decls: 1,\n vars: 1,\n consts: [[4, \"ngIf\"], [\"iconSet\", \"imx-icons\", \"iconName\", \"jump-down\", 3, \"asMenuItem\", \"labelText\", \"actionClick\", 4, \"ngIf\"], [\"iconSet\", \"imx-icons\", \"iconName\", \"jump-up\", 3, \"asMenuItem\", \"labelText\", \"actionClick\", 4, \"ngIf\"], [\"iconSet\", \"imx-icons\", \"iconName\", \"pin-left\", 3, \"asMenuItem\", \"labelText\", \"actionClick\", 4, \"ngIf\"], [\"iconSet\", \"imx-icons\", \"iconName\", \"unpin-left\", 3, \"asMenuItem\", \"labelText\", \"actionClick\", 4, \"ngIf\"], [\"iconSet\", \"imx-icons\", \"iconName\", \"jump-down\", 3, \"actionClick\", \"asMenuItem\", \"labelText\"], [\"iconSet\", \"imx-icons\", \"iconName\", \"jump-up\", 3, \"actionClick\", \"asMenuItem\", \"labelText\"], [\"iconSet\", \"imx-icons\", \"iconName\", \"pin-left\", 3, \"actionClick\", \"asMenuItem\", \"labelText\"], [\"iconSet\", \"imx-icons\", \"iconName\", \"unpin-left\", 3, \"actionClick\", \"asMenuItem\", \"labelText\"]],\n template: function IgxGridPinningActionsComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵtemplate(0, IgxGridPinningActionsComponent_ng_container_0_Template, 5, 4, \"ng-container\", 0);\n }\n if (rf & 2) {\n i0.ɵɵproperty(\"ngIf\", ctx.isRowContext);\n }\n },\n dependencies: [NgIf, IgxGridActionButtonComponent],\n encapsulation: 2\n });\n }\n }\n return IgxGridPinningActionsComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* Action-strip outside of grid directives collection for ease-of-use import in standalone components scenario */\nconst IGX_ACTION_STRIP_DIRECTIVES = [IgxActionStripComponent, IgxActionStripMenuItemDirective];\n/* Action-strip in grid directives collection for ease-of-use import in standalone components scenario */\nconst IGX_GRID_ACTION_STRIP_DIRECTIVES = [IgxActionStripComponent, IgxActionStripMenuItemDirective, IgxGridPinningActionsComponent, IgxGridEditingActionsComponent, IgxGridActionsBaseDirective, IgxGridActionButtonComponent];\nlet NEXT_ID$o = 0;\nconst IgxAvatarSize = /*@__PURE__*/mkenum({\n SMALL: 'small',\n MEDIUM: 'medium',\n LARGE: 'large'\n});\nconst IgxAvatarType = /*@__PURE__*/mkenum({\n INITIALS: 'initials',\n IMAGE: 'image',\n ICON: 'icon',\n CUSTOM: 'custom'\n});\n/**\n * Avatar provides a way to display an image, icon or initials to the user.\n *\n * @igxModule IgxAvatarModule\n *\n * @igxTheme igx-avatar-theme, igx-icon-theme\n *\n * @igxKeywords avatar, profile, picture, initials\n *\n * @igxGroup Layouts\n *\n * @remarks\n *\n * The Ignite UI Avatar provides an easy way to add an avatar icon to your application. This icon can be an\n * image, someone's initials or a material icon from the Google Material icon set.\n *\n * @example\n * ```html\n * \n * \n * ```\n */\nlet IgxAvatarComponent = /*#__PURE__*/(() => {\n class IgxAvatarComponent {\n /** @hidden @internal */\n get isRounded() {\n return this.shape === 'rounded';\n }\n /** @hidden @internal */\n get isCircle() {\n return this.shape === 'circle';\n }\n /**\n * Returns the size of the avatar.\n *\n * @example\n * ```typescript\n * let avatarSize = this.avatar.size;\n * ```\n */\n get size() {\n return this._size || IgxAvatarSize.SMALL;\n }\n /**\n * Sets the size of the avatar.\n * By default, the size is `\"small\"`. It can be set to `\"medium\"` or `\"large\"`.\n *\n * @example\n * ```html\n * \n * ```\n */\n set size(value) {\n switch (value) {\n case 'small':\n case 'medium':\n case 'large':\n this._size = value;\n break;\n default:\n this._size = 'small';\n }\n }\n /**\n * Returns the type of the avatar.\n *\n * @example\n * ```typescript\n * let avatarType = this.avatar.type;\n * ```\n */\n get type() {\n if (this.src) {\n return IgxAvatarType.IMAGE;\n }\n if (this.icon) {\n return IgxAvatarType.ICON;\n }\n if (this.initials) {\n return IgxAvatarType.INITIALS;\n }\n return IgxAvatarType.CUSTOM;\n }\n /** @hidden @internal */\n get _isImageType() {\n return this.type === IgxAvatarType.IMAGE;\n }\n /** @hidden @internal */\n get _isIconType() {\n return this.type === IgxAvatarType.ICON;\n }\n /** @hidden @internal */\n get _isInitialsType() {\n return this.type === IgxAvatarType.INITIALS;\n }\n get componentSize() {\n if (this._size) {\n return `var(--ig-size-${this._size})`;\n }\n }\n /**\n * Returns the template of the avatar.\n *\n * @hidden\n * @internal\n */\n get template() {\n switch (this.type) {\n case IgxAvatarType.IMAGE:\n return this.imageTemplate;\n case IgxAvatarType.INITIALS:\n return this.initialsTemplate;\n case IgxAvatarType.ICON:\n return this.iconTemplate;\n default:\n return this.defaultTemplate;\n }\n }\n constructor(elementRef) {\n this.elementRef = elementRef;\n /**\n * Returns the `aria-label` attribute of the avatar.\n *\n * @example\n * ```typescript\n * let ariaLabel = this.avatar.ariaLabel;\n * ```\n *\n */\n this.ariaLabel = 'avatar';\n /**\n * Returns the `role` attribute of the avatar.\n *\n * @example\n * ```typescript\n * let avatarRole = this.avatar.role;\n * ```\n */\n this.role = 'img';\n /**\n * Host `class.igx-avatar` binding.\n *\n * @hidden\n * @internal\n */\n this.cssClass = 'igx-avatar';\n /**\n * Sets the `id` of the avatar. If not set, the first avatar component will have `id` = `\"igx-avatar-0\"`.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.id = `igx-avatar-${NEXT_ID$o++}`;\n /**\n * Sets square, rounded or circular shape to the avatar.\n * By default the shape of the avatar is square.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.shape = 'square';\n }\n /**\n * Returns the css url of the image.\n *\n * @hidden\n * @internal\n */\n getSrcUrl() {\n return `url(${this.src})`;\n }\n /** @hidden @internal */\n ngOnInit() {\n this.roleDescription = this.getRole();\n }\n /** @hidden @internal */\n getRole() {\n switch (this.type) {\n case IgxAvatarType.IMAGE:\n return 'image avatar';\n case IgxAvatarType.ICON:\n return 'icon avatar';\n case IgxAvatarType.INITIALS:\n return 'initials avatar';\n default:\n return 'custom avatar';\n }\n }\n static {\n this.ɵfac = function IgxAvatarComponent_Factory(t) {\n return new (t || IgxAvatarComponent)(i0.ɵɵdirectiveInject(i0.ElementRef));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxAvatarComponent,\n selectors: [[\"igx-avatar\"]],\n viewQuery: function IgxAvatarComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c29, 7, TemplateRef);\n i0.ɵɵviewQuery(_c30, 7, TemplateRef);\n i0.ɵɵviewQuery(_c31, 7, TemplateRef);\n i0.ɵɵviewQuery(_c32, 7, TemplateRef);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.defaultTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.imageTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.initialsTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.iconTemplate = _t.first);\n }\n },\n hostVars: 22,\n hostBindings: function IgxAvatarComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"aria-label\", ctx.ariaLabel)(\"role\", ctx.role)(\"aria-roledescription\", ctx.roleDescription)(\"id\", ctx.id);\n i0.ɵɵstyleProp(\"color\", ctx.color)(\"background\", ctx.bgColor)(\"--component-size\", ctx.componentSize);\n i0.ɵɵclassProp(\"igx-avatar\", ctx.cssClass)(\"igx-avatar--rounded\", ctx.isRounded)(\"igx-avatar--circle\", ctx.isCircle)(\"igx-avatar--image\", ctx._isImageType)(\"igx-avatar--icon\", ctx._isIconType)(\"igx-avatar--initials\", ctx._isInitialsType);\n }\n },\n inputs: {\n id: \"id\",\n shape: \"shape\",\n color: \"color\",\n bgColor: \"bgColor\",\n initials: \"initials\",\n icon: \"icon\",\n src: \"src\",\n size: \"size\"\n },\n standalone: true,\n features: [i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 9,\n vars: 1,\n consts: [[\"defaultTemplate\", \"\"], [\"imageTemplate\", \"\"], [\"initialsTemplate\", \"\"], [\"iconTemplate\", \"\"], [\"image\", \"\"], [4, \"ngTemplateOutlet\"], [1, \"igx-avatar__image\"]],\n template: function IgxAvatarComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵtemplate(0, IgxAvatarComponent_ng_template_0_Template, 1, 0, \"ng-template\", null, 0, i0.ɵɵtemplateRefExtractor)(2, IgxAvatarComponent_ng_template_2_Template, 2, 2, \"ng-template\", null, 1, i0.ɵɵtemplateRefExtractor)(4, IgxAvatarComponent_ng_template_4_Template, 2, 1, \"ng-template\", null, 2, i0.ɵɵtemplateRefExtractor)(6, IgxAvatarComponent_ng_template_6_Template, 2, 1, \"ng-template\", null, 3, i0.ɵɵtemplateRefExtractor)(8, IgxAvatarComponent_ng_container_8_Template, 1, 0, \"ng-container\", 5);\n }\n if (rf & 2) {\n i0.ɵɵadvance(8);\n i0.ɵɵproperty(\"ngTemplateOutlet\", ctx.template);\n }\n },\n dependencies: [IgxIconComponent, NgTemplateOutlet],\n encapsulation: 2\n });\n }\n }\n return IgxAvatarComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet NEXT_ID$n = 0;\n/**\n * Determines the igxBadge type\n */\nconst IgxBadgeType = /*@__PURE__*/mkenum({\n PRIMARY: 'primary',\n INFO: 'info',\n SUCCESS: 'success',\n WARNING: 'warning',\n ERROR: 'error'\n});\n/**\n * Badge provides visual notifications used to decorate avatars, menus, etc.\n *\n * @igxModule IgxBadgeModule\n *\n * @igxTheme igx-badge-theme\n *\n * @igxKeywords badge, icon, notification\n *\n * @igxGroup Data Entry & Display\n *\n * @remarks\n * The Ignite UI Badge is used to decorate avatars, navigation menus, or other components in the\n * application when visual notification is needed. They are usually designed as icons with a predefined\n * style to communicate information, success, warnings, or errors.\n *\n * @example\n * ```html\n * \n * \n * \n */\nlet IgxBadgeComponent = /*#__PURE__*/(() => {\n class IgxBadgeComponent {\n constructor() {\n /**\n * Sets/gets the `id` of the badge.\n *\n * @remarks\n * If not set, the `id` will have value `\"igx-badge-0\"`.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.id = `igx-badge-${NEXT_ID$n++}`;\n /**\n * Sets/gets the type of the badge.\n *\n * @remarks\n * Allowed values are `primary`, `info`, `success`, `warning`, `error`.\n * Providing an invalid value won't display a badge.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.type = IgxBadgeType.PRIMARY;\n /**\n * Sets/gets the value to be displayed inside the badge.\n *\n * @remarks\n * If an `icon` property is already set the `icon` will be displayed.\n * If neither a `value` nor an `icon` is set the content of the badge will be empty.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.value = '';\n /**\n * Sets/gets the role attribute value.\n *\n * @example\n * ```typescript\n * @ViewChild(\"MyBadge\", { read: IgxBadgeComponent })\n * public badge: IgxBadgeComponent;\n *\n * badge.role = 'status';\n * ```\n */\n this.role = 'status';\n /**\n * Sets/gets the css class to use on the badge.\n *\n * @example\n * ```typescript\n * @ViewChild(\"MyBadge\", { read: IgxBadgeComponent })\n * public badge: IgxBadgeComponent;\n *\n * badge.cssClass = 'my-badge-class';\n * ```\n */\n this.cssClass = 'igx-badge';\n /**\n * Sets a square shape to the badge, if `shape` is set to `square`.\n * By default the shape of the badge is rounded.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.shape = 'rounded';\n /**\n * Sets/gets the aria-label attribute value.\n *\n * @example\n * ```typescript\n * @ViewChild(\"MyBadge\", { read: IgxBadgeComponent })\n * public badge: IgxBadgeComponent;\n *\n * badge.label = 'badge';\n * ```\n */\n this.label = 'badge';\n }\n /** @hidden @internal */\n get _squareShape() {\n return this.shape === 'square';\n }\n /**\n * Defines a human-readable, accessor, author-localized description for\n * the `type` and the `icon` or `value` of the element.\n *\n * @hidden\n * @internal\n */\n get roleDescription() {\n if (this.icon) {\n return this.type + ' type badge with icon type ' + this.icon;\n } else if (this.value || this.value === 0) {\n return this.type + ' badge type with value ' + this.value;\n }\n return this.type + ' badge type without value';\n }\n get infoClass() {\n return this.type === IgxBadgeType.INFO;\n }\n get successClass() {\n return this.type === IgxBadgeType.SUCCESS;\n }\n get warningClass() {\n return this.type === IgxBadgeType.WARNING;\n }\n get errorClass() {\n return this.type === IgxBadgeType.ERROR;\n }\n static {\n this.ɵfac = function IgxBadgeComponent_Factory(t) {\n return new (t || IgxBadgeComponent)();\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxBadgeComponent,\n selectors: [[\"igx-badge\"]],\n hostVars: 16,\n hostBindings: function IgxBadgeComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id)(\"role\", ctx.role)(\"aria-label\", ctx.label)(\"aria-roledescription\", ctx.roleDescription);\n i0.ɵɵclassProp(\"igx-badge\", ctx.cssClass)(\"igx-badge--square\", ctx._squareShape)(\"igx-badge--info\", ctx.infoClass)(\"igx-badge--success\", ctx.successClass)(\"igx-badge--warning\", ctx.warningClass)(\"igx-badge--error\", ctx.errorClass);\n }\n },\n inputs: {\n id: \"id\",\n type: \"type\",\n value: \"value\",\n icon: \"icon\",\n iconSet: \"iconSet\",\n shape: \"shape\"\n },\n standalone: true,\n features: [i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 4,\n vars: 3,\n consts: [[\"class\", \"igx-badge__value\", 4, \"ngIf\"], [4, \"ngIf\"], [3, \"family\", \"name\", 4, \"ngIf\"], [1, \"igx-badge__value\"], [3, \"family\", \"name\"]],\n template: function IgxBadgeComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵtemplate(0, IgxBadgeComponent_span_0_Template, 2, 1, \"span\", 0)(1, IgxBadgeComponent_igx_icon_1_Template, 2, 1, \"igx-icon\", 1)(2, IgxBadgeComponent_igx_icon_2_Template, 2, 3, \"igx-icon\", 2);\n i0.ɵɵprojection(3);\n }\n if (rf & 2) {\n i0.ɵɵproperty(\"ngIf\", ctx.value || ctx.value === 0 && !ctx.icon);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.icon && !ctx.iconSet);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.icon && ctx.iconSet);\n }\n },\n dependencies: [NgIf, IgxIconComponent],\n encapsulation: 2\n });\n }\n }\n return IgxBadgeComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxBannerActionsDirective = /*#__PURE__*/(() => {\n class IgxBannerActionsDirective {\n static {\n this.ɵfac = function IgxBannerActionsDirective_Factory(t) {\n return new (t || IgxBannerActionsDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxBannerActionsDirective,\n selectors: [[\"igx-banner-actions\"]],\n standalone: true\n });\n }\n }\n return IgxBannerActionsDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst BannerResourceStringsEN = {\n igx_banner_button_dismiss: 'Dismiss'\n};\n\n/**\n * **Ignite UI for Angular Banner** -\n * [Documentation](https://www.infragistics.com/products/ignite-ui-angular/angular/components/banner.html)\n *\n * The Ignite UI Banner provides a highly template-able and easy to use banner that can be shown in your application.\n *\n * Usage:\n *\n * ```html\n * \n * Our privacy settings have changed.\n * \n * \n * \n * \n * \n * ```\n */\nlet IgxBannerComponent = /*#__PURE__*/(() => {\n class IgxBannerComponent {\n /** @hidden */\n get useDefaultTemplate() {\n return !this._bannerActionTemplate;\n }\n /**\n * Set the animation settings used by the banner open/close methods\n * ```typescript\n * import { slideInLeft, slideOutRight } from 'igniteui-angular';\n * ...\n * banner.animationSettings: ToggleAnimationSettings = { openAnimation: slideInLeft, closeAnimation: slideOutRight };\n * ```\n */\n set animationSettings(settings) {\n this._animationSettings = settings;\n }\n /**\n * Get the animation settings used by the banner open/close methods\n * ```typescript\n * let currentAnimations: ToggleAnimationSettings = banner.animationSettings\n * ```\n */\n get animationSettings() {\n return this._animationSettings ? this._animationSettings : this._expansionPanel.animationSettings;\n }\n /**\n * Gets/Sets the resource strings.\n *\n * @remarks\n * By default it uses EN resources.\n */\n set resourceStrings(value) {\n this._resourceStrings = Object.assign({}, this._resourceStrings, value);\n }\n get resourceStrings() {\n return this._resourceStrings;\n }\n /**\n * Gets whether banner is collapsed\n *\n * ```typescript\n * const isCollapsed: boolean = banner.collapsed;\n * ```\n */\n get collapsed() {\n return this._expansionPanel.collapsed;\n }\n /**\n * Returns the native element of the banner component\n * ```typescript\n * const myBannerElement: HTMLElement = banner.element;\n * ```\n */\n get element() {\n return this.elementRef.nativeElement;\n }\n /**\n * @hidden\n */\n get displayStyle() {\n return this.collapsed ? '' : 'block';\n }\n constructor(elementRef) {\n this.elementRef = elementRef;\n /**\n * Fires after the banner shows up\n * ```typescript\n * public handleOpened(event) {\n * ...\n * }\n * ```\n * ```html\n * \n * ```\n */\n this.opened = new EventEmitter();\n /**\n * Fires before the banner shows up\n * ```typescript\n * public handleOpening(event) {\n * ...\n * }\n * ```\n * ```html\n * \n * ```\n */\n this.opening = new EventEmitter();\n /**\n * Fires after the banner hides\n * ```typescript\n * public handleClosed(event) {\n * ...\n * }\n * ```\n * ```html\n * \n * ```\n */\n this.closed = new EventEmitter();\n /**\n * Fires before the banner hides\n * ```typescript\n * public handleClosing(event) {\n * ...\n * }\n * ```\n * ```html\n * \n * ```\n */\n this.closing = new EventEmitter();\n this.cssClass = 'igx-banner-host';\n this._resourceStrings = getCurrentResourceStrings(BannerResourceStringsEN);\n }\n /**\n * Opens the banner\n *\n * ```typescript\n * myBanner.open();\n * ```\n *\n * ```html\n * \n * ...\n * \n * \n * ```\n */\n open(event) {\n this._bannerEvent = {\n banner: this,\n owner: this,\n event\n };\n const openingArgs = {\n banner: this,\n owner: this,\n event,\n cancel: false\n };\n this.opening.emit(openingArgs);\n if (openingArgs.cancel) {\n return;\n }\n this._expansionPanel.open(event);\n }\n /**\n * Closes the banner\n *\n * ```typescript\n * myBanner.close();\n * ```\n *\n * ```html\n * \n * ...\n * \n * \n * ```\n */\n close(event) {\n this._bannerEvent = {\n banner: this,\n owner: this,\n event\n };\n const closingArgs = {\n banner: this,\n owner: this,\n event,\n cancel: false\n };\n this.closing.emit(closingArgs);\n if (closingArgs.cancel) {\n return;\n }\n this._expansionPanel.close(event);\n }\n /**\n * Toggles the banner\n *\n * ```typescript\n * myBanner.toggle();\n * ```\n *\n * ```html\n * \n * ...\n * \n * \n * ```\n */\n toggle(event) {\n if (this.collapsed) {\n this.open(event);\n } else {\n this.close(event);\n }\n }\n /** @hidden */\n onExpansionPanelOpen() {\n this.opened.emit(this._bannerEvent);\n }\n /** @hidden */\n onExpansionPanelClose() {\n this.closed.emit(this._bannerEvent);\n }\n static {\n this.ɵfac = function IgxBannerComponent_Factory(t) {\n return new (t || IgxBannerComponent)(i0.ɵɵdirectiveInject(i0.ElementRef));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxBannerComponent,\n selectors: [[\"igx-banner\"]],\n contentQueries: function IgxBannerComponent_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxIconComponent, 5);\n i0.ɵɵcontentQuery(dirIndex, IgxBannerActionsDirective, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.bannerIcon = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx._bannerActionTemplate = _t.first);\n }\n },\n viewQuery: function IgxBannerComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c33, 7);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx._expansionPanel = _t.first);\n }\n },\n hostVars: 4,\n hostBindings: function IgxBannerComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassMap(ctx.cssClass);\n i0.ɵɵstyleProp(\"display\", ctx.displayStyle);\n }\n },\n inputs: {\n animationSettings: \"animationSettings\",\n resourceStrings: \"resourceStrings\"\n },\n outputs: {\n opened: \"opened\",\n opening: \"opening\",\n closed: \"closed\",\n closing: \"closing\"\n },\n standalone: true,\n features: [i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c35,\n decls: 11,\n vars: 6,\n consts: [[\"expansionPanel\", \"\"], [\"aria-live\", \"polite\", 3, \"contentCollapsed\", \"contentExpanded\", \"animationSettings\", \"collapsed\"], [1, \"igx-banner\"], [1, \"igx-banner__message\"], [\"class\", \"igx-banner__illustration\", 4, \"ngIf\"], [1, \"igx-banner__text\"], [1, \"igx-banner__actions\"], [4, \"ngIf\"], [1, \"igx-banner__illustration\"], [\"type\", \"button\", \"igxButton\", \"flat\", \"igxRipple\", \"\", 3, \"click\"]],\n template: function IgxBannerComponent_Template(rf, ctx) {\n if (rf & 1) {\n const _r1 = i0.ɵɵgetCurrentView();\n i0.ɵɵprojectionDef(_c34);\n i0.ɵɵelementStart(0, \"igx-expansion-panel\", 1, 0);\n i0.ɵɵlistener(\"contentCollapsed\", function IgxBannerComponent_Template_igx_expansion_panel_contentCollapsed_0_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onExpansionPanelClose());\n })(\"contentExpanded\", function IgxBannerComponent_Template_igx_expansion_panel_contentExpanded_0_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onExpansionPanelOpen());\n });\n i0.ɵɵelementStart(2, \"igx-expansion-panel-body\")(3, \"div\", 2)(4, \"div\", 3);\n i0.ɵɵtemplate(5, IgxBannerComponent_div_5_Template, 2, 0, \"div\", 4);\n i0.ɵɵelementStart(6, \"span\", 5);\n i0.ɵɵprojection(7);\n i0.ɵɵelementEnd()();\n i0.ɵɵelementStart(8, \"div\", 6);\n i0.ɵɵtemplate(9, IgxBannerComponent_ng_container_9_Template, 3, 1, \"ng-container\", 7)(10, IgxBannerComponent_ng_container_10_Template, 2, 0, \"ng-container\", 7);\n i0.ɵɵelementEnd()()()();\n }\n if (rf & 2) {\n i0.ɵɵproperty(\"animationSettings\", ctx.animationSettings)(\"collapsed\", ctx.collapsed);\n i0.ɵɵattribute(\"aria-hidden\", ctx.collapsed);\n i0.ɵɵadvance(5);\n i0.ɵɵproperty(\"ngIf\", ctx.bannerIcon);\n i0.ɵɵadvance(4);\n i0.ɵɵproperty(\"ngIf\", ctx.useDefaultTemplate);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", !ctx.useDefaultTemplate);\n }\n },\n dependencies: [IgxExpansionPanelComponent, IgxExpansionPanelBodyComponent, NgIf, IgxButtonDirective, IgxRippleDirective],\n encapsulation: 2\n });\n }\n }\n return IgxBannerComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* Banner directives collection for ease-of-use import in standalone components scenario */\nconst IGX_BANNER_DIRECTIVES = [IgxBannerComponent, IgxBannerActionsDirective];\n\n/**\n * Determines the Button Group alignment\n */\nconst ButtonGroupAlignment = mkenum({\n horizontal: 'horizontal',\n vertical: 'vertical'\n});\nlet NEXT_ID$m = 0;\n/**\n * **Ignite UI for Angular Button Group** -\n * [Documentation](https://www.infragistics.com/products/ignite-ui-angular/angular/components/buttongroup.html)\n *\n * The Ignite UI Button Group displays a group of buttons either vertically or horizontally. The group supports\n * single, multi and singleRequired selection.\n *\n * Example:\n * ```html\n * \n * \n * ```\n * The `fontOptions` value shown above is defined as:\n * ```typescript\n * this.fontOptions = [\n * { icon: 'format_bold', selected: false },\n * { icon: 'format_italic', selected: false },\n * { icon: 'format_underlined', selected: false }];\n * ```\n */\nlet IgxButtonGroupComponent = /*#__PURE__*/(() => {\n class IgxButtonGroupComponent extends DisplayDensityBase {\n /**\n * A collection containing all buttons inside the button group.\n */\n get buttons() {\n return [...this.viewButtons.toArray(), ...this.templateButtons.toArray()];\n }\n /**\n * Allows you to set a style using the `itemContentCssClass` input.\n * The value should be the CSS class name that will be applied to the button group.\n * ```typescript\n * public style1 = \"styleClass\";\n * //..\n * ```\n * ```html\n * \n * ```\n */\n set itemContentCssClass(value) {\n this._itemContentCssClass = value || this._itemContentCssClass;\n }\n /**\n * Returns the CSS class of the item content of the `IgxButtonGroup`.\n * ```typescript\n * @ViewChild(\"MyChild\")\n * public buttonG: IgxButtonGroupComponent;\n * ngAfterViewInit(){\n * let buttonSelect = this.buttonG.itemContentCssClass;\n * }\n * ```\n */\n get itemContentCssClass() {\n return this._itemContentCssClass;\n }\n /**\n * Enables selecting multiple buttons. By default, multi-selection is false.\n *\n * @deprecated in version 16.1.0. Use the `selectionMode` property instead.\n */\n get multiSelection() {\n if (this.selectionMode === 'multi') {\n return true;\n } else {\n return false;\n }\n }\n set multiSelection(selectionMode) {\n if (selectionMode) {\n this.selectionMode = 'multi';\n } else {\n this.selectionMode = 'single';\n }\n }\n /**\n * Gets/Sets the selection mode to 'single', 'singleRequired' or 'multi' of the buttons. By default, the selection mode is 'single'.\n * ```html\n * \n * ```\n */\n get selectionMode() {\n return this._selectionMode;\n }\n set selectionMode(selectionMode) {\n if (this.viewButtons && selectionMode !== this._selectionMode) {\n this.buttons.forEach((b, i) => {\n this.deselectButton(i);\n });\n this._selectionMode = selectionMode;\n } else {\n this._selectionMode = selectionMode;\n }\n }\n /**\n * Disables the `igx-buttongroup` component. By default it's false.\n * ```html\n * \n * ```\n */\n get disabled() {\n return this._disabled;\n }\n set disabled(value) {\n if (this._disabled !== value) {\n this._disabled = value;\n if (this.viewButtons && this.templateButtons) {\n this.buttons.forEach(b => b.disabled = this._disabled);\n }\n }\n }\n /**\n * Allows you to set the button group alignment.\n * Available options are `ButtonGroupAlignment.horizontal` (default) and `ButtonGroupAlignment.vertical`.\n * ```typescript\n * public alignment = ButtonGroupAlignment.vertical;\n * //..\n * ```\n * ```html\n * \n * ```\n */\n set alignment(value) {\n this._isVertical = value === ButtonGroupAlignment.vertical;\n }\n /**\n * Returns the alignment of the `igx-buttongroup`.\n * ```typescript\n * @ViewChild(\"MyChild\")\n * public buttonG: IgxButtonGroupComponent;\n * ngAfterViewInit(){\n * let buttonAlignment = this.buttonG.alignment;\n * }\n * ```\n */\n get alignment() {\n return this._isVertical ? ButtonGroupAlignment.vertical : ButtonGroupAlignment.horizontal;\n }\n /**\n * Returns true if the `igx-buttongroup` alignment is vertical.\n * Note that in order for the accessor to work correctly the property should be set explicitly.\n * ```html\n * \n * ```\n * ```typescript\n * //...\n * @ViewChild(\"MyChild\")\n * private buttonG: IgxButtonGroupComponent;\n * ngAfterViewInit(){\n * let orientation = this.buttonG.isVertical;\n * }\n * ```\n */\n get isVertical() {\n return this._isVertical;\n }\n constructor(_cdr, _renderer, _el, _displayDensityOptions) {\n super(_displayDensityOptions, _el);\n this._cdr = _cdr;\n this._renderer = _renderer;\n this._el = _el;\n this._displayDensityOptions = _displayDensityOptions;\n /**\n * Gets/Sets the value of the `id` attribute. If not set it will be automatically generated.\n * ```html\n * \n * ```\n */\n this.id = `igx-buttongroup-${NEXT_ID$m++}`;\n /**\n * @hidden\n */\n this.zIndex = 0;\n /**\n * An @Ouput property that emits an event when a button is selected.\n * ```typescript\n * @ViewChild(\"toast\")\n * private toast: IgxToastComponent;\n * public selectedHandler(buttongroup) {\n * this.toast.open()\n * }\n * //...\n * ```\n * ```html\n * \n * You have made a selection!\n * ```\n */\n this.selected = new EventEmitter();\n /**\n * An @Ouput property that emits an event when a button is deselected.\n * ```typescript\n * @ViewChild(\"toast\")\n * private toast: IgxToastComponent;\n * public deselectedHandler(buttongroup){\n * this.toast.open()\n * }\n * //...\n * ```\n * ```html\n * #MyChild [selectionMode]=\"'multi'\" (deselected)=\"deselectedHandler($event)\">\n * You have deselected a button!\n * ```\n */\n this.deselected = new EventEmitter();\n /**\n * @hidden\n */\n this.selectedIndexes = [];\n this.buttonClickNotifier$ = new Subject();\n this.queryListNotifier$ = new Subject();\n this._disabled = false;\n this._selectionMode = 'single';\n this.observerConfig = {\n attributeFilter: [\"data-selected\"],\n childList: true,\n subtree: true\n };\n }\n /**\n * Gets the selected button/buttons.\n * ```typescript\n * @ViewChild(\"MyChild\")\n * private buttonG: IgxButtonGroupComponent;\n * ngAfterViewInit(){\n * let selectedButton = this.buttonG.selectedButtons;\n * }\n * ```\n */\n get selectedButtons() {\n return this.buttons.filter((_, i) => this.selectedIndexes.indexOf(i) !== -1);\n }\n /**\n * Selects a button by its index.\n * ```typescript\n * @ViewChild(\"MyChild\")\n * private buttonG: IgxButtonGroupComponent;\n * ngAfterViewInit(){\n * this.buttonG.selectButton(2);\n * this.cdr.detectChanges();\n * }\n * ```\n *\n * @memberOf {@link IgxButtonGroupComponent}\n */\n selectButton(index) {\n if (index >= this.buttons.length || index < 0) {\n return;\n }\n const button = this.buttons[index];\n button.select();\n }\n /**\n * @hidden\n * @internal\n */\n updateSelected(index) {\n const button = this.buttons[index];\n if (this.selectedIndexes.indexOf(index) === -1) {\n this.selectedIndexes.push(index);\n }\n this._renderer.setAttribute(button.nativeElement, 'aria-pressed', 'true');\n this._renderer.addClass(button.nativeElement, 'igx-button-group__item--selected');\n const indexInViewButtons = this.viewButtons.toArray().indexOf(button);\n if (indexInViewButtons !== -1) {\n this.values[indexInViewButtons].selected = true;\n }\n // deselect other buttons if selectionMode is not multi\n if (this.selectionMode !== 'multi' && this.selectedIndexes.length > 1) {\n this.buttons.forEach((_, i) => {\n if (i !== index && this.selectedIndexes.indexOf(i) !== -1) {\n this.deselectButton(i);\n this.updateDeselected(i);\n }\n });\n }\n }\n updateDeselected(index) {\n const button = this.buttons[index];\n if (this.selectedIndexes.indexOf(index) !== -1) {\n this.selectedIndexes.splice(this.selectedIndexes.indexOf(index), 1);\n }\n this._renderer.setAttribute(button.nativeElement, 'aria-pressed', 'false');\n this._renderer.removeClass(button.nativeElement, 'igx-button-group__item--selected');\n const indexInViewButtons = this.viewButtons.toArray().indexOf(button);\n if (indexInViewButtons !== -1) {\n this.values[indexInViewButtons].selected = false;\n }\n }\n /**\n * Deselects a button by its index.\n * ```typescript\n * @ViewChild(\"MyChild\")\n * private buttonG: IgxButtonGroupComponent;\n * ngAfterViewInit(){\n * this.buttonG.deselectButton(2);\n * this.cdr.detectChanges();\n * }\n * ```\n *\n * @memberOf {@link IgxButtonGroupComponent}\n */\n deselectButton(index) {\n if (index >= this.buttons.length || index < 0) {\n return;\n }\n const button = this.buttons[index];\n button.deselect();\n }\n /**\n * @hidden\n */\n ngAfterContentInit() {\n this.templateButtons.forEach(button => {\n if (!button.initialDensity) {\n button.displayDensity = this.displayDensity;\n }\n });\n }\n /**\n * @hidden\n */\n ngAfterViewInit() {\n const initButtons = () => {\n // Cancel any existing buttonClick subscriptions\n this.buttonClickNotifier$.next();\n this.selectedIndexes.splice(0, this.selectedIndexes.length);\n // initial configuration\n this.buttons.forEach((button, index) => {\n const buttonElement = button.nativeElement;\n this._renderer.addClass(buttonElement, 'igx-button-group__item');\n if (this.disabled) {\n button.disabled = true;\n }\n if (button.selected) {\n this.updateSelected(index);\n }\n button.buttonClick.pipe(takeUntil(this.buttonClickNotifier$)).subscribe(_ => this._clickHandler(index));\n });\n };\n this.mutationObserver = this.setMutationsObserver();\n this.viewButtons.changes.pipe(takeUntil(this.queryListNotifier$)).subscribe(() => {\n this.mutationObserver.disconnect();\n initButtons();\n this.mutationObserver?.observe(this._el.nativeElement, this.observerConfig);\n });\n this.templateButtons.changes.pipe(takeUntil(this.queryListNotifier$)).subscribe(() => {\n this.mutationObserver.disconnect();\n initButtons();\n this.mutationObserver?.observe(this._el.nativeElement, this.observerConfig);\n });\n initButtons();\n this._cdr.detectChanges();\n this.mutationObserver?.observe(this._el.nativeElement, this.observerConfig);\n }\n /**\n * @hidden\n */\n ngOnDestroy() {\n this.buttonClickNotifier$.next();\n this.buttonClickNotifier$.complete();\n this.queryListNotifier$.next();\n this.queryListNotifier$.complete();\n this.mutationObserver?.disconnect();\n }\n /**\n * @hidden\n */\n _clickHandler(index) {\n const button = this.buttons[index];\n const args = {\n owner: this,\n button,\n index\n };\n if (this.selectionMode !== 'multi') {\n this.buttons.forEach((b, i) => {\n if (i !== index && this.selectedIndexes.indexOf(i) !== -1) {\n this.deselected.emit({\n owner: this,\n button: b,\n index: i\n });\n }\n });\n }\n if (this.selectedIndexes.indexOf(index) === -1) {\n this.selectButton(index);\n this.selected.emit(args);\n } else {\n if (this.selectionMode !== 'singleRequired') {\n this.deselectButton(index);\n this.deselected.emit(args);\n }\n }\n }\n setMutationsObserver() {\n if (typeof MutationObserver !== 'undefined') {\n return new MutationObserver((records, observer) => {\n // Stop observing while handling changes\n observer.disconnect();\n const updatedButtons = this.getUpdatedButtons(records);\n if (updatedButtons.length > 0) {\n updatedButtons.forEach(button => {\n const index = this.buttons.map(b => b.nativeElement).indexOf(button);\n this.updateButtonSelectionState(index);\n });\n }\n // Watch for changes again\n observer.observe(this._el.nativeElement, this.observerConfig);\n });\n }\n }\n getUpdatedButtons(records) {\n const updated = [];\n records.filter(x => x.type === 'attributes').reduce((prev, curr) => {\n prev.push(curr.target);\n return prev;\n }, updated);\n return updated;\n }\n updateButtonSelectionState(index) {\n if (this.buttons[index].selected) {\n this.updateSelected(index);\n } else {\n this.updateDeselected(index);\n }\n }\n static {\n this.ɵfac = function IgxButtonGroupComponent_Factory(t) {\n return new (t || IgxButtonGroupComponent)(i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.Renderer2), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(DisplayDensityToken, 8));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxButtonGroupComponent,\n selectors: [[\"igx-buttongroup\"]],\n contentQueries: function IgxButtonGroupComponent_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxButtonDirective, 4);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.templateButtons = _t);\n }\n },\n viewQuery: function IgxButtonGroupComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(IgxButtonDirective, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.viewButtons = _t);\n }\n },\n hostVars: 3,\n hostBindings: function IgxButtonGroupComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id);\n i0.ɵɵstyleProp(\"z-index\", ctx.zIndex);\n }\n },\n inputs: {\n id: \"id\",\n itemContentCssClass: \"itemContentCssClass\",\n multiSelection: \"multiSelection\",\n selectionMode: \"selectionMode\",\n values: \"values\",\n disabled: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"disabled\", \"disabled\", booleanAttribute],\n alignment: \"alignment\"\n },\n outputs: {\n selected: \"selected\",\n deselected: \"deselected\"\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 3,\n vars: 3,\n consts: [[\"role\", \"group\", 1, \"igx-button-group\"], [\"type\", \"button\", \"igxButton\", \"flat\", 3, \"displayDensity\", \"selected\", \"disabled\", \"igxLabel\", \"igxRipple\", 4, \"ngFor\", \"ngForOf\"], [\"type\", \"button\", \"igxButton\", \"flat\", 3, \"displayDensity\", \"selected\", \"disabled\", \"igxLabel\", \"igxRipple\"], [4, \"ngIf\"], [\"class\", \"igx-button-group__button-text\", 4, \"ngIf\"], [1, \"igx-button-group__button-text\"]],\n template: function IgxButtonGroupComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵelementStart(0, \"div\", 0);\n i0.ɵɵtemplate(1, IgxButtonGroupComponent_button_1_Template, 4, 11, \"button\", 1);\n i0.ɵɵprojection(2);\n i0.ɵɵelementEnd();\n }\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-button-group--vertical\", ctx.isVertical);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngForOf\", ctx.values);\n }\n },\n dependencies: [NgFor, IgxButtonDirective, IgxRippleDirective, NgIf, IgxIconComponent],\n encapsulation: 2\n });\n }\n }\n return IgxButtonGroupComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* Button group directives collection for ease-of-use import in standalone components scenario */\nconst IGX_BUTTON_GROUP_DIRECTIVES = [IgxButtonGroupComponent, IgxButtonDirective];\nconst daysInWeek = 7;\nconst millisecondsInDay = 86400000;\nfunction toCalendarDay(date) {\n return date instanceof Date ? CalendarDay.from(date) : date;\n}\nfunction checkRollover(original, modified) {\n return original.date !== modified.date ? modified.set({\n date: 0\n }) : modified;\n}\nclass CalendarDay {\n /** Constructs and returns the current day. */\n static get today() {\n return CalendarDay.from(new Date());\n }\n /** Constructs a new CalendarDay instance from a Date object. */\n static from(date) {\n return new CalendarDay({\n year: date.getFullYear(),\n month: date.getMonth(),\n date: date.getDate()\n });\n }\n constructor(args) {\n this._date = new Date(args.year, args.month, args.date ?? 1);\n }\n /** Returns a copy of this instance. */\n clone() {\n return CalendarDay.from(this._date);\n }\n /**\n * Returns a new instance with values replaced.\n */\n set(args) {\n return new CalendarDay({\n year: args.year ?? this.year,\n month: args.month ?? this.month,\n date: args.date ?? this.date\n });\n }\n add(unit, value) {\n const result = this.clone();\n switch (unit) {\n case \"year\":\n result._date.setFullYear(result.year + value);\n return checkRollover(this, result);\n case \"quarter\":\n result._date.setMonth(result.month + 3 * value);\n return checkRollover(this, result);\n case \"month\":\n result._date.setMonth(result.month + value);\n return checkRollover(this, result);\n case \"week\":\n result._date.setDate(result.date + 7 * value);\n return result;\n case \"day\":\n result._date.setDate(result.date + value);\n return result;\n default:\n throw new Error(\"Invalid interval\");\n }\n }\n /** Returns the day of the week (Sunday = 0). */\n get day() {\n return this._date.getDay();\n }\n /** Returns the full year. */\n get year() {\n return this._date.getFullYear();\n }\n /** Returns the month. */\n get month() {\n return this._date.getMonth();\n }\n /** Returns the date */\n get date() {\n return this._date.getDate();\n }\n /** Returns the timestamp since epoch in milliseconds. */\n get timestamp() {\n return this._date.getTime();\n }\n /** Returns the current week number. */\n get week() {\n const firstDay = new CalendarDay({\n year: this.year,\n month: 0\n }).timestamp;\n const currentDay = (this.timestamp - firstDay + millisecondsInDay) / millisecondsInDay;\n return Math.ceil(currentDay / daysInWeek);\n }\n /** Returns the underlying native date instance. */\n get native() {\n return new Date(this._date);\n }\n /**\n * Whether the current date is a weekend day.\n *\n * @remarks\n * This is naive, since it does not account for locale specifics.\n */\n get weekend() {\n return this.day < 1 || this.day > 5;\n }\n equalTo(value) {\n return this.timestamp === toCalendarDay(value).timestamp;\n }\n greaterThan(value) {\n return this.timestamp > toCalendarDay(value).timestamp;\n }\n lessThan(value) {\n return this.timestamp < toCalendarDay(value).timestamp;\n }\n toString() {\n return `${this.native}`;\n }\n}\n\n/**\n * This file contains all the directives used by the @link IgxCalendarComponent.\n * Except for the directives which are used for templating the calendar itself\n * you should generally not use them directly.\n *\n * @preferred\n */\nconst IGX_CALENDAR_VIEW_ITEM = new InjectionToken('IgxCalendarViewItem');\nlet IgxCalendarViewBaseDirective = /*#__PURE__*/(() => {\n class IgxCalendarViewBaseDirective {\n get nativeElement() {\n return this.elementRef.nativeElement;\n }\n constructor(elementRef) {\n this.elementRef = elementRef;\n this.showActive = false;\n this.itemSelection = new EventEmitter();\n }\n onMouseDown(event) {\n event.preventDefault();\n this.itemSelection.emit(this.value);\n }\n static {\n this.ɵfac = function IgxCalendarViewBaseDirective_Factory(t) {\n return new (t || IgxCalendarViewBaseDirective)(i0.ɵɵdirectiveInject(i0.ElementRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCalendarViewBaseDirective,\n hostBindings: function IgxCalendarViewBaseDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"mousedown\", function IgxCalendarViewBaseDirective_mousedown_HostBindingHandler($event) {\n return ctx.onMouseDown($event);\n });\n }\n },\n inputs: {\n value: \"value\",\n date: \"date\",\n showActive: \"showActive\"\n },\n outputs: {\n itemSelection: \"itemSelection\"\n }\n });\n }\n }\n return IgxCalendarViewBaseDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * @hidden\n */\nlet IgxCalendarYearDirective = /*#__PURE__*/(() => {\n class IgxCalendarYearDirective extends IgxCalendarViewBaseDirective {\n get isCurrent() {\n return CalendarDay.today.year === this.value.getFullYear();\n }\n get isSelected() {\n return this.value.getFullYear() === this.date.getFullYear();\n }\n get isActive() {\n return this.isSelected && this.showActive;\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxCalendarYearDirective_BaseFactory;\n return function IgxCalendarYearDirective_Factory(t) {\n return (ɵIgxCalendarYearDirective_BaseFactory || (ɵIgxCalendarYearDirective_BaseFactory = i0.ɵɵgetInheritedFactory(IgxCalendarYearDirective)))(t || IgxCalendarYearDirective);\n };\n })();\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCalendarYearDirective,\n selectors: [[\"\", \"igxCalendarYear\", \"\"]],\n hostVars: 6,\n hostBindings: function IgxCalendarYearDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-years-view__year--current\", ctx.isCurrent)(\"igx-years-view__year--selected\", ctx.isSelected)(\"igx-years-view__year--active\", ctx.isActive);\n }\n },\n exportAs: [\"igxCalendarYear\"],\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: IGX_CALENDAR_VIEW_ITEM,\n useExisting: IgxCalendarYearDirective\n }]), i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxCalendarYearDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxCalendarMonthDirective = /*#__PURE__*/(() => {\n class IgxCalendarMonthDirective extends IgxCalendarViewBaseDirective {\n get isCurrent() {\n const today = CalendarDay.today;\n const date = CalendarDay.from(this.value);\n return date.year === today.year && date.month === today.month;\n }\n get isSelected() {\n return this.value.getFullYear() === this.date.getFullYear() && this.value.getMonth() === this.date.getMonth();\n }\n get isActive() {\n return this.isSelected && this.showActive;\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxCalendarMonthDirective_BaseFactory;\n return function IgxCalendarMonthDirective_Factory(t) {\n return (ɵIgxCalendarMonthDirective_BaseFactory || (ɵIgxCalendarMonthDirective_BaseFactory = i0.ɵɵgetInheritedFactory(IgxCalendarMonthDirective)))(t || IgxCalendarMonthDirective);\n };\n })();\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCalendarMonthDirective,\n selectors: [[\"\", \"igxCalendarMonth\", \"\"]],\n hostVars: 6,\n hostBindings: function IgxCalendarMonthDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-months-view__month--current\", ctx.isCurrent)(\"igx-months-view__month--selected\", ctx.isSelected)(\"igx-months-view__month--active\", ctx.isActive);\n }\n },\n exportAs: [\"igxCalendarMonth\"],\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: IGX_CALENDAR_VIEW_ITEM,\n useExisting: IgxCalendarMonthDirective\n }]), i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxCalendarMonthDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * @hidden\n */\nlet IgxCalendarHeaderTitleTemplateDirective = /*#__PURE__*/(() => {\n class IgxCalendarHeaderTitleTemplateDirective {\n constructor(template) {\n this.template = template;\n }\n static {\n this.ɵfac = function IgxCalendarHeaderTitleTemplateDirective_Factory(t) {\n return new (t || IgxCalendarHeaderTitleTemplateDirective)(i0.ɵɵdirectiveInject(i0.TemplateRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCalendarHeaderTitleTemplateDirective,\n selectors: [[\"\", \"igxCalendarHeaderTitle\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxCalendarHeaderTitleTemplateDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * @hidden\n */\nlet IgxCalendarHeaderTemplateDirective = /*#__PURE__*/(() => {\n class IgxCalendarHeaderTemplateDirective {\n constructor(template) {\n this.template = template;\n }\n static {\n this.ɵfac = function IgxCalendarHeaderTemplateDirective_Factory(t) {\n return new (t || IgxCalendarHeaderTemplateDirective)(i0.ɵɵdirectiveInject(i0.TemplateRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCalendarHeaderTemplateDirective,\n selectors: [[\"\", \"igxCalendarHeader\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxCalendarHeaderTemplateDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * @hidden\n */\nlet IgxCalendarSubheaderTemplateDirective = /*#__PURE__*/(() => {\n class IgxCalendarSubheaderTemplateDirective {\n constructor(template) {\n this.template = template;\n }\n static {\n this.ɵfac = function IgxCalendarSubheaderTemplateDirective_Factory(t) {\n return new (t || IgxCalendarSubheaderTemplateDirective)(i0.ɵɵdirectiveInject(i0.TemplateRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCalendarSubheaderTemplateDirective,\n selectors: [[\"\", \"igxCalendarSubheader\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxCalendarSubheaderTemplateDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * @hidden\n */\nlet IgxCalendarScrollPageDirective = /*#__PURE__*/(() => {\n class IgxCalendarScrollPageDirective {\n constructor(element, zone, platform) {\n this.element = element;\n this.zone = zone;\n this.platform = platform;\n /**\n * @hidden\n */\n this.destroy$ = new Subject();\n }\n /**\n * @hidden\n */\n onMouseDown(event) {\n event.preventDefault();\n this.startScroll();\n }\n /**\n * @hidden\n */\n onMouseUp(event) {\n this.stopScroll(event);\n }\n /**\n * @hidden\n */\n ngAfterViewInit() {\n fromEvent(this.element.nativeElement, 'keyup').pipe(debounce(() => interval(100)), takeUntil(this.destroy$)).subscribe(event => {\n this.stopScroll(event);\n });\n this.zone.runOutsideAngular(() => {\n fromEvent(this.element.nativeElement, 'keydown').pipe(tap(event => {\n if (this.platform.isActivationKey(event)) {\n event.preventDefault();\n event.stopPropagation();\n }\n }), debounce(() => interval(100)), takeUntil(this.destroy$)).subscribe(event => {\n if (this.platform.isActivationKey(event)) {\n this.zone.run(() => this.startScroll(true));\n }\n });\n });\n }\n /**\n * @hidden\n */\n ngOnDestroy() {\n this.destroy$.next(true);\n this.destroy$.complete();\n }\n static {\n this.ɵfac = function IgxCalendarScrollPageDirective_Factory(t) {\n return new (t || IgxCalendarScrollPageDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.NgZone), i0.ɵɵdirectiveInject(PlatformUtil));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCalendarScrollPageDirective,\n selectors: [[\"\", \"igxCalendarScrollPage\", \"\"]],\n hostBindings: function IgxCalendarScrollPageDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"mousedown\", function IgxCalendarScrollPageDirective_mousedown_HostBindingHandler($event) {\n return ctx.onMouseDown($event);\n })(\"mouseup\", function IgxCalendarScrollPageDirective_mouseup_HostBindingHandler($event) {\n return ctx.onMouseUp($event);\n });\n }\n },\n inputs: {\n startScroll: \"startScroll\",\n stopScroll: \"stopScroll\"\n },\n standalone: true\n });\n }\n }\n return IgxCalendarScrollPageDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Sets the selection type - single, multi or range.\n */\nconst CalendarSelection = /*@__PURE__*/mkenum({\n SINGLE: 'single',\n MULTI: 'multi',\n RANGE: 'range'\n});\nconst IgxCalendarView = /*@__PURE__*/mkenum({\n Month: 'month',\n Year: 'year',\n Decade: 'decade'\n});\nconst MDAYS = [31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31];\nconst FEBRUARY = 1;\nconst range = (start = 0, stop, step = 1) => {\n const res = [];\n const cur = stop === undefined ? 0 : start;\n const max = stop === undefined ? start : stop;\n for (let i = cur; step < 0 ? i > max : i < max; i += step) {\n res.push(i);\n }\n return res;\n};\n/**\n * Returns true for leap years, false for non-leap years.\n *\n * @export\n * @param year\n * @returns\n */\nconst isLeap = year => year % 4 === 0 && (year % 100 !== 0 || year % 400 === 0);\nconst weekDay = (year, month, day) => new Date(year, month, day).getDay();\n/**\n * Return weekday and number of days for year, month.\n *\n * @export\n * @param year\n * @param month\n * @returns\n */\nconst monthRange = (year, month) => {\n if (month < 0 || month > 11) {\n throw new Error('Invalid month specified');\n }\n const day = weekDay(year, month, 1);\n let nDays = MDAYS[month];\n if (month === FEBRUARY && isLeap(year)) {\n nDays++;\n }\n return [day, nDays];\n};\nvar WEEKDAYS = /*#__PURE__*/function (WEEKDAYS) {\n WEEKDAYS[WEEKDAYS[\"SUNDAY\"] = 0] = \"SUNDAY\";\n WEEKDAYS[WEEKDAYS[\"MONDAY\"] = 1] = \"MONDAY\";\n WEEKDAYS[WEEKDAYS[\"TUESDAY\"] = 2] = \"TUESDAY\";\n WEEKDAYS[WEEKDAYS[\"WEDNESDAY\"] = 3] = \"WEDNESDAY\";\n WEEKDAYS[WEEKDAYS[\"THURSDAY\"] = 4] = \"THURSDAY\";\n WEEKDAYS[WEEKDAYS[\"FRIDAY\"] = 5] = \"FRIDAY\";\n WEEKDAYS[WEEKDAYS[\"SATURDAY\"] = 6] = \"SATURDAY\";\n return WEEKDAYS;\n}(WEEKDAYS || {});\nclass Calendar {\n timedelta(date, interval, units) {\n const ret = new Date(date);\n const checkRollover = () => {\n if (ret.getDate() !== date.getDate()) {\n ret.setDate(0);\n }\n };\n switch (interval.toLowerCase()) {\n case 'year':\n ret.setFullYear(ret.getFullYear() + units);\n checkRollover();\n break;\n case 'quarter':\n ret.setMonth(ret.getMonth() + 3 * units);\n checkRollover();\n break;\n case 'month':\n ret.setMonth(ret.getMonth() + units);\n checkRollover();\n break;\n case 'week':\n ret.setDate(ret.getDate() + 7 * units);\n break;\n case 'day':\n ret.setDate(ret.getDate() + units);\n break;\n case 'hour':\n ret.setTime(ret.getTime() + units * 3600000);\n break;\n case 'minute':\n ret.setTime(ret.getTime() + units * 60000);\n break;\n case 'second':\n ret.setTime(ret.getTime() + units * 1000);\n break;\n default:\n throw new Error('Invalid interval specifier');\n }\n return ret;\n }\n}\nvar DateRangeType$1 = /*#__PURE__*/function (DateRangeType) {\n DateRangeType[DateRangeType[\"After\"] = 0] = \"After\";\n DateRangeType[DateRangeType[\"Before\"] = 1] = \"Before\";\n DateRangeType[DateRangeType[\"Between\"] = 2] = \"Between\";\n DateRangeType[DateRangeType[\"Specific\"] = 3] = \"Specific\";\n DateRangeType[DateRangeType[\"Weekdays\"] = 4] = \"Weekdays\";\n DateRangeType[DateRangeType[\"Weekends\"] = 5] = \"Weekends\";\n return DateRangeType;\n}(DateRangeType$1 || {});\nfunction areSameMonth(firstMonth, secondMonth) {\n const [a, b] = [toCalendarDay(firstMonth), toCalendarDay(secondMonth)];\n return a.year === b.year && a.month === b.month;\n}\nfunction isNextMonth(target, origin) {\n const [a, b] = [toCalendarDay(target), toCalendarDay(origin)];\n return a.year === b.year ? a.month > b.month : a.year > b.year;\n}\nfunction isPreviousMonth(target, origin) {\n const [a, b] = [toCalendarDay(target), toCalendarDay(origin)];\n return a.year === b.year ? a.month < b.month : a.year < b.year;\n}\n/** Returns the next date starting from `start` that does not match the `disabled` descriptors */\nfunction getNextActiveDate(start, disabled = []) {\n while (isDateInRanges(start, disabled)) {\n start = start.add(\"day\", 1);\n }\n return start;\n}\n/** Returns the previous date starting from `start` that does not match the `disabled` descriptors */\nfunction getPreviousActiveDate(start, disabled = []) {\n while (isDateInRanges(start, disabled)) {\n start = start.add(\"day\", -1);\n }\n return start;\n}\nfunction getClosestActiveDate(start, delta, disabled = []) {\n // TODO: implement a more robust logic for max attempts,\n // i.e. the amount of days to jump between before giving up\n // currently it will try to find the closest date for a year\n const maxAttempts = 366;\n let date = start;\n let attempts = 0;\n while (attempts < maxAttempts) {\n date = start.add(\"day\", delta * (attempts + 1));\n if (!isDateInRanges(date, disabled)) {\n return date;\n }\n attempts++;\n }\n return date;\n}\n/**\n * Returns a generator yielding day values between `start` and `end` (non-inclusive)\n * by a given `unit` as a step.\n *\n * @remarks\n * By default, `unit` is set to 'day'.\n */\nfunction* calendarRange(options) {\n let low = toCalendarDay(options.start);\n const unit = options.unit ?? \"day\";\n const high = typeof options.end === \"number\" ? low.add(unit, options.end) : toCalendarDay(options.end);\n const reverse = high.lessThan(low);\n const step = reverse ? -1 : 1;\n while (!reverse ? low.lessThan(high) : low.greaterThan(high)) {\n yield low;\n low = low.add(unit, step);\n }\n}\nfunction* generateMonth(value, firstWeekDay) {\n const {\n year,\n month\n } = toCalendarDay(value);\n const start = new CalendarDay({\n year,\n month\n });\n const offset = modulo(start.day - firstWeekDay, daysInWeek);\n yield* calendarRange({\n start: start.add(\"day\", -offset),\n end: 42\n });\n}\nfunction getYearRange(current, range) {\n const year = toCalendarDay(current).year;\n const start = Math.floor(year / range) * range;\n return {\n start,\n end: start + range - 1\n };\n}\nfunction isDateInRanges(date, ranges) {\n const value = toCalendarDay(date);\n return ranges.some(range => {\n const days = (range.dateRange ?? []).map(day => toCalendarDay(day));\n switch (range.type) {\n case DateRangeType$1.After:\n return value.greaterThan(first$1(days));\n case DateRangeType$1.Before:\n return value.lessThan(first$1(days));\n case DateRangeType$1.Between:\n {\n const min = Math.min(first$1(days).timestamp, last$1(days).timestamp);\n const max = Math.max(first$1(days).timestamp, last$1(days).timestamp);\n return value.timestamp >= min && value.timestamp <= max;\n }\n case DateRangeType$1.Specific:\n return days.some(day => day.equalTo(value));\n case DateRangeType$1.Weekdays:\n return !value.weekend;\n case DateRangeType$1.Weekends:\n return value.weekend;\n default:\n return false;\n }\n });\n}\nfunction formatToParts(date, locale, options, parts) {\n const formatter = new Intl.DateTimeFormat(locale, options);\n const result = {\n date,\n full: formatter.format(date)\n };\n const getFormattedPart = (formattedParts, partType) => {\n const part = formattedParts.find(({\n type\n }) => type === partType);\n const nextPart = formattedParts[formattedParts.indexOf(part) + 1];\n const value = part?.value || \"\";\n const literal = nextPart?.type === \"literal\" ? nextPart.value : \"\";\n return {\n value,\n literal,\n combined: value + literal\n };\n };\n if (\"formatToParts\" in formatter) {\n const formattedParts = formatter.formatToParts(date);\n parts.forEach(part => result[part] = getFormattedPart(formattedParts, part));\n } else {\n parts.forEach(part => result[part] = {\n value: \"\",\n literal: \"\",\n combined: \"\"\n });\n }\n return result;\n}\nvar DateRangeType = /*#__PURE__*/function (DateRangeType) {\n DateRangeType[DateRangeType[\"After\"] = 0] = \"After\";\n DateRangeType[DateRangeType[\"Before\"] = 1] = \"Before\";\n DateRangeType[DateRangeType[\"Between\"] = 2] = \"Between\";\n DateRangeType[DateRangeType[\"Specific\"] = 3] = \"Specific\";\n DateRangeType[DateRangeType[\"Weekdays\"] = 4] = \"Weekdays\";\n DateRangeType[DateRangeType[\"Weekends\"] = 5] = \"Weekends\";\n return DateRangeType;\n}(DateRangeType || {});\nvar Direction$1 = /*#__PURE__*/function (Direction) {\n Direction[Direction[\"NEXT\"] = 1] = \"NEXT\";\n Direction[Direction[\"PREV\"] = -1] = \"PREV\";\n return Direction;\n}(Direction$1 || {});\nconst DAY_INTERVAL_TOKEN = new InjectionToken(\"DAY_INTERVAL\");\nlet IgxCalendarViewDirective = /*#__PURE__*/(() => {\n class IgxCalendarViewDirective {\n get activeDescendant() {\n if (this.tabIndex === -1) return;\n return this.date.getTime();\n }\n /**\n * Gets/sets the selected date of the view.\n * By default it's the current date.\n * ```typescript\n * let date = this.view.date;\n * ```\n *\n * @memberof IgxYearsViewComponent\n */\n set date(value) {\n if (!(value instanceof Date)) return;\n this._date = value;\n }\n get date() {\n return this._date;\n }\n /**\n * Gets the `locale` of the view.\n * Default value is `\"en\"`.\n * ```typescript\n * let locale = this.view.locale;\n * ```\n *\n * @memberof IgxCalendarViewDirective\n */\n get locale() {\n return this._locale;\n }\n /**\n * Sets the `locale` of the view.\n * Expects a valid BCP 47 language tag.\n * Default value is `\"en\"`.\n *\n * @memberof IgxCalendarViewDirective\n */\n set locale(value) {\n this._locale = value;\n this.initFormatter();\n }\n constructor(dayInterval) {\n this.dayInterval = dayInterval;\n this.role = 'grid';\n this.tabIndex = 0;\n /**\n * Applies styles to the active item on view focus.\n */\n this.showActive = false;\n /**\n * Emits an event when a selection is made in the view.\n * Provides reference the `date` property in the component.\n * @memberof IgxCalendarViewDirective\n */\n this.selected = new EventEmitter();\n /**\n * Emits an event when a page changes in the view.\n * Provides reference the `date` property in the component.\n * @memberof IgxCalendarViewDirective\n * @hidden @internal\n */\n this.pageChanged = new EventEmitter();\n /**\n * Emits an event when the active date has changed.\n * @memberof IgxCalendarViewDirective\n * @hidden @internal\n */\n this.activeDateChanged = new EventEmitter();\n /**\n * @hidden\n */\n this._locale = \"en\";\n /**\n * @hidden\n * @internal\n */\n this._date = new Date();\n /**\n * @hidden\n */\n this._onTouchedCallback = noop;\n /**\n * @hidden\n */\n this._onChangeCallback = noop;\n this.initFormatter();\n }\n /**\n * @hidden\n */\n onKeydownArrowDown(event) {\n this.navigateTo(event, Direction$1.NEXT, 3);\n }\n /**\n * @hidden\n */\n onKeydownArrowUp(event) {\n this.navigateTo(event, Direction$1.PREV, 3);\n }\n /**\n * @hidden\n */\n onKeydownArrowRight(event) {\n this.navigateTo(event, Direction$1.NEXT, 1);\n }\n /**\n * @hidden\n */\n onKeydownArrowLeft(event) {\n this.navigateTo(event, Direction$1.PREV, 1);\n }\n /**\n * @hidden\n */\n onKeydownHome(event) {\n event.preventDefault();\n event.stopPropagation();\n this.date = this.range.at(0);\n this.activeDateChanged.emit(this.date);\n }\n /**\n * @hidden\n */\n onKeydownEnd(event) {\n event.preventDefault();\n event.stopPropagation();\n this.date = this.range.at(-1);\n this.activeDateChanged.emit(this.date);\n }\n /**\n * @hidden\n */\n onKeydownEnter(event) {\n event.stopPropagation();\n this.selected.emit(this.date);\n this._onChangeCallback(this.date);\n }\n /**\n * @hidden\n */\n handleFocus() {\n this.showActive = true;\n }\n /**\n * @hidden\n */\n handleBlur() {\n this.showActive = false;\n }\n /**\n * @hidden\n */\n selectDate(value) {\n this.date = value;\n this.selected.emit(this.date);\n this._onChangeCallback(this.date);\n }\n /**\n * @hidden\n */\n registerOnChange(fn) {\n this._onChangeCallback = fn;\n }\n /**\n * @hidden\n */\n registerOnTouched(fn) {\n this._onTouchedCallback = fn;\n }\n /**\n * @hidden\n */\n writeValue(value) {\n if (value) {\n this.date = value;\n }\n }\n /**\n * @hidden\n */\n navigateTo(event, direction, delta) {\n event.preventDefault();\n event.stopPropagation();\n const date = getNextActiveDate(CalendarDay.from(this.date).add(this.dayInterval, direction * delta), []);\n const outOfRange = !isDateInRanges(date, [{\n type: DateRangeType.Between,\n dateRange: [this.range.at(0), this.range.at(-1)]\n }]);\n if (outOfRange) {\n this.pageChanged.emit(date.native);\n }\n this.date = date.native;\n this.activeDateChanged.emit(this.date);\n }\n static {\n this.ɵfac = function IgxCalendarViewDirective_Factory(t) {\n return new (t || IgxCalendarViewDirective)(i0.ɵɵdirectiveInject(DAY_INTERVAL_TOKEN));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCalendarViewDirective,\n viewQuery: function IgxCalendarViewDirective_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(IGX_CALENDAR_VIEW_ITEM, 5, IGX_CALENDAR_VIEW_ITEM);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.viewItems = _t);\n }\n },\n hostVars: 3,\n hostBindings: function IgxCalendarViewDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"keydown.arrowdown\", function IgxCalendarViewDirective_keydown_arrowdown_HostBindingHandler($event) {\n return ctx.onKeydownArrowDown($event);\n })(\"keydown.arrowup\", function IgxCalendarViewDirective_keydown_arrowup_HostBindingHandler($event) {\n return ctx.onKeydownArrowUp($event);\n })(\"keydown.arrowright\", function IgxCalendarViewDirective_keydown_arrowright_HostBindingHandler($event) {\n return ctx.onKeydownArrowRight($event);\n })(\"keydown.arrowleft\", function IgxCalendarViewDirective_keydown_arrowleft_HostBindingHandler($event) {\n return ctx.onKeydownArrowLeft($event);\n })(\"keydown.home\", function IgxCalendarViewDirective_keydown_home_HostBindingHandler($event) {\n return ctx.onKeydownHome($event);\n })(\"keydown.end\", function IgxCalendarViewDirective_keydown_end_HostBindingHandler($event) {\n return ctx.onKeydownEnd($event);\n })(\"keydown.enter\", function IgxCalendarViewDirective_keydown_enter_HostBindingHandler($event) {\n return ctx.onKeydownEnter($event);\n })(\"focus\", function IgxCalendarViewDirective_focus_HostBindingHandler() {\n return ctx.handleFocus();\n })(\"blur\", function IgxCalendarViewDirective_blur_HostBindingHandler() {\n return ctx.handleBlur();\n });\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"role\", ctx.role)(\"tabIndex\", ctx.tabIndex)(\"aria-activeDescendant\", ctx.activeDescendant);\n }\n },\n inputs: {\n role: \"role\",\n tabIndex: \"tabIndex\",\n formatView: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"formatView\", \"formatView\", booleanAttribute],\n showActive: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"showActive\", \"showActive\", booleanAttribute],\n date: \"date\",\n locale: \"locale\"\n },\n outputs: {\n selected: \"selected\",\n pageChanged: \"pageChanged\",\n activeDateChanged: \"activeDateChanged\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: NG_VALUE_ACCESSOR,\n useExisting: IgxCalendarViewDirective,\n multi: true\n }]), i0.ɵɵInputTransformsFeature]\n });\n }\n }\n return IgxCalendarViewDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet NEXT_ID$l = 0;\nlet IgxMonthsViewComponent = /*#__PURE__*/(() => {\n class IgxMonthsViewComponent extends IgxCalendarViewDirective {\n #standalone;\n /**\n * @hidden @internal\n */\n get standalone() {\n return this.#standalone;\n }\n set standalone(value) {\n this.#standalone = value;\n }\n /**\n * Gets the month format option of the months view.\n * ```typescript\n * let monthFormat = this.monthsView.monthFormat.\n * ```\n */\n get monthFormat() {\n return this._monthFormat;\n }\n /**\n * Sets the month format option of the months view.\n * ```html\n * [monthFormat]=\"short'\"\n * ```\n *\n * @memberof IgxMonthsViewComponent\n */\n set monthFormat(value) {\n this._monthFormat = value;\n this.initFormatter();\n }\n /**\n * Returns an array of date objects which are then used to\n * properly render the month names.\n *\n * Used in the template of the component\n *\n * @hidden @internal\n */\n get range() {\n const start = CalendarDay.from(this.date).set({\n date: 1,\n month: 0\n });\n const end = start.add(this.dayInterval, 12);\n return Array.from(calendarRange({\n start,\n end,\n unit: this.dayInterval\n })).map(m => m.native);\n }\n constructor(el, dayInterval) {\n super(dayInterval);\n this.el = el;\n this.#standalone = true;\n /**\n * Sets/gets the `id` of the months view.\n * If not set, the `id` will have value `\"igx-months-view-0\"`.\n * ```html\n * \n * ```\n * ```typescript\n * let monthsViewId = this.monthsView.id;\n * ```\n *\n * @memberof IgxMonthsViewComponent\n */\n this.id = `igx-months-view-${NEXT_ID$l++}`;\n /**\n * The default css class applied to the component.\n *\n * @hidden\n */\n this.viewClass = true;\n /**\n * Gets/sets whether the view should be rendered\n * according to the locale and format, if any.\n */\n this.formatView = true;\n /**\n * @hidden\n */\n this._monthFormat = \"short\";\n }\n /**\n * Returns the locale representation of the month in the months view.\n *\n * @hidden\n */\n formattedMonth(value) {\n const rawFormatter = new Intl.DateTimeFormat(this.locale, {\n month: \"long\",\n year: \"numeric\"\n });\n if (this.formatView) {\n return {\n long: rawFormatter.format(value),\n formatted: this._formatter.format(value)\n };\n }\n return {\n long: rawFormatter.format(value),\n formatted: `${value.getMonth()}`\n };\n }\n /**\n * @hidden\n */\n monthTracker(_, item) {\n return `${item.getMonth()}}`;\n }\n /**\n * @hidden\n */\n initFormatter() {\n this._formatter = new Intl.DateTimeFormat(this._locale, {\n month: this.monthFormat\n });\n }\n static {\n this.ɵfac = function IgxMonthsViewComponent_Factory(t) {\n return new (t || IgxMonthsViewComponent)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(DAY_INTERVAL_TOKEN));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxMonthsViewComponent,\n selectors: [[\"igx-months-view\"]],\n hostVars: 5,\n hostBindings: function IgxMonthsViewComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id);\n i0.ɵɵclassProp(\"igx-months-view\", ctx.viewClass)(\"igx-months-view--standalone\", ctx.standalone);\n }\n },\n inputs: {\n id: \"id\",\n standalone: \"standalone\",\n monthFormat: \"monthFormat\",\n formatView: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"formatView\", \"formatView\", booleanAttribute]\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: NG_VALUE_ACCESSOR,\n useExisting: IgxMonthsViewComponent,\n multi: true\n }, {\n provide: DAY_INTERVAL_TOKEN,\n useValue: \"month\"\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n decls: 2,\n vars: 2,\n consts: [[\"item\", \"igxCalendarMonth\"], [\"role\", \"row\", 1, \"igx-months-view__grid\"], [\"igxCalendarMonth\", \"\", \"class\", \"igx-months-view__month\", \"role\", \"gridcell\", 3, \"value\", \"date\", \"showActive\", \"itemSelection\", 4, \"ngFor\", \"ngForOf\", \"ngForTrackBy\"], [\"igxCalendarMonth\", \"\", \"role\", \"gridcell\", 1, \"igx-months-view__month\", 3, \"itemSelection\", \"value\", \"date\", \"showActive\"], [\"aria-hidden\", \"true\", 1, \"igx-months-view__month-inner\"]],\n template: function IgxMonthsViewComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵelementStart(0, \"div\", 1);\n i0.ɵɵtemplate(1, IgxMonthsViewComponent_span_1_Template, 5, 9, \"span\", 2);\n i0.ɵɵelementEnd();\n }\n if (rf & 2) {\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngForOf\", ctx.range)(\"ngForTrackBy\", ctx.monthTracker);\n }\n },\n dependencies: [NgFor, IgxCalendarMonthDirective, TitleCasePipe],\n encapsulation: 2\n });\n }\n }\n return IgxMonthsViewComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxYearsViewComponent = /*#__PURE__*/(() => {\n class IgxYearsViewComponent extends IgxCalendarViewDirective {\n #standalone;\n /**\n * @hidden @internal\n */\n get standalone() {\n return this.#standalone;\n }\n set standalone(value) {\n this.#standalone = value;\n }\n /**\n * Gets the year format option of the years view.\n * ```typescript\n * let yearFormat = this.yearsView.yearFormat.\n * ```\n */\n get yearFormat() {\n return this._yearFormat;\n }\n /**\n * Sets the year format option of the years view.\n * ```html\n * \n * ```\n *\n * @memberof IgxYearsViewComponent\n */\n set yearFormat(value) {\n this._yearFormat = value;\n this.initFormatter();\n }\n /**\n * Returns an array of date objects which are then used to properly\n * render the years.\n *\n * Used in the template of the component.\n *\n * @hidden @internal\n */\n get range() {\n const year = this.date.getFullYear();\n const start = new CalendarDay({\n year: Math.floor(year / this._yearsPerPage) * this._yearsPerPage,\n month: this.date.getMonth()\n });\n const end = start.add(this.dayInterval, this._yearsPerPage);\n return Array.from(calendarRange({\n start,\n end,\n unit: this.dayInterval\n })).map(m => m.native);\n }\n constructor(el, dayInterval) {\n super(dayInterval);\n this.el = el;\n this.#standalone = true;\n /**\n * The default css class applied to the component.\n *\n * @hidden\n */\n this.viewClass = true;\n /**\n * @hidden\n */\n this._yearFormat = \"numeric\";\n /**\n * @hidden\n */\n this._yearsPerPage = 15;\n }\n /**\n * Returns the locale representation of the year in the years view.\n *\n * @hidden\n */\n formattedYear(value) {\n const rawFormatter = new Intl.DateTimeFormat(this.locale, {\n year: 'numeric'\n });\n if (this.formatView) {\n return {\n long: rawFormatter.format(value),\n formatted: this._formatter.format(value)\n };\n }\n return {\n long: rawFormatter.format(value),\n formatted: `${value.getFullYear()}`\n };\n }\n /**\n * @hidden\n */\n yearTracker(_, item) {\n return `${item.getFullYear()}}`;\n }\n /**\n * @hidden\n */\n initFormatter() {\n this._formatter = new Intl.DateTimeFormat(this._locale, {\n year: this.yearFormat\n });\n }\n static {\n this.ɵfac = function IgxYearsViewComponent_Factory(t) {\n return new (t || IgxYearsViewComponent)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(DAY_INTERVAL_TOKEN));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxYearsViewComponent,\n selectors: [[\"igx-years-view\"]],\n hostVars: 4,\n hostBindings: function IgxYearsViewComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-years-view\", ctx.viewClass)(\"igx-years-view--standalone\", ctx.standalone);\n }\n },\n inputs: {\n standalone: \"standalone\",\n yearFormat: \"yearFormat\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: NG_VALUE_ACCESSOR,\n useExisting: IgxYearsViewComponent,\n multi: true\n }, {\n provide: DAY_INTERVAL_TOKEN,\n useValue: \"year\"\n }]), i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n decls: 2,\n vars: 2,\n consts: [[\"item\", \"igxCalendarYear\"], [\"role\", \"row\", 1, \"igx-years-view__grid\"], [\"igxCalendarYear\", \"\", \"class\", \"igx-years-view__year\", \"role\", \"gridcell\", 3, \"value\", \"date\", \"showActive\", \"itemSelection\", 4, \"ngFor\", \"ngForOf\", \"ngForTrackBy\"], [\"igxCalendarYear\", \"\", \"role\", \"gridcell\", 1, \"igx-years-view__year\", 3, \"itemSelection\", \"value\", \"date\", \"showActive\"], [\"aria-hidden\", \"true\", 1, \"igx-years-view__year-inner\"]],\n template: function IgxYearsViewComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵelementStart(0, \"div\", 1);\n i0.ɵɵtemplate(1, IgxYearsViewComponent_span_1_Template, 4, 8, \"span\", 2);\n i0.ɵɵelementEnd();\n }\n if (rf & 2) {\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngForOf\", ctx.range)(\"ngForTrackBy\", ctx.yearTracker);\n }\n },\n dependencies: [NgFor, IgxCalendarYearDirective],\n encapsulation: 2\n });\n }\n }\n return IgxYearsViewComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * @hidden\n */\nlet IgxDayItemComponent = /*#__PURE__*/(() => {\n class IgxDayItemComponent {\n /**\n * Returns boolean indicating if the day is selected\n *\n */\n get selected() {\n return this._selected;\n }\n /**\n * Selects the day\n */\n set selected(value) {\n this._selected = value;\n }\n get hideLeading() {\n return this.hideLeadingDays && this.isPreviousMonth;\n }\n get hideTrailing() {\n return this.hideTrailingDays && this.isNextMonth;\n }\n get isCurrentMonth() {\n return areSameMonth(this.date, this.viewDate);\n }\n get isPreviousMonth() {\n return isPreviousMonth(this.date, this.viewDate);\n }\n get isNextMonth() {\n return isNextMonth(this.date, this.viewDate);\n }\n get nativeElement() {\n return this.elementRef.nativeElement;\n }\n get isSelectedCSS() {\n const selectable = !this.isInactive || this.isWithinRange && this.selection === \"range\";\n return !this.isDisabled && selectable && this.selected;\n }\n get isInactive() {\n return !this.isCurrentMonth;\n }\n get isHidden() {\n return (this.hideLeading || this.hideTrailing) && this.isInactive;\n }\n get isToday() {\n return !this.isInactive && this.date.equalTo(CalendarDay.today);\n }\n get isWeekend() {\n return this.date.weekend;\n }\n get isDisabled() {\n if (!this.disabledDates) {\n return false;\n }\n return isDateInRanges(this.date, this.disabledDates);\n }\n get isFocusable() {\n return this.isCurrentMonth && !this.isHidden && !this.isDisabled;\n }\n onMouseEnter() {\n this.mouseEnter.emit();\n }\n onMouseLeave() {\n this.mouseLeave.emit();\n }\n onMouseDown(event) {\n event.preventDefault();\n this.mouseDown.emit();\n }\n get isWithinRangeCSS() {\n return !this.isSingleSelection && this.isWithinRange;\n }\n get isWithinPreviewRangeCSS() {\n return !this.isSingleSelection && this.isWithinPreviewRange;\n }\n get isSpecial() {\n if (!this.specialDates) {\n return false;\n }\n return !this.isInactive && isDateInRanges(this.date, this.specialDates);\n }\n get isDisabledCSS() {\n return this.isHidden || this.isDisabled;\n }\n get isSingleSelection() {\n return this.selection !== CalendarSelection.RANGE;\n }\n constructor(elementRef) {\n this.elementRef = elementRef;\n this.hideOutsideDays = false;\n this.isLastInRange = false;\n this.isFirstInRange = false;\n this.isWithinRange = false;\n this.isWithinPreviewRange = false;\n this.hideLeadingDays = false;\n this.hideTrailingDays = false;\n this.dateSelection = new EventEmitter();\n this.mouseEnter = new EventEmitter();\n this.mouseLeave = new EventEmitter();\n this.mouseDown = new EventEmitter();\n this.isActive = false;\n this._selected = false;\n }\n static {\n this.ɵfac = function IgxDayItemComponent_Factory(t) {\n return new (t || IgxDayItemComponent)(i0.ɵɵdirectiveInject(i0.ElementRef));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxDayItemComponent,\n selectors: [[\"igx-day-item\"]],\n hostVars: 26,\n hostBindings: function IgxDayItemComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-days-view__date--last\", ctx.isLastInRange)(\"igx-days-view__date--first\", ctx.isFirstInRange)(\"igx-days-view__date--active\", ctx.isActive)(\"igx-days-view__date--selected\", ctx.isSelectedCSS)(\"igx-days-view__date--inactive\", ctx.isInactive)(\"igx-days-view__date--hidden\", ctx.isHidden)(\"igx-days-view__date--current\", ctx.isToday)(\"igx-days-view__date--weekend\", ctx.isWeekend)(\"igx-days-view__date--range\", ctx.isWithinRangeCSS)(\"igx-days-view__date--range-preview\", ctx.isWithinPreviewRangeCSS)(\"igx-days-view__date--special\", ctx.isSpecial)(\"igx-days-view__date--disabled\", ctx.isDisabledCSS)(\"igx-days-view__date--single\", ctx.isSingleSelection);\n }\n },\n inputs: {\n date: \"date\",\n viewDate: \"viewDate\",\n selection: \"selection\",\n selected: \"selected\",\n disabledDates: \"disabledDates\",\n specialDates: \"specialDates\",\n hideOutsideDays: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"hideOutsideDays\", \"hideOutsideDays\", booleanAttribute],\n isLastInRange: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"isLastInRange\", \"isLastInRange\", booleanAttribute],\n isFirstInRange: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"isFirstInRange\", \"isFirstInRange\", booleanAttribute],\n isWithinRange: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"isWithinRange\", \"isWithinRange\", booleanAttribute],\n isWithinPreviewRange: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"isWithinPreviewRange\", \"isWithinPreviewRange\", booleanAttribute],\n hideLeadingDays: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"hideLeadingDays\", \"hideLeadingDays\", booleanAttribute],\n hideTrailingDays: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"hideTrailingDays\", \"hideTrailingDays\", booleanAttribute],\n isActive: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"isActive\", \"isActive\", booleanAttribute]\n },\n outputs: {\n dateSelection: \"dateSelection\",\n mouseEnter: \"mouseEnter\",\n mouseLeave: \"mouseLeave\",\n mouseDown: \"mouseDown\"\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 2,\n vars: 0,\n consts: [[\"aria-hidden\", \"true\", 1, \"igx-days-view__date-inner\", 3, \"mouseenter\", \"mouseleave\", \"mousedown\"]],\n template: function IgxDayItemComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵelementStart(0, \"span\", 0);\n i0.ɵɵlistener(\"mouseenter\", function IgxDayItemComponent_Template_span_mouseenter_0_listener() {\n return ctx.onMouseEnter();\n })(\"mouseleave\", function IgxDayItemComponent_Template_span_mouseleave_0_listener() {\n return ctx.onMouseLeave();\n })(\"mousedown\", function IgxDayItemComponent_Template_span_mousedown_0_listener($event) {\n return ctx.onMouseDown($event);\n });\n i0.ɵɵprojection(1);\n i0.ɵɵelementEnd();\n }\n },\n encapsulation: 2,\n changeDetection: 0\n });\n }\n }\n return IgxDayItemComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst CalendarResourceStringsEN = {\n igx_calendar_previous_month: 'Previous Month',\n igx_calendar_next_month: 'Next Month',\n igx_calendar_previous_year: 'Previous Year',\n igx_calendar_next_year: 'Next Year',\n igx_calendar_previous_years: 'Previous {0} Years',\n igx_calendar_next_years: 'Next {0} Years',\n igx_calendar_select_date: 'Select Date',\n igx_calendar_select_month: 'Select Month',\n igx_calendar_select_year: 'Select Year',\n igx_calendar_range_start: 'Range start',\n igx_calendar_range_end: 'Range end',\n igx_calendar_range_label_start: 'Start',\n igx_calendar_range_label_end: 'End',\n igx_calendar_range_placeholder: 'Select Range',\n igx_calendar_selected_month_is: 'Selected month is ',\n igx_calendar_first_picker_of: 'First picker of {0} starts from',\n igx_calendar_multi_selection: 'Multi selection calendar with {0} date pickers',\n igx_calendar_range_selection: 'Range selection calendar with {0} date pickers',\n igx_calendar_single_selection: 'Calendar with {0} date pickers',\n igx_calendar_singular_multi_selection: 'Multi selection calendar',\n igx_calendar_singular_range_selection: 'Range selection calendar',\n igx_calendar_singular_single_selection: 'Calendar'\n};\nlet KeyboardNavigationService = /*#__PURE__*/(() => {\n class KeyboardNavigationService {\n constructor(eventManager, ngZone) {\n this.eventManager = eventManager;\n this.ngZone = ngZone;\n this.keyHandlers = new Map();\n this.eventUnsubscribeFn = null;\n }\n attachKeyboardHandlers(elementRef, context) {\n this.detachKeyboardHandlers(); // Clean up any existing listeners\n this.ngZone.runOutsideAngular(() => {\n this.eventUnsubscribeFn = this.eventManager.addEventListener(elementRef.nativeElement, 'keydown', event => {\n const handler = this.keyHandlers.get(event.key);\n if (handler) {\n this.ngZone.run(handler.bind(context, event));\n }\n });\n });\n return this;\n }\n detachKeyboardHandlers() {\n if (this.eventUnsubscribeFn) {\n this.eventUnsubscribeFn();\n this.eventUnsubscribeFn = null;\n }\n this.keyHandlers.clear();\n }\n set(key, handler) {\n this.keyHandlers.set(key, handler);\n return this;\n }\n unset(key) {\n this.keyHandlers.delete(key);\n return this;\n }\n static {\n this.ɵfac = function KeyboardNavigationService_Factory(t) {\n return new (t || KeyboardNavigationService)(i0.ɵɵinject(i1$1.EventManager), i0.ɵɵinject(i0.NgZone));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: KeyboardNavigationService,\n factory: KeyboardNavigationService.ɵfac\n });\n }\n }\n return KeyboardNavigationService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** @hidden @internal */\nlet IgxCalendarBaseDirective = /*#__PURE__*/(() => {\n class IgxCalendarBaseDirective {\n /**\n * An accessor that sets the resource strings.\n * By default it uses EN resources.\n */\n set resourceStrings(value) {\n this._resourceStrings = Object.assign({}, this._resourceStrings, value);\n }\n /**\n * An accessor that returns the resource strings.\n */\n get resourceStrings() {\n return this._resourceStrings;\n }\n /**\n * Gets the start day of the week.\n * Can return a numeric or an enum representation of the week day.\n * If not set, defaults to the first day of the week for the application locale.\n */\n get weekStart() {\n return this._weekStart;\n }\n /**\n * Sets the start day of the week.\n * Can be assigned to a numeric value or to `WEEKDAYS` enum value.\n */\n set weekStart(value) {\n this._weekStart = value;\n }\n /**\n * Gets the `locale` of the calendar.\n * If not set, defaults to application's locale.\n */\n get locale() {\n return this._locale;\n }\n /**\n * Sets the `locale` of the calendar.\n * Expects a valid BCP 47 language tag.\n */\n set locale(value) {\n this._locale = value;\n // if value is not a valid BCP 47 tag, set it back to _localeId\n try {\n getLocaleFirstDayOfWeek(this._locale);\n } catch (e) {\n this._locale = this._localeId;\n }\n // changing locale runtime needs to update the `weekStart` too, if `weekStart` is not explicitly set\n if (!this.weekStart) {\n this.weekStart = getLocaleFirstDayOfWeek(this._locale);\n }\n this.initFormatters();\n }\n /**\n * Gets the date format options of the views.\n */\n get formatOptions() {\n return this._formatOptions;\n }\n /**\n * Sets the date format options of the views.\n * Default is { day: 'numeric', month: 'short', weekday: 'short', year: 'numeric' }\n */\n set formatOptions(formatOptions) {\n this._formatOptions = {\n ...this._formatOptions,\n ...formatOptions\n };\n this.initFormatters();\n }\n /**\n * Gets whether the `day`, `month` and `year` should be rendered\n * according to the locale and formatOptions, if any.\n */\n get formatViews() {\n return this._formatViews;\n }\n /**\n * Sets whether the `day`, `month` and `year` should be rendered\n * according to the locale and formatOptions, if any.\n */\n set formatViews(formatViews) {\n this._formatViews = Object.assign(this._formatViews, formatViews);\n }\n /**\n * Gets the current active view.\n * ```typescript\n * this.activeView = calendar.activeView;\n * ```\n */\n get activeView() {\n return this._activeView;\n }\n /**\n * Sets the current active view.\n * ```html\n * \n * ```\n * ```typescript\n * calendar.activeView = IgxCalendarView.YEAR;\n * ```\n */\n set activeView(val) {\n this._activeView = val;\n this.activeViewSubject.next(val);\n }\n /**\n * @hidden\n */\n get isDefaultView() {\n return this._activeView === IgxCalendarView.Month;\n }\n /**\n * @hidden\n */\n get isDecadeView() {\n return this._activeView === IgxCalendarView.Decade;\n }\n /**\n * @hidden\n */\n activeViewDecade(activeViewIdx = 0) {\n this.activeView = IgxCalendarView.Decade;\n this.activeViewIdx = activeViewIdx;\n }\n /**\n * @hidden\n */\n activeViewDecadeKB(event, activeViewIdx = 0) {\n event.stopPropagation();\n if (this.platform.isActivationKey(event)) {\n event.preventDefault();\n this.activeViewDecade(activeViewIdx);\n }\n }\n /**\n * @hidden\n */\n changeYear(date) {\n this.previousViewDate = this.viewDate;\n this.viewDate = CalendarDay.from(date).add('month', -this.activeViewIdx).native;\n this.activeView = IgxCalendarView.Month;\n }\n /**\n * Returns the locale representation of the year in the year view if enabled,\n * otherwise returns the default `Date.getFullYear()` value.\n *\n * @hidden\n */\n formattedYear(value) {\n if (Array.isArray(value)) {\n return;\n }\n if (this.formatViews.year) {\n return this.formatterYear.format(value);\n }\n return `${value.getFullYear()}`;\n }\n formattedYears(value) {\n const dates = value;\n return dates.map(date => this.formattedYear(date)).join(' - ');\n }\n prevNavLabel(detail) {\n switch (this.activeView) {\n case 'month':\n return `${this.resourceStrings.igx_calendar_previous_month}, ${detail}`;\n case 'year':\n return this.resourceStrings.igx_calendar_previous_year.replace('{0}', '15');\n case 'decade':\n return this.resourceStrings.igx_calendar_previous_years.replace('{0}', '15');\n }\n }\n nextNavLabel(detail) {\n switch (this.activeView) {\n case 'month':\n return `${this.resourceStrings.igx_calendar_next_month}, ${detail}`;\n case 'year':\n return this.resourceStrings.igx_calendar_next_year.replace('{0}', '15');\n case 'decade':\n return this.resourceStrings.igx_calendar_next_years.replace('{0}', '15');\n }\n }\n getDecadeRange() {\n const range = getYearRange(this.viewDate, 15);\n const start = CalendarDay.from(this.viewDate).set({\n date: 1,\n year: range.start\n });\n const end = CalendarDay.from(this.viewDate).set({\n date: 1,\n year: range.end\n });\n return {\n start: this.formatterYear.format(start.native),\n end: this.formatterYear.format(end.native)\n };\n }\n /**\n *\n * Gets the selection type.\n * Default value is `\"single\"`.\n * Changing the type of selection resets the currently\n * selected values if any.\n */\n get selection() {\n return this._selection;\n }\n /**\n * Sets the selection.\n */\n set selection(value) {\n switch (value) {\n case CalendarSelection.SINGLE:\n this.selectedDates = null;\n break;\n case CalendarSelection.MULTI:\n case CalendarSelection.RANGE:\n this.selectedDates = [];\n break;\n default:\n throw new Error('Invalid selection value');\n }\n this._onChangeCallback(this.selectedDates);\n this.rangeStarted = false;\n this._selection = value;\n }\n /**\n * Gets the date that is presented. By default it is the current date.\n */\n get viewDate() {\n return this._viewDate;\n }\n /**\n * Sets the date that will be presented in the default view when the component renders.\n */\n set viewDate(value) {\n if (Array.isArray(value)) {\n return;\n }\n if (typeof value === 'string') {\n value = DateTimeUtil.parseIsoDate(value);\n }\n const validDate = this.validateDate(value);\n if (this._viewDate) {\n this.initialSelection = validDate;\n }\n const date = this.getDateOnly(validDate).setDate(1);\n this._viewDate = new Date(date);\n }\n /**\n * Gets the disabled dates descriptors.\n */\n get disabledDates() {\n return this._disabledDates;\n }\n /**\n * Sets the disabled dates' descriptors.\n * ```typescript\n * @ViewChild(\"MyCalendar\")\n * public calendar: IgxCalendarComponent;\n * ngOnInit(){\n * this.calendar.disabledDates = [\n * {type: DateRangeType.Between, dateRange: [new Date(\"2020-1-1\"), new Date(\"2020-1-15\")]},\n * {type: DateRangeType.Weekends}];\n * }\n * ```\n */\n set disabledDates(value) {\n this._disabledDates = value;\n }\n /**\n * Checks whether a date is disabled.\n *\n * @hidden\n */\n isDateDisabled(date) {\n if (!this.disabledDates) {\n return false;\n }\n if (typeof date === 'string') {\n date = DateTimeUtil.parseIsoDate(date);\n }\n return isDateInRanges(date, this.disabledDates);\n }\n /**\n * Gets the special dates descriptors.\n */\n get specialDates() {\n return this._specialDates;\n }\n /**\n * Sets the special dates' descriptors.\n * ```typescript\n * @ViewChild(\"MyCalendar\")\n * public calendar: IgxCalendarComponent;\n * ngOnInit(){\n * this.calendar.specialDates = [\n * {type: DateRangeType.Between, dateRange: [new Date(\"2020-1-1\"), new Date(\"2020-1-15\")]},\n * {type: DateRangeType.Weekends}];\n * }\n * ```\n */\n set specialDates(value) {\n this._specialDates = value;\n }\n /**\n * Gets the selected date(s).\n *\n * When selection is set to `single`, it returns\n * a single `Date` object.\n * Otherwise it is an array of `Date` objects.\n */\n get value() {\n if (this.selection === CalendarSelection.SINGLE) {\n return this.selectedDates?.at(0);\n }\n return this.selectedDates;\n }\n /**\n * Sets the selected date(s).\n *\n * When selection is set to `single`, it accepts\n * a single `Date` object.\n * Otherwise it is an array of `Date` objects.\n */\n set value(value) {\n // Validate the date if it is of type string and it is IsoDate\n if (typeof value === 'string') {\n value = DateTimeUtil.parseIsoDate(value);\n }\n // Check if value is set initially by the user,\n // if it's not set the initial selection to the current date\n if (!value || Array.isArray(value) && value.length === 0) {\n this.initialSelection = new Date();\n return;\n }\n // Value is provided, but there's no initial selection, set the initial selection to the passed value\n if (!this.initialSelection) {\n this.viewDate = Array.isArray(value) ? new Date(Math.min(...value)) : value;\n }\n // we then call selectDate with either a single date or an array of dates\n // we also set the initial selection to the provided value\n this.selectDate(value);\n this.initialSelection = value;\n }\n /**\n * @hidden\n */\n constructor(platform, _localeId, keyboardNavigation, cdr) {\n this.platform = platform;\n this._localeId = _localeId;\n this.keyboardNavigation = keyboardNavigation;\n this.cdr = cdr;\n /**\n * Holds month view index we are operating on.\n */\n this.activeViewIdx = 0;\n /**\n * @hidden\n */\n this._activeView = IgxCalendarView.Month;\n /**\n * @hidden\n */\n this.activeViewSubject = new Subject();\n /**\n * @hidden\n */\n this.activeView$ = this.activeViewSubject.asObservable();\n /**\n * Sets/gets whether the outside dates (dates that are out of the current month) will be hidden.\n * Default value is `false`.\n * ```html\n * \n * ```\n * ```typescript\n * let hideOutsideDays = this.calendar.hideOutsideDays;\n * ```\n */\n this.hideOutsideDays = false;\n /**\n * Emits an event when a date is selected.\n * Provides reference the `selectedDates` property.\n */\n this.selected = new EventEmitter();\n /**\n * Emits an event when the month in view is changed.\n * ```html\n * \n * ```\n * ```typescript\n * public viewDateChanged(event: IViewDateChangeEventArgs) {\n * let viewDate = event.currentValue;\n * }\n * ```\n */\n this.viewDateChanged = new EventEmitter();\n /**\n * Emits an event when the active view is changed.\n * ```html\n * \n * ```\n * ```typescript\n * public activeViewChanged(event: CalendarView) {\n * let activeView = event;\n * }\n * ```\n */\n this.activeViewChanged = new EventEmitter();\n /**\n * @hidden\n */\n this.rangeStarted = false;\n /**\n * @hidden\n */\n this.pageScrollDirection = \"none\" /* ScrollDirection.NONE */;\n /**\n * @hidden\n */\n this.scrollPage$ = new Subject();\n /**\n * @hidden\n */\n this.stopPageScroll$ = new Subject();\n /**\n * @hidden\n */\n this.startPageScroll$ = new Subject();\n /**\n * @hidden\n */\n this.shiftKey = false;\n /**\n * @hidden\n */\n this._onTouchedCallback = noop;\n /**\n * @hidden\n */\n this._onChangeCallback = noop;\n /**\n * @hidden\n */\n this._disabledDates = [];\n /**\n * @hidden\n */\n this._specialDates = [];\n /**\n * @hidden\n */\n this._selection = CalendarSelection.SINGLE;\n /** @hidden @internal */\n this._resourceStrings = getCurrentResourceStrings(CalendarResourceStringsEN);\n /**\n * @hidden\n */\n this._formatOptions = {\n day: 'numeric',\n month: 'long',\n weekday: 'narrow',\n year: 'numeric'\n };\n /**\n * @hidden\n */\n this._formatViews = {\n day: false,\n month: true,\n year: false\n };\n this.locale = _localeId;\n this.viewDate = this.viewDate ? this.viewDate : new Date();\n this.initFormatters();\n }\n /**\n * Multi/Range selection with shift key\n *\n * @hidden\n * @internal\n */\n onPointerdown(event) {\n this.shiftKey = event.button === 0 && event.shiftKey;\n }\n /**\n * @hidden\n */\n registerOnChange(fn) {\n this._onChangeCallback = fn;\n }\n /**\n * @hidden\n */\n registerOnTouched(fn) {\n this._onTouchedCallback = fn;\n }\n /**\n * @hidden\n */\n writeValue(value) {\n this.value = value;\n }\n /**\n * Selects date(s) (based on the selection type).\n */\n selectDate(value) {\n if (typeof value === 'string') {\n value = DateTimeUtil.parseIsoDate(value);\n }\n if (value === null || value === undefined || Array.isArray(value) && value.length === 0) {\n return;\n }\n switch (this.selection) {\n case CalendarSelection.SINGLE:\n if (isDate(value) && !this.isDateDisabled(value)) {\n this.selectSingle(value);\n }\n break;\n case CalendarSelection.MULTI:\n this.selectMultiple(value);\n break;\n case CalendarSelection.RANGE:\n this.selectRange(value, true);\n break;\n }\n }\n /**\n * Deselects date(s) (based on the selection type).\n */\n deselectDate(value) {\n if (!this.selectedDates || this.selectedDates.length === 0) {\n return;\n }\n if (typeof value === 'string') {\n value = DateTimeUtil.parseIsoDate(value);\n }\n if (value === null || value === undefined) {\n this.selectedDates = this.selection === CalendarSelection.SINGLE ? null : [];\n this.rangeStarted = false;\n this._onChangeCallback(this.selectedDates);\n return;\n }\n switch (this.selection) {\n case CalendarSelection.SINGLE:\n this.deselectSingle(value);\n break;\n case CalendarSelection.MULTI:\n this.deselectMultiple(value);\n break;\n case CalendarSelection.RANGE:\n this.deselectRange(value);\n break;\n }\n }\n /**\n * Performs a single selection.\n *\n * @hidden\n */\n selectSingle(value) {\n if (!isEqual(this.selectedDates?.at(0), value)) {\n this.selectedDates = [this.getDateOnly(value)];\n this._onChangeCallback(this.selectedDates.at(0));\n }\n }\n /**\n * Performs a single deselection.\n *\n * @hidden\n */\n deselectSingle(value) {\n if (this.selectedDates !== null && this.getDateOnlyInMs(value) === this.getDateOnlyInMs(this.selectedDates.at(0))) {\n this.selectedDates = null;\n this._onChangeCallback(this.selectedDates);\n }\n }\n /**\n * Performs a multiple selection\n *\n * @hidden\n */\n selectMultiple(value) {\n if (Array.isArray(value)) {\n const newDates = value.map(v => this.getDateOnly(v).getTime());\n const selDates = this.selectedDates.map(v => this.getDateOnly(v).getTime());\n if (JSON.stringify(newDates) === JSON.stringify(selDates)) {\n return;\n }\n if (selDates.length === 0 || selDates.length > newDates.length) {\n // deselect the dates that are part of currently selectedDates and not part of updated new values\n this.selectedDates = newDates.map(v => new Date(v));\n } else {\n this.selectedDates = Array.from(new Set([...newDates, ...selDates])).map(v => new Date(v));\n }\n } else {\n let newSelection = [];\n if (this.shiftKey && this.lastSelectedDate) {\n [this._startDate, this._endDate] = this.lastSelectedDate.getTime() < value.getTime() ? [this.lastSelectedDate, value] : [value, this.lastSelectedDate];\n const unselectedDates = [this._startDate, ...this.generateDateRange(this._startDate, this._endDate)].filter(date => !this.isDateDisabled(date) && this.selectedDates.every(d => d.getTime() !== date.getTime()));\n // select all dates from last selected to shift clicked date\n if (this.selectedDates.some(date => date.getTime() === this.lastSelectedDate.getTime()) && unselectedDates.length) {\n newSelection = unselectedDates;\n } else {\n // delesect all dates from last clicked to shift clicked date (excluding)\n this.selectedDates = this.selectedDates.filter(date => date.getTime() < this._startDate.getTime() || date.getTime() > this._endDate.getTime());\n this.selectedDates.push(value);\n this._deselectDate = true;\n }\n this._startDate = this._endDate = undefined;\n } else if (this.selectedDates.every(date => date.getTime() !== value.getTime())) {\n newSelection.push(value);\n } else {\n this.selectedDates = this.selectedDates.filter(date => date.getTime() !== value.getTime());\n this._deselectDate = true;\n }\n if (newSelection.length > 0) {\n this.selectedDates = this.selectedDates.concat(newSelection);\n this._deselectDate = false;\n }\n this.lastSelectedDate = value;\n }\n this.selectedDates = this.selectedDates.filter(d => !this.isDateDisabled(d));\n this.selectedDates.sort((a, b) => a.valueOf() - b.valueOf());\n this._onChangeCallback(this.selectedDates);\n }\n /**\n * Performs a multiple deselection.\n *\n * @hidden\n */\n deselectMultiple(value) {\n value = value.filter(v => v !== null);\n const selectedDatesCount = this.selectedDates.length;\n const datesInMsToDeselect = new Set(value.map(v => this.getDateOnlyInMs(v)));\n for (let i = this.selectedDates.length - 1; i >= 0; i--) {\n if (datesInMsToDeselect.has(this.getDateOnlyInMs(this.selectedDates[i]))) {\n this.selectedDates.splice(i, 1);\n }\n }\n if (this.selectedDates.length !== selectedDatesCount) {\n this._onChangeCallback(this.selectedDates);\n }\n }\n /**\n * @hidden\n */\n selectRange(value, excludeDisabledDates = false) {\n if (Array.isArray(value)) {\n value.sort((a, b) => a.valueOf() - b.valueOf());\n this._startDate = this.getDateOnly(value[0]);\n this._endDate = this.getDateOnly(value[value.length - 1]);\n } else {\n if (this.shiftKey && this.lastSelectedDate) {\n if (this.lastSelectedDate.getTime() === value.getTime()) {\n this.selectedDates = this.selectedDates.length === 1 ? [] : [value];\n this.rangeStarted = !!this.selectedDates.length;\n this._onChangeCallback(this.selectedDates);\n return;\n }\n // shortens the range when selecting a date inside of it\n if (this.selectedDates.some(date => date.getTime() === value.getTime())) {\n this.lastSelectedDate.getTime() < value.getTime() ? this._startDate = value : this._endDate = value;\n } else {\n // extends the range when selecting a date outside of it\n // allows selection from last deselected to current selected date\n if (this.lastSelectedDate.getTime() < value.getTime()) {\n this._startDate = this._startDate ?? this.lastSelectedDate;\n this._endDate = value;\n } else {\n this._startDate = value;\n this._endDate = this._endDate ?? this.lastSelectedDate;\n }\n }\n this.rangeStarted = false;\n } else if (!this.rangeStarted) {\n this.rangeStarted = true;\n this.selectedDates = [value];\n this._startDate = this._endDate = undefined;\n } else {\n this.rangeStarted = false;\n if (this.selectedDates?.at(0)?.getTime() === value.getTime()) {\n this.selectedDates = [];\n this._onChangeCallback(this.selectedDates);\n return;\n }\n [this._startDate, this._endDate] = this.lastSelectedDate.getTime() < value.getTime() ? [this.lastSelectedDate, value] : [value, this.lastSelectedDate];\n }\n this.lastSelectedDate = value;\n }\n if (this._startDate && this._endDate) {\n this.selectedDates = [this._startDate, ...this.generateDateRange(this._startDate, this._endDate)];\n }\n if (excludeDisabledDates) {\n this.selectedDates = this.selectedDates.filter(d => !this.isDateDisabled(d));\n }\n this._onChangeCallback(this.selectedDates);\n }\n /**\n * Performs a range deselection.\n *\n * @hidden\n */\n deselectRange(value) {\n value = value.filter(v => v !== null);\n if (value.length < 1) {\n return;\n }\n value.sort((a, b) => a.valueOf() - b.valueOf());\n const valueStart = this.getDateOnlyInMs(value[0]);\n const valueEnd = this.getDateOnlyInMs(value[value.length - 1]);\n this.selectedDates.sort((a, b) => a.valueOf() - b.valueOf());\n const selectedDatesStart = this.getDateOnlyInMs(this.selectedDates[0]);\n const selectedDatesEnd = this.getDateOnlyInMs(this.selectedDates[this.selectedDates.length - 1]);\n if (!(valueEnd < selectedDatesStart) && !(valueStart > selectedDatesEnd)) {\n this.selectedDates = [];\n this.rangeStarted = false;\n this._onChangeCallback(this.selectedDates);\n }\n }\n /**\n * @hidden\n */\n initFormatters() {\n this.formatterDay = new Intl.DateTimeFormat(this._locale, {\n day: this._formatOptions.day\n });\n this.formatterWeekday = new Intl.DateTimeFormat(this._locale, {\n weekday: this._formatOptions.weekday\n });\n this.formatterMonth = new Intl.DateTimeFormat(this._locale, {\n month: this._formatOptions.month\n });\n this.formatterYear = new Intl.DateTimeFormat(this._locale, {\n year: this._formatOptions.year\n });\n this.formatterMonthday = new Intl.DateTimeFormat(this._locale, {\n month: this._formatOptions.month,\n day: this._formatOptions.day\n });\n this.formatterRangeday = new Intl.DateTimeFormat(this._locale, {\n day: this._formatOptions.day,\n month: 'short'\n });\n }\n /**\n * @hidden\n */\n getDateOnly(date) {\n const validDate = this.validateDate(date);\n return new Date(validDate.getFullYear(), validDate.getMonth(), validDate.getDate());\n }\n /**\n * @hidden\n */\n getDateOnlyInMs(date) {\n return this.getDateOnly(date).getTime();\n }\n /**\n * @hidden\n */\n generateDateRange(start, end) {\n const result = [];\n start = this.getDateOnly(start);\n end = this.getDateOnly(end);\n while (start.getTime() < end.getTime()) {\n start = CalendarDay.from(start).add('day', 1).native;\n result.push(start);\n }\n return result;\n }\n validateDate(value) {\n return DateTimeUtil.isValidDate(value) ? value : new Date();\n }\n static {\n this.ɵfac = function IgxCalendarBaseDirective_Factory(t) {\n return new (t || IgxCalendarBaseDirective)(i0.ɵɵdirectiveInject(PlatformUtil), i0.ɵɵdirectiveInject(LOCALE_ID), i0.ɵɵdirectiveInject(KeyboardNavigationService), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCalendarBaseDirective,\n selectors: [[\"\", \"igxCalendarBase\", \"\"]],\n viewQuery: function IgxCalendarBaseDirective_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c36, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.yearsBtns = _t);\n }\n },\n hostBindings: function IgxCalendarBaseDirective_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"pointerdown\", function IgxCalendarBaseDirective_pointerdown_HostBindingHandler($event) {\n return ctx.onPointerdown($event);\n });\n }\n },\n inputs: {\n hideOutsideDays: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"hideOutsideDays\", \"hideOutsideDays\", booleanAttribute],\n resourceStrings: \"resourceStrings\",\n weekStart: \"weekStart\",\n locale: \"locale\",\n formatOptions: \"formatOptions\",\n formatViews: \"formatViews\",\n activeView: \"activeView\",\n selection: \"selection\",\n viewDate: \"viewDate\",\n disabledDates: \"disabledDates\",\n specialDates: \"specialDates\",\n value: \"value\"\n },\n outputs: {\n selected: \"selected\",\n viewDateChanged: \"viewDateChanged\",\n activeViewChanged: \"activeViewChanged\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([KeyboardNavigationService]), i0.ɵɵInputTransformsFeature]\n });\n }\n }\n return IgxCalendarBaseDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet NEXT_ID$k = 0;\nlet IgxDaysViewComponent = /*#__PURE__*/(() => {\n class IgxDaysViewComponent extends IgxCalendarBaseDirective {\n #standalone;\n get standalone() {\n return this.#standalone;\n }\n set standalone(value) {\n this.#standalone = value;\n }\n get activeDescendant() {\n if (this.tabIndex === -1) return;\n return this.activeDate.getTime();\n }\n /**\n * @hidden\n * @internal\n */\n set activeDate(value) {\n this._activeDate = value;\n this.changePreviewRange(value);\n this.activeDateChange.emit(this._activeDate);\n }\n get activeDate() {\n return this._activeDate ?? this.viewDate;\n }\n /**\n * @hidden\n * @internal\n */\n set previewRangeDate(value) {\n this._previewRangeDate = value;\n this.previewRangeDateChange.emit(value);\n }\n get previewRangeDate() {\n return this._previewRangeDate;\n }\n set hideLeadingDays(value) {\n this._hideLeadingDays = value;\n this.cdr.detectChanges();\n }\n get hideLeadingDays() {\n return this._hideLeadingDays ?? this.hideOutsideDays;\n }\n set hideTrailingDays(value) {\n this._hideTrailingDays = value;\n this.cdr.detectChanges();\n }\n get hideTrailingDays() {\n return this._hideTrailingDays ?? this.hideOutsideDays;\n }\n set showActiveDay(value) {\n this._showActiveDay = value;\n }\n get showActiveDay() {\n return this._showActiveDay;\n }\n /**\n * @hidden\n */\n constructor(platform, _localeId, el, cdr) {\n super(platform, _localeId);\n this.el = el;\n this.cdr = cdr;\n this.#standalone = true;\n /**\n * Sets/gets the `id` of the days view.\n * If not set, the `id` will have value `\"igx-days-view-0\"`.\n * ```html\n * \n * ```\n * ```typescript\n * let daysViewId = this.daysView.id;\n * ```\n */\n this.id = `igx-days-view-${NEXT_ID$k++}`;\n this.tabIndex = 0;\n this.role = 'grid';\n this.viewClass = true;\n /**\n * @hidden\n */\n this.dateSelected = new EventEmitter();\n /**\n * @hidden\n */\n this.pageChanged = new EventEmitter();\n /**\n * @hidden\n */\n this.activeDateChange = new EventEmitter();\n /**\n * @hidden\n */\n this.previewRangeDateChange = new EventEmitter();\n }\n /**\n * @hidden\n */\n handleArrowKeydown(event, delta) {\n event.preventDefault();\n event.stopPropagation();\n const date = getClosestActiveDate(CalendarDay.from(this.activeDate), delta, this.disabledDates);\n if (!areSameMonth(this.activeDate, date.native)) {\n this.pageChanged.emit({\n monthAction: delta > 0 ? \"next\" /* ScrollDirection.NEXT */ : \"prev\" /* ScrollDirection.PREV */,\n key: event.key,\n nextDate: date.native\n });\n }\n this.activeDate = date.native;\n this.viewDate = date.native;\n this.clearPreviewRange();\n this.changePreviewRange(date.native);\n this.cdr.detectChanges();\n }\n /**\n * @hidden\n */\n onArrowRight(event) {\n this.handleArrowKeydown(event, 1);\n }\n /**\n * @hidden\n */\n onArrowLeft(event) {\n this.handleArrowKeydown(event, -1);\n }\n /**\n * @hidden\n */\n onArrowUp(event) {\n this.handleArrowKeydown(event, -7);\n }\n /**\n * @hidden\n */\n onArrowDown(event) {\n this.handleArrowKeydown(event, 7);\n }\n /**\n * @hidden\n */\n onKeydownEnter(event) {\n event.stopPropagation();\n this.selectActiveDate();\n }\n /**\n * @hidden\n */\n onKeydownHome(event) {\n event.preventDefault();\n event.stopPropagation();\n const first = CalendarDay.from(this.activeDate);\n this.activeDate = getNextActiveDate(first.set({\n date: 1\n }), this.disabledDates).native;\n }\n /**\n * @hidden\n */\n onKeydownEnd(event) {\n event.preventDefault();\n event.stopPropagation();\n const last = CalendarDay.from(this.activeDate);\n this.activeDate = getPreviousActiveDate(last.set({\n month: last.month + 1,\n date: 0\n }), this.disabledDates).native;\n }\n /**\n * @hidden\n */\n handleFocus() {\n this._showActiveDay = true;\n this.changePreviewRange(this.activeDate);\n }\n /**\n * @hidden\n */\n handleBlur() {\n this._showActiveDay = false;\n this.clearPreviewRange();\n }\n /**\n * @hidden\n */\n handleDateClick(item) {\n const date = item.date.native;\n if (item.isPreviousMonth) {\n this.pageChanged.emit({\n monthAction: \"prev\" /* ScrollDirection.PREV */,\n key: '',\n nextDate: date\n });\n }\n if (item.isNextMonth) {\n this.pageChanged.emit({\n monthAction: \"next\" /* ScrollDirection.NEXT */,\n key: '',\n nextDate: date\n });\n }\n if (this.tabIndex !== -1) {\n this.el.nativeElement.focus();\n }\n this.activeDate = item.date.native;\n this.selectActiveDate();\n }\n selectActiveDate() {\n this.selectDate(this.activeDate);\n this.dateSelected.emit(this.activeDate);\n this.selected.emit(this.selectedDates);\n this.clearPreviewRange();\n }\n get calendarMonth() {\n return Array.from(generateMonth(this.viewDate, this.weekStart));\n }\n get monthWeeks() {\n return Array.from(intoChunks(this.calendarMonth, 7));\n }\n /**\n * Returns the week number by date\n *\n * @hidden\n */\n getWeekNumber(date) {\n return date.week;\n }\n /**\n * Returns the locale representation of the date in the days view.\n *\n * @hidden\n */\n formattedDate(value) {\n if (this.formatViews.day) {\n return this.formatterDay.format(value);\n }\n return `${value.getDate()}`;\n }\n /**\n * @hidden\n */\n get weekHeaderLabels() {\n const weekdays = [];\n const rawFormatter = new Intl.DateTimeFormat(this.locale, {\n weekday: 'long'\n });\n for (const day of this.monthWeeks.at(0)) {\n weekdays.push({\n long: rawFormatter.format(day.native),\n formatted: this.formatterWeekday.format(day.native)\n });\n }\n return weekdays;\n }\n /**\n * @hidden\n */\n rowTracker(index, item) {\n return `${item[index].month}${item[index].date}`;\n }\n /**\n * @hidden\n */\n dateTracker(_, item) {\n return `${item.month}--${item.date}`;\n }\n /**\n * @hidden\n */\n isSelected(date) {\n const dates = this.value;\n const hasValue = this.value || Array.isArray(this.value) && this.value.length === 1;\n if (isDateInRanges(date, this.disabledDates)) {\n return false;\n }\n if (this.selection === CalendarSelection.SINGLE) {\n return !!this.value && date.equalTo(this.value);\n }\n if (!hasValue) {\n return false;\n }\n if (this.selection === CalendarSelection.MULTI && dates.length > 0) {\n return isDateInRanges(date, [{\n type: DateRangeType.Specific,\n dateRange: dates\n }]);\n }\n if (this.selection === CalendarSelection.RANGE && dates.length > 0) {\n return isDateInRanges(date, [{\n type: DateRangeType.Between,\n dateRange: [dates.at(0), dates.at(-1)]\n }]);\n }\n }\n /**\n * @hidden\n */\n isFirstInRange(date) {\n const dates = this.selectedDates;\n if (this.isSingleSelection || dates.length === 0) {\n return false;\n }\n let target = dates.at(0);\n if (this.previewRangeDate && this.previewRangeDate < target) {\n target = this.previewRangeDate;\n }\n return date.equalTo(target);\n }\n /**\n * @hidden\n */\n isLastInRange(date) {\n const dates = this.selectedDates;\n if (this.isSingleSelection || dates.length === 0) {\n return false;\n }\n let target = dates.at(-1);\n if (this.previewRangeDate && this.previewRangeDate > target) {\n target = this.previewRangeDate;\n }\n return date.equalTo(target);\n }\n /**\n * @hidden\n */\n isActiveDate(day) {\n return this._showActiveDay && day.equalTo(this.activeDate);\n }\n /**\n * @hidden\n */\n isWithinRange(date, checkForRange, min, max) {\n const dates = this.selectedDates;\n if (checkForRange && !(Array.isArray(dates) && dates.length > 1)) {\n return false;\n }\n min = min ? min : dates.at(0);\n max = max ? max : dates.at(-1);\n return isDateInRanges(date, [{\n type: DateRangeType.Between,\n dateRange: [min, max]\n }]);\n }\n isWithinPreviewRange(date) {\n if (this.selection !== 'range') return false;\n const dates = this.selectedDates;\n if (!(dates.length > 0 && this.previewRangeDate)) {\n return false;\n }\n return isDateInRanges(date, [{\n type: DateRangeType.Between,\n dateRange: [dates.at(0), this.previewRangeDate]\n }]);\n }\n /**\n * @hidden\n */\n get isSingleSelection() {\n return this.selection !== CalendarSelection.RANGE;\n }\n /**\n * @hidden @internal\n */\n changePreviewRange(date) {\n const dates = this.value;\n if (this.selection === 'range' && dates.length === 1) {\n const first = CalendarDay.from(dates.at(0));\n if (!first.equalTo(date)) {\n this.setPreviewRangeDate(date);\n }\n }\n }\n /**\n * @hidden @internal\n */\n clearPreviewRange() {\n if (this.previewRangeDate) {\n this.setPreviewRangeDate(undefined);\n }\n }\n setPreviewRangeDate(value) {\n this.previewRangeDate = value;\n }\n static {\n this.ɵfac = function IgxDaysViewComponent_Factory(t) {\n return new (t || IgxDaysViewComponent)(i0.ɵɵdirectiveInject(PlatformUtil), i0.ɵɵdirectiveInject(LOCALE_ID), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxDaysViewComponent,\n selectors: [[\"igx-days-view\"]],\n viewQuery: function IgxDaysViewComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(IgxDayItemComponent, 5, IgxDayItemComponent);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.dates = _t);\n }\n },\n hostVars: 8,\n hostBindings: function IgxDaysViewComponent_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"keydown.arrowright\", function IgxDaysViewComponent_keydown_arrowright_HostBindingHandler($event) {\n return ctx.onArrowRight($event);\n })(\"keydown.arrowleft\", function IgxDaysViewComponent_keydown_arrowleft_HostBindingHandler($event) {\n return ctx.onArrowLeft($event);\n })(\"keydown.arrowup\", function IgxDaysViewComponent_keydown_arrowup_HostBindingHandler($event) {\n return ctx.onArrowUp($event);\n })(\"keydown.arrowdown\", function IgxDaysViewComponent_keydown_arrowdown_HostBindingHandler($event) {\n return ctx.onArrowDown($event);\n })(\"keydown.Space\", function IgxDaysViewComponent_keydown_Space_HostBindingHandler($event) {\n return ctx.onKeydownEnter($event);\n })(\"keydown.enter\", function IgxDaysViewComponent_keydown_enter_HostBindingHandler($event) {\n return ctx.onKeydownEnter($event);\n })(\"keydown.home\", function IgxDaysViewComponent_keydown_home_HostBindingHandler($event) {\n return ctx.onKeydownHome($event);\n })(\"keydown.end\", function IgxDaysViewComponent_keydown_end_HostBindingHandler($event) {\n return ctx.onKeydownEnd($event);\n })(\"focus\", function IgxDaysViewComponent_focus_HostBindingHandler() {\n return ctx.handleFocus();\n })(\"blur\", function IgxDaysViewComponent_blur_HostBindingHandler() {\n return ctx.handleBlur();\n });\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id)(\"tabIndex\", ctx.tabIndex)(\"role\", ctx.role)(\"aria-activeDescendant\", ctx.activeDescendant);\n i0.ɵɵclassProp(\"igx-days-view\", ctx.viewClass)(\"igx-days-view--standalone\", ctx.standalone);\n }\n },\n inputs: {\n id: \"id\",\n tabIndex: \"tabIndex\",\n role: \"role\",\n standalone: \"standalone\",\n showWeekNumbers: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"showWeekNumbers\", \"showWeekNumbers\", booleanAttribute],\n activeDate: \"activeDate\",\n previewRangeDate: \"previewRangeDate\",\n hideLeadingDays: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"hideLeadingDays\", \"hideLeadingDays\", booleanAttribute],\n hideTrailingDays: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"hideTrailingDays\", \"hideTrailingDays\", booleanAttribute],\n showActiveDay: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"showActiveDay\", \"showActiveDay\", booleanAttribute]\n },\n outputs: {\n dateSelected: \"dateSelected\",\n pageChanged: \"pageChanged\",\n activeDateChange: \"activeDateChange\",\n previewRangeDateChange: \"previewRangeDateChange\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n multi: true,\n provide: NG_VALUE_ACCESSOR,\n useExisting: IgxDaysViewComponent\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n decls: 4,\n vars: 4,\n consts: [[\"item\", \"\"], [\"role\", \"row\", 1, \"igx-days-view__row\"], [\"role\", \"columnheader\", \"class\", \"igx-days-view__label igx-days-view__label--week-number\", 4, \"ngIf\"], [\"role\", \"columnheader\", \"class\", \"igx-days-view__label\", 4, \"ngFor\", \"ngForOf\"], [\"class\", \"igx-days-view__row\", \"role\", \"row\", 4, \"ngFor\", \"ngForOf\", \"ngForTrackBy\"], [\"role\", \"columnheader\", 1, \"igx-days-view__label\", \"igx-days-view__label--week-number\"], [\"role\", \"columnheader\", 1, \"igx-days-view__label\"], [1, \"igx-days-view__label-inner\"], [\"class\", \"igx-days-view__date igx-days-view__date--week-number\", 4, \"ngIf\"], [\"class\", \"igx-days-view__date\", \"role\", \"gridcell\", 3, \"date\", \"viewDate\", \"selection\", \"selected\", \"isActive\", \"isLastInRange\", \"isFirstInRange\", \"isWithinRange\", \"isWithinPreviewRange\", \"disabledDates\", \"specialDates\", \"hideLeadingDays\", \"hideTrailingDays\", \"mouseDown\", \"mouseEnter\", \"mouseLeave\", 4, \"ngFor\", \"ngForOf\", \"ngForTrackBy\"], [1, \"igx-days-view__date\", \"igx-days-view__date--week-number\"], [\"role\", \"rowheader\", 1, \"igx-days-view__date-inner\", \"igx-days-view__date-inner--week-number\"], [\"role\", \"gridcell\", 1, \"igx-days-view__date\", 3, \"mouseDown\", \"mouseEnter\", \"mouseLeave\", \"date\", \"viewDate\", \"selection\", \"selected\", \"isActive\", \"isLastInRange\", \"isFirstInRange\", \"isWithinRange\", \"isWithinPreviewRange\", \"disabledDates\", \"specialDates\", \"hideLeadingDays\", \"hideTrailingDays\"]],\n template: function IgxDaysViewComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵelementStart(0, \"div\", 1);\n i0.ɵɵtemplate(1, IgxDaysViewComponent_div_1_Template, 3, 0, \"div\", 2)(2, IgxDaysViewComponent_span_2_Template, 4, 4, \"span\", 3);\n i0.ɵɵelementEnd();\n i0.ɵɵtemplate(3, IgxDaysViewComponent_div_3_Template, 3, 3, \"div\", 4);\n }\n if (rf & 2) {\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.showWeekNumbers);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngForOf\", ctx.weekHeaderLabels);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngForOf\", ctx.monthWeeks)(\"ngForTrackBy\", ctx.rowTracker);\n }\n },\n dependencies: [NgIf, NgFor, IgxDayItemComponent, TitleCasePipe],\n encapsulation: 2,\n changeDetection: 0\n });\n }\n }\n return IgxDaysViewComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * @hidden\n */\nlet IgxMonthViewSlotsCalendar = /*#__PURE__*/(() => {\n class IgxMonthViewSlotsCalendar {\n transform(monthViews) {\n return new Array(monthViews);\n }\n static {\n this.ɵfac = function IgxMonthViewSlotsCalendar_Factory(t) {\n return new (t || IgxMonthViewSlotsCalendar)();\n };\n }\n static {\n this.ɵpipe = /* @__PURE__ */i0.ɵɵdefinePipe({\n name: \"IgxMonthViewSlots\",\n type: IgxMonthViewSlotsCalendar,\n pure: true,\n standalone: true\n });\n }\n }\n return IgxMonthViewSlotsCalendar;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * @hidden\n */\nlet IgxGetViewDateCalendar = /*#__PURE__*/(() => {\n class IgxGetViewDateCalendar {\n constructor() {\n this.calendar = new Calendar();\n }\n transform(index, viewDate, wholeDate = true) {\n const date = this.calendar.timedelta(viewDate, 'month', index);\n return wholeDate ? date : date.getMonth();\n }\n static {\n this.ɵfac = function IgxGetViewDateCalendar_Factory(t) {\n return new (t || IgxGetViewDateCalendar)();\n };\n }\n static {\n this.ɵpipe = /* @__PURE__ */i0.ɵɵdefinePipe({\n name: \"IgxGetViewDate\",\n type: IgxGetViewDateCalendar,\n pure: true,\n standalone: true\n });\n }\n }\n return IgxGetViewDateCalendar;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet NEXT_ID$j = 0;\n/**\n * Calendar provides a way to display date information.\n *\n * @igxModule IgxCalendarModule\n *\n * @igxTheme igx-calendar-theme, igx-icon-theme\n *\n * @igxKeywords calendar, datepicker, schedule, date\n *\n * @igxGroup Scheduling\n *\n * @remarks\n * The Ignite UI Calendar provides an easy way to display a calendar and allow users to select dates using single, multiple\n * or range selection.\n *\n * @example:\n * ```html\n * \n * ```\n */\nlet IgxCalendarComponent = /*#__PURE__*/(() => {\n class IgxCalendarComponent extends IgxCalendarBaseDirective {\n constructor() {\n super(...arguments);\n /**\n * Sets/gets the `id` of the calendar.\n *\n * @remarks\n * If not set, the `id` will have value `\"igx-calendar-0\"`.\n *\n * @example\n * ```html\n * \n * ```\n * @memberof IgxCalendarComponent\n */\n this.id = `igx-calendar-${NEXT_ID$j++}`;\n /**\n * Sets/gets whether the calendar has header.\n * Default value is `true`.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.hasHeader = true;\n /**\n * Sets/gets whether the calendar header will be in vertical position.\n * Default value is `false`.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.vertical = false;\n this.orientation = 'horizontal';\n this.headerOrientation = 'horizontal';\n /**\n * Show/hide week numbers\n *\n * @example\n * ```html\n * \n * ``\n */\n this.showWeekNumbers = false;\n /**\n * The default css class applied to the component.\n *\n * @hidden\n * @internal\n */\n this.styleClass = true;\n /**\n * @hidden\n * @internal\n */\n this.activeDate = CalendarDay.today.native;\n /**\n * Denote if the calendar view was changed with the keyboard\n *\n * @hidden\n * @internal\n */\n this.isKeydownTrigger = false;\n /**\n * @hidden\n * @internal\n */\n this._monthsViewNumber = 1;\n /**\n * Continious navigation through the previous pages\n *\n * @hidden\n * @internal\n */\n this.startPrevPageScroll = (isKeydownTrigger = false) => {\n this.startPageScroll$.next();\n this.pageScrollDirection = \"prev\" /* ScrollDirection.PREV */;\n this.previousPage(isKeydownTrigger);\n };\n /**\n * Continious navigation through the next pages\n *\n * @hidden\n * @internal\n */\n this.startNextPageScroll = (isKeydownTrigger = false) => {\n this.startPageScroll$.next();\n this.pageScrollDirection = \"next\" /* ScrollDirection.NEXT */;\n this.nextPage(isKeydownTrigger);\n };\n /**\n * Stop continuous navigation\n *\n * @hidden\n * @internal\n */\n this.stopPageScroll = event => {\n event.stopPropagation();\n this.stopPageScroll$.next(true);\n this.stopPageScroll$.complete();\n if (this.platform.isActivationKey(event)) {\n this.resetActiveDate(this.viewDate);\n }\n this.pageScrollDirection = \"none\" /* ScrollDirection.NONE */;\n };\n }\n /**\n * Sets/gets the number of month views displayed.\n * Default value is `1`.\n *\n * @example\n * ```html\n * \n * ```\n */\n get monthsViewNumber() {\n return this._monthsViewNumber;\n }\n set monthsViewNumber(val) {\n if (val < 1) {\n return;\n }\n this._monthsViewNumber = val;\n }\n /**\n * The default css class applied to the component.\n *\n * @hidden\n * @internal\n */\n get styleVerticalClass() {\n return this.headerOrientation === 'vertical';\n }\n /**\n * Denote if the year view is active.\n *\n * @hidden\n * @internal\n */\n get isYearView() {\n return this.activeView === IgxCalendarView.Year;\n }\n /**\n * Gets the header template.\n *\n * @example\n * ```typescript\n * let headerTitleTemplate = this.calendar.headerTitleTeamplate;\n * ```\n * @memberof IgxCalendarComponent\n */\n get headerTitleTemplate() {\n if (this.headerTitleTemplateDirective) {\n return this.headerTitleTemplateDirective.template;\n }\n return null;\n }\n /**\n * Sets the header template.\n *\n * @example\n * ```html\n * \n * ```\n * @memberof IgxCalendarComponent\n */\n set headerTitleTemplate(directive) {\n this.headerTitleTemplateDirective = directive;\n }\n /**\n * Gets the header template.\n *\n * @example\n * ```typescript\n * let headerTemplate = this.calendar.headerTeamplate;\n * ```\n * @memberof IgxCalendarComponent\n */\n get headerTemplate() {\n if (this.headerTemplateDirective) {\n return this.headerTemplateDirective.template;\n }\n return null;\n }\n /**\n * Sets the header template.\n *\n * @example\n * ```html\n * \n * ```\n * @memberof IgxCalendarComponent\n */\n set headerTemplate(directive) {\n this.headerTemplateDirective = directive;\n }\n /**\n * Gets the subheader template.\n *\n * @example\n * ```typescript\n * let subheaderTemplate = this.calendar.subheaderTemplate;\n * ```\n */\n get subheaderTemplate() {\n if (this.subheaderTemplateDirective) {\n return this.subheaderTemplateDirective.template;\n }\n return null;\n }\n /**\n * Sets the subheader template.\n *\n * @example\n * ```html\n * \n * ```\n * @memberof IgxCalendarComponent\n */\n set subheaderTemplate(directive) {\n this.subheaderTemplateDirective = directive;\n }\n /**\n * Gets the context for the template marked with the `igxCalendarHeader` directive.\n *\n * @example\n * ```typescript\n * let headerContext = this.calendar.headerContext;\n * ```\n */\n get headerContext() {\n return this.generateContext(this.headerDate);\n }\n /**\n * Gets the context for the template marked with either `igxCalendarSubHeaderMonth`\n * or `igxCalendarSubHeaderYear` directive.\n *\n * @example\n * ```typescript\n * let context = this.calendar.context;\n * ```\n */\n get context() {\n const date = this.viewDate;\n return this.generateContext(date);\n }\n /**\n * Date displayed in header\n *\n * @hidden\n * @internal\n */\n get headerDate() {\n return this.selectedDates?.at(0) ?? new Date();\n }\n onMouseDown(event) {\n event.stopPropagation();\n this.wrapper.nativeElement.focus();\n }\n /**\n * @hidden\n * @internal\n */\n set showActiveDay(value) {\n this._showActiveDay = value;\n this.cdr.detectChanges();\n }\n get showActiveDay() {\n return this._showActiveDay;\n }\n get activeDescendant() {\n if (this.activeView === 'month') {\n return this.activeDate.getTime();\n }\n return this._activeDescendant ?? this.viewDate.getTime();\n }\n set activeDescendant(date) {\n this._activeDescendant = date.getTime();\n }\n ngAfterViewInit() {\n this.keyboardNavigation.attachKeyboardHandlers(this.wrapper, this).set(\"ArrowUp\", this.onArrowUp).set(\"ArrowDown\", this.onArrowDown).set(\"ArrowLeft\", this.onArrowLeft).set(\"ArrowRight\", this.onArrowRight).set(\"Enter\", this.onEnter).set(\" \", this.onEnter).set(\"Home\", this.onHome).set(\"End\", this.onEnd).set(\"PageUp\", this.handlePageUp).set(\"PageDown\", this.handlePageDown);\n this.wrapper.nativeElement.addEventListener('focus', event => this.onWrapperFocus(event));\n this.wrapper.nativeElement.addEventListener('blur', event => this.onWrapperBlur(event));\n this.startPageScroll$.pipe(takeUntil(this.stopPageScroll$), switchMap(() => this.scrollPage$.pipe(skipLast(1), debounce(() => interval(300)), takeUntil(this.stopPageScroll$)))).subscribe(() => {\n switch (this.pageScrollDirection) {\n case \"prev\" /* ScrollDirection.PREV */:\n this.previousPage();\n break;\n case \"next\" /* ScrollDirection.NEXT */:\n this.nextPage();\n break;\n case \"none\" /* ScrollDirection.NONE */:\n default:\n break;\n }\n });\n this.activeView$.subscribe(view => {\n this.activeViewChanged.emit(view);\n this.viewDateChanged.emit({\n previousValue: this.previousViewDate,\n currentValue: this.viewDate\n });\n });\n }\n onWrapperFocus(event) {\n event.stopPropagation();\n this.showActiveDay = true;\n this.monthViews.forEach(view => view.changePreviewRange(this.activeDate));\n }\n onWrapperBlur(event) {\n event.stopPropagation();\n this.showActiveDay = false;\n this.monthViews.forEach(view => view.clearPreviewRange());\n this._onTouchedCallback();\n }\n handleArrowKeydown(event, delta) {\n event.preventDefault();\n event.stopPropagation();\n const date = getClosestActiveDate(CalendarDay.from(this.activeDate), delta, this.disabledDates);\n this.activeDate = date.native;\n const dates = this.viewDates;\n const isDateInView = dates.some(d => d.date.equalTo(this.activeDate));\n this.monthViews.forEach(view => view.clearPreviewRange());\n if (!isDateInView) {\n delta > 0 ? this.nextPage(true) : this.previousPage(true);\n }\n }\n handlePageUpDown(event, delta) {\n event.preventDefault();\n event.stopPropagation();\n const dir = delta > 0 ? \"next\" /* ScrollDirection.NEXT */ : \"prev\" /* ScrollDirection.PREV */;\n if (this.activeView === IgxCalendarView.Month && event.shiftKey) {\n this.viewDate = CalendarDay.from(this.viewDate).add('year', delta).native;\n this.resetActiveDate(this.viewDate);\n this.cdr.detectChanges();\n } else {\n this.changePage(false, dir);\n }\n }\n handlePageUp(event) {\n this.handlePageUpDown(event, -1);\n }\n handlePageDown(event) {\n this.handlePageUpDown(event, 1);\n }\n onArrowUp(event) {\n if (this.activeView === IgxCalendarView.Month) {\n this.handleArrowKeydown(event, -7);\n this.cdr.detectChanges();\n }\n if (this.activeView === IgxCalendarView.Year) {\n this.monthsView.onKeydownArrowUp(event);\n }\n if (this.activeView === IgxCalendarView.Decade) {\n this.dacadeView.onKeydownArrowUp(event);\n }\n }\n onArrowDown(event) {\n if (this.activeView === IgxCalendarView.Month) {\n this.handleArrowKeydown(event, 7);\n this.cdr.detectChanges();\n }\n if (this.activeView === IgxCalendarView.Year) {\n this.monthsView.onKeydownArrowDown(event);\n }\n if (this.activeView === IgxCalendarView.Decade) {\n this.dacadeView.onKeydownArrowDown(event);\n }\n }\n onArrowLeft(event) {\n if (this.activeView === IgxCalendarView.Month) {\n this.handleArrowKeydown(event, -1);\n this.cdr.detectChanges();\n }\n if (this.activeView === IgxCalendarView.Year) {\n this.monthsView.onKeydownArrowLeft(event);\n }\n if (this.activeView === IgxCalendarView.Decade) {\n this.dacadeView.onKeydownArrowLeft(event);\n }\n }\n onArrowRight(event) {\n if (this.activeView === IgxCalendarView.Month) {\n this.handleArrowKeydown(event, 1);\n this.cdr.detectChanges();\n }\n if (this.activeView === IgxCalendarView.Year) {\n this.monthsView.onKeydownArrowRight(event);\n }\n if (this.activeView === IgxCalendarView.Decade) {\n this.dacadeView.onKeydownArrowRight(event);\n }\n }\n onEnter(event) {\n event.stopPropagation();\n if (this.activeView === IgxCalendarView.Month) {\n this.handleDateSelection(this.activeDate);\n this.cdr.detectChanges();\n }\n if (this.activeView === IgxCalendarView.Year) {\n this.monthsView.onKeydownEnter(event);\n }\n if (this.activeView === IgxCalendarView.Decade) {\n this.dacadeView.onKeydownEnter(event);\n }\n this.monthViews.forEach(view => view.clearPreviewRange());\n }\n onHome(event) {\n event.stopPropagation();\n if (this.activeView === IgxCalendarView.Month) {\n const dates = this.monthViews.toArray().flatMap(view => view.dates.toArray()).filter(d => d.isCurrentMonth && d.isFocusable);\n this.activeDate = dates.at(0).date.native;\n this.cdr.detectChanges();\n }\n if (this.activeView === IgxCalendarView.Year) {\n this.monthsView.onKeydownHome(event);\n }\n if (this.activeView === IgxCalendarView.Decade) {\n this.dacadeView.onKeydownHome(event);\n }\n }\n onEnd(event) {\n event.stopPropagation();\n if (this.activeView === IgxCalendarView.Month) {\n const dates = this.monthViews.toArray().flatMap(view => view.dates.toArray()).filter(d => d.isCurrentMonth && d.isFocusable);\n this.activeDate = dates.at(-1).date.native;\n this.cdr.detectChanges();\n }\n if (this.activeView === IgxCalendarView.Year) {\n this.monthsView.onKeydownEnd(event);\n }\n if (this.activeView === IgxCalendarView.Decade) {\n this.dacadeView.onKeydownEnd(event);\n }\n }\n /**\n * Returns the locale representation of the month in the month view if enabled,\n * otherwise returns the default `Date.getMonth()` value.\n *\n * @hidden\n * @internal\n */\n formattedMonth(value) {\n if (this.formatViews.month) {\n return this.formatterMonth.format(value);\n }\n return `${value.getMonth()}`;\n }\n /**\n * Change to previous page\n *\n * @hidden\n * @internal\n */\n previousPage(isKeydownTrigger = false) {\n if (isKeydownTrigger && this.pageScrollDirection === \"next\" /* ScrollDirection.NEXT */) {\n return;\n }\n this.changePage(isKeydownTrigger, \"prev\" /* ScrollDirection.PREV */);\n }\n /**\n * Change to next page\n *\n * @hidden\n * @internal\n */\n nextPage(isKeydownTrigger = false) {\n if (isKeydownTrigger && this.pageScrollDirection === \"prev\" /* ScrollDirection.PREV */) {\n return;\n }\n this.changePage(isKeydownTrigger, \"next\" /* ScrollDirection.NEXT */);\n }\n /**\n * Changes the current page\n *\n * @hidden\n * @internal\n */\n changePage(isKeydownTrigger = false, direction) {\n this.previousViewDate = this.viewDate;\n this.isKeydownTrigger = isKeydownTrigger;\n switch (this.activeView) {\n case \"month\":\n if (direction === \"prev\" /* ScrollDirection.PREV */) {\n this.viewDate = CalendarDay.from(this.viewDate).add('month', -1).native;\n }\n if (direction === \"next\" /* ScrollDirection.NEXT */) {\n this.viewDate = CalendarDay.from(this.viewDate).add('month', 1).native;\n }\n this.viewDateChanged.emit({\n previousValue: this.previousViewDate,\n currentValue: this.viewDate\n });\n break;\n case \"year\":\n if (direction === \"prev\" /* ScrollDirection.PREV */) {\n this.viewDate = CalendarDay.from(this.viewDate).add('year', -1).native;\n }\n if (direction === \"next\" /* ScrollDirection.NEXT */) {\n this.viewDate = CalendarDay.from(this.viewDate).add('year', 1).native;\n }\n break;\n case \"decade\":\n if (direction === \"prev\" /* ScrollDirection.PREV */) {\n this.viewDate = CalendarDay.from(this.viewDate).add('year', -15).native;\n }\n if (direction === \"next\" /* ScrollDirection.NEXT */) {\n this.viewDate = CalendarDay.from(this.viewDate).add('year', 15).native;\n }\n break;\n }\n // XXX: Why only when it's not triggered by keyboard?\n if (!this.isKeydownTrigger) this.resetActiveDate(this.viewDate);\n }\n /**\n * @hidden\n * @internal\n */\n onActiveViewDecade(event, date, activeViewIdx) {\n event.preventDefault();\n super.activeViewDecade(activeViewIdx);\n this.viewDate = date;\n }\n /**\n * @hidden\n * @internal\n */\n onActiveViewDecadeKB(date, event, activeViewIdx) {\n super.activeViewDecadeKB(event, activeViewIdx);\n if (this.platform.isActivationKey(event)) {\n this.viewDate = date;\n this.wrapper.nativeElement.focus();\n }\n }\n /**\n * @hidden\n * @internal\n */\n onYearsViewClick(event) {\n const path = event.composed ? event.composedPath() : [event.target];\n const years = this.dacadeView.viewItems.toArray();\n const validTarget = years.some(year => path.includes(year.nativeElement));\n if (validTarget) {\n this.activeView = IgxCalendarView.Year;\n }\n }\n /**\n * @hidden\n * @internal\n */\n onYearsViewKeydown(event) {\n if (this.platform.isActivationKey(event)) {\n this.activeView = IgxCalendarView.Year;\n }\n }\n /**\n * @hidden\n * @internal\n */\n getFormattedDate() {\n const date = this.headerDate;\n const monthFormatter = new Intl.DateTimeFormat(this.locale, {\n month: 'short',\n day: 'numeric'\n });\n const dayFormatter = new Intl.DateTimeFormat(this.locale, {\n weekday: 'short'\n });\n return {\n monthday: monthFormatter.format(date),\n weekday: dayFormatter.format(date)\n };\n }\n /**\n * @hidden\n * @internal\n */\n getFormattedRange() {\n const dates = this.selectedDates;\n return {\n start: this.formatterRangeday.format(dates.at(0)),\n end: this.formatterRangeday.format(dates.at(-1))\n };\n }\n /**\n * @hidden\n * @internal\n */\n get viewDates() {\n return this.monthViews.toArray().flatMap(view => view.dates.toArray()).filter(d => d.isCurrentMonth);\n }\n /**\n * Handles invoked on date selection\n *\n * @hidden\n * @internal\n */\n handleDateSelection(date) {\n const outOfRange = !this.viewDates.some(d => {\n return d.date.equalTo(date);\n });\n if (outOfRange) {\n this.viewDate = date;\n }\n this.selectDate(date);\n // keep views in sync\n this.monthViews.forEach(m => {\n m.shiftKey = this.shiftKey;\n m.selectedDates = this.selectedDates;\n m.cdr.markForCheck();\n });\n if (this.selection !== 'single') {\n this.selected.emit(this.selectedDates);\n } else {\n this.selected.emit(this.selectedDates.at(0));\n }\n }\n /**\n * @hidden\n * @intenal\n */\n changeMonth(date) {\n this.previousViewDate = this.viewDate;\n this.viewDate = CalendarDay.from(date).add('month', -this.activeViewIdx).native;\n this.activeView = IgxCalendarView.Month;\n this.resetActiveDate(date);\n }\n /**\n * @hidden\n * @intenal\n */\n changeYear(date) {\n this.previousViewDate = this.viewDate;\n this.viewDate = CalendarDay.from(date).add('month', -this.activeViewIdx).native;\n this.activeView = IgxCalendarView.Year;\n }\n /**\n * @hidden\n * @intenal\n */\n updateYear(date) {\n this.previousViewDate = this.viewDate;\n this.viewDate = CalendarDay.from(date).add('year', -this.activeViewIdx).native;\n }\n updateActiveDescendant(date) {\n this.activeDescendant = date;\n }\n /**\n * @hidden\n * @internal\n */\n onActiveViewYear(event, date, activeViewIdx) {\n event.preventDefault();\n this.activeView = IgxCalendarView.Year;\n this.activeViewIdx = activeViewIdx;\n this.viewDate = date;\n }\n /**\n * @hidden\n * @internal\n */\n onActiveViewYearKB(date, event, activeViewIdx) {\n event.stopPropagation();\n if (this.platform.isActivationKey(event)) {\n event.preventDefault();\n this.activeView = IgxCalendarView.Year;\n this.activeViewIdx = activeViewIdx;\n this.viewDate = date;\n this.wrapper.nativeElement.focus();\n }\n }\n /**\n * Deselects date(s) (based on the selection type).\n *\n * @example\n * ```typescript\n * this.calendar.deselectDate(new Date(`2018-06-12`));\n * ````\n */\n deselectDate(value) {\n super.deselectDate(value);\n this.monthViews.forEach(m => {\n m.selectedDates = this.selectedDates;\n m.rangeStarted = false;\n m.cdr.markForCheck();\n });\n this._onChangeCallback(this.selectedDates);\n }\n /**\n * Getter for the context object inside the calendar templates.\n *\n * @hidden\n * @internal\n */\n getContext(i) {\n const date = CalendarDay.from(this.viewDate).add('month', i).native;\n return this.generateContext(date, i);\n }\n /**\n * @hidden\n * @internal\n */\n // TODO: See if this can be incorporated in the DaysView directly\n resetActiveDate(date) {\n const target = CalendarDay.from(this.activeDate).set({\n month: date.getMonth(),\n year: date.getFullYear()\n });\n const outOfRange = !areSameMonth(date, target) || isDateInRanges(target, this.disabledDates);\n this.activeDate = outOfRange ? date : target.native;\n }\n /**\n * @hidden\n * @internal\n */\n ngOnDestroy() {\n this.keyboardNavigation.detachKeyboardHandlers();\n this.wrapper?.nativeElement.removeEventListener('focus', this.onWrapperFocus);\n this.wrapper?.nativeElement.removeEventListener('blur', this.onWrapperBlur);\n }\n /**\n * @hidden\n * @internal\n */\n getPrevMonth(date) {\n return CalendarDay.from(date).add('month', -1).native;\n }\n /**\n * @hidden\n * @internal\n */\n getNextMonth(date, viewIndex) {\n return CalendarDay.from(date).add('month', viewIndex).native;\n }\n /**\n * Helper method building and returning the context object inside the calendar templates.\n *\n * @hidden\n * @internal\n */\n generateContext(value, i) {\n const construct = (date, index) => ({\n index: index,\n date,\n ...formatToParts(date, this.locale, this.formatOptions, [\"era\", \"year\", \"month\", \"day\", \"weekday\"])\n });\n const formatObject = Array.isArray(value) ? value.map((date, index) => construct(date, index)) : construct(value, i);\n return {\n $implicit: formatObject\n };\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxCalendarComponent_BaseFactory;\n return function IgxCalendarComponent_Factory(t) {\n return (ɵIgxCalendarComponent_BaseFactory || (ɵIgxCalendarComponent_BaseFactory = i0.ɵɵgetInheritedFactory(IgxCalendarComponent)))(t || IgxCalendarComponent);\n };\n })();\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxCalendarComponent,\n selectors: [[\"igx-calendar\"]],\n contentQueries: function IgxCalendarComponent_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxCalendarHeaderTemplateDirective, 7, IgxCalendarHeaderTemplateDirective);\n i0.ɵɵcontentQuery(dirIndex, IgxCalendarHeaderTitleTemplateDirective, 7, IgxCalendarHeaderTitleTemplateDirective);\n i0.ɵɵcontentQuery(dirIndex, IgxCalendarSubheaderTemplateDirective, 7, IgxCalendarSubheaderTemplateDirective);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.headerTemplateDirective = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.headerTitleTemplateDirective = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.subheaderTemplateDirective = _t.first);\n }\n },\n viewQuery: function IgxCalendarComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c37, 5);\n i0.ɵɵviewQuery(_c38, 5, IgxYearsViewComponent);\n i0.ɵɵviewQuery(_c39, 5, IgxMonthsViewComponent);\n i0.ɵɵviewQuery(_c40, 5, IgxDaysViewComponent);\n i0.ɵɵviewQuery(_c41, 5);\n i0.ɵɵviewQuery(_c42, 5);\n i0.ɵɵviewQuery(_c43, 5);\n i0.ɵɵviewQuery(_c40, 5, IgxDaysViewComponent);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.wrapper = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.dacadeView = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.monthsView = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.daysView = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.prevPageBtn = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.nextPageBtn = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.monthsBtns = _t);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.monthViews = _t);\n }\n },\n hostVars: 5,\n hostBindings: function IgxCalendarComponent_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"mousedown\", function IgxCalendarComponent_mousedown_HostBindingHandler($event) {\n return ctx.onMouseDown($event);\n });\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id);\n i0.ɵɵclassProp(\"igx-calendar--vertical\", ctx.styleVerticalClass)(\"igx-calendar\", ctx.styleClass);\n }\n },\n inputs: {\n id: \"id\",\n hasHeader: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"hasHeader\", \"hasHeader\", booleanAttribute],\n vertical: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"vertical\", \"vertical\", booleanAttribute],\n orientation: \"orientation\",\n headerOrientation: \"headerOrientation\",\n monthsViewNumber: \"monthsViewNumber\",\n showWeekNumbers: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"showWeekNumbers\", \"showWeekNumbers\", booleanAttribute]\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n multi: true,\n provide: NG_VALUE_ACCESSOR,\n useExisting: IgxCalendarComponent\n }, {\n multi: false,\n provide: KeyboardNavigationService\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n decls: 41,\n vars: 23,\n consts: [[\"defaultHeaderTitle\", \"\"], [\"defaultHeaderDate\", \"\"], [\"defaultMonth\", \"\"], [\"defaultYear\", \"\"], [\"defaultMonthYear\", \"\"], [\"defaultDecade\", \"\"], [\"prevArrow\", \"\"], [\"nextArrow\", \"\"], [\"prevPageButton\", \"\"], [\"nextPageButton\", \"\"], [\"calendarDaysPicker\", \"\"], [\"calendarYearPicker\", \"\"], [\"calendarDecadePicker\", \"\"], [\"wrapper\", \"\"], [\"monthsBtn\", \"\"], [\"yearsBtn\", \"\"], [\"prevPageBtn\", \"\"], [\"nextPageBtn\", \"\"], [\"days\", \"\"], [\"months\", \"\"], [\"decade\", \"\"], [\"aria-labelledby\", \"igx-aria-calendar-title-month igx-aria-calendar-title-year\", \"class\", \"igx-calendar__header\", 4, \"ngIf\"], [\"aria-labelledby\", \"calendar-desc\", \"role\", \"grid\", 1, \"igx-calendar__wrapper\", 3, \"tabIndex\"], [\"id\", \"calendar-desc\", \"tabindex\", \"-1\", 1, \"igx-calendar__aria-off-screen\"], [4, \"ngIf\"], [1, \"igx-calendar__pickers\"], [\"role\", \"presentation\", 1, \"igx-calendar__body\"], [\"tabindex\", \"0\", \"role\", \"button\", 1, \"igx-calendar-picker__date\", 3, \"keydown\", \"mousedown\"], [\"class\", \"igx-calendar__aria-off-screen\", \"aria-live\", \"polite\", 4, \"ngIf\"], [\"aria-live\", \"polite\", 1, \"igx-calendar__aria-off-screen\"], [4, \"ngTemplateOutlet\", \"ngTemplateOutletContext\"], [\"aria-hidden\", \"true\"], [\"tabindex\", \"0\", \"role\", \"button\", \"data-action\", \"prev\", \"igxCalendarScrollPage\", \"\", 1, \"igx-calendar-picker__prev\", 3, \"keydown\", \"startScroll\", \"stopScroll\"], [4, \"ngTemplateOutlet\"], [\"tabindex\", \"0\", \"role\", \"button\", \"data-action\", \"next\", \"igxCalendarScrollPage\", \"\", 1, \"igx-calendar-picker__next\", 3, \"keydown\", \"startScroll\", \"stopScroll\"], [1, \"igx-calendar-picker\"], [1, \"igx-calendar-picker__dates\"], [\"class\", \"igx-calendar-picker__nav\", 4, \"ngIf\"], [1, \"igx-calendar-picker__nav\"], [\"aria-live\", \"polite\", 1, \"igx-calendar-picker__dates\"], [\"aria-labelledby\", \"igx-aria-calendar-title-month igx-aria-calendar-title-year\", 1, \"igx-calendar__header\"], [\"id\", \"igx-aria-calendar-title-year\", 1, \"igx-calendar__header-year\"], [\"id\", \"igx-aria-calendar-title-month\", 1, \"igx-calendar__header-date\"], [4, \"ngFor\", \"ngForOf\"], [\"role\", \"rowgroup\", 3, \"activeDateChange\", \"previewRangeDateChange\", \"swiperight\", \"swipeleft\", \"dateSelected\", \"mousedown\", \"tabIndex\", \"selection\", \"locale\", \"value\", \"activeDate\", \"previewRangeDate\", \"viewDate\", \"weekStart\", \"formatOptions\", \"formatViews\", \"disabledDates\", \"specialDates\", \"hideLeadingDays\", \"hideTrailingDays\", \"showWeekNumbers\", \"showActiveDay\", \"standalone\"], [\"role\", \"rowgroup\", 3, \"swiperight\", \"swipeleft\", \"pageChanged\", \"activeDateChanged\", \"selected\", \"mousedown\", \"tabIndex\", \"date\", \"locale\", \"formatView\", \"monthFormat\", \"showActive\", \"standalone\"], [\"role\", \"rowgroup\", 3, \"swiperight\", \"swipeleft\", \"pageChanged\", \"activeDateChanged\", \"selected\", \"mousedown\", \"tabIndex\", \"date\", \"locale\", \"formatView\", \"yearFormat\", \"showActive\", \"standalone\"]],\n template: function IgxCalendarComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵtemplate(0, IgxCalendarComponent_ng_template_0_Template, 2, 2, \"ng-template\", null, 0, i0.ɵɵtemplateRefExtractor)(2, IgxCalendarComponent_ng_template_2_Template, 2, 2, \"ng-template\", null, 1, i0.ɵɵtemplateRefExtractor)(4, IgxCalendarComponent_ng_template_4_Template, 4, 5, \"ng-template\", null, 2, i0.ɵɵtemplateRefExtractor)(6, IgxCalendarComponent_ng_template_6_Template, 5, 6, \"ng-template\", null, 3, i0.ɵɵtemplateRefExtractor)(8, IgxCalendarComponent_ng_template_8_Template, 3, 9, \"ng-template\", null, 4, i0.ɵɵtemplateRefExtractor)(10, IgxCalendarComponent_ng_template_10_Template, 2, 2, \"ng-template\", null, 5, i0.ɵɵtemplateRefExtractor)(12, IgxCalendarComponent_ng_template_12_Template, 2, 0, \"ng-template\", null, 6, i0.ɵɵtemplateRefExtractor)(14, IgxCalendarComponent_ng_template_14_Template, 2, 0, \"ng-template\", null, 7, i0.ɵɵtemplateRefExtractor)(16, IgxCalendarComponent_ng_template_16_Template, 4, 7, \"ng-template\", null, 8, i0.ɵɵtemplateRefExtractor)(18, IgxCalendarComponent_ng_template_18_Template, 4, 7, \"ng-template\", null, 9, i0.ɵɵtemplateRefExtractor)(20, IgxCalendarComponent_ng_template_20_Template, 5, 10, \"ng-template\", null, 10, i0.ɵɵtemplateRefExtractor)(22, IgxCalendarComponent_ng_template_22_Template, 6, 4, \"ng-template\", null, 11, i0.ɵɵtemplateRefExtractor)(24, IgxCalendarComponent_ng_template_24_Template, 6, 3, \"ng-template\", null, 12, i0.ɵɵtemplateRefExtractor)(26, IgxCalendarComponent_header_26_Template, 5, 4, \"header\", 21);\n i0.ɵɵelementStart(27, \"div\", 22, 13)(29, \"caption\", 23);\n i0.ɵɵtemplate(30, IgxCalendarComponent_ng_container_30_Template, 2, 1, \"ng-container\", 24)(31, IgxCalendarComponent_ng_container_31_Template, 2, 1, \"ng-container\", 24)(32, IgxCalendarComponent_ng_container_32_Template, 2, 1, \"ng-container\", 24);\n i0.ɵɵelementEnd();\n i0.ɵɵelementStart(33, \"section\", 25);\n i0.ɵɵtemplate(34, IgxCalendarComponent_ng_container_34_Template, 3, 3, \"ng-container\", 24)(35, IgxCalendarComponent_ng_container_35_Template, 2, 1, \"ng-container\", 24)(36, IgxCalendarComponent_ng_container_36_Template, 2, 1, \"ng-container\", 24);\n i0.ɵɵelementEnd();\n i0.ɵɵelementStart(37, \"section\", 26);\n i0.ɵɵtemplate(38, IgxCalendarComponent_ng_container_38_Template, 3, 3, \"ng-container\", 24)(39, IgxCalendarComponent_ng_container_39_Template, 3, 7, \"ng-container\", 24)(40, IgxCalendarComponent_ng_container_40_Template, 3, 7, \"ng-container\", 24);\n i0.ɵɵelementEnd()();\n }\n if (rf & 2) {\n i0.ɵɵadvance(26);\n i0.ɵɵproperty(\"ngIf\", ctx.selection === \"single\" && ctx.hasHeader || ctx.selection === \"range\" && ctx.hasHeader);\n i0.ɵɵadvance();\n i0.ɵɵstyleProp(\"--calendar-months\", ctx.monthsViewNumber);\n i0.ɵɵclassProp(\"igx-calendar__wrapper--vertical\", ctx.orientation === \"vertical\");\n i0.ɵɵproperty(\"tabIndex\", 0);\n i0.ɵɵattribute(\"aria-activedescendant\", ctx.activeDescendant)(\"aria-multiselectable\", ctx.selection !== \"single\");\n i0.ɵɵadvance(3);\n i0.ɵɵproperty(\"ngIf\", ctx.selection === \"multi\");\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.selection === \"range\");\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.selection === \"single\");\n i0.ɵɵadvance();\n i0.ɵɵclassProp(\"igx-calendar__pickers--days\", ctx.isDefaultView)(\"igx-calendar__pickers--vertical\", ctx.orientation === \"vertical\");\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.isDefaultView);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.isYearView);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.isDecadeView);\n i0.ɵɵadvance();\n i0.ɵɵclassProp(\"igx-calendar__body--vertical\", ctx.orientation === \"vertical\");\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.isDefaultView);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.isYearView);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.isDecadeView);\n }\n },\n dependencies: [NgIf, NgTemplateOutlet, IgxCalendarScrollPageDirective, IgxIconComponent, NgFor, IgxDaysViewComponent, IgxMonthsViewComponent, IgxYearsViewComponent, DatePipe, IgxMonthViewSlotsCalendar, IgxGetViewDateCalendar],\n encapsulation: 2\n });\n }\n }\n return IgxCalendarComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet NEXT_ID$i = 0;\nlet IgxMonthPickerComponent = /*#__PURE__*/(() => {\n class IgxMonthPickerComponent extends IgxCalendarBaseDirective {\n constructor() {\n super(...arguments);\n /**\n * Sets/gets the `id` of the month picker.\n * If not set, the `id` will have value `\"igx-month-picker-0\"`.\n */\n this.id = `igx-month-picker-${NEXT_ID$i++}`;\n /**\n * The default css class applied to the component.\n *\n * @hidden\n */\n this.styleClass = true;\n }\n /**\n * @hidden\n */\n previousPage(event) {\n event?.preventDefault();\n this.previousViewDate = this.viewDate;\n if (this.isDefaultView) {\n this.viewDate = CalendarDay.from(this.viewDate).add('year', -1).native;\n }\n if (this.isDecadeView) {\n this.viewDate = CalendarDay.from(this.viewDate).add('year', -15).native;\n }\n this.viewDateChanged.emit({\n previousValue: this.previousViewDate,\n currentValue: this.viewDate\n });\n }\n /**\n * @hidden\n */\n nextPage(event) {\n event?.preventDefault();\n this.previousViewDate = this.viewDate;\n if (this.isDefaultView) {\n this.viewDate = CalendarDay.from(this.viewDate).add('year', 1).native;\n }\n if (this.isDecadeView) {\n this.viewDate = CalendarDay.from(this.viewDate).add('year', 15).native;\n }\n this.viewDateChanged.emit({\n previousValue: this.previousViewDate,\n currentValue: this.viewDate\n });\n }\n /**\n * @hidden\n * @internal\n */\n onActiveViewDecadeKB(date, event, activeViewIdx) {\n super.activeViewDecadeKB(event, activeViewIdx);\n if (this.platform.isActivationKey(event)) {\n this.viewDate = date;\n this.wrapper.nativeElement.focus();\n }\n }\n /**\n * @hidden\n * @internal\n */\n onActiveViewDecade(event, date, activeViewIdx) {\n event.preventDefault();\n super.activeViewDecade(activeViewIdx);\n this.viewDate = date;\n }\n /**\n * @hidden\n */\n activeViewDecadeKB(event) {\n super.activeViewDecadeKB(event);\n if (event.key === this.platform.KEYMAP.ARROW_RIGHT) {\n this.nextPage(event);\n }\n if (event.key === this.platform.KEYMAP.ARROW_LEFT) {\n this.previousPage(event);\n }\n }\n /**\n * @hidden\n */\n activeViewDecade() {\n super.activeViewDecade();\n requestAnimationFrame(() => {\n this.dacadeView.el.nativeElement.focus();\n });\n }\n /**\n * @hidden\n */\n changePageKB(event, next = true) {\n if (this.platform.isActivationKey(event)) {\n event.stopPropagation();\n if (next) {\n this.nextPage();\n } else {\n this.previousPage();\n }\n }\n }\n /**\n * @hidden\n */\n selectYear(event) {\n this.previousViewDate = this.viewDate;\n this.viewDate = new Date(event.getFullYear(), event.getMonth(), event.getDate());\n this.activeView = IgxCalendarView.Year;\n this.wrapper.nativeElement.focus();\n }\n /**\n * @hidden\n */\n selectMonth(event) {\n this.selectDate(event);\n this.selected.emit(this.selectedDates);\n }\n /**\n * Selects a date.\n * ```typescript\n * this.monthPicker.selectDate(new Date(`2018-06-12`));\n * ```\n */\n selectDate(value) {\n if (!value) {\n return new Date();\n }\n super.selectDate(value);\n this.viewDate = value;\n }\n /**\n * @hidden\n */\n getNextYear() {\n return CalendarDay.from(this.viewDate).add('year', 1).year;\n }\n /**\n * @hidden\n */\n getPreviousYear() {\n return CalendarDay.from(this.viewDate).add('year', -1).year;\n }\n /**\n * @hidden\n */\n updateDate(date) {\n this.previousViewDate = this.viewDate;\n this.viewDate = CalendarDay.from(date).add('year', -this.activeViewIdx).native;\n if (this.isDefaultView) {\n this.viewDateChanged.emit({\n previousValue: this.previousViewDate,\n currentValue: this.viewDate\n });\n }\n }\n onMouseDown(event) {\n event.stopPropagation();\n this.wrapper.nativeElement.focus();\n }\n /**\n * @hidden\n * @internal\n */\n set showActiveDay(value) {\n this._showActiveDay = value;\n this.cdr.detectChanges();\n }\n get showActiveDay() {\n return this._showActiveDay;\n }\n get activeDescendant() {\n if (this.activeView === 'month') {\n return this.value?.getTime();\n }\n return this._activeDescendant ?? this.viewDate.getTime();\n }\n set activeDescendant(date) {\n this._activeDescendant = date.getTime();\n }\n get isDefaultView() {\n return this.activeView === IgxCalendarView.Year;\n }\n ngOnInit() {\n this.activeView = IgxCalendarView.Year;\n }\n ngAfterViewInit() {\n this.keyboardNavigation.attachKeyboardHandlers(this.wrapper, this).set(\"ArrowUp\", this.onArrowUp).set(\"ArrowDown\", this.onArrowDown).set(\"ArrowLeft\", this.onArrowLeft).set(\"ArrowRight\", this.onArrowRight).set(\"Enter\", this.onEnter).set(\" \", this.onEnter).set(\"Home\", this.onHome).set(\"End\", this.onEnd).set(\"PageUp\", this.handlePageUp).set(\"PageDown\", this.handlePageDown);\n this.wrapper.nativeElement.addEventListener('focus', event => this.onWrapperFocus(event));\n this.wrapper.nativeElement.addEventListener('blur', event => this.onWrapperBlur(event));\n this.activeView$.subscribe(view => {\n this.activeViewChanged.emit(view);\n this.viewDateChanged.emit({\n previousValue: this.previousViewDate,\n currentValue: this.viewDate\n });\n });\n }\n onWrapperFocus(event) {\n event.stopPropagation();\n this.showActiveDay = true;\n }\n onWrapperBlur(event) {\n event.stopPropagation();\n this.showActiveDay = false;\n this._onTouchedCallback();\n }\n handlePageUpDown(event, delta) {\n event.preventDefault();\n event.stopPropagation();\n if (this.isDefaultView && event.shiftKey) {\n this.viewDate = CalendarDay.from(this.viewDate).add('year', delta).native;\n this.cdr.detectChanges();\n } else {\n delta > 0 ? this.nextPage() : this.previousPage();\n }\n }\n handlePageUp(event) {\n this.handlePageUpDown(event, -1);\n }\n handlePageDown(event) {\n this.handlePageUpDown(event, 1);\n }\n onArrowUp(event) {\n if (this.isDefaultView) {\n this.monthsView.onKeydownArrowUp(event);\n }\n if (this.isDecadeView) {\n this.dacadeView.onKeydownArrowUp(event);\n }\n }\n onArrowDown(event) {\n if (this.isDefaultView) {\n this.monthsView.onKeydownArrowDown(event);\n }\n if (this.isDecadeView) {\n this.dacadeView.onKeydownArrowDown(event);\n }\n }\n onArrowLeft(event) {\n if (this.isDefaultView) {\n this.monthsView.onKeydownArrowLeft(event);\n }\n if (this.isDecadeView) {\n this.dacadeView.onKeydownArrowLeft(event);\n }\n }\n onArrowRight(event) {\n if (this.isDefaultView) {\n this.monthsView.onKeydownArrowRight(event);\n }\n if (this.isDecadeView) {\n this.dacadeView.onKeydownArrowRight(event);\n }\n }\n onEnter(event) {\n event.stopPropagation();\n if (this.isDefaultView) {\n this.monthsView.onKeydownEnter(event);\n }\n if (this.isDecadeView) {\n this.dacadeView.onKeydownEnter(event);\n }\n }\n onHome(event) {\n event.stopPropagation();\n if (this.isDefaultView) {\n this.monthsView.onKeydownHome(event);\n }\n if (this.isDecadeView) {\n this.dacadeView.onKeydownHome(event);\n }\n }\n onEnd(event) {\n event.stopPropagation();\n if (this.isDefaultView) {\n this.monthsView.onKeydownEnd(event);\n }\n if (this.isDecadeView) {\n this.dacadeView.onKeydownEnd(event);\n }\n }\n /**\n * @hidden\n * @internal\n */\n ngOnDestroy() {\n this.keyboardNavigation.detachKeyboardHandlers();\n this.wrapper?.nativeElement.removeEventListener('focus', this.onWrapperFocus);\n this.wrapper?.nativeElement.removeEventListener('blur', this.onWrapperBlur);\n }\n /**\n * @hidden\n * @internal\n */\n getPrevYearDate(date) {\n return CalendarDay.from(date).add('year', -1).native;\n }\n /**\n * @hidden\n * @internal\n */\n getNextYearDate(date) {\n return CalendarDay.from(date).add('year', 1).native;\n }\n /**\n * Getter for the context object inside the calendar templates.\n *\n * @hidden\n * @internal\n */\n getContext(i) {\n const date = CalendarDay.from(this.viewDate).add('month', i).native;\n return this.generateContext(date, i);\n }\n /**\n * Helper method building and returning the context object inside the calendar templates.\n *\n * @hidden\n * @internal\n */\n generateContext(value, i) {\n const construct = (date, index) => ({\n index: index,\n date,\n ...formatToParts(date, this.locale, this.formatOptions, [\"era\", \"year\", \"month\", \"day\", \"weekday\"])\n });\n const formatObject = Array.isArray(value) ? value.map((date, index) => construct(date, index)) : construct(value, i);\n return {\n $implicit: formatObject\n };\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxMonthPickerComponent_BaseFactory;\n return function IgxMonthPickerComponent_Factory(t) {\n return (ɵIgxMonthPickerComponent_BaseFactory || (ɵIgxMonthPickerComponent_BaseFactory = i0.ɵɵgetInheritedFactory(IgxMonthPickerComponent)))(t || IgxMonthPickerComponent);\n };\n })();\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxMonthPickerComponent,\n selectors: [[\"igx-month-picker\"]],\n viewQuery: function IgxMonthPickerComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c37, 5);\n i0.ɵɵviewQuery(_c39, 5, IgxMonthsViewComponent);\n i0.ɵɵviewQuery(_c38, 5, IgxYearsViewComponent);\n i0.ɵɵviewQuery(_c40, 5, IgxDaysViewComponent);\n i0.ɵɵviewQuery(_c36, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.wrapper = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.monthsView = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.dacadeView = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.daysView = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.yearsBtn = _t.first);\n }\n },\n hostVars: 3,\n hostBindings: function IgxMonthPickerComponent_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"keydown.pageup\", function IgxMonthPickerComponent_keydown_pageup_HostBindingHandler($event) {\n return ctx.previousPage($event);\n })(\"keydown.pagedown\", function IgxMonthPickerComponent_keydown_pagedown_HostBindingHandler($event) {\n return ctx.nextPage($event);\n })(\"mousedown\", function IgxMonthPickerComponent_mousedown_HostBindingHandler($event) {\n return ctx.onMouseDown($event);\n });\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id);\n i0.ɵɵclassProp(\"igx-month-picker\", ctx.styleClass);\n }\n },\n inputs: {\n id: \"id\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n multi: true,\n provide: NG_VALUE_ACCESSOR,\n useExisting: IgxMonthPickerComponent\n }, {\n multi: false,\n provide: KeyboardNavigationService\n }]), i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n decls: 26,\n vars: 8,\n consts: [[\"prevArrow\", \"\"], [\"nextArrow\", \"\"], [\"prevPageButton\", \"\"], [\"nextPageButton\", \"\"], [\"defaultYear\", \"\"], [\"defaultDecade\", \"\"], [\"calendarYearPicker\", \"\"], [\"calendarDecadePicker\", \"\"], [\"wrapper\", \"\"], [\"prevPageBtn\", \"\"], [\"nextPageBtn\", \"\"], [\"yearsBtn\", \"\"], [\"months\", \"\"], [\"decade\", \"\"], [\"aria-labelledby\", \"calendar-desc\", \"role\", \"grid\", 1, \"igx-calendar__wrapper\", 3, \"tabIndex\"], [\"id\", \"calendar-desc\", \"tabindex\", \"-1\", 1, \"igx-calendar__aria-off-screen\"], [1, \"igx-calendar__pickers\"], [4, \"ngIf\"], [1, \"igx-calendar__body\"], [\"aria-hidden\", \"true\"], [\"tabindex\", \"0\", \"role\", \"button\", \"data-action\", \"prev\", \"igxCalendarScrollPage\", \"\", 1, \"igx-calendar-picker__prev\", 3, \"mousedown\", \"keydown\"], [4, \"ngTemplateOutlet\"], [\"tabindex\", \"0\", \"role\", \"button\", \"data-action\", \"next\", \"igxCalendarScrollPage\", \"\", 1, \"igx-calendar-picker__next\", 3, \"mousedown\", \"keydown\"], [\"class\", \"igx-calendar__aria-off-screen\", \"aria-live\", \"polite\", 4, \"ngIf\"], [\"tabindex\", \"0\", \"role\", \"button\", 1, \"igx-calendar-picker__date\", 3, \"keydown\", \"mousedown\"], [\"aria-live\", \"polite\", 1, \"igx-calendar__aria-off-screen\"], [1, \"igx-calendar-picker\"], [1, \"igx-calendar-picker__dates\"], [4, \"ngTemplateOutlet\", \"ngTemplateOutletContext\"], [1, \"igx-calendar-picker__nav\"], [\"aria-live\", \"polite\", 1, \"igx-calendar-picker__dates\"], [\"role\", \"rowgroup\", 3, \"swiperight\", \"swipeleft\", \"selected\", \"pageChanged\", \"mousedown\", \"tabIndex\", \"date\", \"locale\", \"formatView\", \"monthFormat\", \"showActive\", \"standalone\"], [\"role\", \"rowgroup\", 3, \"swiperight\", \"swipeleft\", \"selected\", \"pageChanged\", \"mousedown\", \"tabIndex\", \"date\", \"locale\", \"formatView\", \"yearFormat\", \"showActive\", \"standalone\"]],\n template: function IgxMonthPickerComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵtemplate(0, IgxMonthPickerComponent_ng_template_0_Template, 2, 0, \"ng-template\", null, 0, i0.ɵɵtemplateRefExtractor)(2, IgxMonthPickerComponent_ng_template_2_Template, 2, 0, \"ng-template\", null, 1, i0.ɵɵtemplateRefExtractor)(4, IgxMonthPickerComponent_ng_template_4_Template, 4, 5, \"ng-template\", null, 2, i0.ɵɵtemplateRefExtractor)(6, IgxMonthPickerComponent_ng_template_6_Template, 4, 5, \"ng-template\", null, 3, i0.ɵɵtemplateRefExtractor)(8, IgxMonthPickerComponent_ng_template_8_Template, 5, 6, \"ng-template\", null, 4, i0.ɵɵtemplateRefExtractor)(10, IgxMonthPickerComponent_ng_template_10_Template, 2, 2, \"ng-template\", null, 5, i0.ɵɵtemplateRefExtractor)(12, IgxMonthPickerComponent_ng_template_12_Template, 6, 4, \"ng-template\", null, 6, i0.ɵɵtemplateRefExtractor)(14, IgxMonthPickerComponent_ng_template_14_Template, 6, 3, \"ng-template\", null, 7, i0.ɵɵtemplateRefExtractor);\n i0.ɵɵelementStart(16, \"div\", 14, 8)(18, \"caption\", 15);\n i0.ɵɵtext(19);\n i0.ɵɵelementEnd();\n i0.ɵɵelementStart(20, \"section\", 16);\n i0.ɵɵtemplate(21, IgxMonthPickerComponent_ng_container_21_Template, 2, 1, \"ng-container\", 17)(22, IgxMonthPickerComponent_ng_container_22_Template, 2, 1, \"ng-container\", 17);\n i0.ɵɵelementEnd();\n i0.ɵɵelementStart(23, \"section\", 18);\n i0.ɵɵtemplate(24, IgxMonthPickerComponent_ng_container_24_Template, 4, 7, \"ng-container\", 17)(25, IgxMonthPickerComponent_ng_container_25_Template, 3, 7, \"ng-container\", 17);\n i0.ɵɵelementEnd()();\n }\n if (rf & 2) {\n i0.ɵɵadvance(16);\n i0.ɵɵproperty(\"tabIndex\", 0);\n i0.ɵɵattribute(\"aria-activedescendant\", ctx.activeDescendant)(\"aria-multiselectable\", ctx.selection !== \"single\");\n i0.ɵɵadvance(3);\n i0.ɵɵtextInterpolate1(\" \", ctx.resourceStrings.igx_calendar_singular_single_selection, \" \");\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"ngIf\", ctx.isDefaultView);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.isDecadeView);\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"ngIf\", ctx.isDefaultView);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.isDecadeView);\n }\n },\n dependencies: [NgIf, NgTemplateOutlet, DatePipe, IgxIconComponent, IgxMonthsViewComponent, IgxYearsViewComponent],\n encapsulation: 2\n });\n }\n }\n return IgxMonthPickerComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* NOTE: Calendar directives collection for ease-of-use import in standalone components scenario */\nconst IGX_CALENDAR_DIRECTIVES = [IgxCalendarComponent, IgxDaysViewComponent, IgxMonthsViewComponent, IgxYearsViewComponent, IgxMonthPickerComponent, IgxCalendarHeaderTemplateDirective, IgxCalendarHeaderTitleTemplateDirective, IgxCalendarMonthDirective, IgxCalendarYearDirective, IgxCalendarSubheaderTemplateDirective];\nlet NEXT_ID$h = 0;\n/**\n * IgxCardMedia is container for the card media section.\n * Use it to wrap images and videos.\n */\nlet IgxCardMediaDirective = /*#__PURE__*/(() => {\n class IgxCardMediaDirective {\n constructor() {\n /** @hidden @internal */\n this.cssClass = 'igx-card__media';\n /**\n * Sets the `width` and `min-width` style property\n * of the media container. If not provided it will be set to `auto`.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.width = 'auto';\n /**\n * Sets the `height` style property of the media container.\n * If not provided it will be set to `auto`.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.height = 'auto';\n /**\n * Sets the `role` attribute of the media container.\n */\n this.role = 'img';\n }\n static {\n this.ɵfac = function IgxCardMediaDirective_Factory(t) {\n return new (t || IgxCardMediaDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCardMediaDirective,\n selectors: [[\"igx-card-media\"]],\n hostVars: 9,\n hostBindings: function IgxCardMediaDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"role\", ctx.role);\n i0.ɵɵstyleProp(\"width\", ctx.width)(\"min-width\", ctx.width)(\"height\", ctx.height);\n i0.ɵɵclassProp(\"igx-card__media\", ctx.cssClass);\n }\n },\n inputs: {\n width: \"width\",\n height: \"height\",\n role: \"role\"\n },\n standalone: true\n });\n }\n }\n return IgxCardMediaDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * IgxCardHeader is container for the card header\n */\nlet IgxCardHeaderComponent = /*#__PURE__*/(() => {\n class IgxCardHeaderComponent {\n constructor() {\n /** @hidden @internal */\n this.cssClass = 'igx-card-header';\n /**\n * Sets the layout style of the header.\n * By default the header elements(thumbnail and title/subtitle) are aligned horizontally.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.vertical = false;\n }\n static {\n this.ɵfac = function IgxCardHeaderComponent_Factory(t) {\n return new (t || IgxCardHeaderComponent)();\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxCardHeaderComponent,\n selectors: [[\"igx-card-header\"]],\n hostVars: 4,\n hostBindings: function IgxCardHeaderComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-card-header\", ctx.cssClass)(\"igx-card-header--vertical\", ctx.vertical);\n }\n },\n inputs: {\n vertical: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"vertical\", \"vertical\", booleanAttribute]\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c45,\n decls: 5,\n vars: 0,\n consts: [[1, \"igx-card-header__thumbnail\"], [1, \"igx-card-header__titles\"]],\n template: function IgxCardHeaderComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef(_c44);\n i0.ɵɵelementStart(0, \"div\", 0);\n i0.ɵɵprojection(1);\n i0.ɵɵelementEnd();\n i0.ɵɵelementStart(2, \"div\", 1);\n i0.ɵɵprojection(3, 1);\n i0.ɵɵelementEnd();\n i0.ɵɵprojection(4, 2);\n }\n },\n encapsulation: 2\n });\n }\n }\n return IgxCardHeaderComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * IgxCardThumbnail is container for the card thumbnail section.\n * Use it to wrap anything you want to be used as a thumbnail.\n */\nlet IgxCardThumbnailDirective = /*#__PURE__*/(() => {\n class IgxCardThumbnailDirective {\n static {\n this.ɵfac = function IgxCardThumbnailDirective_Factory(t) {\n return new (t || IgxCardThumbnailDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCardThumbnailDirective,\n selectors: [[\"\", \"igxCardThumbnail\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxCardThumbnailDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * igxCardHeaderTitle is used to denote the header title in a card.\n * Use it to tag text nodes.\n */\nlet IgxCardHeaderTitleDirective = /*#__PURE__*/(() => {\n class IgxCardHeaderTitleDirective {\n constructor() {\n /** @hidden @internal */\n this.cssClass = 'igx-card__header__title';\n }\n static {\n this.ɵfac = function IgxCardHeaderTitleDirective_Factory(t) {\n return new (t || IgxCardHeaderTitleDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCardHeaderTitleDirective,\n selectors: [[\"\", \"igxCardHeaderTitle\", \"\"]],\n hostVars: 2,\n hostBindings: function IgxCardHeaderTitleDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-card-header__title\", ctx.cssClass);\n }\n },\n standalone: true\n });\n }\n }\n return IgxCardHeaderTitleDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * igxCardHeaderSubtitle is used to denote the header subtitle in a card.\n * Use it to tag text nodes.\n */\nlet IgxCardHeaderSubtitleDirective = /*#__PURE__*/(() => {\n class IgxCardHeaderSubtitleDirective {\n constructor() {\n /** @hidden @internal */\n this.cssClass = 'igx-card-header__subtitle';\n }\n static {\n this.ɵfac = function IgxCardHeaderSubtitleDirective_Factory(t) {\n return new (t || IgxCardHeaderSubtitleDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCardHeaderSubtitleDirective,\n selectors: [[\"\", \"igxCardHeaderSubtitle\", \"\"]],\n hostVars: 2,\n hostBindings: function IgxCardHeaderSubtitleDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-card-header__subtitle\", ctx.cssClass);\n }\n },\n standalone: true\n });\n }\n }\n return IgxCardHeaderSubtitleDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * IgxCardContent is container for the card content.\n */\nlet IgxCardContentDirective = /*#__PURE__*/(() => {\n class IgxCardContentDirective {\n constructor() {\n /** @hidden @internal */\n this.cssClass = 'igx-card-content';\n }\n static {\n this.ɵfac = function IgxCardContentDirective_Factory(t) {\n return new (t || IgxCardContentDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCardContentDirective,\n selectors: [[\"igx-card-content\"]],\n hostVars: 2,\n hostBindings: function IgxCardContentDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-card-content\", ctx.cssClass);\n }\n },\n standalone: true\n });\n }\n }\n return IgxCardContentDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * IgxCardFooter is container for the card footer\n */\nlet IgxCardFooterDirective = /*#__PURE__*/(() => {\n class IgxCardFooterDirective {\n constructor() {\n /**\n * Sets the value of the `role` attribute of the card footer.\n * By default the value is set to `footer`.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.role = 'footer';\n }\n static {\n this.ɵfac = function IgxCardFooterDirective_Factory(t) {\n return new (t || IgxCardFooterDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCardFooterDirective,\n selectors: [[\"igx-card-footer\"]],\n hostVars: 1,\n hostBindings: function IgxCardFooterDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"role\", ctx.role);\n }\n },\n inputs: {\n role: \"role\"\n },\n standalone: true\n });\n }\n }\n return IgxCardFooterDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Card provides a way to display organized content in appealing way.\n *\n * @igxModule IgxCardModule\n *\n * @igxTheme igx-card-theme, igx-icon-theme, igx-button-theme\n *\n * @igxKeywords card, button, avatar, icon\n *\n * @igxGroup Layouts\n *\n * @remarks\n * The Ignite UI Card serves as a container that allows custom content to be organized in an appealing way. There are\n * five sections in a card that you can use to organize your content. These are header, media, content, actions, and footer.\n *\n * @example\n * ```html\n * \n * \n *
{{title}}
\n *
{{subtitle}}
\n * \n * \n * \n * \n * \n * \n * ```\n */\nlet IgxCardComponent = /*#__PURE__*/(() => {\n class IgxCardComponent {\n constructor() {\n /**\n * Sets/gets the `id` of the card.\n * If not set, `id` will have value `\"igx-card-0\"`;\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let cardId = this.card.id;\n * ```\n */\n this.id = `igx-card-${NEXT_ID$h++}`;\n /**\n * Sets the `igx-card` css class to the card component.\n *\n * @hidden\n * @internal\n */\n this.cssClass = 'igx-card';\n /**\n * Sets the value of the `role` attribute of the card.\n * By default the value is set to `group`.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.role = 'group';\n /**\n * Sets/gets whether the card is elevated.\n * Default value is `false`.\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * let cardElevation = this.card.elevated;\n * ```\n */\n this.elevated = false;\n /**\n * Sets the value of the `horizontal` attribute of the card.\n * Setting this to `true` will make the different card sections align horizontally,\n * essentially flipping the card to the side.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.horizontal = false;\n }\n static {\n this.ɵfac = function IgxCardComponent_Factory(t) {\n return new (t || IgxCardComponent)();\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxCardComponent,\n selectors: [[\"igx-card\"]],\n hostVars: 8,\n hostBindings: function IgxCardComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id)(\"role\", ctx.role);\n i0.ɵɵclassProp(\"igx-card\", ctx.cssClass)(\"igx-card--elevated\", ctx.elevated)(\"igx-card--horizontal\", ctx.horizontal);\n }\n },\n inputs: {\n id: \"id\",\n role: \"role\",\n elevated: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"elevated\", \"elevated\", booleanAttribute],\n horizontal: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"horizontal\", \"horizontal\", booleanAttribute]\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 1,\n vars: 0,\n template: function IgxCardComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵprojection(0);\n }\n },\n encapsulation: 2\n });\n }\n }\n return IgxCardComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst IgxCardActionsLayout = /*@__PURE__*/mkenum({\n START: 'start',\n JUSTIFY: 'justify'\n});\n/**\n * IgxCardActions is container for the card actions.\n */\nlet IgxCardActionsComponent = /*#__PURE__*/(() => {\n class IgxCardActionsComponent {\n /**\n * A getter that returns `true` when the layout has been\n * set to `justify`.\n */\n get isJustifyLayout() {\n return this.layout === IgxCardActionsLayout.JUSTIFY;\n }\n constructor(card) {\n this.card = card;\n /**\n * Sets the layout style of the actions.\n * You can justify the elements slotted in the igx-card-action container\n * so that they are positioned equally from one another taking up all the\n * space available along the card actions axis.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.layout = IgxCardActionsLayout.START;\n /**\n * Sets the vertical attribute of the actions.\n * When set to `true` the actions will be layed out vertically.\n */\n this.vertical = false;\n this.isVerticalSet = false;\n }\n /**\n * @hidden\n * @internal\n */\n ngOnChanges(changes) {\n for (const prop in changes) {\n if (prop === 'vertical') {\n this.isVerticalSet = true;\n }\n }\n }\n /**\n * @hidden\n * @internal\n */\n ngOnInit() {\n if (!this.isVerticalSet && this.card.horizontal) {\n this.vertical = true;\n }\n }\n static {\n this.ɵfac = function IgxCardActionsComponent_Factory(t) {\n return new (t || IgxCardActionsComponent)(i0.ɵɵdirectiveInject(IgxCardComponent, 8));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxCardActionsComponent,\n selectors: [[\"igx-card-actions\"]],\n hostVars: 6,\n hostBindings: function IgxCardActionsComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-card-actions\", ctx.layout)(\"igx-card-actions--vertical\", ctx.vertical)(\"igx-card-actions--justify\", ctx.isJustifyLayout);\n }\n },\n inputs: {\n layout: \"layout\",\n vertical: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"vertical\", \"vertical\", booleanAttribute]\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵNgOnChangesFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c47,\n decls: 6,\n vars: 0,\n consts: [[\"buttons\", \"\"], [1, \"igx-card-actions__start\"], [1, \"igx-card-actions__end\"]],\n template: function IgxCardActionsComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef(_c46);\n i0.ɵɵelementStart(0, \"div\", 1, 0);\n i0.ɵɵprojection(2);\n i0.ɵɵelementEnd();\n i0.ɵɵprojection(3, 1);\n i0.ɵɵelementStart(4, \"div\", 2);\n i0.ɵɵprojection(5, 2);\n i0.ɵɵelementEnd();\n }\n },\n encapsulation: 2\n });\n }\n }\n return IgxCardActionsComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* NOTE: Card directives collection for ease-of-use import in standalone components scenario */\nconst IGX_CARD_DIRECTIVES = [IgxCardComponent, IgxCardHeaderComponent, IgxCardMediaDirective, IgxCardContentDirective, IgxCardActionsComponent, IgxCardFooterDirective, IgxCardHeaderTitleDirective, IgxCardHeaderSubtitleDirective, IgxCardThumbnailDirective];\nconst CarouselResourceStringsEN = {\n igx_carousel_of: 'of',\n igx_carousel_slide: 'slide',\n igx_carousel_previous_slide: 'previous slide',\n igx_carousel_next_slide: 'next slide'\n};\nconst HorizontalAnimationType = /*@__PURE__*/mkenum({\n none: 'none',\n slide: 'slide',\n fade: 'fade'\n});\nconst CarouselIndicatorsOrientation = /*@__PURE__*/mkenum({\n bottom: 'bottom',\n top: 'top'\n});\nvar Direction = /*#__PURE__*/function (Direction) {\n Direction[Direction[\"NONE\"] = 0] = \"NONE\";\n Direction[Direction[\"NEXT\"] = 1] = \"NEXT\";\n Direction[Direction[\"PREV\"] = 2] = \"PREV\";\n return Direction;\n}(Direction || {});\n/** @hidden */\nlet IgxCarouselComponentBase = /*#__PURE__*/(() => {\n let IgxCarouselComponentBase = class IgxCarouselComponentBase {\n constructor(animationService, cdr) {\n this.animationService = animationService;\n this.cdr = cdr;\n /** @hidden */\n this.animationType = HorizontalAnimationType.slide;\n /** @hidden @internal */\n this.enterAnimationDone = new EventEmitter();\n /** @hidden @internal */\n this.leaveAnimationDone = new EventEmitter();\n /** @hidden */\n this.defaultAnimationDuration = 320;\n /** @hidden */\n this.animationPosition = 0;\n /** @hidden */\n this.newDuration = 0;\n }\n /** @hidden */\n triggerAnimations() {\n if (this.animationType !== HorizontalAnimationType.none) {\n if (this.animationStarted(this.leaveAnimationPlayer) || this.animationStarted(this.enterAnimationPlayer)) {\n requestAnimationFrame(() => {\n this.resetAnimations();\n this.playAnimations();\n });\n } else {\n this.playAnimations();\n }\n }\n }\n /** @hidden */\n animationStarted(animation) {\n return animation && animation.hasStarted();\n }\n /** @hidden */\n playAnimations() {\n this.playLeaveAnimation();\n this.playEnterAnimation();\n }\n resetAnimations() {\n if (this.animationStarted(this.leaveAnimationPlayer)) {\n this.leaveAnimationPlayer.reset();\n this.leaveAnimationDone.emit();\n }\n if (this.animationStarted(this.enterAnimationPlayer)) {\n this.enterAnimationPlayer.reset();\n this.enterAnimationDone.emit();\n this.cdr.markForCheck();\n }\n }\n getAnimation() {\n let duration;\n if (this.newDuration) {\n duration = this.animationPosition ? this.animationPosition * this.newDuration : this.newDuration;\n } else {\n duration = this.animationPosition ? this.animationPosition * this.defaultAnimationDuration : this.defaultAnimationDuration;\n }\n const trans = this.animationPosition ? this.animationPosition * 100 : 100;\n switch (this.animationType) {\n case HorizontalAnimationType.slide:\n return {\n enterAnimation: useAnimation(slideInLeft, {\n params: {\n delay: '0s',\n duration: `${duration}ms`,\n endOpacity: 1,\n startOpacity: 1,\n fromPosition: `translateX(${this.currentItem.direction === 1 ? trans : -trans}%)`,\n toPosition: 'translateX(0%)'\n }\n }),\n leaveAnimation: useAnimation(slideInLeft, {\n params: {\n delay: '0s',\n duration: `${duration}ms`,\n endOpacity: 1,\n startOpacity: 1,\n fromPosition: `translateX(0%)`,\n toPosition: `translateX(${this.currentItem.direction === 1 ? -trans : trans}%)`\n }\n })\n };\n case HorizontalAnimationType.fade:\n return {\n enterAnimation: useAnimation(fadeIn, {\n params: {\n duration: `${duration}ms`,\n startOpacity: `${this.animationPosition}`\n }\n }),\n leaveAnimation: null\n };\n }\n return {\n enterAnimation: null,\n leaveAnimation: null\n };\n }\n playEnterAnimation() {\n const animation = this.getAnimation().enterAnimation;\n if (!animation) {\n return;\n }\n this.enterAnimationPlayer = this.animationService.buildAnimation(animation, this.getCurrentElement());\n this.enterAnimationPlayer.animationEnd.subscribe(() => {\n // TODO: animation may never end. Find better way to clean up the player\n if (this.enterAnimationPlayer) {\n this.enterAnimationPlayer.reset();\n this.enterAnimationPlayer = null;\n }\n this.animationPosition = 0;\n this.newDuration = 0;\n this.previousItem.previous = false;\n this.enterAnimationDone.emit();\n this.cdr.markForCheck();\n });\n this.previousItem.previous = true;\n this.enterAnimationPlayer.play();\n }\n playLeaveAnimation() {\n const animation = this.getAnimation().leaveAnimation;\n if (!animation) {\n return;\n }\n this.leaveAnimationPlayer = this.animationService.buildAnimation(animation, this.getPreviousElement());\n this.leaveAnimationPlayer.animationEnd.subscribe(() => {\n // TODO: animation may never end. Find better way to clean up the player\n if (this.leaveAnimationPlayer) {\n this.leaveAnimationPlayer.reset();\n this.leaveAnimationPlayer = null;\n }\n this.animationPosition = 0;\n this.newDuration = 0;\n this.leaveAnimationDone.emit();\n });\n this.leaveAnimationPlayer.play();\n }\n };\n IgxCarouselComponentBase = __decorate([__param(0, Inject(IgxAngularAnimationService))], IgxCarouselComponentBase);\n return IgxCarouselComponentBase;\n})();\nlet IgxCarouselIndicatorDirective = /*#__PURE__*/(() => {\n class IgxCarouselIndicatorDirective {\n static {\n this.ɵfac = function IgxCarouselIndicatorDirective_Factory(t) {\n return new (t || IgxCarouselIndicatorDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCarouselIndicatorDirective,\n selectors: [[\"\", \"igxCarouselIndicator\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxCarouselIndicatorDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxCarouselNextButtonDirective = /*#__PURE__*/(() => {\n class IgxCarouselNextButtonDirective {\n static {\n this.ɵfac = function IgxCarouselNextButtonDirective_Factory(t) {\n return new (t || IgxCarouselNextButtonDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCarouselNextButtonDirective,\n selectors: [[\"\", \"igxCarouselNextButton\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxCarouselNextButtonDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxCarouselPrevButtonDirective = /*#__PURE__*/(() => {\n class IgxCarouselPrevButtonDirective {\n static {\n this.ɵfac = function IgxCarouselPrevButtonDirective_Factory(t) {\n return new (t || IgxCarouselPrevButtonDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCarouselPrevButtonDirective,\n selectors: [[\"\", \"igxCarouselPrevButton\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxCarouselPrevButtonDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * A slide component that usually holds an image and/or a caption text.\n * IgxSlideComponent is usually a child component of an IgxCarouselComponent.\n *\n * ```\n * \n * \n * \n * ```\n *\n * @export\n */\nlet IgxSlideComponent = /*#__PURE__*/(() => {\n class IgxSlideComponent {\n /**\n * Returns the `tabIndex` of the slide component.\n * ```typescript\n * let tabIndex = this.carousel.tabIndex;\n * ```\n *\n * @memberof IgxSlideComponent\n */\n get tabIndex() {\n return this.active ? 0 : null;\n }\n /**\n * Gets/sets the `active` state of the slide.\n * ```html\n * \n * \n * \n * ```\n *\n * Two-way data binding.\n * ```html\n * \n * \n * \n * ```\n *\n * @memberof IgxSlideComponent\n */\n get active() {\n return this._active;\n }\n set active(value) {\n this._active = value;\n this.activeChange.emit(this._active);\n }\n constructor(elementRef) {\n this.elementRef = elementRef;\n /**\n * Returns the `role` of the slide component.\n * By default is set to `tabpanel`\n *\n * @memberof IgxSlideComponent\n */\n this.tab = 'tabpanel';\n /**\n * Returns the class of the slide component.\n * ```typescript\n * let class = this.slide.cssClass;\n * ```\n *\n * @memberof IgxSlideComponent\n */\n this.cssClass = 'igx-slide';\n this.previous = false;\n /**\n * @hidden\n */\n this.activeChange = new EventEmitter();\n this._active = false;\n this._destroy$ = new Subject();\n }\n /**\n * Returns a reference to the carousel element in the DOM.\n * ```typescript\n * let nativeElement = this.slide.nativeElement;\n * ```\n *\n * @memberof IgxSlideComponent\n */\n get nativeElement() {\n return this.elementRef.nativeElement;\n }\n /**\n * @hidden\n */\n get isDestroyed() {\n return this._destroy$;\n }\n ngAfterContentChecked() {\n this.id = `panel-${this.index}`;\n this.ariaLabelledBy = `tab-${this.index}-${this.total}`;\n }\n /**\n * @hidden\n */\n ngOnDestroy() {\n this._destroy$.next(true);\n this._destroy$.complete();\n }\n static {\n this.ɵfac = function IgxSlideComponent_Factory(t) {\n return new (t || IgxSlideComponent)(i0.ɵɵdirectiveInject(i0.ElementRef));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxSlideComponent,\n selectors: [[\"igx-slide\"]],\n hostVars: 10,\n hostBindings: function IgxSlideComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"tabindex\", ctx.tabIndex)(\"id\", ctx.id)(\"role\", ctx.tab)(\"aria-labelledby\", ctx.ariaLabelledBy);\n i0.ɵɵclassProp(\"igx-slide\", ctx.cssClass)(\"igx-slide--current\", ctx.active)(\"igx-slide--previous\", ctx.previous);\n }\n },\n inputs: {\n index: \"index\",\n direction: \"direction\",\n total: \"total\",\n active: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"active\", \"active\", booleanAttribute],\n previous: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"previous\", \"previous\", booleanAttribute]\n },\n outputs: {\n activeChange: \"activeChange\"\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 1,\n vars: 0,\n template: function IgxSlideComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵprojection(0);\n }\n },\n encapsulation: 2\n });\n }\n }\n return IgxSlideComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst EVENT_SUFFIX = 'precise';\n/**\n * Touch gestures manager based on Hammer.js\n * Use with caution, this will track references for single manager per element. Very TBD. Much TODO.\n *\n * @hidden\n */\nclass HammerGesturesManager {\n static {\n this.Hammer = typeof window !== 'undefined' ? window.Hammer : null;\n }\n constructor(_zone, doc, platformUtil) {\n this._zone = _zone;\n this.doc = doc;\n this.platformUtil = platformUtil;\n /**\n * Event option defaults for each recognizer, see http://hammerjs.github.io/api/ for API listing.\n */\n this.hammerOptions = {};\n this._hammerManagers = [];\n this.platformBrowser = this.platformUtil.isBrowser;\n if (this.platformBrowser && HammerGesturesManager.Hammer) {\n this.hammerOptions = {\n // D.P. #447 Force TouchInput due to PointerEventInput bug (https://github.com/hammerjs/hammer.js/issues/1065)\n // see https://github.com/IgniteUI/igniteui-angular/issues/447#issuecomment-324601803\n inputClass: HammerGesturesManager.Hammer.TouchInput,\n recognizers: [[HammerGesturesManager.Hammer.Pan, {\n threshold: 0\n }], [HammerGesturesManager.Hammer.Swipe, {\n direction: HammerGesturesManager.Hammer.DIRECTION_HORIZONTAL\n }], [HammerGesturesManager.Hammer.Tap], [HammerGesturesManager.Hammer.Tap, {\n event: 'doubletap',\n taps: 2\n }, ['tap']]]\n };\n }\n }\n supports(eventName) {\n return eventName.toLowerCase().endsWith('.' + EVENT_SUFFIX);\n }\n /**\n * Add listener extended with options for Hammer.js. Will use defaults if none are provided.\n * Modeling after other event plugins for easy future modifications.\n */\n addEventListener(element, eventName, eventHandler, options = null) {\n if (!this.platformBrowser) {\n return;\n }\n // Creating the manager bind events, must be done outside of angular\n return this._zone.runOutsideAngular(() => {\n if (!HammerGesturesManager.Hammer) {\n //no hammer\n return;\n }\n let mc = this.getManagerForElement(element);\n if (mc === null) {\n // new Hammer is a shortcut for Manager with defaults\n mc = new HammerGesturesManager.Hammer(element, Object.assign(this.hammerOptions, options));\n this.addManagerForElement(element, mc);\n }\n const handler = eventObj => this._zone.run(() => eventHandler(eventObj));\n mc.on(eventName, handler);\n return () => mc.off(eventName, handler);\n });\n }\n /**\n * Add listener extended with options for Hammer.js. Will use defaults if none are provided.\n * Modeling after other event plugins for easy future modifications.\n *\n * @param target Can be one of either window, body or document(fallback default).\n */\n addGlobalEventListener(target, eventName, eventHandler) {\n if (!this.platformBrowser || !HammerGesturesManager.Hammer) {\n return;\n }\n const element = this.getGlobalEventTarget(target);\n // Creating the manager bind events, must be done outside of angular\n return this.addEventListener(element, eventName, eventHandler);\n }\n /**\n * Exposes [Dom]Adapter.getGlobalEventTarget to get global event targets.\n * Supported: window, document, body. Defaults to document for invalid args.\n *\n * @param target Target name\n */\n getGlobalEventTarget(target) {\n return _getDOM().getGlobalEventTarget(this.doc, target);\n }\n /**\n * Set HammerManager options.\n *\n * @param element The DOM element used to create the manager on.\n *\n * ### Example\n *\n * ```ts\n * manager.setManagerOption(myElem, \"pan\", { pointers: 1 });\n * ```\n */\n setManagerOption(element, event, options) {\n const manager = this.getManagerForElement(element);\n manager.get(event).set(options);\n }\n /**\n * Add an element and manager map to the internal collection.\n *\n * @param element The DOM element used to create the manager on.\n */\n addManagerForElement(element, manager) {\n this._hammerManagers.push({\n element,\n manager\n });\n }\n /**\n * Get HammerManager for the element or null\n *\n * @param element The DOM element used to create the manager on.\n */\n getManagerForElement(element) {\n const result = this._hammerManagers.filter(value => value.element === element);\n return result.length ? result[0].manager : null;\n }\n /**\n * Destroys the HammerManager for the element, removing event listeners in the process.\n *\n * @param element The DOM element used to create the manager on.\n */\n removeManagerForElement(element) {\n let index = null;\n for (let i = 0; i < this._hammerManagers.length; i++) {\n if (element === this._hammerManagers[i].element) {\n index = i;\n break;\n }\n }\n if (index !== null) {\n const item = this._hammerManagers.splice(index, 1)[0];\n // destroy also\n item.manager.destroy();\n }\n }\n /** Destroys all internally tracked HammerManagers, removing event listeners in the process. */\n destroy() {\n for (const item of this._hammerManagers) {\n item.manager.destroy();\n }\n this._hammerManagers = [];\n }\n static {\n this.ɵfac = function HammerGesturesManager_Factory(t) {\n return new (t || HammerGesturesManager)(i0.ɵɵinject(i0.NgZone), i0.ɵɵinject(DOCUMENT), i0.ɵɵinject(PlatformUtil));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: HammerGesturesManager,\n factory: HammerGesturesManager.ɵfac\n });\n }\n}\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst Theme = /*@__PURE__*/mkenum({\n Material: 'material',\n Fluent: 'fluent',\n Bootstrap: 'bootstrap',\n IndigoDesign: 'indigo-design'\n});\nlet ThemeService = /*#__PURE__*/(() => {\n class ThemeService {\n /**\n * Sets the theme of the component.\n * Allowed values of type IgxTheme.\n */\n set theme(value) {\n this._theme = value;\n }\n /**\n * Returns the theme of the component.\n * The returned value is of type IgxTheme.\n */\n get theme() {\n return this._theme;\n }\n constructor(document) {\n this.document = document;\n this._theme$ = new Subject();\n this._subscription = this._theme$.asObservable().subscribe(value => {\n this._theme = value;\n });\n }\n getCssProp(element) {\n if (!this._theme) {\n const cssProp = this.document.defaultView.getComputedStyle(element.nativeElement).getPropertyValue('--theme').trim();\n if (cssProp !== '') {\n Promise.resolve().then(() => {\n this._theme$.next(cssProp);\n });\n }\n }\n }\n static {\n this.ɵfac = function ThemeService_Factory(t) {\n return new (t || ThemeService)(i0.ɵɵinject(DOCUMENT));\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: ThemeService,\n factory: ThemeService.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return ThemeService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet NEXT_ID$g = 0;\nlet CarouselHammerConfig = /*#__PURE__*/(() => {\n class CarouselHammerConfig extends HammerGestureConfig {\n constructor() {\n super(...arguments);\n this.overrides = {\n pan: {\n direction: HammerGesturesManager.Hammer?.DIRECTION_HORIZONTAL\n }\n };\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵCarouselHammerConfig_BaseFactory;\n return function CarouselHammerConfig_Factory(t) {\n return (ɵCarouselHammerConfig_BaseFactory || (ɵCarouselHammerConfig_BaseFactory = i0.ɵɵgetInheritedFactory(CarouselHammerConfig)))(t || CarouselHammerConfig);\n };\n })();\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: CarouselHammerConfig,\n factory: CarouselHammerConfig.ɵfac\n });\n }\n }\n return CarouselHammerConfig;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * **Ignite UI for Angular Carousel** -\n * [Documentation](https://www.infragistics.com/products/ignite-ui-angular/angular/components/carousel.html)\n *\n * The Ignite UI Carousel is used to browse or navigate through a collection of slides. Slides can contain custom\n * content such as images or cards and be used for things such as on-boarding tutorials or page-based interfaces.\n * It can be used as a separate fullscreen element or inside another component.\n *\n * Example:\n * ```html\n * \n * \n *
First Slide Header
\n *
First slide Content
\n * \n * \n *
Second Slide Header
\n *
Second Slide Content
\n * \n * ```\n */\nlet IgxCarouselComponent = /*#__PURE__*/(() => {\n class IgxCarouselComponent extends IgxCarouselComponentBase {\n /** @hidden */\n get labelId() {\n return this.showIndicatorsLabel ? `${this.id}-label` : null;\n }\n /**\n * Gets the `touch-action` style of the `list item`.\n * ```typescript\n * let touchAction = this.listItem.touchAction;\n * ```\n */\n get touchAction() {\n return this.gesturesSupport ? 'pan-y' : 'auto';\n }\n /**\n * An accessor that sets the resource strings.\n * By default it uses EN resources.\n */\n set resourceStrings(value) {\n this._resourceStrings = Object.assign({}, this._resourceStrings, value);\n }\n /**\n * An accessor that returns the resource strings.\n */\n get resourceStrings() {\n return this._resourceStrings;\n }\n /** @hidden */\n get getIndicatorTemplate() {\n if (this.indicatorTemplate) {\n return this.indicatorTemplate;\n }\n return this.defaultIndicator;\n }\n /** @hidden */\n get getNextButtonTemplate() {\n if (this.nextButtonTemplate) {\n return this.nextButtonTemplate;\n }\n return this.isTypeIndigo ? this.indigoNextButton : this.defaultNextButton;\n }\n /** @hidden */\n get getPrevButtonTemplate() {\n if (this.prevButtonTemplate) {\n return this.prevButtonTemplate;\n }\n return this.isTypeIndigo ? this.indigoPrevButton : this.defaultPrevButton;\n }\n /** @hidden */\n get indicatorsOrientationClass() {\n return `igx-carousel-indicators--${this.indicatorsOrientation}`;\n }\n /** @hidden */\n get showIndicators() {\n return this.total <= this.maximumIndicatorsCount && this.total > 0;\n }\n /** @hidden */\n get showIndicatorsLabel() {\n return this.total > this.maximumIndicatorsCount;\n }\n /** @hidden */\n get getCarouselLabel() {\n return `${this.current + 1} ${this.resourceStrings.igx_carousel_of} ${this.total}`;\n }\n /**\n * Returns the total number of `slides` in the carousel.\n * ```typescript\n * let slideCount = this.carousel.total;\n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n get total() {\n return this.slides?.length;\n }\n /**\n * The index of the slide being currently shown.\n * ```typescript\n * let currentSlideNumber = this.carousel.current;\n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n get current() {\n return !this.currentItem ? 0 : this.currentItem.index;\n }\n /**\n * Returns a boolean indicating if the carousel is playing.\n * ```typescript\n * let isPlaying = this.carousel.isPlaying;\n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n get isPlaying() {\n return this.playing;\n }\n /**\n * Returns а boolean indicating if the carousel is destroyed.\n * ```typescript\n * let isDestroyed = this.carousel.isDestroyed;\n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n get isDestroyed() {\n return this.destroyed;\n }\n /**\n * Returns a reference to the carousel element in the DOM.\n * ```typescript\n * let nativeElement = this.carousel.nativeElement;\n * ```\n *\n * @memberof IgxCarouselComponent\n */\n get nativeElement() {\n return this.element.nativeElement;\n }\n /**\n * Returns the time `interval` in milliseconds before the slide changes.\n * ```typescript\n * let timeInterval = this.carousel.interval;\n * ```\n *\n * @memberof IgxCarouselComponent\n */\n get interval() {\n return this._interval;\n }\n /**\n * Sets the time `interval` in milliseconds before the slide changes.\n * If not set, the carousel will not change `slides` automatically.\n * ```html\n * \n * ```\n *\n * @memberof IgxCarouselComponent\n */\n set interval(value) {\n this._interval = +value;\n this.restartInterval();\n }\n constructor(cdr, element, iterableDiffers, animationService, platformUtil, themeService) {\n super(animationService, cdr);\n this.element = element;\n this.iterableDiffers = iterableDiffers;\n this.platformUtil = platformUtil;\n this.themeService = themeService;\n /**\n * Sets the `id` of the carousel.\n * If not set, the `id` of the first carousel component will be `\"igx-carousel-0\"`.\n * ```html\n * \n * ```\n *\n * @memberof IgxCarouselComponent\n */\n this.id = `igx-carousel-${NEXT_ID$g++}`;\n /**\n * Returns the `role` attribute of the carousel.\n * ```typescript\n * let carouselRole = this.carousel.role;\n * ```\n *\n * @memberof IgxCarouselComponent\n */\n this.role = 'region';\n /** @hidden */\n this.roleDescription = 'carousel';\n /**\n * Returns the class of the carousel component.\n * ```typescript\n * let class = this.carousel.cssClass;\n * ```\n *\n * @memberof IgxCarouselComponent\n */\n this.cssClass = 'igx-carousel';\n /**\n * Sets whether the carousel should `loop` back to the first slide after reaching the last slide.\n * Default value is `true`.\n * ```html\n * \n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n this.loop = true;\n /**\n * Sets whether the carousel will `pause` the slide transitions on user interactions.\n * Default value is `true`.\n * ```html\n * \n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n this.pause = true;\n /**\n * Controls whether the carousel should render the left/right `navigation` buttons.\n * Default value is `true`.\n * ```html\n * \n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n this.navigation = true;\n /**\n * Controls whether the carousel should support keyboard navigation.\n * Default value is `true`.\n * ```html\n * \n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n this.keyboardSupport = true;\n /**\n * Controls whether the carousel should support gestures.\n * Default value is `true`.\n * ```html\n * \n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n this.gesturesSupport = true;\n /**\n * Controls the maximum indexes that can be shown.\n * Default value is `5`.\n * ```html\n * \n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n this.maximumIndicatorsCount = 5;\n /**\n * Gets/sets the display mode of carousel indicators. It can be top or bottom.\n * Default value is `bottom`.\n * ```html\n * \n * \n * ```\n *\n * @memberOf IgxSlideComponent\n */\n this.indicatorsOrientation = CarouselIndicatorsOrientation.bottom;\n /**\n * Gets/sets the animation type of carousel.\n * Default value is `slide`.\n * ```html\n * \n * \n * ```\n *\n * @memberOf IgxSlideComponent\n */\n this.animationType = HorizontalAnimationType.slide;\n /**\n * The custom template, if any, that should be used when rendering carousel indicators\n *\n * ```typescript\n * // Set in typescript\n * const myCustomTemplate: TemplateRef = myComponent.customTemplate;\n * myComponent.carousel.indicatorTemplate = myCustomTemplate;\n * ```\n * ```html\n * \n * \n * ...\n * \n * brightness_7\n * brightness_5\n * \n * \n * ```\n */\n this.indicatorTemplate = null;\n /**\n * The custom template, if any, that should be used when rendering carousel next button\n *\n * ```typescript\n * // Set in typescript\n * const myCustomTemplate: TemplateRef = myComponent.customTemplate;\n * myComponent.carousel.nextButtonTemplate = myCustomTemplate;\n * ```\n * ```html\n * \n * \n * ...\n * \n * \n * \n * \n * ```\n */\n this.nextButtonTemplate = null;\n /**\n * The custom template, if any, that should be used when rendering carousel previous button\n *\n * ```typescript\n * // Set in typescript\n * const myCustomTemplate: TemplateRef = myComponent.customTemplate;\n * myComponent.carousel.nextButtonTemplate = myCustomTemplate;\n * ```\n * ```html\n * \n * \n * ...\n * \n * \n * \n * \n * ```\n */\n this.prevButtonTemplate = null;\n /**\n * An event that is emitted after a slide transition has happened.\n * Provides references to the `IgxCarouselComponent` and `IgxSlideComponent` as event arguments.\n * ```html\n * \n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n this.slideChanged = new EventEmitter();\n /**\n * An event that is emitted after a slide has been added to the carousel.\n * Provides references to the `IgxCarouselComponent` and `IgxSlideComponent` as event arguments.\n * ```html\n * \n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n this.slideAdded = new EventEmitter();\n /**\n * An event that is emitted after a slide has been removed from the carousel.\n * Provides references to the `IgxCarouselComponent` and `IgxSlideComponent` as event arguments.\n * ```html\n * \n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n this.slideRemoved = new EventEmitter();\n /**\n * An event that is emitted after the carousel has been paused.\n * Provides a reference to the `IgxCarouselComponent` as an event argument.\n * ```html\n * \n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n this.carouselPaused = new EventEmitter();\n /**\n * An event that is emitted after the carousel has resumed transitioning between `slides`.\n * Provides a reference to the `IgxCarouselComponent` as an event argument.\n * ```html\n * \n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n this.carouselPlaying = new EventEmitter();\n this._resourceStrings = getCurrentResourceStrings(CarouselResourceStringsEN);\n this.destroy$ = new Subject();\n this.differ = null;\n this.differ = this.iterableDiffers.find([]).create(null);\n this.theme = this.themeService.theme;\n }\n /** @hidden */\n onKeydownArrowRight(event) {\n if (this.keyboardSupport) {\n event.preventDefault();\n this.next();\n this.focusSlideElement();\n }\n }\n /** @hidden */\n onKeydownArrowLeft(event) {\n if (this.keyboardSupport) {\n event.preventDefault();\n this.prev();\n this.focusSlideElement();\n }\n }\n /** @hidden */\n onTap(event) {\n // play pause only when tap on slide\n if (event.target && event.target.classList.contains('igx-slide')) {\n if (this.isPlaying) {\n if (this.pause) {\n this.stoppedByInteraction = true;\n }\n this.stop();\n } else if (this.stoppedByInteraction) {\n this.play();\n }\n }\n }\n /** @hidden */\n onKeydownHome(event) {\n if (this.keyboardSupport && this.slides.length > 0) {\n event.preventDefault();\n this.slides.first.active = true;\n this.focusSlideElement();\n }\n }\n /** @hidden */\n onKeydownEnd(event) {\n if (this.keyboardSupport && this.slides.length > 0) {\n event.preventDefault();\n this.slides.last.active = true;\n this.focusSlideElement();\n }\n }\n /** @hidden */\n onMouseEnter() {\n if (this.pause && this.isPlaying) {\n this.stoppedByInteraction = true;\n }\n this.stop();\n }\n /** @hidden */\n onMouseLeave() {\n if (this.stoppedByInteraction) {\n this.play();\n }\n }\n /** @hidden */\n onPanLeft(event) {\n this.pan(event);\n }\n /** @hidden */\n onPanRight(event) {\n this.pan(event);\n }\n /**\n * @hidden\n */\n onPanEnd(event) {\n if (!this.gesturesSupport) {\n return;\n }\n event.preventDefault();\n const slideWidth = this.currentItem.nativeElement.offsetWidth;\n const panOffset = slideWidth / 1000;\n const deltaX = Math.abs(event.deltaX) + panOffset < slideWidth ? Math.abs(event.deltaX) : slideWidth - panOffset;\n const velocity = Math.abs(event.velocity);\n this.resetSlideStyles(this.currentItem);\n if (this.incomingSlide) {\n this.resetSlideStyles(this.incomingSlide);\n if (slideWidth / 2 < deltaX || velocity > 1) {\n this.incomingSlide.direction = event.deltaX < 0 ? Direction.NEXT : Direction.PREV;\n this.incomingSlide.previous = false;\n this.animationPosition = this.animationType === HorizontalAnimationType.fade ? deltaX / slideWidth : (slideWidth - deltaX) / slideWidth;\n if (velocity > 1) {\n this.newDuration = this.defaultAnimationDuration / velocity;\n }\n this.incomingSlide.active = true;\n } else {\n this.currentItem.direction = event.deltaX > 0 ? Direction.NEXT : Direction.PREV;\n this.previousItem = this.incomingSlide;\n this.previousItem.previous = true;\n this.animationPosition = this.animationType === HorizontalAnimationType.fade ? Math.abs((slideWidth - deltaX) / slideWidth) : deltaX / slideWidth;\n this.playAnimations();\n }\n }\n if (this.stoppedByInteraction) {\n this.play();\n }\n }\n /**\n * Returns true if the `IgxCarouselComponent` theme is Indigo.\n *\n * ```typescript\n * @ViewChild(\"carousel\")\n * public carousel: IgxCarouselComponent;\n *\n * ngAfterViewInit(){\n * let isTypeIndigo = this.carousel.isTypeIndigo;\n * }\n * ```\n */\n get isTypeIndigo() {\n return this.theme ? this.theme === 'indigo-design' : this.themeService.theme === 'indigo-design';\n }\n /** @hidden */\n ngAfterContentInit() {\n this.slides.changes.pipe(takeUntil(this.destroy$)).subscribe(change => this.initSlides(change));\n this.initSlides(this.slides);\n }\n /** @hidden @internal */\n ngAfterViewChecked() {\n this.themeService.getCssProp(this.element);\n }\n /** @hidden */\n ngOnDestroy() {\n this.destroy$.next(true);\n this.destroy$.complete();\n this.destroyed = true;\n if (this.lastInterval) {\n clearInterval(this.lastInterval);\n }\n }\n /**\n * Returns the slide corresponding to the provided `index` or null.\n * ```typescript\n * let slide1 = this.carousel.get(1);\n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n get(index) {\n return this.slides.find(slide => slide.index === index);\n }\n /**\n * Adds a new slide to the carousel.\n * ```typescript\n * this.carousel.add(newSlide);\n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n add(slide) {\n const newSlides = this.slides.toArray();\n newSlides.push(slide);\n this.slides.reset(newSlides);\n this.slides.notifyOnChanges();\n }\n /**\n * Removes a slide from the carousel.\n * ```typescript\n * this.carousel.remove(slide);\n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n remove(slide) {\n if (slide && slide === this.get(slide.index)) {\n // check if the requested slide for delete is present in the carousel\n const newSlides = this.slides.toArray();\n newSlides.splice(slide.index, 1);\n this.slides.reset(newSlides);\n this.slides.notifyOnChanges();\n }\n }\n /**\n * Kicks in a transition for a given slide with a given `direction`.\n * ```typescript\n * this.carousel.select(this.carousel.get(2), Direction.NEXT);\n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n select(slide, direction = Direction.NONE) {\n if (slide && slide !== this.currentItem) {\n slide.direction = direction;\n slide.active = true;\n }\n }\n /**\n * Transitions to the next slide in the carousel.\n * ```typescript\n * this.carousel.next();\n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n next() {\n const index = this.getNextIndex();\n if (index === 0 && !this.loop) {\n this.stop();\n return;\n }\n return this.select(this.get(index), Direction.NEXT);\n }\n /**\n * Transitions to the previous slide in the carousel.\n * ```typescript\n * this.carousel.prev();\n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n prev() {\n const index = this.getPrevIndex();\n if (!this.loop && index === this.total - 1) {\n this.stop();\n return;\n }\n return this.select(this.get(index), Direction.PREV);\n }\n /**\n * Resumes playing of the carousel if in paused state.\n * No operation otherwise.\n * ```typescript\n * this.carousel.play();\n * }\n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n play() {\n if (!this.playing) {\n this.playing = true;\n this.carouselPlaying.emit(this);\n this.restartInterval();\n this.stoppedByInteraction = false;\n }\n }\n /**\n * Stops slide transitions if the `pause` option is set to `true`.\n * No operation otherwise.\n * ```typescript\n * this.carousel.stop();\n * }\n * ```\n *\n * @memberOf IgxCarouselComponent\n */\n stop() {\n if (this.pause) {\n this.playing = false;\n this.carouselPaused.emit(this);\n this.resetInterval();\n }\n }\n getPreviousElement() {\n return this.previousItem.nativeElement;\n }\n getCurrentElement() {\n return this.currentItem.nativeElement;\n }\n resetInterval() {\n if (this.lastInterval) {\n clearInterval(this.lastInterval);\n this.lastInterval = null;\n }\n }\n restartInterval() {\n this.resetInterval();\n if (!isNaN(this.interval) && this.interval > 0 && this.platformUtil.isBrowser) {\n this.lastInterval = setInterval(() => {\n const tick = +this.interval;\n if (this.playing && this.total && !isNaN(tick) && tick > 0) {\n this.next();\n } else {\n this.stop();\n }\n }, this.interval);\n }\n }\n /** @hidden */\n get nextButtonDisabled() {\n return !this.loop && this.current === this.total - 1;\n }\n /** @hidden */\n get prevButtonDisabled() {\n return !this.loop && this.current === 0;\n }\n getNextIndex() {\n return (this.current + 1) % this.total;\n }\n getPrevIndex() {\n return this.current - 1 < 0 ? this.total - 1 : this.current - 1;\n }\n resetSlideStyles(slide) {\n slide.nativeElement.style.transform = '';\n slide.nativeElement.style.opacity = '';\n }\n pan(event) {\n const slideWidth = this.currentItem.nativeElement.offsetWidth;\n const panOffset = slideWidth / 1000;\n const deltaX = event.deltaX;\n const index = deltaX < 0 ? this.getNextIndex() : this.getPrevIndex();\n const offset = deltaX < 0 ? slideWidth + deltaX : -slideWidth + deltaX;\n if (!this.gesturesSupport || event.isFinal || Math.abs(deltaX) + panOffset >= slideWidth) {\n return;\n }\n if (!this.loop && (this.current === 0 && deltaX > 0 || this.current === this.total - 1 && deltaX < 0)) {\n this.incomingSlide = null;\n return;\n }\n event.preventDefault();\n if (this.isPlaying) {\n this.stoppedByInteraction = true;\n this.stop();\n }\n if (this.previousItem && this.previousItem.previous) {\n this.previousItem.previous = false;\n }\n this.finishAnimations();\n if (this.incomingSlide) {\n if (index !== this.incomingSlide.index) {\n this.resetSlideStyles(this.incomingSlide);\n this.incomingSlide.previous = false;\n this.incomingSlide = this.get(index);\n }\n } else {\n this.incomingSlide = this.get(index);\n }\n this.incomingSlide.previous = true;\n if (this.animationType === HorizontalAnimationType.fade) {\n this.currentItem.nativeElement.style.opacity = `${Math.abs(offset) / slideWidth}`;\n } else {\n this.currentItem.nativeElement.style.transform = `translateX(${deltaX}px)`;\n this.incomingSlide.nativeElement.style.transform = `translateX(${offset}px)`;\n }\n }\n unsubscriber(slide) {\n return merge(this.destroy$, slide.isDestroyed);\n }\n onSlideActivated(slide) {\n if (slide.active && slide !== this.currentItem) {\n if (slide.direction === Direction.NONE) {\n const newIndex = slide.index;\n slide.direction = newIndex > this.current ? Direction.NEXT : Direction.PREV;\n }\n if (this.currentItem) {\n if (this.previousItem && this.previousItem.previous) {\n this.previousItem.previous = false;\n }\n this.currentItem.direction = slide.direction;\n this.currentItem.active = false;\n this.previousItem = this.currentItem;\n this.currentItem = slide;\n this.triggerAnimations();\n } else {\n this.currentItem = slide;\n }\n this.slideChanged.emit({\n carousel: this,\n slide\n });\n this.restartInterval();\n }\n }\n finishAnimations() {\n if (this.animationStarted(this.leaveAnimationPlayer)) {\n this.leaveAnimationPlayer.finish();\n }\n if (this.animationStarted(this.enterAnimationPlayer)) {\n this.enterAnimationPlayer.finish();\n }\n }\n initSlides(change) {\n const diff = this.differ.diff(change.toArray());\n if (diff) {\n this.slides.reduce((any, c, ind) => c.index = ind, 0); // reset slides indexes\n diff.forEachAddedItem(record => {\n const slide = record.item;\n slide.total = this.total;\n this.slideAdded.emit({\n carousel: this,\n slide\n });\n if (slide.active) {\n this.currentItem = slide;\n }\n slide.activeChange.pipe(takeUntil(this.unsubscriber(slide))).subscribe(() => this.onSlideActivated(slide));\n });\n diff.forEachRemovedItem(record => {\n const slide = record.item;\n this.slideRemoved.emit({\n carousel: this,\n slide\n });\n if (slide.active) {\n slide.active = false;\n this.currentItem = this.get(slide.index < this.total ? slide.index : this.total - 1);\n }\n });\n this.updateSlidesSelection();\n }\n }\n updateSlidesSelection() {\n if (this.platformUtil.isBrowser) {\n requestAnimationFrame(() => {\n if (this.currentItem) {\n this.currentItem.active = true;\n const activeSlides = this.slides.filter(slide => slide.active && slide.index !== this.currentItem.index);\n activeSlides.forEach(slide => slide.active = false);\n } else if (this.total) {\n this.slides.first.active = true;\n }\n this.play();\n });\n }\n }\n focusSlideElement() {\n if (this.leaveAnimationPlayer) {\n this.leaveAnimationPlayer.animationEnd.pipe(takeUntil(this.destroy$)).subscribe(() => {\n this.slides.find(s => s.active).nativeElement.focus();\n });\n } else {\n requestAnimationFrame(() => this.slides.find(s => s.active).nativeElement.focus());\n }\n }\n static {\n this.ɵfac = function IgxCarouselComponent_Factory(t) {\n return new (t || IgxCarouselComponent)(i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.IterableDiffers), i0.ɵɵdirectiveInject(IgxAngularAnimationService), i0.ɵɵdirectiveInject(PlatformUtil), i0.ɵɵdirectiveInject(ThemeService));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxCarouselComponent,\n selectors: [[\"igx-carousel\"]],\n contentQueries: function IgxCarouselComponent_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxCarouselIndicatorDirective, 5, TemplateRef);\n i0.ɵɵcontentQuery(dirIndex, IgxCarouselNextButtonDirective, 5, TemplateRef);\n i0.ɵɵcontentQuery(dirIndex, IgxCarouselPrevButtonDirective, 5, TemplateRef);\n i0.ɵɵcontentQuery(dirIndex, IgxSlideComponent, 4);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.indicatorTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.nextButtonTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.prevButtonTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.slides = _t);\n }\n },\n viewQuery: function IgxCarouselComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c48, 7, TemplateRef);\n i0.ɵɵviewQuery(_c49, 7, TemplateRef);\n i0.ɵɵviewQuery(_c50, 7, TemplateRef);\n i0.ɵɵviewQuery(_c51, 7, TemplateRef);\n i0.ɵɵviewQuery(_c52, 7, TemplateRef);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.defaultIndicator = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.defaultNextButton = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.defaultPrevButton = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.indigoNextButton = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.indigoPrevButton = _t.first);\n }\n },\n hostVars: 10,\n hostBindings: function IgxCarouselComponent_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"keydown.arrowright\", function IgxCarouselComponent_keydown_arrowright_HostBindingHandler($event) {\n return ctx.onKeydownArrowRight($event);\n })(\"keydown.arrowleft\", function IgxCarouselComponent_keydown_arrowleft_HostBindingHandler($event) {\n return ctx.onKeydownArrowLeft($event);\n })(\"tap\", function IgxCarouselComponent_tap_HostBindingHandler($event) {\n return ctx.onTap($event);\n })(\"keydown.home\", function IgxCarouselComponent_keydown_home_HostBindingHandler($event) {\n return ctx.onKeydownHome($event);\n })(\"keydown.end\", function IgxCarouselComponent_keydown_end_HostBindingHandler($event) {\n return ctx.onKeydownEnd($event);\n })(\"mouseenter\", function IgxCarouselComponent_mouseenter_HostBindingHandler() {\n return ctx.onMouseEnter();\n })(\"mouseleave\", function IgxCarouselComponent_mouseleave_HostBindingHandler() {\n return ctx.onMouseLeave();\n })(\"panleft\", function IgxCarouselComponent_panleft_HostBindingHandler($event) {\n return ctx.onPanLeft($event);\n })(\"panright\", function IgxCarouselComponent_panright_HostBindingHandler($event) {\n return ctx.onPanRight($event);\n })(\"panend\", function IgxCarouselComponent_panend_HostBindingHandler($event) {\n return ctx.onPanEnd($event);\n });\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id)(\"role\", ctx.role)(\"aria-roledescription\", ctx.roleDescription)(\"aria-labelledby\", ctx.labelId);\n i0.ɵɵstyleProp(\"touch-action\", ctx.touchAction);\n i0.ɵɵclassProp(\"igx-carousel\", ctx.cssClass)(\"igx-carousel--indigo\", ctx.isTypeIndigo);\n }\n },\n inputs: {\n id: \"id\",\n theme: \"theme\",\n loop: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"loop\", \"loop\", booleanAttribute],\n pause: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"pause\", \"pause\", booleanAttribute],\n navigation: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"navigation\", \"navigation\", booleanAttribute],\n keyboardSupport: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"keyboardSupport\", \"keyboardSupport\", booleanAttribute],\n gesturesSupport: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"gesturesSupport\", \"gesturesSupport\", booleanAttribute],\n maximumIndicatorsCount: \"maximumIndicatorsCount\",\n indicatorsOrientation: \"indicatorsOrientation\",\n animationType: \"animationType\",\n resourceStrings: \"resourceStrings\",\n interval: \"interval\"\n },\n outputs: {\n slideChanged: \"slideChanged\",\n slideAdded: \"slideAdded\",\n slideRemoved: \"slideRemoved\",\n carouselPaused: \"carouselPaused\",\n carouselPlaying: \"carouselPlaying\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: HAMMER_GESTURE_CONFIG,\n useClass: CarouselHammerConfig\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 16,\n vars: 5,\n consts: [[\"defaultIndicator\", \"\"], [\"defaultNextButton\", \"\"], [\"defaultPrevButton\", \"\"], [\"indigoPrevButton\", \"\"], [\"indigoNextButton\", \"\"], [3, \"ngClass\", 4, \"ngIf\"], [1, \"igx-carousel__inner\"], [\"role\", \"button\", \"tabindex\", \"0\", \"class\", \"igx-carousel__arrow--prev\", 3, \"keydown.enter\", \"click\", 4, \"ngIf\"], [\"role\", \"button\", \"tabindex\", \"0\", \"class\", \"igx-carousel__arrow--next\", 3, \"keydown.enter\", \"click\", 4, \"ngIf\"], [1, \"igx-nav-dot\"], [1, \"igx-nav-arrow\"], [3, \"ngClass\"], [\"class\", \"igx-carousel-indicators__indicator\", 3, \"id\", \"click\", 4, \"ngFor\", \"ngForOf\"], [1, \"igx-carousel-indicators__indicator\", 3, \"click\", \"id\"], [4, \"ngTemplateOutlet\", \"ngTemplateOutletContext\"], [1, \"igx-carousel__label\", 3, \"id\"], [\"role\", \"button\", \"tabindex\", \"0\", 1, \"igx-carousel__arrow--prev\", 3, \"keydown.enter\", \"click\"], [\"role\", \"button\", \"tabindex\", \"0\", 1, \"igx-carousel__arrow--next\", 3, \"keydown.enter\", \"click\"]],\n template: function IgxCarouselComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵtemplate(0, IgxCarouselComponent_ng_template_0_Template, 1, 2, \"ng-template\", null, 0, i0.ɵɵtemplateRefExtractor)(2, IgxCarouselComponent_ng_template_2_Template, 3, 2, \"ng-template\", null, 1, i0.ɵɵtemplateRefExtractor)(4, IgxCarouselComponent_ng_template_4_Template, 3, 2, \"ng-template\", null, 2, i0.ɵɵtemplateRefExtractor)(6, IgxCarouselComponent_ng_template_6_Template, 3, 2, \"ng-template\", null, 3, i0.ɵɵtemplateRefExtractor)(8, IgxCarouselComponent_ng_template_8_Template, 3, 2, \"ng-template\", null, 4, i0.ɵɵtemplateRefExtractor)(10, IgxCarouselComponent_div_10_Template, 2, 3, \"div\", 5)(11, IgxCarouselComponent_div_11_Template, 3, 3, \"div\", 5);\n i0.ɵɵelementStart(12, \"div\", 6);\n i0.ɵɵprojection(13);\n i0.ɵɵelementEnd();\n i0.ɵɵtemplate(14, IgxCarouselComponent_div_14_Template, 2, 5, \"div\", 7)(15, IgxCarouselComponent_div_15_Template, 2, 5, \"div\", 8);\n }\n if (rf & 2) {\n i0.ɵɵadvance(10);\n i0.ɵɵproperty(\"ngIf\", ctx.showIndicators);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.showIndicatorsLabel);\n i0.ɵɵadvance();\n i0.ɵɵattribute(\"aria-live\", !ctx.interval || ctx.stoppedByInteraction ? \"polite\" : \"off\");\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"ngIf\", ctx.navigation && ctx.slides.length);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.navigation && ctx.slides.length);\n }\n },\n dependencies: [IgxIconComponent, NgIf, NgClass, NgFor, NgTemplateOutlet],\n styles: [\"[_nghost-%COMP%]{display:block;outline-style:none}\"]\n });\n }\n }\n return IgxCarouselComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* NOTE: Carousel directives collection for ease-of-use import in standalone components scenario */\nconst IGX_CAROUSEL_DIRECTIVES = [IgxCarouselComponent, IgxSlideComponent, IgxCarouselIndicatorDirective, IgxCarouselNextButtonDirective, IgxCarouselPrevButtonDirective];\nconst ChipResourceStringsEN = {\n igx_chip_remove: 'remove chip',\n igx_chip_select: 'select chip'\n};\nconst IgxChipTypeVariant = /*@__PURE__*/mkenum({\n PRIMARY: 'primary',\n INFO: 'info',\n SUCCESS: 'success',\n WARNING: 'warning',\n DANGER: 'danger'\n});\nlet CHIP_ID = 0;\n/**\n * Chip is compact visual component that displays information in an obround.\n *\n * @igxModule IgxChipsModule\n *\n * @igxTheme igx-chip-theme\n *\n * @igxKeywords chip\n *\n * @igxGroup display\n *\n * @remarks\n * The Ignite UI Chip can be templated, deleted, and selected.\n * Multiple chips can be reordered and visually connected to each other.\n * Chips reside in a container called chips area which is responsible for managing the interactions between the chips.\n *\n * @example\n * ```html\n * \n * \n * \n * ```\n */\nlet IgxChipComponent = /*#__PURE__*/(() => {\n class IgxChipComponent extends DisplayDensityBase {\n /**\n * Sets the value of `tabindex` attribute. If not provided it will use the element's tabindex if set.\n *\n * @example\n * ```html\n * \n * ```\n */\n set tabIndex(value) {\n this._tabIndex = value;\n }\n get tabIndex() {\n if (this._tabIndex !== null) {\n return this._tabIndex;\n }\n return !this.disabled ? 0 : null;\n }\n /**\n * Sets the `IgxChipComponent` selected state.\n *\n * @example\n * ```html\n * \n * ```\n *\n * Two-way data binding:\n * ```html\n * \n * ```\n */\n set selected(newValue) {\n this.changeSelection(newValue);\n }\n /**\n * Returns if the `IgxChipComponent` is selected.\n *\n * @example\n * ```typescript\n * @ViewChild('myChip')\n * public chip: IgxChipComponent;\n * selectedChip(){\n * let selectedChip = this.chip.selected;\n * }\n * ```\n */\n get selected() {\n return this._selected;\n }\n /**\n * Sets the `IgxChipComponent` background color.\n * The `color` property supports string, rgb, hex.\n *\n * @example\n * ```html\n * \n * ```\n */\n set color(newColor) {\n this.chipArea.nativeElement.style.backgroundColor = newColor;\n }\n /**\n * Returns the background color of the `IgxChipComponent`.\n *\n * @example\n * ```typescript\n * @ViewChild('myChip')\n * public chip: IgxChipComponent;\n * ngAfterViewInit(){\n * let chipColor = this.chip.color;\n * }\n * ```\n */\n get color() {\n return this.chipArea.nativeElement.style.backgroundColor;\n }\n /**\n * An accessor that sets the resource strings.\n * By default it uses EN resources.\n */\n set resourceStrings(value) {\n this._resourceStrings = Object.assign({}, this._resourceStrings, value);\n }\n /**\n * An accessor that returns the resource strings.\n */\n get resourceStrings() {\n return this._resourceStrings;\n }\n get isPrimary() {\n return this.variant === IgxChipTypeVariant.PRIMARY;\n }\n get isInfo() {\n return this.variant === IgxChipTypeVariant.INFO;\n }\n get isSuccess() {\n return this.variant === IgxChipTypeVariant.SUCCESS;\n }\n get isWarning() {\n return this.variant === IgxChipTypeVariant.WARNING;\n }\n get isDanger() {\n return this.variant === IgxChipTypeVariant.DANGER;\n }\n /**\n * @hidden\n * @internal\n */\n get componentSize() {\n return this.getComponentSizeStyles();\n }\n /**\n * @hidden\n * @internal\n */\n get removeButtonTemplate() {\n if (!this.disabled) {\n return this.removeIcon || this.defaultRemoveIcon;\n }\n }\n /**\n * @hidden\n * @internal\n */\n get selectIconTemplate() {\n return this.selectIcon || this.defaultSelectIcon;\n }\n /**\n * @hidden\n * @internal\n */\n get ghostStyles() {\n switch (this.displayDensity) {\n case DisplayDensity.compact:\n return {\n '--component-size': 'var(--ig-size, var(--ig-size-small))'\n };\n case DisplayDensity.cosy:\n return {\n '--component-size': 'var(--ig-size, var(--ig-size-medium))'\n };\n case DisplayDensity.comfortable:\n default:\n return {\n '--component-size': 'var(--ig-size, var(--ig-size-large))'\n };\n }\n }\n /** @hidden @internal */\n get nativeElement() {\n return this.ref.nativeElement;\n }\n constructor(cdr, ref, renderer, _displayDensityOptions) {\n super(_displayDensityOptions, ref);\n this.cdr = cdr;\n this.ref = ref;\n this.renderer = renderer;\n this._displayDensityOptions = _displayDensityOptions;\n /**\n * Sets the value of `id` attribute. If not provided it will be automatically generated.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.id = `igx-chip-${CHIP_ID++}`;\n /**\n * Returns the `role` attribute of the chip.\n *\n * @example\n * ```typescript\n * let chipRole = this.chip.role;\n * ```\n */\n this.role = 'option';\n /**\n * Defines if the `IgxChipComponent` can be dragged in order to change it's position.\n * By default it is set to false.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.draggable = false;\n /**\n * Enables/disables the draggable element animation when the element is released.\n * By default it's set to true.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.animateOnRelease = true;\n /**\n * Enables/disables the hiding of the base element that has been dragged.\n * By default it's set to true.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.hideBaseOnDrag = true;\n /**\n * Defines if the `IgxChipComponent` should render remove button and throw remove events.\n * By default it is set to false.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.removable = false;\n /**\n * Defines if the `IgxChipComponent` can be selected on click or through navigation,\n * By default it is set to false.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.selectable = false;\n /**\n * @hidden\n * @internal\n */\n this.class = '';\n /**\n * Disables the `IgxChipComponent`. When disabled it restricts user interactions\n * like focusing on click or tab, selection on click or Space, dragging.\n * By default it is set to false.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.disabled = false;\n /**\n * @hidden\n * @internal\n */\n this.selectedChange = new EventEmitter();\n /**\n * Emits an event when the `IgxChipComponent` moving starts.\n * Returns the moving `IgxChipComponent`.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.moveStart = new EventEmitter();\n /**\n * Emits an event when the `IgxChipComponent` moving ends.\n * Returns the moved `IgxChipComponent`.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.moveEnd = new EventEmitter();\n /**\n * Emits an event when the `IgxChipComponent` is removed.\n * Returns the removed `IgxChipComponent`.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.remove = new EventEmitter();\n /**\n * Emits an event when the `IgxChipComponent` is clicked.\n * Returns the clicked `IgxChipComponent`, whether the event should be canceled.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.chipClick = new EventEmitter();\n /**\n * Emits event when the `IgxChipComponent` is selected/deselected.\n * Returns the selected chip reference, whether the event should be canceled, what is the next selection state and\n * when the event is triggered by interaction `originalEvent` is provided, otherwise `originalEvent` is `null`.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.selectedChanging = new EventEmitter();\n /**\n * Emits event when the `IgxChipComponent` is selected/deselected and any related animations and transitions also end.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.selectedChanged = new EventEmitter();\n /**\n * Emits an event when the `IgxChipComponent` keyboard navigation is being used.\n * Returns the focused/selected `IgxChipComponent`, whether the event should be canceled,\n * if the `alt`, `shift` or `control` key is pressed and the pressed key name.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.keyDown = new EventEmitter();\n /**\n * Emits an event when the `IgxChipComponent` has entered the `IgxChipsAreaComponent`.\n * Returns the target `IgxChipComponent`, the drag `IgxChipComponent`, as well as\n * the original drop event arguments.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.dragEnter = new EventEmitter();\n /**\n * Emits an event when the `IgxChipComponent` has left the `IgxChipsAreaComponent`.\n * Returns the target `IgxChipComponent`, the drag `IgxChipComponent`, as well as\n * the original drop event arguments.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.dragLeave = new EventEmitter();\n /**\n * Emits an event when the `IgxChipComponent` is over the `IgxChipsAreaComponent`.\n * Returns the target `IgxChipComponent`, the drag `IgxChipComponent`, as well as\n * the original drop event arguments.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.dragOver = new EventEmitter();\n /**\n * Emits an event when the `IgxChipComponent` has been dropped in the `IgxChipsAreaComponent`.\n * Returns the target `IgxChipComponent`, the drag `IgxChipComponent`, as well as\n * the original drop event arguments.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.dragDrop = new EventEmitter();\n this.defaultClass = 'igx-chip';\n /**\n * @hidden\n * @internal\n */\n this.hideBaseElement = false;\n /**\n * @hidden\n * @internal\n */\n this.destroy$ = new Subject();\n this._tabIndex = null;\n this._selected = false;\n this._selectedItemClass = 'igx-chip__item--selected';\n this._movedWhileRemoving = false;\n this._resourceStrings = getCurrentResourceStrings(ChipResourceStringsEN);\n }\n /**\n * @hidden\n * @internal\n */\n keyEvent(event) {\n this.onChipKeyDown(event);\n }\n /**\n * @hidden\n * @internal\n */\n selectClass(condition) {\n const SELECT_CLASS = 'igx-chip__select';\n return {\n [SELECT_CLASS]: condition,\n [`${SELECT_CLASS}--hidden`]: !condition\n };\n }\n onSelectTransitionDone(event) {\n if (event.target.tagName) {\n // Trigger onSelectionDone on when `width` property is changed and the target is valid element(not comment).\n this.selectedChanged.emit({\n owner: this,\n originalEvent: event\n });\n }\n }\n /**\n * @hidden\n * @internal\n */\n onChipKeyDown(event) {\n const keyDownArgs = {\n originalEvent: event,\n owner: this,\n cancel: false\n };\n this.keyDown.emit(keyDownArgs);\n if (keyDownArgs.cancel) {\n return;\n }\n if ((event.key === 'Delete' || event.key === 'Del') && this.removable) {\n this.remove.emit({\n originalEvent: event,\n owner: this\n });\n }\n if ((event.key === ' ' || event.key === 'Spacebar') && this.selectable && !this.disabled) {\n this.changeSelection(!this.selected, event);\n }\n if (event.key !== 'Tab') {\n event.preventDefault();\n }\n }\n /**\n * @hidden\n * @internal\n */\n onRemoveBtnKeyDown(event) {\n if (event.key === ' ' || event.key === 'Spacebar' || event.key === 'Enter') {\n this.remove.emit({\n originalEvent: event,\n owner: this\n });\n event.preventDefault();\n event.stopPropagation();\n }\n }\n onRemoveMouseDown(event) {\n event.stopPropagation();\n }\n /**\n * @hidden\n * @internal\n */\n onRemoveClick(event) {\n this.remove.emit({\n originalEvent: event,\n owner: this\n });\n }\n /**\n * @hidden\n * @internal\n */\n onRemoveTouchMove() {\n // We don't remove chip if user starting touch interacting on the remove button moves the chip\n this._movedWhileRemoving = true;\n }\n /**\n * @hidden\n * @internal\n */\n onRemoveTouchEnd(event) {\n if (!this._movedWhileRemoving) {\n this.onRemoveClick(event);\n }\n this._movedWhileRemoving = false;\n }\n /**\n * @hidden\n * @internal\n */\n // -----------------------------\n // Start chip igxDrag behavior\n onChipDragStart(event) {\n this.moveStart.emit({\n originalEvent: event,\n owner: this\n });\n event.cancel = !this.draggable || this.disabled;\n }\n /**\n * @hidden\n * @internal\n */\n onChipDragEnd() {\n if (this.animateOnRelease) {\n this.dragDirective.transitionToOrigin();\n }\n }\n /**\n * @hidden\n * @internal\n */\n onChipMoveEnd(event) {\n // moveEnd is triggered after return animation has finished. This happen when we drag and release the chip.\n this.moveEnd.emit({\n originalEvent: event,\n owner: this\n });\n if (this.selected) {\n this.chipArea.nativeElement.focus();\n }\n }\n /**\n * @hidden\n * @internal\n */\n onChipGhostCreate() {\n this.hideBaseElement = this.hideBaseOnDrag;\n }\n /**\n * @hidden\n * @internal\n */\n onChipGhostDestroy() {\n this.hideBaseElement = false;\n }\n /**\n * @hidden\n * @internal\n */\n onChipDragClicked(event) {\n const clickEventArgs = {\n originalEvent: event,\n owner: this,\n cancel: false\n };\n this.chipClick.emit(clickEventArgs);\n if (!clickEventArgs.cancel && this.selectable && !this.disabled) {\n this.changeSelection(!this.selected, event);\n }\n }\n // End chip igxDrag behavior\n /**\n * @hidden\n * @internal\n */\n // -----------------------------\n // Start chip igxDrop behavior\n onChipDragEnterHandler(event) {\n if (this.dragDirective === event.drag) {\n return;\n }\n const eventArgs = {\n owner: this,\n dragChip: event.drag.data?.chip,\n originalEvent: event\n };\n this.dragEnter.emit(eventArgs);\n }\n /**\n * @hidden\n * @internal\n */\n onChipDragLeaveHandler(event) {\n if (this.dragDirective === event.drag) {\n return;\n }\n const eventArgs = {\n owner: this,\n dragChip: event.drag.data?.chip,\n originalEvent: event\n };\n this.dragLeave.emit(eventArgs);\n }\n /**\n * @hidden\n * @internal\n */\n onChipDrop(event) {\n // Cancel the default drop logic\n event.cancel = true;\n if (this.dragDirective === event.drag) {\n return;\n }\n const eventArgs = {\n owner: this,\n dragChip: event.drag.data?.chip,\n originalEvent: event\n };\n this.dragDrop.emit(eventArgs);\n }\n /**\n * @hidden\n * @internal\n */\n onChipOverHandler(event) {\n if (this.dragDirective === event.drag) {\n return;\n }\n const eventArgs = {\n owner: this,\n dragChip: event.drag.data?.chip,\n originalEvent: event\n };\n this.dragOver.emit(eventArgs);\n }\n // End chip igxDrop behavior\n changeSelection(newValue, srcEvent = null) {\n const onSelectArgs = {\n originalEvent: srcEvent,\n owner: this,\n selected: false,\n cancel: false\n };\n if (newValue && !this._selected) {\n onSelectArgs.selected = true;\n this.selectedChanging.emit(onSelectArgs);\n if (!onSelectArgs.cancel) {\n this.renderer.addClass(this.chipArea.nativeElement, this._selectedItemClass);\n this._selected = newValue;\n this.selectedChange.emit(this._selected);\n this.selectedChanged.emit({\n owner: this,\n originalEvent: srcEvent\n });\n }\n } else if (!newValue && this._selected) {\n this.selectedChanging.emit(onSelectArgs);\n if (!onSelectArgs.cancel) {\n this.renderer.removeClass(this.chipArea.nativeElement, this._selectedItemClass);\n this._selected = newValue;\n this.selectedChange.emit(this._selected);\n this.selectedChanged.emit({\n owner: this,\n originalEvent: srcEvent\n });\n }\n }\n }\n ngOnDestroy() {\n this.destroy$.next();\n this.destroy$.complete();\n }\n static {\n this.ɵfac = function IgxChipComponent_Factory(t) {\n return new (t || IgxChipComponent)(i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.Renderer2), i0.ɵɵdirectiveInject(DisplayDensityToken, 8));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxChipComponent,\n selectors: [[\"igx-chip\"]],\n viewQuery: function IgxChipComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c53, 7, IgxDragDirective);\n i0.ɵɵviewQuery(_c53, 7, ElementRef);\n i0.ɵɵviewQuery(_c54, 7, TemplateRef);\n i0.ɵɵviewQuery(_c55, 7, TemplateRef);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.dragDirective = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.chipArea = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.defaultRemoveIcon = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.defaultSelectIcon = _t.first);\n }\n },\n hostVars: 20,\n hostBindings: function IgxChipComponent_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"keydown\", function IgxChipComponent_keydown_HostBindingHandler($event) {\n return ctx.keyEvent($event);\n });\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id)(\"role\", ctx.role)(\"tabIndex\", ctx.tabIndex)(\"aria-selected\", ctx.selected);\n i0.ɵɵstyleProp(\"--component-size\", ctx.componentSize);\n i0.ɵɵclassProp(\"igx-chip--disabled\", ctx.disabled)(\"igx-chip\", ctx.defaultClass)(\"igx-chip--primary\", ctx.isPrimary)(\"igx-chip--info\", ctx.isInfo)(\"igx-chip--success\", ctx.isSuccess)(\"igx-chip--warning\", ctx.isWarning)(\"igx-chip--danger\", ctx.isDanger);\n }\n },\n inputs: {\n variant: \"variant\",\n id: \"id\",\n tabIndex: \"tabIndex\",\n data: \"data\",\n draggable: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"draggable\", \"draggable\", booleanAttribute],\n animateOnRelease: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"animateOnRelease\", \"animateOnRelease\", booleanAttribute],\n hideBaseOnDrag: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"hideBaseOnDrag\", \"hideBaseOnDrag\", booleanAttribute],\n removable: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"removable\", \"removable\", booleanAttribute],\n removeIcon: \"removeIcon\",\n selectable: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"selectable\", \"selectable\", booleanAttribute],\n selectIcon: \"selectIcon\",\n class: \"class\",\n disabled: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"disabled\", \"disabled\", booleanAttribute],\n selected: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"selected\", \"selected\", booleanAttribute],\n color: \"color\",\n resourceStrings: \"resourceStrings\"\n },\n outputs: {\n selectedChange: \"selectedChange\",\n moveStart: \"moveStart\",\n moveEnd: \"moveEnd\",\n remove: \"remove\",\n chipClick: \"chipClick\",\n selectedChanging: \"selectedChanging\",\n selectedChanged: \"selectedChanged\",\n keyDown: \"keyDown\",\n dragEnter: \"dragEnter\",\n dragLeave: \"dragLeave\",\n dragOver: \"dragOver\",\n dragDrop: \"dragDrop\"\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c57,\n decls: 15,\n vars: 8,\n consts: [[\"chipArea\", \"\"], [\"selectContainer\", \"\"], [\"defaultSelectIcon\", \"\"], [\"defaultRemoveIcon\", \"\"], [\"ghostClass\", \"igx-chip__ghost\", \"igxDrop\", \"\", 1, \"igx-chip__item\", 3, \"dragStart\", \"ghostCreate\", \"ghostDestroy\", \"dragEnd\", \"transitioned\", \"dragClick\", \"enter\", \"leave\", \"over\", \"dropped\", \"igxDrag\", \"ghostStyle\"], [1, \"igx-chip__start\"], [3, \"ngClass\", 4, \"ngIf\"], [1, \"igx-chip__content\"], [1, \"igx-chip__end\"], [\"class\", \"igx-chip__remove\", 3, \"keydown\", \"pointerdown\", \"mousedown\", \"click\", \"touchmove\", \"touchend\", 4, \"ngIf\"], [3, \"ngClass\"], [4, \"ngTemplateOutlet\"], [1, \"igx-chip__remove\", 3, \"keydown\", \"pointerdown\", \"mousedown\", \"click\", \"touchmove\", \"touchend\"]],\n template: function IgxChipComponent_Template(rf, ctx) {\n if (rf & 1) {\n const _r1 = i0.ɵɵgetCurrentView();\n i0.ɵɵprojectionDef(_c56);\n i0.ɵɵelementStart(0, \"div\", 4, 0);\n i0.ɵɵlistener(\"dragStart\", function IgxChipComponent_Template_div_dragStart_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onChipDragStart($event));\n })(\"ghostCreate\", function IgxChipComponent_Template_div_ghostCreate_0_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onChipGhostCreate());\n })(\"ghostDestroy\", function IgxChipComponent_Template_div_ghostDestroy_0_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onChipGhostDestroy());\n })(\"dragEnd\", function IgxChipComponent_Template_div_dragEnd_0_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onChipDragEnd());\n })(\"transitioned\", function IgxChipComponent_Template_div_transitioned_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onChipMoveEnd($event));\n })(\"dragClick\", function IgxChipComponent_Template_div_dragClick_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onChipDragClicked($event));\n })(\"enter\", function IgxChipComponent_Template_div_enter_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onChipDragEnterHandler($event));\n })(\"leave\", function IgxChipComponent_Template_div_leave_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onChipDragLeaveHandler($event));\n })(\"over\", function IgxChipComponent_Template_div_over_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onChipOverHandler($event));\n })(\"dropped\", function IgxChipComponent_Template_div_dropped_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onChipDrop($event));\n });\n i0.ɵɵelementStart(2, \"div\", 5, 1);\n i0.ɵɵtemplate(4, IgxChipComponent_div_4_Template, 2, 2, \"div\", 6);\n i0.ɵɵprojection(5);\n i0.ɵɵelementEnd();\n i0.ɵɵelementStart(6, \"div\", 7);\n i0.ɵɵprojection(7, 1);\n i0.ɵɵelementEnd();\n i0.ɵɵelementStart(8, \"div\", 8);\n i0.ɵɵprojection(9, 2);\n i0.ɵɵtemplate(10, IgxChipComponent_div_10_Template, 2, 2, \"div\", 9);\n i0.ɵɵelementEnd()();\n i0.ɵɵtemplate(11, IgxChipComponent_ng_template_11_Template, 2, 1, \"ng-template\", null, 2, i0.ɵɵtemplateRefExtractor)(13, IgxChipComponent_ng_template_13_Template, 2, 1, \"ng-template\", null, 3, i0.ɵɵtemplateRefExtractor);\n }\n if (rf & 2) {\n i0.ɵɵstyleProp(\"visibility\", ctx.hideBaseElement ? \"hidden\" : \"visible\");\n i0.ɵɵproperty(\"igxDrag\", i0.ɵɵpureFunction1(6, _c58, ctx))(\"ghostStyle\", ctx.ghostStyles);\n i0.ɵɵadvance(4);\n i0.ɵɵproperty(\"ngIf\", ctx.selected);\n i0.ɵɵadvance(6);\n i0.ɵɵproperty(\"ngIf\", ctx.removable);\n }\n },\n dependencies: [IgxDropDirective, IgxDragDirective, NgClass, NgTemplateOutlet, NgIf, IgxIconComponent],\n encapsulation: 2\n });\n }\n }\n return IgxChipComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * The chip area allows you to perform more complex scenarios with chips that require interaction,\n * like dragging, selection, navigation, etc.\n *\n * @igxModule IgxChipsModule\n *\n * @igxTheme igx-chip-theme\n *\n * @igxKeywords chip area, chip\n *\n * @igxGroup display\n *\n * @example\n * ```html\n * \n * \n * {{chip.text}}\n * \n * \n * ```\n */\nlet IgxChipsAreaComponent = /*#__PURE__*/(() => {\n class IgxChipsAreaComponent {\n /** @hidden @internal */\n get _widthToRem() {\n return rem(this.width);\n }\n /** @hidden @internal */\n get _heightToRem() {\n return rem(this.height);\n }\n constructor(cdr, element, _iterableDiffers) {\n this.cdr = cdr;\n this.element = element;\n this._iterableDiffers = _iterableDiffers;\n /**\n * Returns the `role` attribute of the chips area.\n *\n * @example\n * ```typescript\n * let chipsAreaRole = this.chipsArea.role;\n * ```\n */\n this.role = 'listbox';\n /**\n * Returns the `aria-label` attribute of the chips area.\n *\n * @example\n * ```typescript\n * let ariaLabel = this.chipsArea.ariaLabel;\n * ```\n *\n */\n this.ariaLabel = 'chip area';\n /**\n * Emits an event when `IgxChipComponent`s in the `IgxChipsAreaComponent` should be reordered.\n * Returns an array of `IgxChipComponent`s.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.reorder = new EventEmitter();\n /**\n * Emits an event when an `IgxChipComponent` in the `IgxChipsAreaComponent` is selected/deselected.\n * Fired after the chips area is initialized if there are initially selected chips as well.\n * Returns an array of selected `IgxChipComponent`s and the `IgxChipAreaComponent`.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.selectionChange = new EventEmitter();\n /**\n * Emits an event when an `IgxChipComponent` in the `IgxChipsAreaComponent` is moved.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.moveStart = new EventEmitter();\n /**\n * Emits an event after an `IgxChipComponent` in the `IgxChipsAreaComponent` is moved.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.moveEnd = new EventEmitter();\n this.destroy$ = new Subject();\n this.hostClass = 'igx-chip-area';\n this._differ = null;\n this._differ = this._iterableDiffers.find([]).create(null);\n }\n /**\n * @hidden\n * @internal\n */\n ngAfterViewInit() {\n // If we have initially selected chips through their inputs, we need to get them, because we cannot listen to their events yet.\n if (this.chipsList.length) {\n const selectedChips = this.chipsList.filter(item => item.selected);\n if (selectedChips.length) {\n this.selectionChange.emit({\n originalEvent: null,\n newSelection: selectedChips,\n owner: this\n });\n }\n }\n }\n /**\n * @hidden\n * @internal\n */\n ngDoCheck() {\n if (this.chipsList) {\n const changes = this._differ.diff(this.chipsList.toArray());\n if (changes) {\n changes.forEachAddedItem(addedChip => {\n addedChip.item.moveStart.pipe(takeUntil(addedChip.item.destroy$)).subscribe(args => {\n this.onChipMoveStart(args);\n });\n addedChip.item.moveEnd.pipe(takeUntil(addedChip.item.destroy$)).subscribe(args => {\n this.onChipMoveEnd(args);\n });\n addedChip.item.dragEnter.pipe(takeUntil(addedChip.item.destroy$)).subscribe(args => {\n this.onChipDragEnter(args);\n });\n addedChip.item.keyDown.pipe(takeUntil(addedChip.item.destroy$)).subscribe(args => {\n this.onChipKeyDown(args);\n });\n if (addedChip.item.selectable) {\n addedChip.item.selectedChanging.pipe(takeUntil(addedChip.item.destroy$)).subscribe(args => {\n this.onChipSelectionChange(args);\n });\n }\n });\n this.modifiedChipsArray = this.chipsList.toArray();\n }\n }\n }\n /**\n * @hidden\n * @internal\n */\n ngOnDestroy() {\n this.destroy$.next(true);\n this.destroy$.complete();\n }\n /**\n * @hidden\n * @internal\n */\n onChipKeyDown(event) {\n let orderChanged = false;\n const chipsArray = this.chipsList.toArray();\n const dragChipIndex = chipsArray.findIndex(el => el === event.owner);\n if (event.originalEvent.shiftKey === true) {\n if (event.originalEvent.key === 'ArrowLeft' || event.originalEvent.key === 'Left') {\n orderChanged = this.positionChipAtIndex(dragChipIndex, dragChipIndex - 1, false, event.originalEvent);\n if (orderChanged) {\n setTimeout(() => {\n this.chipsList.get(dragChipIndex - 1).nativeElement.focus();\n });\n }\n } else if (event.originalEvent.key === 'ArrowRight' || event.originalEvent.key === 'Right') {\n orderChanged = this.positionChipAtIndex(dragChipIndex, dragChipIndex + 1, true, event.originalEvent);\n }\n } else {\n if ((event.originalEvent.key === 'ArrowLeft' || event.originalEvent.key === 'Left') && dragChipIndex > 0) {\n chipsArray[dragChipIndex - 1].nativeElement.focus();\n } else if ((event.originalEvent.key === 'ArrowRight' || event.originalEvent.key === 'Right') && dragChipIndex < chipsArray.length - 1) {\n chipsArray[dragChipIndex + 1].nativeElement.focus();\n }\n }\n }\n /**\n * @hidden\n * @internal\n */\n onChipMoveStart(event) {\n this.moveStart.emit({\n originalEvent: event.originalEvent,\n owner: this\n });\n }\n /**\n * @hidden\n * @internal\n */\n onChipMoveEnd(event) {\n this.moveEnd.emit({\n originalEvent: event.originalEvent,\n owner: this\n });\n }\n /**\n * @hidden\n * @internal\n */\n onChipDragEnter(event) {\n const dropChipIndex = this.chipsList.toArray().findIndex(el => el === event.owner);\n const dragChipIndex = this.chipsList.toArray().findIndex(el => el === event.dragChip);\n if (dragChipIndex < dropChipIndex) {\n // from the left to right\n this.positionChipAtIndex(dragChipIndex, dropChipIndex, true, event.originalEvent);\n } else {\n // from the right to left\n this.positionChipAtIndex(dragChipIndex, dropChipIndex, false, event.originalEvent);\n }\n }\n /**\n * @hidden\n * @internal\n */\n positionChipAtIndex(chipIndex, targetIndex, shiftRestLeft, originalEvent) {\n if (chipIndex < 0 || this.chipsList.length <= chipIndex || targetIndex < 0 || this.chipsList.length <= targetIndex) {\n return false;\n }\n const chipsArray = this.chipsList.toArray();\n const result = [];\n for (let i = 0; i < chipsArray.length; i++) {\n if (shiftRestLeft) {\n if (chipIndex <= i && i < targetIndex) {\n result.push(chipsArray[i + 1]);\n } else if (i === targetIndex) {\n result.push(chipsArray[chipIndex]);\n } else {\n result.push(chipsArray[i]);\n }\n } else {\n if (targetIndex < i && i <= chipIndex) {\n result.push(chipsArray[i - 1]);\n } else if (i === targetIndex) {\n result.push(chipsArray[chipIndex]);\n } else {\n result.push(chipsArray[i]);\n }\n }\n }\n this.modifiedChipsArray = result;\n const eventData = {\n chipsArray: this.modifiedChipsArray,\n originalEvent,\n owner: this\n };\n this.reorder.emit(eventData);\n return true;\n }\n /**\n * @hidden\n * @internal\n */\n onChipSelectionChange(event) {\n let selectedChips = this.chipsList.filter(chip => chip.selected);\n if (event.selected && !selectedChips.includes(event.owner)) {\n selectedChips.push(event.owner);\n } else if (!event.selected && selectedChips.includes(event.owner)) {\n selectedChips = selectedChips.filter(chip => chip.id !== event.owner.id);\n }\n this.selectionChange.emit({\n originalEvent: event.originalEvent,\n newSelection: selectedChips,\n owner: this\n });\n }\n static {\n this.ɵfac = function IgxChipsAreaComponent_Factory(t) {\n return new (t || IgxChipsAreaComponent)(i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.IterableDiffers));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxChipsAreaComponent,\n selectors: [[\"igx-chips-area\"]],\n contentQueries: function IgxChipsAreaComponent_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxChipComponent, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.chipsList = _t);\n }\n },\n hostVars: 8,\n hostBindings: function IgxChipsAreaComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"role\", ctx.role)(\"aria-label\", ctx.ariaLabel);\n i0.ɵɵclassMap(ctx.hostClass);\n i0.ɵɵstyleProp(\"width\", ctx._widthToRem, \"rem\")(\"height\", ctx._heightToRem, \"rem\");\n }\n },\n inputs: {\n width: \"width\",\n height: \"height\"\n },\n outputs: {\n reorder: \"reorder\",\n selectionChange: \"selectionChange\",\n moveStart: \"moveStart\",\n moveEnd: \"moveEnd\"\n },\n standalone: true,\n features: [i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 1,\n vars: 0,\n template: function IgxChipsAreaComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵprojection(0);\n }\n },\n encapsulation: 2\n });\n }\n }\n return IgxChipsAreaComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* NOTE: Chips directives collection for ease-of-use import in standalone components scenario */\nconst IGX_CHIPS_DIRECTIVES = [IgxChipsAreaComponent, IgxChipComponent, IgxPrefixDirective, IgxSuffixDirective];\n\n/**\n * @hidden\n */\nlet IgxComboAPIService = /*#__PURE__*/(() => {\n class IgxComboAPIService {\n constructor() {\n this.disableTransitions = false;\n }\n get valueKey() {\n return this.combo.valueKey !== null && this.combo.valueKey !== undefined ? this.combo.valueKey : null;\n }\n get item_focusable() {\n return false;\n }\n get isRemote() {\n return this.combo.isRemote;\n }\n get comboID() {\n return this.combo.id;\n }\n register(combo) {\n this.combo = combo;\n }\n clear() {\n this.combo = null;\n }\n add_custom_item() {\n if (!this.combo) {\n return;\n }\n this.combo.addItemToCollection();\n }\n set_selected_item(itemID, event) {\n const selected = this.combo.isItemSelected(itemID);\n if (itemID === undefined) {\n return;\n }\n if (!selected) {\n this.combo.select([itemID], false, event);\n } else {\n this.combo.deselect([itemID], event);\n }\n }\n is_item_selected(itemID) {\n return this.combo.isItemSelected(itemID);\n }\n static {\n this.ɵfac = function IgxComboAPIService_Factory(t) {\n return new (t || IgxComboAPIService)();\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: IgxComboAPIService,\n factory: IgxComboAPIService.ɵfac\n });\n }\n }\n return IgxComboAPIService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** @hidden */\nlet IgxComboItemComponent = /*#__PURE__*/(() => {\n class IgxComboItemComponent extends IgxDropDownItemComponent {\n /** @hidden @internal */\n get _itemHeightToRem() {\n return rem(this.itemHeight);\n }\n get ariaLabel() {\n const valueKey = this.comboAPI.valueKey;\n return valueKey !== null && this.value != null ? this.value[valueKey] : this.value;\n }\n /**\n * @hidden\n */\n get itemID() {\n const valueKey = this.comboAPI.valueKey;\n return valueKey !== null ? this.value[valueKey] : this.value;\n }\n /**\n * @hidden\n */\n get comboID() {\n return this.comboAPI.comboID;\n }\n /**\n * @hidden\n * @internal\n */\n get disableTransitions() {\n return this.comboAPI.disableTransitions;\n }\n constructor(comboAPI, dropDown, elementRef, selection) {\n super(dropDown, elementRef, null, selection);\n this.comboAPI = comboAPI;\n /**\n * Gets the height of a list item\n *\n * @hidden\n */\n this.itemHeight = '';\n }\n /**\n * @hidden\n */\n get selected() {\n return this.comboAPI.is_item_selected(this.itemID);\n }\n set selected(value) {\n if (this.isHeader) {\n return;\n }\n this._selected = value;\n }\n /**\n * @hidden\n */\n isVisible(direction) {\n const rect = this.element.nativeElement.getBoundingClientRect();\n const parentDiv = this.element.nativeElement.parentElement.parentElement.getBoundingClientRect();\n if (direction === Navigate.Down) {\n return rect.y + rect.height <= parentDiv.y + parentDiv.height;\n }\n return rect.y >= parentDiv.y;\n }\n clicked(event) {\n this.comboAPI.disableTransitions = false;\n if (!this.isSelectable) {\n return;\n }\n this.dropDown.navigateItem(this.index);\n this.comboAPI.set_selected_item(this.itemID, event);\n }\n /**\n * @hidden\n * @internal\n * The event that is prevented is the click on the checkbox label element.\n * That is the only visible element that a user can interact with.\n * The click propagates to the host and the preventDefault is to stop it from\n * switching focus to the input it's base on.\n * The toggle happens in an internal handler in the drop-down on the next task queue cycle.\n */\n disableCheck(event) {\n event.preventDefault();\n }\n static {\n this.ɵfac = function IgxComboItemComponent_Factory(t) {\n return new (t || IgxComboItemComponent)(i0.ɵɵdirectiveInject(IgxComboAPIService), i0.ɵɵdirectiveInject(IGX_DROPDOWN_BASE), i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(IgxSelectionAPIService));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxComboItemComponent,\n selectors: [[\"igx-combo-item\"]],\n hostVars: 3,\n hostBindings: function IgxComboItemComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"aria-label\", ctx.ariaLabel);\n i0.ɵɵstyleProp(\"height\", ctx._itemHeightToRem, \"rem\");\n }\n },\n inputs: {\n itemHeight: \"itemHeight\",\n ariaLabel: \"ariaLabel\",\n singleMode: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"singleMode\", \"singleMode\", booleanAttribute]\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 3,\n vars: 1,\n consts: [[4, \"ngIf\"], [1, \"igx-drop-down__inner\"], [1, \"igx-combo__checkbox\", 3, \"click\", \"checked\", \"readonly\", \"disableRipple\", \"disableTransitions\", \"tabindex\"]],\n template: function IgxComboItemComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵtemplate(0, IgxComboItemComponent_ng_container_0_Template, 2, 5, \"ng-container\", 0);\n i0.ɵɵelementStart(1, \"span\", 1);\n i0.ɵɵprojection(2);\n i0.ɵɵelementEnd();\n }\n if (rf & 2) {\n i0.ɵɵproperty(\"ngIf\", !ctx.isHeader && !ctx.singleMode);\n }\n },\n dependencies: [NgIf, IgxCheckboxComponent],\n encapsulation: 2\n });\n }\n }\n return IgxComboItemComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * Allows a custom element to be added at the beginning of the combo list.\n *\n * @igxModule IgxComboModule\n * @igxTheme igx-combo-theme\n * @igxKeywords combobox, combo selection\n * @igxGroup Grids & Lists\n *\n * @example\n * \n * \n *
Custom header
\n * \n * \n * \n */\nlet IgxComboHeaderDirective = /*#__PURE__*/(() => {\n class IgxComboHeaderDirective {\n static {\n this.ɵfac = function IgxComboHeaderDirective_Factory(t) {\n return new (t || IgxComboHeaderDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxComboHeaderDirective,\n selectors: [[\"\", \"igxComboHeader\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxComboHeaderDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Allows a custom element to be added at the end of the combo list.\n *\n * @igxModule IgxComboModule\n * @igxTheme igx-combo-theme\n * @igxKeywords combobox, combo selection\n * @igxGroup Grids & Lists\n *\n * @example\n * \n * \n * \n * \n * \n * \n */\nlet IgxComboFooterDirective = /*#__PURE__*/(() => {\n class IgxComboFooterDirective {\n static {\n this.ɵfac = function IgxComboFooterDirective_Factory(t) {\n return new (t || IgxComboFooterDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxComboFooterDirective,\n selectors: [[\"\", \"igxComboFooter\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxComboFooterDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Allows the combo's items to be modified with a custom template\n *\n * @igxModule IgxComboModule\n * @igxTheme igx-combo-theme\n * @igxKeywords combobox, combo selection\n * @igxGroup Grids & Lists\n *\n * @example\n * \n *\t\n *\t\t
\n *\t \n * \n */\nlet IgxComboItemDirective = /*#__PURE__*/(() => {\n class IgxComboItemDirective {\n static {\n this.ɵfac = function IgxComboItemDirective_Factory(t) {\n return new (t || IgxComboItemDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxComboItemDirective,\n selectors: [[\"\", \"igxComboItem\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxComboItemDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Defines the custom template that will be displayed when the combo's list is empty\n *\n * @igxModule IgxComboModule\n * @igxTheme igx-combo-theme\n * @igxKeywords combobox, combo selection\n * @igxGroup Grids & Lists\n *\n * @example\n * \n * \n *
\n * There are no items to display\n *
\n * \n * \n */\nlet IgxComboEmptyDirective = /*#__PURE__*/(() => {\n class IgxComboEmptyDirective {\n static {\n this.ɵfac = function IgxComboEmptyDirective_Factory(t) {\n return new (t || IgxComboEmptyDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxComboEmptyDirective,\n selectors: [[\"\", \"igxComboEmpty\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxComboEmptyDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Defines the custom template that will be used when rendering header items for groups in the combo's list\n *\n * @igxModule IgxComboModule\n * @igxTheme igx-combo-theme\n * @igxKeywords combobox, combo selection\n * @igxGroup Grids & Lists\n *\n * @example\n * \n * \n *
Group header for {{ item[key] }}
\n * \n * \n */\nlet IgxComboHeaderItemDirective = /*#__PURE__*/(() => {\n class IgxComboHeaderItemDirective {\n static {\n this.ɵfac = function IgxComboHeaderItemDirective_Factory(t) {\n return new (t || IgxComboHeaderItemDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxComboHeaderItemDirective,\n selectors: [[\"\", \"igxComboHeaderItem\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxComboHeaderItemDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Defines the custom template that will be used to display the `ADD` button\n *\n * @remarks To show the `ADD` button, the `allowCustomValues` option must be enabled\n *\n * @igxModule IgxComboModule\n * @igxTheme igx-combo-theme\n * @igxKeywords combobox, combo selection\n * @igxGroup Grids & Lists\n *\n * @example\n * \n * \n * \n * \n * \n */\nlet IgxComboAddItemDirective = /*#__PURE__*/(() => {\n class IgxComboAddItemDirective {\n static {\n this.ɵfac = function IgxComboAddItemDirective_Factory(t) {\n return new (t || IgxComboAddItemDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxComboAddItemDirective,\n selectors: [[\"\", \"igxComboAddItem\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxComboAddItemDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * The custom template that will be used when rendering the combo's toggle button\n *\n * @igxModule IgxComboModule\n * @igxTheme igx-combo-theme\n * @igxKeywords combobox, combo selection\n * @igxGroup Grids & Lists\n *\n * @example\n * \n * \n * {{ collapsed ? 'remove_circle' : 'remove_circle_outline'}}\n * \n * \n */\nlet IgxComboToggleIconDirective = /*#__PURE__*/(() => {\n class IgxComboToggleIconDirective {\n static {\n this.ɵfac = function IgxComboToggleIconDirective_Factory(t) {\n return new (t || IgxComboToggleIconDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxComboToggleIconDirective,\n selectors: [[\"\", \"igxComboToggleIcon\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxComboToggleIconDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Defines the custom template that will be used when rendering the combo's clear icon\n *\n * @igxModule IgxComboModule\n * @igxTheme igx-combo-theme\n * @igxKeywords combobox, combo selection\n * @igxGroup Grids & Lists\n *\n * @example\n * \n * \n * clear\n * \n * \n */\nlet IgxComboClearIconDirective = /*#__PURE__*/(() => {\n class IgxComboClearIconDirective {\n static {\n this.ɵfac = function IgxComboClearIconDirective_Factory(t) {\n return new (t || IgxComboClearIconDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxComboClearIconDirective,\n selectors: [[\"\", \"igxComboClearIcon\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxComboClearIconDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst ComboResourceStringsEN = {\n igx_combo_empty_message: 'The list is empty'\n};\nconst IGX_COMBO_COMPONENT = /*@__PURE__*/new InjectionToken('IgxComboComponentToken');\nlet NEXT_ID$f = 0;\n/**\n * @hidden\n * The default number of items that should be in the combo's\n * drop-down list if no `[itemsMaxHeight]` is specified\n */\nconst itemsInContainer = 10; // TODO: make private readonly\n/** @hidden @internal */\nconst ItemHeights = {\n comfortable: 40,\n cosy: 32,\n compact: 28\n};\nlet IgxComboBaseDirective = /*#__PURE__*/(() => {\n class IgxComboBaseDirective extends DisplayDensityBase {\n /**\n * Gets/gets combo id.\n *\n * ```typescript\n * // get\n * let id = this.combo.id;\n * ```\n *\n * ```html\n * \n * \n * ```\n */\n get id() {\n return this._id;\n }\n set id(value) {\n if (!value) {\n return;\n }\n const selection = this.selectionService.get(this._id);\n this._id = value;\n if (selection) {\n this.selectionService.set(this._id, selection);\n }\n if (this.dropdown?.open) {\n this.dropdown.close();\n }\n if (this.inputGroup?.isFocused) {\n this.inputGroup.element.nativeElement.blur();\n this.inputGroup.isFocused = false;\n }\n }\n /**\n * Configures the drop down list height\n *\n * ```typescript\n * // get\n * let myComboItemsMaxHeight = this.combo.itemsMaxHeight;\n * ```\n *\n * ```html\n * \n * \n * ```\n */\n get itemsMaxHeight() {\n if (this._itemsMaxHeight === null || this._itemsMaxHeight === undefined) {\n return this.itemHeight * itemsInContainer;\n }\n return this._itemsMaxHeight;\n }\n set itemsMaxHeight(val) {\n this._itemsMaxHeight = val;\n }\n /** @hidden */\n get itemsMaxHeightInRem() {\n return rem(this.itemsMaxHeight);\n }\n /**\n * Configures the drop down list item height\n *\n * ```typescript\n * // get\n * let myComboItemHeight = this.combo.itemHeight;\n * ```\n *\n * ```html\n * \n * \n * ```\n */\n get itemHeight() {\n if (this._itemHeight === null || this._itemHeight === undefined) {\n return ItemHeights[this.displayDensity];\n }\n return this._itemHeight;\n }\n set itemHeight(val) {\n this._itemHeight = val;\n }\n /**\n * Combo data source.\n *\n * ```html\n * \n * \n * ```\n */\n get data() {\n return this._data;\n }\n set data(val) {\n // igxFor directive ignores undefined values\n // if the combo uses simple data and filtering is applied\n // an error will occur due to the mismatch of the length of the data\n // this can occur during filtering for the igx-combo and\n // during filtering & selection for the igx-simple-combo\n // since the simple combo's input is both a container for the selection and a filter\n this._data = val ? val.filter(x => x !== undefined) : [];\n }\n set displayKey(val) {\n this._displayKey = val;\n }\n /**\n * Determines which column in the data source is used to determine the display value.\n *\n * ```typescript\n * // get\n * let myComboDisplayKey = this.combo.displayKey;\n *\n * // set\n * this.combo.displayKey = 'val';\n *\n * ```\n *\n * ```html\n * \n * \n * ```\n */\n get displayKey() {\n return this._displayKey ? this._displayKey : this.valueKey;\n }\n /**\n * The item property by which items should be grouped inside the items list. Not usable if data is not of type Object[].\n *\n * ```html\n * \n * \n * ```\n */\n set groupKey(val) {\n this._groupKey = val;\n }\n /**\n * The item property by which items should be grouped inside the items list. Not usable if data is not of type Object[].\n *\n * ```typescript\n * // get\n * let currentGroupKey = this.combo.groupKey;\n * ```\n */\n get groupKey() {\n return this._groupKey;\n }\n /**\n * Sets groups sorting order.\n *\n * @example\n * ```html\n * \n * ```\n * ```typescript\n * public groupSortingDirection = SortingDirection.Asc;\n * ```\n */\n get groupSortingDirection() {\n return this._groupSortingDirection;\n }\n set groupSortingDirection(val) {\n this._groupSortingDirection = val;\n }\n /**\n * Sets the visual combo type.\n * The allowed values are `line`, `box`, `border` and `search`. The default is `box`.\n * ```html\n * \n * ```\n */\n get type() {\n return this._type || this._inputGroupType || 'box';\n }\n set type(val) {\n this._type = val;\n }\n /**\n * Gets/Sets the resource strings.\n *\n * @remarks\n * By default it uses EN resources.\n */\n get resourceStrings() {\n return this._resourceStrings;\n }\n set resourceStrings(value) {\n this._resourceStrings = Object.assign({}, this._resourceStrings, value);\n }\n /** @hidden @internal */\n get searchValue() {\n return this._searchValue;\n }\n set searchValue(val) {\n this.filterValue = val;\n this._searchValue = val;\n }\n /** @hidden @internal */\n get isRemote() {\n return this.totalItemCount > 0 && this.valueKey && this.dataType === \"complex\" /* DataTypes.COMPLEX */;\n }\n /** @hidden @internal */\n get dataType() {\n if (this.displayKey) {\n return \"complex\" /* DataTypes.COMPLEX */;\n }\n return \"primitive\" /* DataTypes.PRIMITIVE */;\n }\n /**\n * Gets if control is valid, when used in a form\n *\n * ```typescript\n * // get\n * let valid = this.combo.valid;\n * ```\n */\n get valid() {\n return this._valid;\n }\n /**\n * Sets if control is valid, when used in a form\n *\n * ```typescript\n * // set\n * this.combo.valid = IgxInputState.INVALID;\n * ```\n */\n set valid(valid) {\n this._valid = valid;\n this.comboInput.valid = valid;\n }\n /**\n * The value of the combo\n *\n * ```typescript\n * // get\n * let comboValue = this.combo.value;\n * ```\n */\n get value() {\n return this._value;\n }\n /**\n * The text displayed in the combo input\n *\n * ```typescript\n * // get\n * let comboDisplayValue = this.combo.displayValue;\n * ```\n */\n get displayValue() {\n return this._displayValue;\n }\n /**\n * Defines the current state of the virtualized data. It contains `startIndex` and `chunkSize`\n *\n * ```typescript\n * // get\n * let state = this.combo.virtualizationState;\n * ```\n */\n get virtualizationState() {\n return this.virtDir.state;\n }\n /**\n * Sets the current state of the virtualized data.\n *\n * ```typescript\n * // set\n * this.combo.virtualizationState(state);\n * ```\n */\n set virtualizationState(state) {\n this.virtDir.state = state;\n }\n /**\n * Gets drop down state.\n *\n * ```typescript\n * let state = this.combo.collapsed;\n * ```\n */\n get collapsed() {\n return this.dropdown.collapsed;\n }\n /**\n * Gets total count of the virtual data items, when using remote service.\n *\n * ```typescript\n * // get\n * let count = this.combo.totalItemCount;\n * ```\n */\n get totalItemCount() {\n return this.virtDir.totalItemCount;\n }\n /**\n * Sets total count of the virtual data items, when using remote service.\n *\n * ```typescript\n * // set\n * this.combo.totalItemCount(remoteService.count);\n * ```\n */\n set totalItemCount(count) {\n this.virtDir.totalItemCount = count;\n }\n /** @hidden @internal */\n get template() {\n this._dataType = this.dataType;\n if (this.itemTemplate) {\n return this.itemTemplate;\n }\n if (this._dataType === \"complex\" /* DataTypes.COMPLEX */) {\n return this.complexTemplate;\n }\n return this.primitiveTemplate;\n }\n /**\n * Configures the way combo items will be filtered.\n *\n * ```typescript\n * // get\n * let myFilteringOptions = this.combo.filteringOptions;\n * ```\n *\n * ```html\n * \n * \n * ```\n */\n get filteringOptions() {\n return this._filteringOptions || this._defaultFilteringOptions;\n }\n set filteringOptions(value) {\n this._filteringOptions = value;\n }\n constructor(elementRef, cdr, selectionService, comboAPI, _iconService, _displayDensityOptions, _inputGroupType, _injector) {\n super(_displayDensityOptions, elementRef);\n this.elementRef = elementRef;\n this.cdr = cdr;\n this.selectionService = selectionService;\n this.comboAPI = comboAPI;\n this._iconService = _iconService;\n this._displayDensityOptions = _displayDensityOptions;\n this._inputGroupType = _inputGroupType;\n this._injector = _injector;\n /**\n * Defines whether the caseSensitive icon should be shown in the search input\n *\n * ```typescript\n * // get\n * let myComboShowSearchCaseIcon = this.combo.showSearchCaseIcon;\n * ```\n *\n * ```html\n * \n * \n * ```\n */\n this.showSearchCaseIcon = false;\n /**\n * Set custom overlay settings that control how the combo's list of items is displayed.\n * Set:\n * ```html\n * \n * ```\n *\n * ```typescript\n * const customSettings = { positionStrategy: { settings: { target: myTarget } } };\n * combo.overlaySettings = customSettings;\n * ```\n * Get any custom overlay settings used by the combo:\n * ```typescript\n * const comboOverlaySettings: OverlaySettings = myCombo.overlaySettings;\n * ```\n */\n this.overlaySettings = null;\n /**\n * Controls whether custom values can be added to the collection\n *\n * ```typescript\n * // get\n * let comboAllowsCustomValues = this.combo.allowCustomValues;\n * ```\n *\n * ```html\n * \n * \n * ```\n */\n this.allowCustomValues = false;\n /**\n * Determines which column in the data source is used to determine the value.\n *\n * ```typescript\n * // get\n * let myComboValueKey = this.combo.valueKey;\n * ```\n *\n * ```html\n * \n * \n * ```\n */\n this.valueKey = null;\n /** @hidden @internal */\n this.cssClass = 'igx-combo'; // Independent of display density for the time being\n /**\n * Disables the combo. The default is `false`.\n * ```html\n * \n * ```\n */\n this.disabled = false;\n /**\n * Emitted before the dropdown is opened\n *\n * ```html\n * \n * ```\n */\n this.opening = new EventEmitter();\n /**\n * Emitted after the dropdown is opened\n *\n * ```html\n * \n * ```\n */\n this.opened = new EventEmitter();\n /**\n * Emitted before the dropdown is closed\n *\n * ```html\n * \n * ```\n */\n this.closing = new EventEmitter();\n /**\n * Emitted after the dropdown is closed\n *\n * ```html\n * \n * ```\n */\n this.closed = new EventEmitter();\n /**\n * Emitted when an item is being added to the data collection\n *\n * ```html\n * \n * ```\n */\n this.addition = new EventEmitter();\n /**\n * Emitted when the value of the search input changes (e.g. typing, pasting, clear, etc.)\n *\n * ```html\n * \n * ```\n */\n this.searchInputUpdate = new EventEmitter();\n /**\n * Emitted when new chunk of data is loaded from the virtualization\n *\n * ```html\n * \n * ```\n */\n this.dataPreLoad = new EventEmitter();\n /**\n * The custom template, if any, that should be used when rendering ITEMS in the combo list\n *\n * ```typescript\n * // Set in typescript\n * const myCustomTemplate: TemplateRef = myComponent.customTemplate;\n * myComponent.combo.itemTemplate = myCustomTemplate;\n * ```\n * ```html\n * \n * \n * ...\n * \n *
\n *
{{ item[key] }}
\n *
{{ item.cost }}
\n *
\n * \n * \n * ```\n */\n this.itemTemplate = null;\n /**\n * The custom template, if any, that should be used when rendering the HEADER for the combo items list\n *\n * ```typescript\n * // Set in typescript\n * const myCustomTemplate: TemplateRef = myComponent.customTemplate;\n * myComponent.combo.headerTemplate = myCustomTemplate;\n * ```\n * ```html\n * \n * \n * ...\n * \n *
\n * This is a custom header\n *
\n * \n * \n * ```\n */\n this.headerTemplate = null;\n /**\n * The custom template, if any, that should be used when rendering the FOOTER for the combo items list\n *\n * ```typescript\n * // Set in typescript\n * const myCustomTemplate: TemplateRef = myComponent.customTemplate;\n * myComponent.combo.footerTemplate = myCustomTemplate;\n * ```\n * ```html\n * \n * \n * ...\n * \n * \n * \n * \n * ```\n */\n this.footerTemplate = null;\n /**\n * The custom template, if any, that should be used when rendering HEADER ITEMS for groups in the combo list\n *\n * ```typescript\n * // Set in typescript\n * const myCustomTemplate: TemplateRef = myComponent.customTemplate;\n * myComponent.combo.headerItemTemplate = myCustomTemplate;\n * ```\n * ```html\n * \n * \n * ...\n * \n *
Group header for {{ item[key] }}
\n * \n * \n * ```\n */\n this.headerItemTemplate = null;\n /**\n * The custom template, if any, that should be used when rendering the ADD BUTTON in the combo drop down\n *\n * ```typescript\n * // Set in typescript\n * const myCustomTemplate: TemplateRef = myComponent.customTemplate;\n * myComponent.combo.addItemTemplate = myCustomTemplate;\n * ```\n * ```html\n * \n * \n * ...\n * \n * \n * \n * \n * ```\n */\n this.addItemTemplate = null;\n /**\n * The custom template, if any, that should be used when rendering the ADD BUTTON in the combo drop down\n *\n * ```typescript\n * // Set in typescript\n * const myCustomTemplate: TemplateRef = myComponent.customTemplate;\n * myComponent.combo.emptyTemplate = myCustomTemplate;\n * ```\n * ```html\n * \n * \n * ...\n * \n *
\n * There are no items to display\n *
\n * \n * \n * ```\n */\n this.emptyTemplate = null;\n /**\n * The custom template, if any, that should be used when rendering the combo TOGGLE(open/close) button\n *\n * ```typescript\n * // Set in typescript\n * const myCustomTemplate: TemplateRef = myComponent.customTemplate;\n * myComponent.combo.toggleIconTemplate = myCustomTemplate;\n * ```\n * ```html\n * \n * \n * ...\n * \n * {{ collapsed ? 'remove_circle' : 'remove_circle_outline'}}\n * \n * \n * ```\n */\n this.toggleIconTemplate = null;\n /**\n * The custom template, if any, that should be used when rendering the combo CLEAR button\n *\n * ```typescript\n * // Set in typescript\n * const myCustomTemplate: TemplateRef = myComponent.customTemplate;\n * myComponent.combo.clearIconTemplate = myCustomTemplate;\n * ```\n * ```html\n * \n * \n * ...\n * \n * clear\n * \n * \n * ```\n */\n this.clearIconTemplate = null;\n /** @hidden @internal */\n this.searchInput = null;\n this.dropdownContainer = null;\n /** @hidden @internal */\n this.customValueFlag = true;\n /** @hidden @internal */\n this.filterValue = '';\n /** @hidden @internal */\n this.defaultFallbackGroup = 'Other';\n /** @hidden @internal */\n this.activeDescendant = '';\n this._data = [];\n this._value = [];\n this._displayValue = '';\n this._groupKey = '';\n this._searchValue = '';\n this._filteredData = [];\n this._remoteSelection = {};\n this._resourceStrings = getCurrentResourceStrings(ComboResourceStringsEN);\n this._valid = IgxInputState.INITIAL;\n this.ngControl = null;\n this.destroy$ = new Subject();\n this._onTouchedCallback = noop;\n this._onChangeCallback = noop;\n this.compareCollator = new Intl.Collator();\n this._id = `igx-combo-${NEXT_ID$f++}`;\n this._type = null;\n this._dataType = '';\n this._itemHeight = null;\n this._itemsMaxHeight = null;\n this._groupSortingDirection = SortingDirection.Asc;\n this._defaultFilteringOptions = {\n caseSensitive: false,\n filterable: true\n };\n this.onStatusChanged = () => {\n if (this.ngControl && this.isTouchedOrDirty && !this.disabled) {\n if (this.hasValidators && (!this.collapsed || this.inputGroup.isFocused)) {\n this.valid = this.ngControl.valid ? IgxInputState.VALID : IgxInputState.INVALID;\n } else {\n this.valid = this.ngControl.valid ? IgxInputState.INITIAL : IgxInputState.INVALID;\n }\n } else {\n // B.P. 18 May 2021: IgxDatePicker does not reset its state upon resetForm #9526\n this.valid = IgxInputState.INITIAL;\n }\n this.manageRequiredAsterisk();\n };\n this.findMatch = element => {\n const value = this.displayKey ? element[this.displayKey] : element;\n const searchValue = this.searchValue || this.comboInput?.value;\n return value?.toString().trim().toLowerCase() === searchValue.trim().toLowerCase();\n };\n }\n ngAfterViewChecked() {\n const targetElement = this.inputGroup.element.nativeElement.querySelector('.igx-input-group__bundle');\n this._overlaySettings = {\n target: targetElement,\n scrollStrategy: new AbsoluteScrollStrategy(),\n positionStrategy: new AutoPositionStrategy(),\n modal: false,\n closeOnOutsideClick: true,\n excludeFromOutsideClick: [targetElement]\n };\n }\n /** @hidden @internal */\n ngAfterContentChecked() {\n if (this.inputGroup && this.prefixes?.length > 0) {\n this.inputGroup.prefixes = this.prefixes;\n }\n if (this.inputGroup && this.suffixes?.length > 0) {\n this.inputGroup.suffixes = this.suffixes;\n }\n }\n /** @hidden @internal */\n ngOnInit() {\n super.ngOnInit();\n this.ngControl = this._injector.get(NgControl, null);\n this.selectionService.set(this.id, new Set());\n this._iconService.addSvgIconFromText(caseSensitive.name, caseSensitive.value, 'imx-icons');\n }\n /** @hidden @internal */\n ngAfterViewInit() {\n this.filteredData = [...this.data];\n if (this.ngControl) {\n this.ngControl.statusChanges.pipe(takeUntil(this.destroy$)).subscribe(this.onStatusChanged);\n this.manageRequiredAsterisk();\n this.cdr.detectChanges();\n }\n this.virtDir.chunkPreload.pipe(takeUntil(this.destroy$)).subscribe(e => {\n const eventArgs = Object.assign({}, e, {\n owner: this\n });\n this.dataPreLoad.emit(eventArgs);\n });\n }\n /** @hidden @internal */\n ngOnDestroy() {\n this.destroy$.next();\n this.destroy$.complete();\n this.comboAPI.clear();\n this.selectionService.delete(this.id);\n }\n /**\n * A method that opens/closes the combo.\n *\n * ```html\n * \n * \n * ```\n */\n toggle() {\n if (this.collapsed && this._displayValue.length !== 0) {\n this.filterValue = '';\n this.cdr.detectChanges();\n }\n const overlaySettings = Object.assign({}, this._overlaySettings, this.overlaySettings);\n this.dropdown.toggle(overlaySettings);\n if (!this.collapsed) {\n this.setActiveDescendant();\n }\n }\n /**\n * A method that opens the combo.\n *\n * ```html\n * \n * \n * ```\n */\n open() {\n if (this.collapsed && this._displayValue.length !== 0) {\n this.filterValue = '';\n this.cdr.detectChanges();\n }\n const overlaySettings = Object.assign({}, this._overlaySettings, this.overlaySettings);\n this.dropdown.open(overlaySettings);\n this.setActiveDescendant();\n }\n /**\n * A method that closes the combo.\n *\n * ```html\n * \n * \n * ```\n */\n close() {\n this.dropdown.close();\n }\n /**\n * Triggers change detection on the combo view\n */\n triggerCheck() {\n this.cdr.detectChanges();\n }\n /**\n * Get current selection state\n *\n * @returns Array of selected items\n * ```typescript\n * let mySelection = this.combo.selection;\n * ```\n */\n get selection() {\n const items = Array.from(this.selectionService.get(this.id));\n return this.convertKeysToItems(items);\n }\n /**\n * Returns if the specified itemID is selected\n *\n * @hidden\n * @internal\n */\n isItemSelected(item) {\n return this.selectionService.is_item_selected(this.id, item);\n }\n /** @hidden @internal */\n get toggleIcon() {\n if (this.inputGroup.theme === 'material') {\n return this.dropdown.collapsed ? 'expand_more' : 'expand_less';\n }\n return this.dropdown.collapsed ? 'arrow_drop_down' : 'arrow_drop_up';\n }\n /** @hidden @internal */\n get clearIcon() {\n return this.inputGroup.theme === 'material' ? 'cancel' : 'clear';\n }\n /** @hidden @internal */\n addItemToCollection() {\n if (!this.searchValue) {\n return;\n }\n const addedItem = this.displayKey ? {\n [this.valueKey]: this.searchValue,\n [this.displayKey]: this.searchValue\n } : this.searchValue;\n if (this.groupKey) {\n Object.assign(addedItem, {\n [this.groupKey]: this.defaultFallbackGroup\n });\n }\n // expose shallow copy instead of this.data in event args so this.data can't be mutated\n const oldCollection = [...this.data];\n const newCollection = [...this.data, addedItem];\n const args = {\n oldCollection,\n addedItem,\n newCollection,\n owner: this,\n cancel: false\n };\n this.addition.emit(args);\n if (args.cancel) {\n return;\n }\n this.data.push(args.addedItem);\n // trigger re-render\n this.data = cloneArray(this.data);\n this.select(this.valueKey !== null && this.valueKey !== undefined ? [args.addedItem[this.valueKey]] : [args.addedItem], false);\n this.customValueFlag = false;\n this.searchInput?.nativeElement.focus();\n this.dropdown.focusedItem = null;\n this.virtDir.scrollTo(0);\n }\n /** @hidden @internal */\n isAddButtonVisible() {\n // This should always return a boolean value. If this.searchValue was '', it returns '' instead of false;\n return this.searchValue !== '' && this.customValueFlag;\n }\n /** @hidden @internal */\n handleInputChange(event) {\n if (event !== undefined) {\n const args = {\n searchText: typeof event === 'string' ? event : event.target.value,\n owner: this,\n cancel: false\n };\n this.searchInputUpdate.emit(args);\n if (args.cancel) {\n this.filterValue = null;\n }\n }\n this.checkMatch();\n }\n /**\n * Event handlers\n *\n * @hidden\n * @internal\n */\n handleOpening(e) {\n const args = {\n owner: this,\n event: e.event,\n cancel: e.cancel\n };\n this.opening.emit(args);\n e.cancel = args.cancel;\n }\n /** @hidden @internal */\n handleClosing(e) {\n const args = {\n owner: this,\n event: e.event,\n cancel: e.cancel\n };\n this.closing.emit(args);\n e.cancel = args.cancel;\n if (e.cancel) {\n return;\n }\n this.searchValue = '';\n if (!e.event) {\n this.comboInput?.nativeElement.focus();\n }\n }\n /** @hidden @internal */\n handleClosed() {\n this.closed.emit({\n owner: this\n });\n }\n /** @hidden @internal */\n handleKeyDown(event) {\n if (event.key === 'ArrowUp' || event.key === 'Up') {\n event.preventDefault();\n event.stopPropagation();\n this.close();\n }\n }\n /** @hidden @internal */\n registerOnChange(fn) {\n this._onChangeCallback = fn;\n }\n /** @hidden @internal */\n registerOnTouched(fn) {\n this._onTouchedCallback = fn;\n }\n /** @hidden @internal */\n setDisabledState(isDisabled) {\n this.disabled = isDisabled;\n }\n /** @hidden @internal */\n onClick(event) {\n event.stopPropagation();\n event.preventDefault();\n if (!this.disabled) {\n this.toggle();\n }\n }\n /** @hidden @internal */\n onBlur() {\n if (this.collapsed) {\n this._onTouchedCallback();\n if (this.ngControl && this.ngControl.invalid) {\n this.valid = IgxInputState.INVALID;\n } else {\n this.valid = IgxInputState.INITIAL;\n }\n }\n }\n /** @hidden @internal */\n setActiveDescendant() {\n this.activeDescendant = this.dropdown.focusedItem?.id || '';\n }\n /** @hidden @internal */\n toggleCaseSensitive() {\n this.filteringOptions = Object.assign({}, this.filteringOptions, {\n caseSensitive: !this.filteringOptions.caseSensitive\n });\n }\n get isTouchedOrDirty() {\n return this.ngControl.control.touched || this.ngControl.control.dirty;\n }\n get hasValidators() {\n return !!this.ngControl.control.validator || !!this.ngControl.control.asyncValidator;\n }\n /** if there is a valueKey - map the keys to data items, else - just return the keys */\n convertKeysToItems(keys) {\n if (this.valueKey === null || this.valueKey === undefined) {\n return keys;\n }\n return keys.map(key => {\n const item = this.data.find(entry => isEqual$1(entry[this.valueKey], key));\n return item !== undefined ? item : {\n [this.valueKey]: key\n };\n });\n }\n checkMatch() {\n const itemMatch = this.filteredData.some(this.findMatch);\n this.customValueFlag = this.allowCustomValues && !itemMatch;\n }\n manageRequiredAsterisk() {\n if (this.ngControl) {\n if (this.ngControl.control.validator) {\n // Run the validation with empty object to check if required is enabled.\n const error = this.ngControl.control.validator({});\n this.inputGroup.isRequired = error && error.required;\n } else {\n // P.M. 18 May 2022: IgxCombo's asterisk not removed when removing required validator dynamically in reactive form #11543\n this.inputGroup.isRequired = false;\n }\n }\n }\n /** Contains key-value pairs of the selected valueKeys and their resp. displayKeys */\n registerRemoteEntries(ids, add = true) {\n if (add) {\n const selection = this.getValueDisplayPairs(ids);\n for (const entry of selection) {\n this._remoteSelection[entry[this.valueKey]] = entry[this.displayKey];\n }\n } else {\n for (const entry of ids) {\n delete this._remoteSelection[entry];\n }\n }\n }\n /**\n * For `id: any[]` returns a mapped `{ [combo.valueKey]: any, [combo.displayKey]: any }[]`\n */\n getValueDisplayPairs(ids) {\n return this.data.filter(entry => ids.indexOf(entry[this.valueKey]) > -1).map(e => ({\n [this.valueKey]: e[this.valueKey],\n [this.displayKey]: e[this.displayKey]\n }));\n }\n getRemoteSelection(newSelection, oldSelection) {\n if (!newSelection.length) {\n // If new selection is empty, clear all items\n this.registerRemoteEntries(oldSelection, false);\n return '';\n }\n const removedItems = oldSelection.filter(e => newSelection.indexOf(e) < 0);\n const addedItems = newSelection.filter(e => oldSelection.indexOf(e) < 0);\n this.registerRemoteEntries(addedItems);\n this.registerRemoteEntries(removedItems, false);\n return Object.keys(this._remoteSelection).map(e => this._remoteSelection[e]).join(', ');\n }\n get required() {\n if (this.ngControl && this.ngControl.control && this.ngControl.control.validator) {\n // Run the validation with empty object to check if required is enabled.\n const error = this.ngControl.control.validator({});\n return error && error.required;\n }\n return false;\n }\n static {\n this.ɵfac = function IgxComboBaseDirective_Factory(t) {\n return new (t || IgxComboBaseDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(IgxSelectionAPIService), i0.ɵɵdirectiveInject(IgxComboAPIService), i0.ɵɵdirectiveInject(IgxIconService), i0.ɵɵdirectiveInject(DisplayDensityToken, 8), i0.ɵɵdirectiveInject(IGX_INPUT_GROUP_TYPE, 8), i0.ɵɵdirectiveInject(i0.Injector, 8));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxComboBaseDirective,\n contentQueries: function IgxComboBaseDirective_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxComboItemDirective, 5, TemplateRef);\n i0.ɵɵcontentQuery(dirIndex, IgxComboHeaderDirective, 5, TemplateRef);\n i0.ɵɵcontentQuery(dirIndex, IgxComboFooterDirective, 5, TemplateRef);\n i0.ɵɵcontentQuery(dirIndex, IgxComboHeaderItemDirective, 5, TemplateRef);\n i0.ɵɵcontentQuery(dirIndex, IgxComboAddItemDirective, 5, TemplateRef);\n i0.ɵɵcontentQuery(dirIndex, IgxComboEmptyDirective, 5, TemplateRef);\n i0.ɵɵcontentQuery(dirIndex, IgxComboToggleIconDirective, 5, TemplateRef);\n i0.ɵɵcontentQuery(dirIndex, IgxComboClearIconDirective, 5, TemplateRef);\n i0.ɵɵcontentQuery(dirIndex, IgxLabelDirective, 7);\n i0.ɵɵcontentQuery(dirIndex, IgxPrefixDirective, 5);\n i0.ɵɵcontentQuery(dirIndex, IgxSuffixDirective, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.itemTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.headerTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.footerTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.headerItemTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.addItemTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.emptyTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.toggleIconTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.clearIconTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.label = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.prefixes = _t);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.suffixes = _t);\n }\n },\n viewQuery: function IgxComboBaseDirective_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(_c59, 7, IgxInputGroupComponent);\n i0.ɵɵviewQuery(_c60, 7, IgxInputDirective);\n i0.ɵɵviewQuery(_c61, 5);\n i0.ɵɵviewQuery(IgxForOfDirective, 7);\n i0.ɵɵviewQuery(IgxForOfDirective, 7, IgxForOfDirective);\n i0.ɵɵviewQuery(_c62, 7);\n i0.ɵɵviewQuery(_c63, 7, TemplateRef);\n i0.ɵɵviewQuery(_c64, 7, TemplateRef);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.inputGroup = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.comboInput = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.searchInput = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.virtualScrollContainer = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.virtDir = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.dropdownContainer = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.primitiveTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.complexTemplate = _t.first);\n }\n },\n hostVars: 5,\n hostBindings: function IgxComboBaseDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id);\n i0.ɵɵstyleProp(\"width\", ctx.width);\n i0.ɵɵclassProp(\"igx-combo\", ctx.cssClass);\n }\n },\n inputs: {\n showSearchCaseIcon: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"showSearchCaseIcon\", \"showSearchCaseIcon\", booleanAttribute],\n overlaySettings: \"overlaySettings\",\n id: \"id\",\n width: \"width\",\n allowCustomValues: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"allowCustomValues\", \"allowCustomValues\", booleanAttribute],\n itemsMaxHeight: \"itemsMaxHeight\",\n itemHeight: \"itemHeight\",\n itemsWidth: \"itemsWidth\",\n placeholder: \"placeholder\",\n data: \"data\",\n valueKey: \"valueKey\",\n displayKey: \"displayKey\",\n groupKey: \"groupKey\",\n groupSortingDirection: \"groupSortingDirection\",\n filterFunction: \"filterFunction\",\n ariaLabelledBy: \"ariaLabelledBy\",\n disabled: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"disabled\", \"disabled\", booleanAttribute],\n type: \"type\",\n resourceStrings: \"resourceStrings\",\n filteringOptions: \"filteringOptions\"\n },\n outputs: {\n opening: \"opening\",\n opened: \"opened\",\n closing: \"closing\",\n closed: \"closed\",\n addition: \"addition\",\n searchInputUpdate: \"searchInputUpdate\",\n dataPreLoad: \"dataPreLoad\"\n },\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxComboBaseDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * @hidden\n */\nlet IgxComboAddItemComponent = /*#__PURE__*/(() => {\n class IgxComboAddItemComponent extends IgxComboItemComponent {\n get selected() {\n return false;\n }\n set selected(value) {}\n clicked(event) {\n this.comboAPI.disableTransitions = false;\n this.comboAPI.add_custom_item();\n }\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxComboAddItemComponent_BaseFactory;\n return function IgxComboAddItemComponent_Factory(t) {\n return (ɵIgxComboAddItemComponent_BaseFactory || (ɵIgxComboAddItemComponent_BaseFactory = i0.ɵɵgetInheritedFactory(IgxComboAddItemComponent)))(t || IgxComboAddItemComponent);\n };\n })();\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxComboAddItemComponent,\n selectors: [[\"igx-combo-add-item\"]],\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: IgxComboItemComponent,\n useExisting: IgxComboAddItemComponent\n }]), i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 1,\n vars: 0,\n template: function IgxComboAddItemComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵprojection(0);\n }\n },\n encapsulation: 2\n });\n }\n }\n return IgxComboAddItemComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** @hidden */\nlet IgxComboDropDownComponent = /*#__PURE__*/(() => {\n class IgxComboDropDownComponent extends IgxDropDownComponent {\n /** @hidden @internal */\n get scrollContainer() {\n // TODO: Update, use public API if possible:\n return this.virtDir.dc.location.nativeElement;\n }\n get isScrolledToLast() {\n const scrollTop = this.virtDir.scrollPosition;\n const scrollHeight = this.virtDir.getScroll().scrollHeight;\n return Math.floor(scrollTop + this.virtDir.igxForContainerSize) === scrollHeight;\n }\n get lastVisibleIndex() {\n return this.combo.totalItemCount ? Math.floor(this.combo.itemsMaxHeight / this.combo.itemHeight) : this.items.length - 1;\n }\n get sortedChildren() {\n if (this.children !== undefined) {\n return this.children.toArray().sort((a, b) => a.index - b.index);\n }\n return null;\n }\n /**\n * Get all non-header items\n *\n * ```typescript\n * let myDropDownItems = this.dropdown.items;\n * ```\n */\n get items() {\n const items = [];\n if (this.children !== undefined) {\n const sortedChildren = this.sortedChildren;\n for (const child of sortedChildren) {\n if (!child.isHeader) {\n items.push(child);\n }\n }\n }\n return items;\n }\n constructor(elementRef, cdr, selection, combo, comboAPI, _displayDensityOptions) {\n super(elementRef, cdr, selection, _displayDensityOptions);\n this.combo = combo;\n this.comboAPI = comboAPI;\n /** @hidden @internal */\n this.singleMode = false;\n /**\n * @hidden\n * @internal\n */\n this.children = null;\n this.scrollHandler = () => {\n this.comboAPI.disableTransitions = true;\n };\n }\n /**\n * @hidden @internal\n */\n onFocus() {\n this.focusedItem = this._focusedItem || this.items[0];\n this.combo.setActiveDescendant();\n }\n /**\n * @hidden @internal\n */\n onBlur(_evt) {\n this.focusedItem = null;\n this.combo.setActiveDescendant();\n }\n /**\n * @hidden @internal\n */\n onToggleOpened() {\n this.opened.emit();\n }\n /**\n * @hidden\n */\n navigateFirst() {\n this.navigateItem(this.virtDir.igxForOf.findIndex(e => !e?.isHeader));\n this.combo.setActiveDescendant();\n }\n /**\n * @hidden\n */\n navigatePrev() {\n if (this._focusedItem && this._focusedItem.index === 0 && this.virtDir.state.startIndex === 0) {\n this.combo.focusSearchInput(false);\n this.focusedItem = null;\n } else {\n super.navigatePrev();\n }\n this.combo.setActiveDescendant();\n }\n /**\n * @hidden\n */\n navigateNext() {\n const lastIndex = this.combo.totalItemCount ? this.combo.totalItemCount - 1 : this.virtDir.igxForOf.length - 1;\n if (this._focusedItem && this._focusedItem.index === lastIndex) {\n this.focusAddItemButton();\n } else {\n super.navigateNext();\n }\n this.combo.setActiveDescendant();\n }\n /**\n * @hidden @internal\n */\n selectItem(item) {\n if (item === null || item === undefined) {\n return;\n }\n this.comboAPI.set_selected_item(item.itemID);\n this._focusedItem = item;\n this.combo.setActiveDescendant();\n }\n /**\n * @hidden @internal\n */\n updateScrollPosition() {\n this.virtDir.getScroll().scrollTop = this._scrollPosition;\n }\n /**\n * @hidden @internal\n */\n onItemActionKey(key) {\n switch (key) {\n case DropDownActionKey.ENTER:\n this.handleEnter();\n break;\n case DropDownActionKey.SPACE:\n this.handleSpace();\n break;\n case DropDownActionKey.ESCAPE:\n this.close();\n }\n }\n ngAfterViewInit() {\n this.virtDir.getScroll().addEventListener('scroll', this.scrollHandler);\n }\n /**\n * @hidden @internal\n */\n ngOnDestroy() {\n this.virtDir.getScroll().removeEventListener('scroll', this.scrollHandler);\n super.ngOnDestroy();\n }\n scrollToHiddenItem(_newItem) {}\n handleEnter() {\n if (this.isAddItemFocused()) {\n this.combo.addItemToCollection();\n return;\n }\n if (this.singleMode && this.focusedItem) {\n this.combo.select(this.focusedItem.itemID);\n }\n this.close();\n }\n handleSpace() {\n if (this.isAddItemFocused()) {\n return;\n } else {\n this.selectItem(this.focusedItem);\n }\n }\n isAddItemFocused() {\n return this.focusedItem instanceof IgxComboAddItemComponent;\n }\n focusAddItemButton() {\n if (this.combo.isAddButtonVisible()) {\n this.focusedItem = this.items[this.items.length - 1];\n }\n }\n static {\n this.ɵfac = function IgxComboDropDownComponent_Factory(t) {\n return new (t || IgxComboDropDownComponent)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(IgxSelectionAPIService), i0.ɵɵdirectiveInject(IGX_COMBO_COMPONENT), i0.ɵɵdirectiveInject(IgxComboAPIService), i0.ɵɵdirectiveInject(DisplayDensityToken, 8));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxComboDropDownComponent,\n selectors: [[\"igx-combo-drop-down\"]],\n contentQueries: function IgxComboDropDownComponent_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxComboItemComponent, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.children = _t);\n }\n },\n inputs: {\n singleMode: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"singleMode\", \"singleMode\", booleanAttribute]\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: IGX_DROPDOWN_BASE,\n useExisting: IgxComboDropDownComponent\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 4,\n vars: 11,\n consts: [[\"scrollContainer\", \"\"], [\"igxToggle\", \"\", 1, \"igx-drop-down__list\", 3, \"appended\", \"opening\", \"opened\", \"closing\", \"closed\"], [\"role\", \"listbox\", 1, \"igx-drop-down__list-scroll\"], [4, \"ngIf\"]],\n template: function IgxComboDropDownComponent_Template(rf, ctx) {\n if (rf & 1) {\n const _r1 = i0.ɵɵgetCurrentView();\n i0.ɵɵprojectionDef();\n i0.ɵɵelementStart(0, \"div\", 1);\n i0.ɵɵlistener(\"appended\", function IgxComboDropDownComponent_Template_div_appended_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onToggleContentAppended($event));\n })(\"opening\", function IgxComboDropDownComponent_Template_div_opening_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onToggleOpening($event));\n })(\"opened\", function IgxComboDropDownComponent_Template_div_opened_0_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onToggleOpened());\n })(\"closing\", function IgxComboDropDownComponent_Template_div_closing_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onToggleClosing($event));\n })(\"closed\", function IgxComboDropDownComponent_Template_div_closed_0_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onToggleClosed());\n });\n i0.ɵɵelementStart(1, \"div\", 2, 0);\n i0.ɵɵtemplate(3, IgxComboDropDownComponent_ng_container_3_Template, 2, 0, \"ng-container\", 3);\n i0.ɵɵelementEnd()();\n }\n if (rf & 2) {\n i0.ɵɵstyleProp(\"width\", ctx.width)(\"--component-size\", ctx.getComponentSizeStyles());\n i0.ɵɵadvance();\n i0.ɵɵstyleProp(\"height\", ctx.height)(\"max-height\", ctx.maxHeight);\n i0.ɵɵattribute(\"id\", ctx.listId)(\"aria-labelledby\", ctx.labelledBy);\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"ngIf\", !ctx.collapsed);\n }\n },\n dependencies: [IgxToggleDirective, NgIf],\n encapsulation: 2\n });\n }\n }\n return IgxComboDropDownComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/** @hidden */\nlet IgxComboFilteringPipe = /*#__PURE__*/(() => {\n class IgxComboFilteringPipe {\n transform(collection, searchValue, displayKey, filteringOptions, filterFunction = defaultFilterFunction) {\n if (!collection) {\n return [];\n }\n if (!filteringOptions.filterable) {\n return collection;\n }\n filteringOptions.filteringKey = filteringOptions.filteringKey ?? displayKey;\n return filterFunction(collection, searchValue, filteringOptions);\n }\n static {\n this.ɵfac = function IgxComboFilteringPipe_Factory(t) {\n return new (t || IgxComboFilteringPipe)();\n };\n }\n static {\n this.ɵpipe = /* @__PURE__ */i0.ɵɵdefinePipe({\n name: \"comboFiltering\",\n type: IgxComboFilteringPipe,\n pure: true,\n standalone: true\n });\n }\n }\n return IgxComboFilteringPipe;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/** @hidden */\nlet IgxComboGroupingPipe = /*#__PURE__*/(() => {\n class IgxComboGroupingPipe {\n constructor(combo) {\n this.combo = combo;\n }\n transform(collection, groupKey, valueKey, sortingDirection, compareCollator) {\n // TODO: should filteredData be changed here?\n this.combo.filteredData = collection;\n if (!groupKey && groupKey !== 0 || !collection.length) {\n return collection;\n }\n const groups = Object.entries(groupBy(collection, item => item[groupKey] ?? 'Other'));\n if (sortingDirection !== SortingDirection.None) {\n const reverse = sortingDirection === SortingDirection.Desc ? -1 : 1;\n groups.sort((a, b) => {\n return compareCollator.compare(a[0], b[0]) * reverse;\n });\n }\n const result = groups.flatMap(([_, items]) => {\n items.unshift({\n isHeader: true,\n [valueKey]: items[0][groupKey],\n [groupKey]: items[0][groupKey]\n });\n return items;\n });\n return result;\n }\n static {\n this.ɵfac = function IgxComboGroupingPipe_Factory(t) {\n return new (t || IgxComboGroupingPipe)(i0.ɵɵdirectiveInject(IGX_COMBO_COMPONENT, 16));\n };\n }\n static {\n this.ɵpipe = /* @__PURE__ */i0.ɵɵdefinePipe({\n name: \"comboGrouping\",\n type: IgxComboGroupingPipe,\n pure: true,\n standalone: true\n });\n }\n }\n return IgxComboGroupingPipe;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nfunction defaultFilterFunction(collection, searchValue, filteringOptions) {\n if (!searchValue) {\n return collection;\n }\n const {\n caseSensitive,\n filteringKey\n } = filteringOptions;\n const term = caseSensitive ? searchValue : searchValue.toLowerCase();\n return collection.filter(item => {\n const str = filteringKey ? `${item[filteringKey]}` : `${item}`;\n return (caseSensitive ? str : str.toLowerCase()).includes(term);\n });\n}\nfunction normalizeString(str, caseSensitive = false) {\n return (caseSensitive ? str : str.toLocaleLowerCase()).normalize('NFKD').replace(/\\p{M}/gu, '');\n}\nfunction groupBy(data, key) {\n const result = {};\n const _get = typeof key === 'function' ? key : item => item[key];\n for (const item of data) {\n const category = _get(item);\n const group = result[category];\n Array.isArray(group) ? group.push(item) : result[category] = [item];\n }\n return result;\n}\n/**\n * Combo filter function which does not distinguish between accented letters and their base letters.\n * For example, when filtering for \"resume\", this function will match both \"resume\" and \"résumé\".\n *\n * @example\n * ```html\n * \n * ```\n */\nfunction comboIgnoreDiacriticsFilter(collection, searchValue, filteringOptions) {\n if (!searchValue) {\n return collection;\n }\n const {\n caseSensitive,\n filteringKey\n } = filteringOptions;\n const term = normalizeString(searchValue, caseSensitive);\n return collection.filter(item => {\n const str = filteringKey ? `${item[filteringKey]}` : `${item}`;\n return normalizeString(str, caseSensitive).includes(term);\n });\n}\n\n/**\n * When called with sets A & B, returns A - B (as array);\n *\n * @hidden\n */\nconst diffInSets = (set1, set2) => {\n const results = [];\n set1.forEach(entry => {\n if (!set2.has(entry)) {\n results.push(entry);\n }\n });\n return results;\n};\n/**\n * Represents a drop-down list that provides editable functionalities, allowing users to choose an option from a predefined list.\n *\n * @igxModule IgxComboModule\n * @igxTheme igx-combo-theme\n * @igxKeywords combobox, combo selection\n * @igxGroup Grids & Lists\n *\n * @remarks\n * It provides the ability to filter items as well as perform selection with the provided data.\n * Additionally, it exposes keyboard navigation and custom styling capabilities.\n * @example\n * ```html\n * \n * \n * ```\n */\nlet IgxComboComponent = /*#__PURE__*/(() => {\n class IgxComboComponent extends IgxComboBaseDirective {\n /**\n * Enables/disables filtering in the list. The default is `true`.\n *\n * @deprecated in version 14.0.0. Use the `filteringOptions.filterable` property instead.\n */\n get filterable() {\n return this.filteringOptions.filterable;\n }\n set filterable(value) {\n this.filteringOptions = Object.assign({}, this.filteringOptions, {\n filterable: value\n });\n }\n /** @hidden @internal */\n get filteredData() {\n return this.filteringOptions.filterable ? this._filteredData : this.data;\n }\n /** @hidden @internal */\n set filteredData(val) {\n this._filteredData = this.groupKey ? (val || []).filter(e => e.isHeader !== true) : val;\n this.checkMatch();\n }\n constructor(elementRef, cdr, selectionService, comboAPI, _iconService, _displayDensityOptions, _inputGroupType, _injector) {\n super(elementRef, cdr, selectionService, comboAPI, _iconService, _displayDensityOptions, _inputGroupType, _injector);\n /**\n * Whether the combo's search box should be focused after the dropdown is opened.\n * When `false`, the combo's list item container will be focused instead\n */\n this.autoFocusSearch = true;\n /**\n * Defines the placeholder value for the combo dropdown search field\n *\n * ```typescript\n * // get\n * let myComboSearchPlaceholder = this.combo.searchPlaceholder;\n * ```\n *\n * ```html\n * \n * \n * ```\n */\n this.searchPlaceholder = 'Enter a Search Term';\n /**\n * Emitted when item selection is changing, before the selection completes\n *\n * ```html\n * \n * ```\n */\n this.selectionChanging = new EventEmitter();\n /**\n * @hidden @internal\n */\n this.filteringLogic = FilteringLogic.Or;\n this.stringFilters = IgxStringFilteringOperand;\n this.booleanFilters = IgxBooleanFilteringOperand;\n this._prevInputValue = '';\n this.comboAPI.register(this);\n }\n onArrowDown(event) {\n event.preventDefault();\n event.stopPropagation();\n this.open();\n }\n /** @hidden @internal */\n get displaySearchInput() {\n return this.filteringOptions.filterable || this.allowCustomValues;\n }\n /**\n * @hidden @internal\n */\n handleKeyUp(event) {\n // TODO: use PlatformUtil for keyboard navigation\n if (event.key === 'ArrowDown' || event.key === 'Down') {\n this.dropdown.focusedItem = this.dropdown.items[0];\n this.dropdownContainer.nativeElement.focus();\n } else if (event.key === 'Escape' || event.key === 'Esc') {\n this.toggle();\n }\n }\n /**\n * @hidden @internal\n */\n handleSelectAll(evt) {\n if (evt.checked) {\n this.selectAllItems();\n } else {\n this.deselectAllItems();\n }\n }\n /**\n * @hidden @internal\n */\n writeValue(value) {\n const selection = Array.isArray(value) ? value.filter(x => x !== undefined) : [];\n const oldSelection = this.selection;\n this.selectionService.select_items(this.id, selection, true);\n this.cdr.markForCheck();\n this._displayValue = this.createDisplayText(this.selection, oldSelection);\n this._value = this.valueKey ? this.selection.map(item => item[this.valueKey]) : this.selection;\n }\n /** @hidden @internal */\n ngDoCheck() {\n if (this.data?.length && this.selection.length) {\n this._displayValue = this._displayText || this.createDisplayText(this.selection, []);\n this._value = this.valueKey ? this.selection.map(item => item[this.valueKey]) : this.selection;\n }\n super.ngDoCheck();\n }\n /**\n * @hidden\n */\n getEditElement() {\n return this.comboInput.nativeElement;\n }\n /**\n * @hidden @internal\n */\n get context() {\n return {\n $implicit: this\n };\n }\n /**\n * @hidden @internal\n */\n handleClearItems(event) {\n if (this.disabled) {\n return;\n }\n this.deselectAllItems(true, event);\n if (this.collapsed) {\n this.getEditElement().focus();\n } else {\n this.focusSearchInput(true);\n }\n event.stopPropagation();\n }\n /**\n * Select defined items\n *\n * @param newItems new items to be selected\n * @param clearCurrentSelection if true clear previous selected items\n * ```typescript\n * this.combo.select([\"New York\", \"New Jersey\"]);\n * ```\n */\n select(newItems, clearCurrentSelection, event) {\n if (newItems) {\n const newSelection = this.selectionService.add_items(this.id, newItems, clearCurrentSelection);\n this.setSelection(newSelection, event);\n }\n }\n /**\n * Deselect defined items\n *\n * @param items items to deselected\n * ```typescript\n * this.combo.deselect([\"New York\", \"New Jersey\"]);\n * ```\n */\n deselect(items, event) {\n if (items) {\n const newSelection = this.selectionService.delete_items(this.id, items);\n this.setSelection(newSelection, event);\n }\n }\n /**\n * Select all (filtered) items\n *\n * @param ignoreFilter if set to true, selects all items, otherwise selects only the filtered ones.\n * ```typescript\n * this.combo.selectAllItems();\n * ```\n */\n selectAllItems(ignoreFilter, event) {\n const allVisible = this.selectionService.get_all_ids(ignoreFilter ? this.data : this.filteredData, this.valueKey);\n const newSelection = this.selectionService.add_items(this.id, allVisible);\n this.setSelection(newSelection, event);\n }\n /**\n * Deselect all (filtered) items\n *\n * @param ignoreFilter if set to true, deselects all items, otherwise deselects only the filtered ones.\n * ```typescript\n * this.combo.deselectAllItems();\n * ```\n */\n deselectAllItems(ignoreFilter, event) {\n let newSelection = this.selectionService.get_empty();\n if (this.filteredData.length !== this.data.length && !ignoreFilter) {\n newSelection = this.selectionService.delete_items(this.id, this.selectionService.get_all_ids(this.filteredData, this.valueKey));\n }\n this.setSelection(newSelection, event);\n }\n /**\n * Selects/Deselects a single item\n *\n * @param itemID the itemID of the specific item\n * @param select If the item should be selected (true) or deselected (false)\n *\n * Without specified valueKey;\n * ```typescript\n * this.combo.valueKey = null;\n * const items: { field: string, region: string}[] = data;\n * this.combo.setSelectedItem(items[0], true);\n * ```\n * With specified valueKey;\n * ```typescript\n * this.combo.valueKey = 'field';\n * const items: { field: string, region: string}[] = data;\n * this.combo.setSelectedItem('Connecticut', true);\n * ```\n */\n setSelectedItem(itemID, select = true, event) {\n if (itemID === undefined) {\n return;\n }\n if (select) {\n this.select([itemID], false, event);\n } else {\n this.deselect([itemID], event);\n }\n }\n /** @hidden @internal */\n handleOpened() {\n this.triggerCheck();\n // Disabling focus of the search input should happen only when drop down opens.\n // During keyboard navigation input should receive focus, even the autoFocusSearch is disabled.\n // That is why in such cases focusing of the dropdownContainer happens outside focusSearchInput method.\n if (this.autoFocusSearch) {\n this.focusSearchInput(true);\n } else {\n this.dropdownContainer.nativeElement.focus();\n }\n this.opened.emit({\n owner: this\n });\n }\n /** @hidden @internal */\n focusSearchInput(opening) {\n if (this.displaySearchInput && this.searchInput) {\n this.searchInput.nativeElement.focus();\n } else {\n if (opening) {\n this.dropdownContainer.nativeElement.focus();\n } else {\n this.comboInput.nativeElement.focus();\n this.toggle();\n }\n }\n }\n setSelection(selection, event) {\n const currentSelection = this.selectionService.get(this.id);\n const removed = this.convertKeysToItems(diffInSets(currentSelection, selection));\n const added = this.convertKeysToItems(diffInSets(selection, currentSelection));\n const newValue = Array.from(selection);\n const oldValue = Array.from(currentSelection || []);\n const newSelection = this.convertKeysToItems(newValue);\n const oldSelection = this.convertKeysToItems(oldValue);\n const displayText = this.createDisplayText(this.convertKeysToItems(newValue), oldValue);\n const args = {\n newValue,\n oldValue,\n newSelection,\n oldSelection,\n added,\n removed,\n event,\n owner: this,\n displayText,\n cancel: false\n };\n this.selectionChanging.emit(args);\n if (!args.cancel) {\n this.selectionService.select_items(this.id, args.newValue, true);\n this._value = args.newValue;\n if (displayText !== args.displayText) {\n this._displayValue = this._displayText = args.displayText;\n } else {\n this._displayValue = this.createDisplayText(this.selection, args.oldSelection);\n }\n this._onChangeCallback(args.newValue);\n } else if (this.isRemote) {\n this.registerRemoteEntries(diffInSets(selection, currentSelection), false);\n }\n }\n createDisplayText(newSelection, oldSelection) {\n const selection = this.valueKey ? newSelection.map(item => item[this.valueKey]) : newSelection;\n return this.isRemote ? this.getRemoteSelection(selection, oldSelection) : this.concatDisplayText(newSelection);\n }\n /** Returns a string that should be populated in the combo's text box */\n concatDisplayText(selection) {\n const value = this.displayKey !== null && this.displayKey !== undefined ? selection.map(entry => entry[this.displayKey]).join(', ') : selection.join(', ');\n return value;\n }\n static {\n this.ɵfac = function IgxComboComponent_Factory(t) {\n return new (t || IgxComboComponent)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(IgxSelectionAPIService), i0.ɵɵdirectiveInject(IgxComboAPIService), i0.ɵɵdirectiveInject(IgxIconService), i0.ɵɵdirectiveInject(DisplayDensityToken, 8), i0.ɵɵdirectiveInject(IGX_INPUT_GROUP_TYPE, 8), i0.ɵɵdirectiveInject(i0.Injector, 8));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxComboComponent,\n selectors: [[\"igx-combo\"]],\n viewQuery: function IgxComboComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(IgxComboDropDownComponent, 7);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.dropdown = _t.first);\n }\n },\n hostBindings: function IgxComboComponent_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"keydown.ArrowDown\", function IgxComboComponent_keydown_ArrowDown_HostBindingHandler($event) {\n return ctx.onArrowDown($event);\n })(\"keydown.Alt.ArrowDown\", function IgxComboComponent_keydown_Alt_ArrowDown_HostBindingHandler($event) {\n return ctx.onArrowDown($event);\n });\n }\n },\n inputs: {\n autoFocusSearch: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"autoFocusSearch\", \"autoFocusSearch\", booleanAttribute],\n filterable: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"filterable\", \"filterable\", booleanAttribute],\n searchPlaceholder: \"searchPlaceholder\"\n },\n outputs: {\n selectionChanging: \"selectionChanging\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([IgxComboAPIService, {\n provide: IGX_COMBO_COMPONENT,\n useExisting: IgxComboComponent\n }, {\n provide: NG_VALUE_ACCESSOR,\n useExisting: IgxComboComponent,\n multi: true\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c66,\n decls: 38,\n vars: 54,\n consts: [[\"inputGroup\", \"\"], [\"comboInput\", \"\"], [\"igxComboDropDown\", \"\"], [\"dropdownItemContainer\", \"\"], [\"complex\", \"\"], [\"primitive\", \"\"], [\"empty\", \"\"], [\"addItemDefault\", \"\"], [\"headerItemBase\", \"\"], [\"searchInput\", \"\"], [\"listItem\", \"\"], [3, \"click\", \"displayDensity\", \"type\"], [\"ngProjectAs\", \"[igxLabel]\", 5, [\"\", \"igxLabel\", \"\"]], [\"ngProjectAs\", \"igx-prefix\", 5, [\"igx-prefix\"]], [\"ngProjectAs\", \"igx-hint, [igxHint]\", 5, [\"igx-hint\"]], [\"igxInput\", \"\", \"name\", \"comboInput\", \"type\", \"text\", \"readonly\", \"\", \"role\", \"combobox\", \"aria-haspopup\", \"listbox\", 3, \"blur\", \"value\", \"disabled\"], [\"ngProjectAs\", \"igx-suffix\", 5, [\"igx-suffix\"]], [\"aria-label\", \"Clear Selection\", \"class\", \"igx-combo__clear-button\", 3, \"click\", 4, \"ngIf\"], [1, \"igx-combo__toggle-button\"], [4, \"ngIf\"], [1, \"igx-combo__drop-down\", 3, \"opening\", \"closing\", \"opened\", \"closed\", \"displayDensity\", \"labelledBy\", \"width\"], [1, \"igx-combo__search\"], [\"theme\", \"material\", 3, \"displayDensity\", 4, \"ngIf\"], [4, \"ngTemplateOutlet\"], [\"aria-multiselectable\", \"true\", 1, \"igx-combo__content\", 3, \"focus\", \"igxDropDownItemNavigation\", \"tabindex\"], [3, \"itemHeight\", \"value\", \"isHeader\", \"index\", \"role\", 4, \"igxFor\", \"igxForOf\", \"igxForContainerSize\", \"igxForScrollOrientation\", \"igxForItemSize\"], [\"class\", \"igx-combo__add\", 4, \"ngIf\"], [\"aria-label\", \"Clear Selection\", 1, \"igx-combo__clear-button\", 3, \"click\"], [4, \"ngTemplateOutlet\", \"ngTemplateOutletContext\"], [\"theme\", \"material\", 3, \"displayDensity\"], [\"igxInput\", \"\", \"name\", \"searchInput\", \"autocomplete\", \"off\", \"type\", \"text\", \"aria-autocomplete\", \"list\", \"role\", \"searchbox\", \"aria-label\", \"search\", 3, \"ngModelChange\", \"keyup\", \"keydown\", \"focus\", \"ngModel\"], [3, \"click\", 4, \"ngIf\"], [3, \"click\"], [3, \"ngClass\"], [\"family\", \"imx-icons\", \"name\", \"case-sensitive\", 3, \"active\"], [3, \"itemHeight\", \"value\", \"isHeader\", \"index\", \"role\"], [1, \"igx-combo__add\"], [\"class\", \"igx-combo__empty\", 4, \"ngIf\"], [\"class\", \"igx-combo__add-item\", \"role\", \"button\", \"aria-label\", \"Add Item\", 3, \"itemHeight\", \"tabindex\", \"index\", 4, \"ngIf\"], [1, \"igx-combo__empty\"], [\"role\", \"button\", \"aria-label\", \"Add Item\", 1, \"igx-combo__add-item\", 3, \"itemHeight\", \"tabindex\", \"index\"], [\"type\", \"button\", \"igxButton\", \"flat\", \"igxRipple\", \"\"]],\n template: function IgxComboComponent_Template(rf, ctx) {\n if (rf & 1) {\n const _r1 = i0.ɵɵgetCurrentView();\n i0.ɵɵprojectionDef(_c65);\n i0.ɵɵelementStart(0, \"igx-input-group\", 11, 0);\n i0.ɵɵlistener(\"click\", function IgxComboComponent_Template_igx_input_group_click_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onClick($event));\n });\n i0.ɵɵelementContainerStart(2, 12);\n i0.ɵɵprojection(3);\n i0.ɵɵelementContainerEnd();\n i0.ɵɵelementContainerStart(4, 13);\n i0.ɵɵprojection(5, 1);\n i0.ɵɵelementContainerEnd();\n i0.ɵɵelementContainerStart(6, 14);\n i0.ɵɵprojection(7, 2);\n i0.ɵɵelementContainerEnd();\n i0.ɵɵelementStart(8, \"input\", 15, 1);\n i0.ɵɵlistener(\"blur\", function IgxComboComponent_Template_input_blur_8_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onBlur());\n });\n i0.ɵɵelementEnd();\n i0.ɵɵelementContainerStart(10, 16);\n i0.ɵɵprojection(11, 3);\n i0.ɵɵelementContainerEnd();\n i0.ɵɵtemplate(12, IgxComboComponent_igx_suffix_12_Template, 3, 2, \"igx-suffix\", 17);\n i0.ɵɵelementStart(13, \"igx-suffix\", 18);\n i0.ɵɵtemplate(14, IgxComboComponent_ng_container_14_Template, 2, 4, \"ng-container\", 19)(15, IgxComboComponent_igx_icon_15_Template, 2, 1, \"igx-icon\", 19);\n i0.ɵɵelementEnd()();\n i0.ɵɵelementStart(16, \"igx-combo-drop-down\", 20, 2);\n i0.ɵɵlistener(\"opening\", function IgxComboComponent_Template_igx_combo_drop_down_opening_16_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.handleOpening($event));\n })(\"closing\", function IgxComboComponent_Template_igx_combo_drop_down_closing_16_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.handleClosing($event));\n })(\"opened\", function IgxComboComponent_Template_igx_combo_drop_down_opened_16_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.handleOpened());\n })(\"closed\", function IgxComboComponent_Template_igx_combo_drop_down_closed_16_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.handleClosed());\n });\n i0.ɵɵelementStart(18, \"div\", 21);\n i0.ɵɵtemplate(19, IgxComboComponent_igx_input_group_19_Template, 4, 4, \"igx-input-group\", 22);\n i0.ɵɵelementEnd();\n i0.ɵɵtemplate(20, IgxComboComponent_ng_container_20_Template, 1, 0, \"ng-container\", 23);\n i0.ɵɵelementStart(21, \"div\", 24, 3);\n i0.ɵɵlistener(\"focus\", function IgxComboComponent_Template_div_focus_21_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.dropdown.onFocus());\n });\n i0.ɵɵtemplate(23, IgxComboComponent_igx_combo_item_23_Template, 3, 7, \"igx-combo-item\", 25);\n i0.ɵɵpipe(24, \"comboFiltering\");\n i0.ɵɵpipe(25, \"comboGrouping\");\n i0.ɵɵelementEnd();\n i0.ɵɵtemplate(26, IgxComboComponent_div_26_Template, 3, 2, \"div\", 26)(27, IgxComboComponent_ng_container_27_Template, 1, 0, \"ng-container\", 23);\n i0.ɵɵelementEnd();\n i0.ɵɵtemplate(28, IgxComboComponent_ng_template_28_Template, 1, 1, \"ng-template\", null, 4, i0.ɵɵtemplateRefExtractor)(30, IgxComboComponent_ng_template_30_Template, 1, 1, \"ng-template\", null, 5, i0.ɵɵtemplateRefExtractor)(32, IgxComboComponent_ng_template_32_Template, 2, 1, \"ng-template\", null, 6, i0.ɵɵtemplateRefExtractor)(34, IgxComboComponent_ng_template_34_Template, 2, 0, \"ng-template\", null, 7, i0.ɵɵtemplateRefExtractor)(36, IgxComboComponent_ng_template_36_Template, 1, 1, \"ng-template\", null, 8, i0.ɵɵtemplateRefExtractor);\n }\n if (rf & 2) {\n i0.ɵɵproperty(\"displayDensity\", ctx.displayDensity)(\"type\", ctx.type);\n i0.ɵɵadvance(8);\n i0.ɵɵproperty(\"value\", ctx.displayValue)(\"disabled\", ctx.disabled);\n i0.ɵɵattribute(\"placeholder\", ctx.placeholder)(\"aria-expanded\", !ctx.dropdown.collapsed)(\"aria-controls\", ctx.dropdown.listId)(\"aria-labelledby\", ctx.ariaLabelledBy || (ctx.label == null ? null : ctx.label.id) || ctx.placeholder);\n i0.ɵɵadvance(4);\n i0.ɵɵproperty(\"ngIf\", ctx.displayValue);\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"ngIf\", ctx.toggleIconTemplate);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", !ctx.toggleIconTemplate);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"displayDensity\", ctx.displayDensity)(\"labelledBy\", ctx.ariaLabelledBy || (ctx.label == null ? null : ctx.label.id) || ctx.placeholder || \"\")(\"width\", ctx.itemsWidth || \"100%\");\n i0.ɵɵadvance(3);\n i0.ɵɵproperty(\"ngIf\", ctx.displaySearchInput);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngTemplateOutlet\", ctx.headerTemplate);\n i0.ɵɵadvance();\n i0.ɵɵstyleProp(\"overflow\", \"hidden\")(\"max-height\", ctx.itemsMaxHeightInRem, \"rem\");\n i0.ɵɵproperty(\"igxDropDownItemNavigation\", ctx.dropdown)(\"tabindex\", ctx.dropdown.collapsed ? -1 : 0);\n i0.ɵɵattribute(\"id\", ctx.dropdown.id)(\"aria-activedescendant\", ctx.activeDescendant);\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"igxForOf\", i0.ɵɵpipeBindV(25, 36, i0.ɵɵpureFunction5(48, _c67, i0.ɵɵpipeBindV(24, 30, i0.ɵɵpureFunction5(42, _c67, ctx.data, ctx.filterValue, ctx.displayKey, ctx.filteringOptions, ctx.filterFunction)), ctx.groupKey, ctx.valueKey, ctx.groupSortingDirection, ctx.compareCollator)))(\"igxForContainerSize\", ctx.itemsMaxHeight)(\"igxForScrollOrientation\", \"vertical\")(\"igxForItemSize\", ctx.itemHeight);\n i0.ɵɵadvance(3);\n i0.ɵɵproperty(\"ngIf\", ctx.filteredData.length === 0 || ctx.isAddButtonVisible());\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngTemplateOutlet\", ctx.footerTemplate);\n }\n },\n dependencies: [NgIf, NgTemplateOutlet, NgClass, FormsModule, i4.DefaultValueAccessor, i4.NgControlStatus, i4.NgModel, IgxInputGroupComponent, IgxInputDirective, IgxSuffixDirective, IgxIconComponent, IgxComboDropDownComponent, IgxDropDownItemNavigationDirective, IgxForOfDirective, IgxComboItemComponent, IgxComboAddItemComponent, IgxButtonDirective, IgxRippleDirective, IgxComboFilteringPipe, IgxComboGroupingPipe],\n encapsulation: 2\n });\n }\n }\n return IgxComboComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* NOTE: Combo directives collection for ease-of-use import in standalone components scenario */\nconst IGX_COMBO_DIRECTIVES = [IgxComboComponent, IgxComboAddItemDirective, IgxComboClearIconDirective, IgxComboEmptyDirective, IgxComboFooterDirective, IgxComboHeaderDirective, IgxComboHeaderItemDirective, IgxComboItemDirective, IgxComboToggleIconDirective, IgxLabelDirective, IgxPrefixDirective, IgxSuffixDirective, IgxHintDirective];\n\n/**\n * Represents a drop-down list that provides filtering functionality, allowing users to choose a single option from a predefined list.\n *\n * @igxModule IgxSimpleComboModule\n * @igxTheme igx-combo-theme\n * @igxKeywords combobox, single combo selection\n * @igxGroup Grids & Lists\n *\n * @remarks\n * It provides the ability to filter items as well as perform single selection on the provided data.\n * Additionally, it exposes keyboard navigation and custom styling capabilities.\n * @example\n * ```html\n * \n * \n * ```\n */\nlet IgxSimpleComboComponent = /*#__PURE__*/(() => {\n class IgxSimpleComboComponent extends IgxComboBaseDirective {\n get value() {\n return this._value[0];\n }\n /**\n * Get current selection state\n *\n * @returns The selected item, if any\n * ```typescript\n * let mySelection = this.combo.selection;\n * ```\n */\n get selection() {\n return super.selection[0];\n }\n /** @hidden @internal */\n get filteredData() {\n return this._filteredData;\n }\n /** @hidden @internal */\n set filteredData(val) {\n this._filteredData = this.groupKey ? (val || []).filter(e => e.isHeader !== true) : val;\n this.checkMatch();\n }\n /** @hidden @internal */\n get searchValue() {\n return this._searchValue;\n }\n set searchValue(val) {\n this._searchValue = val;\n }\n get selectedItem() {\n return this.selectionService.get(this.id).values().next().value;\n }\n get hasSelectedItem() {\n return !!this.selectionService.get(this.id).size;\n }\n constructor(elementRef, cdr, selectionService, comboAPI, _iconService, platformUtil, _displayDensityOptions, _inputGroupType, _injector) {\n super(elementRef, cdr, selectionService, comboAPI, _iconService, _displayDensityOptions, _inputGroupType, _injector);\n this.platformUtil = platformUtil;\n /**\n * Emitted when item selection is changing, before the selection completes\n *\n * ```html\n * \n * ```\n */\n this.selectionChanging = new EventEmitter();\n /** @hidden @internal */\n this.composing = false;\n this._updateInput = true;\n this._collapsing = false;\n this.findAllMatches = element => {\n const value = this.displayKey ? element[this.displayKey] : element;\n if (value === null || value === undefined || value === '') {\n // we can accept null, undefined and empty strings as empty display values\n return true;\n }\n const searchValue = this.searchValue || this.comboInput.value;\n return !!searchValue && value.toString().toLowerCase().includes(searchValue.toLowerCase());\n };\n this.comboAPI.register(this);\n }\n /** @hidden @internal */\n onArrowDown(event) {\n if (this.collapsed) {\n event.preventDefault();\n event.stopPropagation();\n this.open();\n } else {\n if (this.virtDir.igxForOf.length > 0 && !this.hasSelectedItem) {\n this.dropdown.navigateNext();\n this.dropdownContainer.nativeElement.focus();\n } else if (this.allowCustomValues) {\n this.addItem?.element.nativeElement.focus();\n }\n }\n }\n /**\n * Select a defined item\n *\n * @param item the item to be selected\n * ```typescript\n * this.combo.select(\"New York\");\n * ```\n */\n select(item) {\n if (item !== undefined) {\n const newSelection = this.selectionService.add_items(this.id, item instanceof Array ? item : [item], true);\n this.setSelection(newSelection);\n }\n }\n /**\n * Deselect the currently selected item\n *\n * @param item the items to be deselected\n * ```typescript\n * this.combo.deselect(\"New York\");\n * ```\n */\n deselect() {\n this.clearSelection();\n }\n /** @hidden @internal */\n writeValue(value) {\n const oldSelection = super.selection;\n this.selectionService.select_items(this.id, this.isValid(value) ? [value] : [], true);\n this.cdr.markForCheck();\n this._displayValue = this.createDisplayText(super.selection, oldSelection);\n this._value = this.valueKey ? super.selection.map(item => item[this.valueKey]) : super.selection;\n this.filterValue = this._displayValue?.toString() || '';\n }\n /** @hidden @internal */\n ngAfterViewInit() {\n this.virtDir.contentSizeChange.pipe(takeUntil(this.destroy$)).subscribe(() => {\n if (super.selection.length > 0) {\n const index = this.virtDir.igxForOf.findIndex(e => {\n let current = e ? e[this.valueKey] : undefined;\n if (this.valueKey === null || this.valueKey === undefined) {\n current = e;\n }\n return current === super.selection[0];\n });\n if (!this.isRemote) {\n // navigate to item only if we have local data\n // as with remote data this will fiddle with igxFor's scroll handler\n // and will trigger another chunk load which will break the visualization\n this.dropdown.navigateItem(index);\n }\n }\n });\n this.dropdown.opening.pipe(takeUntil(this.destroy$)).subscribe(args => {\n if (args.cancel) {\n return;\n }\n this._collapsing = false;\n const filtered = this.filteredData.find(this.findAllMatches);\n if (filtered === undefined || filtered === null) {\n this.filterValue = this.searchValue = this.comboInput.value;\n return;\n }\n });\n this.dropdown.opened.pipe(takeUntil(this.destroy$)).subscribe(() => {\n if (this.composing) {\n this.comboInput.focus();\n }\n });\n this.dropdown.closing.pipe(takeUntil(this.destroy$)).subscribe(args => {\n if (args.cancel) {\n return;\n }\n if (this.getEditElement() && !args.event) {\n this._collapsing = true;\n } else {\n this.clearOnBlur();\n this._onTouchedCallback();\n }\n this.comboInput.focus();\n });\n // in reactive form the control is not present initially\n // and sets the selection to an invalid value in writeValue method\n if (!this.isValid(this.selectedItem)) {\n this.selectionService.clear(this.id);\n this._displayValue = '';\n }\n super.ngAfterViewInit();\n }\n /** @hidden @internal */\n ngDoCheck() {\n if (this.data?.length && super.selection.length && !this._displayValue) {\n this._displayValue = this.createDisplayText(super.selection, []);\n this._value = this.valueKey ? super.selection.map(item => item[this.valueKey]) : super.selection;\n }\n super.ngDoCheck();\n }\n /** @hidden @internal */\n handleInputChange(event) {\n if (this.collapsed && this.comboInput.focused) {\n this.open();\n }\n if (event !== undefined) {\n this.filterValue = this.searchValue = typeof event === 'string' ? event : event.target.value;\n }\n if (!this.comboInput.value.trim() && super.selection.length) {\n // handle clearing of input by space\n this.clearSelection();\n this._onChangeCallback(null);\n this.filterValue = '';\n }\n if (super.selection.length) {\n const args = {\n newValue: undefined,\n oldValue: this.selectedItem,\n newSelection: undefined,\n oldSelection: this.selection,\n displayText: typeof event === 'string' ? event : event?.target?.value,\n owner: this,\n cancel: false\n };\n this.selectionChanging.emit(args);\n if (!args.cancel) {\n this.selectionService.select_items(this.id, [], true);\n }\n }\n // when filtering the focused item should be the first item or the currently selected item\n if (!this.dropdown.focusedItem || this.dropdown.focusedItem.id !== this.dropdown.items[0].id) {\n this.dropdown.navigateFirst();\n }\n super.handleInputChange(event);\n this.composing = true;\n }\n /** @hidden @internal */\n handleInputClick() {\n if (this.collapsed) {\n this.open();\n this.comboInput.focus();\n }\n }\n /** @hidden @internal */\n handleKeyDown(event) {\n if (event.key === this.platformUtil.KEYMAP.ENTER) {\n const filtered = this.filteredData.find(this.findAllMatches);\n if (filtered === null || filtered === undefined) {\n return;\n }\n if (!this.dropdown.collapsed) {\n const focusedItem = this.dropdown.focusedItem;\n if (focusedItem && !focusedItem.isHeader) {\n this.select(focusedItem.itemID);\n event.preventDefault();\n event.stopPropagation();\n this.close();\n } else {\n event.preventDefault();\n event.stopPropagation();\n this.comboInput.focus();\n }\n }\n // manually trigger text selection as it will not be triggered during editing\n this.textSelection.trigger();\n return;\n }\n if (event.key === this.platformUtil.KEYMAP.BACKSPACE || event.key === this.platformUtil.KEYMAP.DELETE) {\n this._updateInput = false;\n this.clearSelection(true);\n }\n if (!this.collapsed && event.key === this.platformUtil.KEYMAP.TAB) {\n this.clearOnBlur();\n this.close();\n }\n this.composing = false;\n super.handleKeyDown(event);\n }\n /** @hidden @internal */\n handleKeyUp(event) {\n if (event.key === this.platformUtil.KEYMAP.ARROW_DOWN) {\n this.dropdown.focusedItem = this.hasSelectedItem && this.filteredData.length > 0 ? this.dropdown.items.find(i => i.itemID === this.selectedItem) : this.dropdown.items[0];\n this.dropdownContainer.nativeElement.focus();\n }\n }\n /** @hidden @internal */\n handleItemKeyDown(event) {\n if (event.key === this.platformUtil.KEYMAP.ARROW_UP && event.altKey) {\n this.close();\n this.comboInput.focus();\n return;\n }\n if (event.key === this.platformUtil.KEYMAP.ENTER) {\n this.comboInput.focus();\n }\n }\n /** @hidden @internal */\n handleItemClick() {\n this.close();\n this.comboInput.focus();\n }\n /** @hidden @internal */\n onBlur() {\n // when clicking the toggle button to close the combo and immediately clicking outside of it\n // the collapsed state is not modified as the dropdown is still not closed\n if (this.collapsed || this._collapsing) {\n this.clearOnBlur();\n }\n super.onBlur();\n }\n /** @hidden @internal */\n getEditElement() {\n return this.comboInput.nativeElement;\n }\n /** @hidden @internal */\n handleClear(event) {\n if (this.disabled) {\n return;\n }\n const oldSelection = this.selection;\n this.clearSelection(true);\n if (!this.collapsed) {\n this.focusSearchInput(true);\n }\n event.stopPropagation();\n if (this.selection !== oldSelection) {\n this.comboInput.value = this.filterValue = this.searchValue = '';\n }\n this.dropdown.focusedItem = null;\n this.composing = false;\n this.comboInput.focus();\n }\n /** @hidden @internal */\n handleOpened() {\n this.triggerCheck();\n if (!this.comboInput.focused) {\n this.dropdownContainer.nativeElement.focus();\n }\n this.opened.emit({\n owner: this\n });\n }\n /** @hidden @internal */\n handleClosing(e) {\n const args = {\n owner: this,\n event: e.event,\n cancel: e.cancel\n };\n this.closing.emit(args);\n e.cancel = args.cancel;\n if (e.cancel) {\n return;\n }\n this.composing = false;\n // explicitly update selection and trigger text selection so that we don't have to force CD\n this.textSelection.selected = true;\n this.textSelection.trigger();\n }\n /** @hidden @internal */\n focusSearchInput(opening) {\n if (opening) {\n this.dropdownContainer.nativeElement.focus();\n } else {\n this.comboInput.nativeElement.focus();\n }\n }\n /** @hidden @internal */\n onClick(event) {\n super.onClick(event);\n if (this.comboInput.value.length === 0) {\n this.virtDir.scrollTo(0);\n }\n }\n setSelection(newSelection) {\n const newValueAsArray = newSelection ? Array.from(newSelection) : [];\n const oldValueAsArray = Array.from(this.selectionService.get(this.id) || []);\n const newItems = this.convertKeysToItems(newValueAsArray);\n const oldItems = this.convertKeysToItems(oldValueAsArray);\n const displayText = this.createDisplayText(this.convertKeysToItems(newValueAsArray), oldValueAsArray);\n const args = {\n newValue: newValueAsArray[0],\n oldValue: oldValueAsArray[0],\n newSelection: newItems[0],\n oldSelection: oldItems[0],\n displayText,\n owner: this,\n cancel: false\n };\n if (args.newSelection !== args.oldSelection) {\n this.selectionChanging.emit(args);\n }\n // TODO: refactor below code as it sets the selection and the display text\n if (!args.cancel) {\n let argsSelection = this.isValid(args.newValue) ? args.newValue : [];\n argsSelection = Array.isArray(argsSelection) ? argsSelection : [argsSelection];\n this.selectionService.select_items(this.id, argsSelection, true);\n this._value = argsSelection;\n if (this._updateInput) {\n this.comboInput.value = this._displayValue = this.searchValue = displayText !== args.displayText ? args.displayText : this.createDisplayText(super.selection, [args.oldValue]);\n }\n this._onChangeCallback(args.newValue);\n this._updateInput = true;\n } else if (this.isRemote) {\n this.registerRemoteEntries(newValueAsArray, false);\n } else {\n args.displayText = this.createDisplayText(oldItems, []);\n const oldSelectionArray = args.oldSelection ? [args.oldSelection] : [];\n this.comboInput.value = this._displayValue = this.searchValue = this.createDisplayText(oldSelectionArray, []);\n if (this.isRemote) {\n this.registerRemoteEntries(newValueAsArray, false);\n }\n }\n }\n createDisplayText(newSelection, oldSelection) {\n if (this.isRemote) {\n const selection = this.valueKey ? newSelection.map(item => item[this.valueKey]) : newSelection;\n return this.getRemoteSelection(selection, oldSelection);\n }\n if (this.displayKey !== null && this.displayKey !== undefined && newSelection.length > 0) {\n return newSelection.filter(e => e).map(e => e[this.displayKey])[0]?.toString() || '';\n }\n return newSelection[0]?.toString() || '';\n }\n getRemoteSelection(newSelection, oldSelection) {\n if (!newSelection.length) {\n this.registerRemoteEntries(oldSelection, false);\n return '';\n }\n this.registerRemoteEntries(oldSelection, false);\n this.registerRemoteEntries(newSelection);\n return Object.keys(this._remoteSelection).map(e => this._remoteSelection[e])[0] || '';\n }\n /** Contains key-value pairs of the selected valueKeys and their resp. displayKeys */\n registerRemoteEntries(ids, add = true) {\n const selection = this.getValueDisplayPairs(ids)[0];\n if (add && selection) {\n this._remoteSelection[selection[this.valueKey]] = selection[this.displayKey].toString();\n } else {\n delete this._remoteSelection[ids[0]];\n }\n }\n clearSelection(ignoreFilter) {\n let newSelection = this.selectionService.get_empty();\n if (this.filteredData.length !== this.data.length && !ignoreFilter) {\n newSelection = this.selectionService.delete_items(this.id, this.selectionService.get_all_ids(this.filteredData, this.valueKey));\n }\n this.setSelection(newSelection);\n }\n clearOnBlur() {\n if (this.isRemote) {\n const searchValue = this.searchValue || this.comboInput.value;\n const remoteValue = Object.keys(this._remoteSelection).map(e => this._remoteSelection[e])[0] || '';\n if (searchValue !== remoteValue) {\n this.clear();\n }\n return;\n }\n const filtered = this.filteredData.find(this.findMatch);\n // selecting null in primitive data returns undefined as the search text is '', but the item is null\n if (filtered === undefined && this.selectedItem !== null || !super.selection.length) {\n this.clear();\n }\n }\n getElementVal(element) {\n const elementVal = this.displayKey ? element[this.displayKey] : element;\n return String(elementVal);\n }\n clear() {\n this.clearSelection(true);\n const oldSelection = this.selection;\n if (this.selection !== oldSelection) {\n this.comboInput.value = this._displayValue = this.searchValue = '';\n }\n }\n isValid(value) {\n return this.required ? value !== null && value !== '' && value !== undefined : value !== undefined;\n }\n static {\n this.ɵfac = function IgxSimpleComboComponent_Factory(t) {\n return new (t || IgxSimpleComboComponent)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(IgxSelectionAPIService), i0.ɵɵdirectiveInject(IgxComboAPIService), i0.ɵɵdirectiveInject(IgxIconService), i0.ɵɵdirectiveInject(PlatformUtil), i0.ɵɵdirectiveInject(DisplayDensityToken, 8), i0.ɵɵdirectiveInject(IGX_INPUT_GROUP_TYPE, 8), i0.ɵɵdirectiveInject(i0.Injector, 8));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxSimpleComboComponent,\n selectors: [[\"igx-simple-combo\"]],\n viewQuery: function IgxSimpleComboComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(IgxComboDropDownComponent, 7);\n i0.ɵɵviewQuery(IgxComboAddItemComponent, 5);\n i0.ɵɵviewQuery(IgxTextSelectionDirective, 7);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.dropdown = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.addItem = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.textSelection = _t.first);\n }\n },\n hostBindings: function IgxSimpleComboComponent_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"keydown.ArrowDown\", function IgxSimpleComboComponent_keydown_ArrowDown_HostBindingHandler($event) {\n return ctx.onArrowDown($event);\n })(\"keydown.Alt.ArrowDown\", function IgxSimpleComboComponent_keydown_Alt_ArrowDown_HostBindingHandler($event) {\n return ctx.onArrowDown($event);\n });\n }\n },\n outputs: {\n selectionChanging: \"selectionChanging\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([IgxComboAPIService, {\n provide: IGX_COMBO_COMPONENT,\n useExisting: IgxSimpleComboComponent\n }, {\n provide: NG_VALUE_ACCESSOR,\n useExisting: IgxSimpleComboComponent,\n multi: true\n }]), i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c66,\n decls: 37,\n vars: 56,\n consts: [[\"inputGroup\", \"\"], [\"comboInput\", \"\"], [\"igxComboDropDown\", \"\"], [\"dropdownItemContainer\", \"\"], [\"complex\", \"\"], [\"primitive\", \"\"], [\"empty\", \"\"], [\"addItemDefault\", \"\"], [\"headerItemBase\", \"\"], [\"listItem\", \"\"], [\"addItem\", \"\"], [3, \"displayDensity\", \"type\"], [\"ngProjectAs\", \"[igxLabel]\", 5, [\"\", \"igxLabel\", \"\"]], [\"ngProjectAs\", \"igx-prefix\", 5, [\"igx-prefix\"]], [\"ngProjectAs\", \"igx-hint, [igxHint]\", 5, [\"igx-hint\"]], [\"igxInput\", \"\", \"role\", \"combobox\", \"aria-haspopup\", \"listbox\", \"aria-autocomplete\", \"list\", \"aria-readonly\", \"false\", 3, \"input\", \"click\", \"keyup\", \"keydown\", \"blur\", \"paste\", \"value\", \"disabled\", \"igxTextSelection\"], [\"ngProjectAs\", \"igx-suffix\", 5, [\"igx-suffix\"]], [\"aria-label\", \"Clear Selection\", \"class\", \"igx-combo__clear-button\", 3, \"click\", 4, \"ngIf\"], [4, \"ngIf\"], [1, \"igx-combo__toggle-button\", 3, \"click\"], [1, \"igx-combo__drop-down\", 3, \"opening\", \"closing\", \"opened\", \"closed\", \"displayDensity\", \"labelledBy\", \"width\", \"singleMode\"], [4, \"ngTemplateOutlet\"], [1, \"igx-combo__content\", 3, \"focus\", \"keydown\", \"igxDropDownItemNavigation\", \"tabindex\"], [3, \"role\", \"singleMode\", \"itemHeight\", \"value\", \"isHeader\", \"index\", \"click\", 4, \"igxFor\", \"igxForOf\", \"igxForContainerSize\", \"igxForScrollOrientation\", \"igxForItemSize\"], [\"class\", \"igx-combo__add\", 4, \"ngIf\"], [\"aria-label\", \"Clear Selection\", 1, \"igx-combo__clear-button\", 3, \"click\"], [\"family\", \"imx-icons\", \"name\", \"case-sensitive\", 3, \"click\", \"active\"], [4, \"ngTemplateOutlet\", \"ngTemplateOutletContext\"], [3, \"click\", \"role\", \"singleMode\", \"itemHeight\", \"value\", \"isHeader\", \"index\"], [1, \"igx-combo__add\"], [\"class\", \"igx-combo__empty\", 4, \"ngIf\"], [\"class\", \"igx-combo__add-item\", \"role\", \"button\", \"aria-label\", \"Add Item\", 3, \"itemHeight\", \"tabindex\", \"index\", 4, \"ngIf\"], [1, \"igx-combo__empty\"], [\"role\", \"button\", \"aria-label\", \"Add Item\", 1, \"igx-combo__add-item\", 3, \"itemHeight\", \"tabindex\", \"index\"], [\"type\", \"button\", \"igxButton\", \"flat\", \"igxRipple\", \"\"]],\n template: function IgxSimpleComboComponent_Template(rf, ctx) {\n if (rf & 1) {\n const _r1 = i0.ɵɵgetCurrentView();\n i0.ɵɵprojectionDef(_c65);\n i0.ɵɵelementStart(0, \"igx-input-group\", 11, 0);\n i0.ɵɵelementContainerStart(2, 12);\n i0.ɵɵprojection(3);\n i0.ɵɵelementContainerEnd();\n i0.ɵɵelementContainerStart(4, 13);\n i0.ɵɵprojection(5, 1);\n i0.ɵɵelementContainerEnd();\n i0.ɵɵelementContainerStart(6, 14);\n i0.ɵɵprojection(7, 2);\n i0.ɵɵelementContainerEnd();\n i0.ɵɵelementStart(8, \"input\", 15, 1);\n i0.ɵɵlistener(\"input\", function IgxSimpleComboComponent_Template_input_input_8_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.handleInputChange($event));\n })(\"click\", function IgxSimpleComboComponent_Template_input_click_8_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.handleInputClick());\n })(\"keyup\", function IgxSimpleComboComponent_Template_input_keyup_8_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.handleKeyUp($event));\n })(\"keydown\", function IgxSimpleComboComponent_Template_input_keydown_8_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.handleKeyDown($event));\n })(\"blur\", function IgxSimpleComboComponent_Template_input_blur_8_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onBlur());\n })(\"paste\", function IgxSimpleComboComponent_Template_input_paste_8_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.handleInputChange($event));\n });\n i0.ɵɵelementEnd();\n i0.ɵɵelementContainerStart(10, 16);\n i0.ɵɵprojection(11, 3);\n i0.ɵɵelementContainerEnd();\n i0.ɵɵtemplate(12, IgxSimpleComboComponent_igx_suffix_12_Template, 3, 2, \"igx-suffix\", 17)(13, IgxSimpleComboComponent_igx_suffix_13_Template, 2, 1, \"igx-suffix\", 18);\n i0.ɵɵelementStart(14, \"igx-suffix\", 19);\n i0.ɵɵlistener(\"click\", function IgxSimpleComboComponent_Template_igx_suffix_click_14_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onClick($event));\n });\n i0.ɵɵtemplate(15, IgxSimpleComboComponent_ng_container_15_Template, 2, 4, \"ng-container\", 18)(16, IgxSimpleComboComponent_igx_icon_16_Template, 2, 1, \"igx-icon\", 18);\n i0.ɵɵelementEnd()();\n i0.ɵɵelementStart(17, \"igx-combo-drop-down\", 20, 2);\n i0.ɵɵlistener(\"opening\", function IgxSimpleComboComponent_Template_igx_combo_drop_down_opening_17_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.handleOpening($event));\n })(\"closing\", function IgxSimpleComboComponent_Template_igx_combo_drop_down_closing_17_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.handleClosing($event));\n })(\"opened\", function IgxSimpleComboComponent_Template_igx_combo_drop_down_opened_17_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.handleOpened());\n })(\"closed\", function IgxSimpleComboComponent_Template_igx_combo_drop_down_closed_17_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.handleClosed());\n });\n i0.ɵɵtemplate(19, IgxSimpleComboComponent_ng_container_19_Template, 1, 0, \"ng-container\", 21);\n i0.ɵɵelementStart(20, \"div\", 22, 3);\n i0.ɵɵlistener(\"focus\", function IgxSimpleComboComponent_Template_div_focus_20_listener() {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.dropdown.onFocus());\n })(\"keydown\", function IgxSimpleComboComponent_Template_div_keydown_20_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.handleItemKeyDown($event));\n });\n i0.ɵɵtemplate(22, IgxSimpleComboComponent_igx_combo_item_22_Template, 3, 8, \"igx-combo-item\", 23);\n i0.ɵɵpipe(23, \"comboFiltering\");\n i0.ɵɵpipe(24, \"comboGrouping\");\n i0.ɵɵelementEnd();\n i0.ɵɵtemplate(25, IgxSimpleComboComponent_div_25_Template, 3, 2, \"div\", 24)(26, IgxSimpleComboComponent_ng_container_26_Template, 1, 0, \"ng-container\", 21);\n i0.ɵɵelementEnd();\n i0.ɵɵtemplate(27, IgxSimpleComboComponent_ng_template_27_Template, 1, 1, \"ng-template\", null, 4, i0.ɵɵtemplateRefExtractor)(29, IgxSimpleComboComponent_ng_template_29_Template, 1, 1, \"ng-template\", null, 5, i0.ɵɵtemplateRefExtractor)(31, IgxSimpleComboComponent_ng_template_31_Template, 2, 1, \"ng-template\", null, 6, i0.ɵɵtemplateRefExtractor)(33, IgxSimpleComboComponent_ng_template_33_Template, 2, 0, \"ng-template\", null, 7, i0.ɵɵtemplateRefExtractor)(35, IgxSimpleComboComponent_ng_template_35_Template, 1, 1, \"ng-template\", null, 8, i0.ɵɵtemplateRefExtractor);\n }\n if (rf & 2) {\n i0.ɵɵproperty(\"displayDensity\", ctx.displayDensity)(\"type\", ctx.type);\n i0.ɵɵadvance(8);\n i0.ɵɵproperty(\"value\", ctx.displayValue)(\"disabled\", ctx.disabled)(\"igxTextSelection\", !ctx.composing);\n i0.ɵɵattribute(\"aria-expanded\", !ctx.dropdown.collapsed)(\"aria-controls\", ctx.dropdown.listId)(\"aria-labelledby\", ctx.ariaLabelledBy || (ctx.label == null ? null : ctx.label.id) || ctx.placeholder)(\"placeholder\", ctx.placeholder);\n i0.ɵɵadvance(4);\n i0.ɵɵproperty(\"ngIf\", ctx.hasSelectedItem);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.showSearchCaseIcon);\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"ngIf\", ctx.toggleIconTemplate);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", !ctx.toggleIconTemplate);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"displayDensity\", ctx.displayDensity)(\"labelledBy\", ctx.ariaLabelledBy || (ctx.label == null ? null : ctx.label.id) || ctx.placeholder || \"\")(\"width\", ctx.itemsWidth || \"100%\")(\"singleMode\", true);\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"ngTemplateOutlet\", ctx.headerTemplate);\n i0.ɵɵadvance();\n i0.ɵɵstyleProp(\"overflow\", \"hidden\")(\"max-height\", ctx.itemsMaxHeightInRem, \"rem\");\n i0.ɵɵproperty(\"igxDropDownItemNavigation\", ctx.dropdown)(\"tabindex\", ctx.dropdown.collapsed ? -1 : 0);\n i0.ɵɵattribute(\"id\", ctx.dropdown.id)(\"aria-activedescendant\", ctx.activeDescendant);\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"igxForOf\", i0.ɵɵpipeBindV(24, 38, i0.ɵɵpureFunction5(50, _c67, i0.ɵɵpipeBindV(23, 32, i0.ɵɵpureFunction5(44, _c67, ctx.data, ctx.filterValue, ctx.displayKey, ctx.filteringOptions, ctx.filterFunction)), ctx.groupKey, ctx.valueKey, ctx.groupSortingDirection, ctx.compareCollator)))(\"igxForContainerSize\", ctx.itemsMaxHeight)(\"igxForScrollOrientation\", \"vertical\")(\"igxForItemSize\", ctx.itemHeight);\n i0.ɵɵadvance(3);\n i0.ɵɵproperty(\"ngIf\", ctx.filteredData.length === 0 || ctx.isAddButtonVisible());\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngTemplateOutlet\", ctx.footerTemplate);\n }\n },\n dependencies: [IgxInputGroupComponent, IgxInputDirective, IgxTextSelectionDirective, NgIf, IgxSuffixDirective, NgTemplateOutlet, IgxIconComponent, IgxComboDropDownComponent, IgxDropDownItemNavigationDirective, IgxForOfDirective, IgxComboItemComponent, IgxComboAddItemComponent, IgxButtonDirective, IgxRippleDirective, IgxComboFilteringPipe, IgxComboGroupingPipe],\n encapsulation: 2\n });\n }\n }\n return IgxSimpleComboComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* NOTE: Simple combo directives collection for ease-of-use import in standalone components scenario */\nconst IGX_SIMPLE_COMBO_DIRECTIVES = [IgxSimpleComboComponent, IgxComboAddItemDirective, IgxComboClearIconDirective, IgxComboEmptyDirective, IgxComboFooterDirective, IgxComboHeaderDirective, IgxComboHeaderItemDirective, IgxComboItemDirective, IgxComboToggleIconDirective, IgxLabelDirective, IgxPrefixDirective, IgxSuffixDirective, IgxHintDirective];\n\n/**\n * Templates the default toggle icon in the picker.\n *\n * @remarks Can be applied to IgxDatePickerComponent, IgxTimePickerComponent, IgxDateRangePickerComponent\n *\n * @example\n * ```html\n * \n * \n * calendar_view_day\n * \n * \n * ```\n */\nlet IgxPickerToggleComponent = /*#__PURE__*/(() => {\n class IgxPickerToggleComponent {\n constructor() {\n this.clicked = new EventEmitter();\n }\n onClick(event) {\n // do not focus input on click\n event.stopPropagation();\n this.clicked.emit();\n }\n static {\n this.ɵfac = function IgxPickerToggleComponent_Factory(t) {\n return new (t || IgxPickerToggleComponent)();\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxPickerToggleComponent,\n selectors: [[\"igx-picker-toggle\"]],\n hostBindings: function IgxPickerToggleComponent_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"click\", function IgxPickerToggleComponent_click_HostBindingHandler($event) {\n return ctx.onClick($event);\n });\n }\n },\n outputs: {\n clicked: \"clicked\"\n },\n standalone: true,\n features: [i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 1,\n vars: 0,\n template: function IgxPickerToggleComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵprojection(0);\n }\n },\n encapsulation: 2\n });\n }\n }\n return IgxPickerToggleComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * Templates the default clear icon in the picker.\n *\n * @remarks Can be applied to IgxDatePickerComponent, IgxTimePickerComponent, IgxDateRangePickerComponent\n *\n * @example\n * ```html\n * \n * \n * delete\n * \n * \n * ```\n */\nlet IgxPickerClearComponent = /*#__PURE__*/(() => {\n class IgxPickerClearComponent extends IgxPickerToggleComponent {\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxPickerClearComponent_BaseFactory;\n return function IgxPickerClearComponent_Factory(t) {\n return (ɵIgxPickerClearComponent_BaseFactory || (ɵIgxPickerClearComponent_BaseFactory = i0.ɵɵgetInheritedFactory(IgxPickerClearComponent)))(t || IgxPickerClearComponent);\n };\n })();\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxPickerClearComponent,\n selectors: [[\"igx-picker-clear\"]],\n standalone: true,\n features: [i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c3,\n decls: 1,\n vars: 0,\n template: function IgxPickerClearComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef();\n i0.ɵɵprojection(0);\n }\n },\n encapsulation: 2\n });\n }\n }\n return IgxPickerClearComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * IgxPickerActionsDirective can be used to re-template the dropdown/dialog action buttons.\n *\n * @remarks Can be applied to IgxDatePickerComponent, IgxTimePickerComponent, IgxDateRangePickerComponent\n *\n */\nlet IgxPickerActionsDirective = /*#__PURE__*/(() => {\n class IgxPickerActionsDirective {\n constructor(template) {\n this.template = template;\n }\n static {\n this.ɵfac = function IgxPickerActionsDirective_Factory(t) {\n return new (t || IgxPickerActionsDirective)(i0.ɵɵdirectiveInject(i0.TemplateRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxPickerActionsDirective,\n selectors: [[\"\", \"igxPickerActions\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxPickerActionsDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nconst DatePickerResourceStringsEN = {\n igx_date_picker_change_date: 'Change Date',\n igx_date_picker_choose_date: 'Choose Date'\n};\n\n/** Header orientation in `dialog` mode. */\nconst PickerHeaderOrientation = /*@__PURE__*/mkenum({\n Horizontal: 'horizontal',\n Vertical: 'vertical'\n});\n/**\n * This enumeration is used to configure whether the date/time picker has an editable input with drop down\n * or is readonly - the date/time is selected only through a dialog.\n */\nconst PickerInteractionMode = /*@__PURE__*/mkenum({\n DropDown: 'dropdown',\n Dialog: 'dialog'\n});\n\n/** @hidden */\nlet IgxCalendarContainerComponent = /*#__PURE__*/(() => {\n class IgxCalendarContainerComponent {\n constructor() {\n this.calendarClose = new EventEmitter();\n this.todaySelection = new EventEmitter();\n this.styleClass = 'igx-date-picker';\n this.vertical = false;\n this.mode = PickerInteractionMode.DropDown;\n }\n get dropdownCSS() {\n return this.mode === PickerInteractionMode.DropDown;\n }\n onEscape(event) {\n event.preventDefault();\n this.calendarClose.emit();\n }\n get isReadonly() {\n return this.mode === PickerInteractionMode.Dialog;\n }\n static {\n this.ɵfac = function IgxCalendarContainerComponent_Factory(t) {\n return new (t || IgxCalendarContainerComponent)();\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxCalendarContainerComponent,\n selectors: [[\"igx-calendar-container\"]],\n viewQuery: function IgxCalendarContainerComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(IgxCalendarComponent, 7);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.calendar = _t.first);\n }\n },\n hostVars: 4,\n hostBindings: function IgxCalendarContainerComponent_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"keydown.alt.arrowup\", function IgxCalendarContainerComponent_keydown_alt_arrowup_HostBindingHandler($event) {\n return ctx.onEscape($event);\n });\n }\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-date-picker\", ctx.styleClass)(\"igx-date-picker--dropdown\", ctx.dropdownCSS);\n }\n },\n outputs: {\n calendarClose: \"calendarClose\",\n todaySelection: \"todaySelection\"\n },\n standalone: true,\n features: [i0.ɵɵStandaloneFeature],\n decls: 5,\n vars: 2,\n consts: [[\"defaultPickerActions\", \"\"], [\"closeButton\", \"\"], [\"todayButton\", \"\"], [4, \"ngIf\"], [\"class\", \"igx-date-picker__actions\", 4, \"ngIf\"], [\"class\", \"igx-date-picker__buttons\", 4, \"ngIf\"], [1, \"igx-date-picker__buttons\"], [\"type\", \"button\", \"igxButton\", \"flat\", \"igxRipple\", \"\", 3, \"click\", 4, \"ngIf\"], [\"type\", \"button\", \"igxButton\", \"flat\", \"igxRipple\", \"\", 3, \"click\"], [1, \"igx-date-picker__actions\"], [4, \"ngTemplateOutlet\", \"ngTemplateOutletContext\"]],\n template: function IgxCalendarContainerComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵtemplate(0, IgxCalendarContainerComponent_ng_template_0_Template, 1, 1, \"ng-template\", null, 0, i0.ɵɵtemplateRefExtractor);\n i0.ɵɵelement(2, \"igx-calendar\");\n i0.ɵɵtemplate(3, IgxCalendarContainerComponent_igx_divider_3_Template, 1, 0, \"igx-divider\", 3)(4, IgxCalendarContainerComponent_div_4_Template, 2, 4, \"div\", 4);\n }\n if (rf & 2) {\n i0.ɵɵadvance(3);\n i0.ɵɵproperty(\"ngIf\", (ctx.pickerActions == null ? null : ctx.pickerActions.template) || ctx.closeButtonLabel || ctx.todayButtonLabel);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", (ctx.pickerActions == null ? null : ctx.pickerActions.template) || ctx.closeButtonLabel || ctx.todayButtonLabel);\n }\n },\n dependencies: [NgIf, IgxButtonDirective, IgxRippleDirective, IgxCalendarComponent, NgTemplateOutlet, IgxDividerDirective],\n styles: [\"[_nghost-%COMP%]{display:block}\"]\n });\n }\n }\n return IgxCalendarContainerComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet PickerBaseDirective = /*#__PURE__*/(() => {\n class PickerBaseDirective extends DisplayDensityBase {\n /**\n * @example\n * ```html\n * \n * ```\n */\n /**\n * Gets the `locale` of the date-picker.\n * If not set, defaults to applciation's locale..\n */\n get locale() {\n return this._locale;\n }\n /**\n * Sets the `locale` of the date-picker.\n * Expects a valid BCP 47 language tag.\n */\n set locale(value) {\n this._locale = value;\n // if value is invalid, set it back to _localeId\n try {\n getLocaleFirstDayOfWeek(this._locale);\n } catch (e) {\n this._locale = this._localeId;\n }\n }\n /**\n * Gets the start day of the week.\n * Can return a numeric or an enum representation of the week day.\n * If not set, defaults to the first day of the week for the application locale.\n */\n get weekStart() {\n return this._weekStart ?? getLocaleFirstDayOfWeek(this._locale);\n }\n /**\n * Sets the start day of the week.\n * Can be assigned to a numeric value or to `WEEKDAYS` enum value.\n */\n set weekStart(value) {\n this._weekStart = value;\n }\n /**\n * Determines how the picker's input will be styled.\n *\n * @remarks\n * Default is `box`.\n *\n * @example\n * ```html\n * \n * ```\n */\n set type(val) {\n this._type = val;\n }\n get type() {\n return this._type || this._inputGroupType;\n }\n /**\n * Gets the picker's pop-up state.\n *\n * @example\n * ```typescript\n * const state = this.picker.collapsed;\n * ```\n */\n get collapsed() {\n return this._collapsed;\n }\n /** @hidden @internal */\n get isDropdown() {\n return this.mode === PickerInteractionMode.DropDown;\n }\n constructor(element, _localeId, _displayDensityOptions, _inputGroupType) {\n super(_displayDensityOptions || {\n displayDensity: 'comfortable'\n }, element);\n this.element = element;\n this._localeId = _localeId;\n this._displayDensityOptions = _displayDensityOptions;\n this._inputGroupType = _inputGroupType;\n /**\n * Sets the `placeholder` of the picker's input.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.placeholder = '';\n /**\n * Can be `dropdown` with editable input field or `dialog` with readonly input field.\n *\n * @remarks\n * Default mode is `dropdown`\n *\n * @example\n * ```html\n * \n * ```\n */\n this.mode = PickerInteractionMode.DropDown;\n /**\n * Enables or disables the picker.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.disabled = false;\n /**\n * Emitted when the calendar has started opening, cancelable.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.opening = new EventEmitter();\n /**\n * Emitted after the calendar has opened.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.opened = new EventEmitter();\n /**\n * Emitted when the calendar has started closing, cancelable.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.closing = new EventEmitter();\n /**\n * Emitted after the calendar has closed.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.closed = new EventEmitter();\n this._collapsed = true;\n this._destroy$ = new Subject();\n this.locale = this.locale || this._localeId;\n }\n /** @hidden @internal */\n ngAfterViewInit() {\n this.subToIconsClicked(this.toggleComponents, () => this.open());\n this.toggleComponents.changes.pipe(takeUntil(this._destroy$)).subscribe(() => this.subToIconsClicked(this.toggleComponents, () => this.open()));\n }\n /** @hidden @internal */\n ngAfterContentChecked() {\n if (this.inputGroup && this.prefixes?.length > 0) {\n this.inputGroup.prefixes = this.prefixes;\n }\n if (this.inputGroup && this.suffixes?.length > 0) {\n this.inputGroup.suffixes = this.suffixes;\n }\n }\n /** @hidden @internal */\n ngOnDestroy() {\n this._destroy$.next();\n this._destroy$.complete();\n }\n /** Subscribes to the click events of toggle/clear icons in a query */\n subToIconsClicked(components, next) {\n components.forEach(toggle => {\n toggle.clicked.pipe(takeUntil(merge(components.changes, this._destroy$))).subscribe(next);\n });\n }\n static {\n this.ɵfac = function PickerBaseDirective_Factory(t) {\n return new (t || PickerBaseDirective)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(LOCALE_ID), i0.ɵɵdirectiveInject(DisplayDensityToken, 8), i0.ɵɵdirectiveInject(IGX_INPUT_GROUP_TYPE, 8));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: PickerBaseDirective,\n contentQueries: function PickerBaseDirective_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxPickerToggleComponent, 5);\n i0.ɵɵcontentQuery(dirIndex, IgxPrefixDirective, 5);\n i0.ɵɵcontentQuery(dirIndex, IgxSuffixDirective, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.toggleComponents = _t);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.prefixes = _t);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.suffixes = _t);\n }\n },\n viewQuery: function PickerBaseDirective_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(IgxInputGroupComponent, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.inputGroup = _t.first);\n }\n },\n inputs: {\n inputFormat: \"inputFormat\",\n displayFormat: \"displayFormat\",\n placeholder: \"placeholder\",\n mode: \"mode\",\n overlaySettings: \"overlaySettings\",\n disabled: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"disabled\", \"disabled\", booleanAttribute],\n locale: \"locale\",\n weekStart: \"weekStart\",\n outlet: \"outlet\",\n type: \"type\",\n tabIndex: \"tabIndex\"\n },\n outputs: {\n opening: \"opening\",\n opened: \"opened\",\n closing: \"closing\",\n closed: \"closed\"\n },\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return PickerBaseDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet NEXT_ID$e = 0;\n/**\n * Date Picker displays a popup calendar that lets users select a single date.\n *\n * @igxModule IgxDatePickerModule\n * @igxTheme igx-calendar-theme, igx-icon-theme\n * @igxGroup Scheduling\n * @igxKeywords datepicker, calendar, schedule, date\n * @example\n * ```html\n * \n * ```\n */\nlet IgxDatePickerComponent = /*#__PURE__*/(() => {\n class IgxDatePickerComponent extends PickerBaseDirective {\n /**\n * Gets/Sets the disabled dates descriptors.\n *\n * @example\n * ```typescript\n * let disabledDates = this.datepicker.disabledDates;\n * this.datePicker.disabledDates = [ {type: DateRangeType.Weekends}, ...];\n * ```\n */\n get disabledDates() {\n return this._disabledDates;\n }\n set disabledDates(value) {\n this._disabledDates = value;\n this._onValidatorChange();\n }\n /**\n * Gets/Sets the special dates descriptors.\n *\n * @example\n * ```typescript\n * let specialDates = this.datepicker.specialDates;\n * this.datePicker.specialDates = [ {type: DateRangeType.Weekends}, ... ];\n * ```\n */\n get specialDates() {\n return this._specialDates;\n }\n set specialDates(value) {\n this._specialDates = value;\n }\n //#endregion\n /**\n * Gets/Sets the selected date.\n *\n * @example\n * ```html\n * \n * ```\n */\n get value() {\n return this._value;\n }\n set value(date) {\n this._value = date;\n this.setDateValue(date);\n if (this.dateTimeEditor.value !== date) {\n this.dateTimeEditor.value = this._dateValue;\n }\n this.valueChange.emit(this.dateValue);\n this._onChangeCallback(this.dateValue);\n }\n /**\n * The minimum value the picker will accept.\n *\n * @example\n * \n */\n set minValue(value) {\n this._minValue = value;\n this._onValidatorChange();\n }\n get minValue() {\n return this._minValue;\n }\n /**\n * The maximum value the picker will accept.\n *\n * @example\n * \n */\n set maxValue(value) {\n this._maxValue = value;\n this._onValidatorChange();\n }\n get maxValue() {\n return this._maxValue;\n }\n get dialogOverlaySettings() {\n return Object.assign({}, this._dialogOverlaySettings, this.overlaySettings);\n }\n get dropDownOverlaySettings() {\n return Object.assign({}, this._dropDownOverlaySettings, this.overlaySettings);\n }\n get inputGroupElement() {\n return this.inputGroup?.element.nativeElement;\n }\n get dateValue() {\n return this._dateValue;\n }\n get pickerFormatViews() {\n return Object.assign({}, this._defFormatViews, this.formatViews);\n }\n get pickerCalendarFormat() {\n return Object.assign({}, this._calendarFormat, this.calendarFormat);\n }\n constructor(element, _localeId, _overlayService, _injector, _renderer, platform, cdr, _displayDensityOptions, _inputGroupType) {\n super(element, _localeId, _displayDensityOptions, _inputGroupType);\n this._overlayService = _overlayService;\n this._injector = _injector;\n this._renderer = _renderer;\n this.platform = platform;\n this.cdr = cdr;\n /**\n * Gets/Sets the number of month views displayed.\n *\n * @remarks\n * Default value is `1`.\n *\n * @example\n * ```html\n * \n * ```\n * @example\n * ```typescript\n * let monthViewsDisplayed = this.datePicker.displayMonthsCount;\n * ```\n */\n this.displayMonthsCount = 1;\n /**\n * Gets/Sets the orientation of the `IgxDatePickerComponent` header.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.headerOrientation = PickerHeaderOrientation.Horizontal;\n /**\n * Specify if the currently spun date segment should loop over.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.spinLoop = true;\n /**\n * Gets/Sets the value of `id` attribute.\n *\n * @remarks If not provided it will be automatically generated.\n * @example\n * ```html\n * \n * ```\n */\n this.id = `igx-date-picker-${NEXT_ID$e++}`;\n /** @hidden @internal */\n this.readOnly = false;\n /**\n * Emitted when the picker's value changes.\n *\n * @remarks\n * Used for `two-way` bindings.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.valueChange = new EventEmitter();\n /**\n * Emitted when the user types/spins invalid date in the date-picker editor.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.validationFailed = new EventEmitter();\n /** @hidden @internal */\n this.displayValue = {\n transform: date => this.formatter(date)\n };\n this._resourceStrings = getCurrentResourceStrings(DatePickerResourceStringsEN);\n this._ngControl = null;\n this._specialDates = null;\n this._disabledDates = null;\n this._overlaySubFilter = [filter(x => x.id === this._overlayId), takeUntil(this._destroy$)];\n this._dropDownOverlaySettings = {\n target: this.inputGroupElement,\n closeOnOutsideClick: true,\n modal: false,\n closeOnEscape: true,\n scrollStrategy: new AbsoluteScrollStrategy(),\n positionStrategy: new AutoPositionStrategy({\n openAnimation: fadeIn,\n closeAnimation: fadeOut\n })\n };\n this._dialogOverlaySettings = {\n closeOnOutsideClick: true,\n modal: true,\n closeOnEscape: true\n };\n this._calendarFormat = {\n day: 'numeric',\n month: 'short',\n weekday: 'short',\n year: 'numeric'\n };\n this._defFormatViews = {\n day: false,\n month: true,\n year: false\n };\n this._onChangeCallback = noop;\n this._onTouchedCallback = noop;\n this._onValidatorChange = noop;\n this.onStatusChanged = () => {\n this.disabled = this._ngControl.disabled;\n this.updateValidity();\n this.inputGroup.isRequired = this.required;\n };\n this.locale = this.locale || this._localeId;\n }\n /** @hidden @internal */\n get required() {\n if (this._ngControl && this._ngControl.control && this._ngControl.control.validator) {\n // Run the validation with empty object to check if required is enabled.\n const error = this._ngControl.control.validator({});\n return error && error.required;\n }\n return false;\n }\n /** @hidden @internal */\n get pickerResourceStrings() {\n return Object.assign({}, this._resourceStrings, this.resourceStrings);\n }\n /** @hidden @internal */\n onKeyDown(event) {\n switch (event.key) {\n case this.platform.KEYMAP.ARROW_UP:\n if (event.altKey) {\n this.close();\n }\n break;\n case this.platform.KEYMAP.ARROW_DOWN:\n if (event.altKey) {\n this.open();\n }\n break;\n case this.platform.KEYMAP.SPACE:\n event.preventDefault();\n this.open();\n break;\n }\n }\n /**\n * Opens the picker's dropdown or dialog.\n *\n * @example\n * ```html\n * \n *\n * \n * ```\n */\n open(settings) {\n if (!this.collapsed || this.disabled) {\n return;\n }\n const overlaySettings = Object.assign({}, this.isDropdown ? this.dropDownOverlaySettings : this.dialogOverlaySettings, settings);\n if (this.isDropdown && this.inputGroupElement) {\n overlaySettings.target = this.inputGroupElement;\n }\n if (this.outlet) {\n overlaySettings.outlet = this.outlet;\n }\n this._overlayId = this._overlayService.attach(IgxCalendarContainerComponent, this.viewContainerRef, overlaySettings);\n this._overlayService.show(this._overlayId);\n }\n /**\n * Toggles the picker's dropdown or dialog\n *\n * @example\n * ```html\n * \n *\n * \n * ```\n */\n toggle(settings) {\n if (this.collapsed) {\n this.open(settings);\n } else {\n this.close();\n }\n }\n /**\n * Closes the picker's dropdown or dialog.\n *\n * @example\n * ```html\n * \n *\n * \n * ```\n */\n close() {\n if (!this.collapsed) {\n this._overlayService.hide(this._overlayId);\n }\n }\n /**\n * Selects a date.\n *\n * @remarks Updates the value in the input field.\n *\n * @example\n * ```typescript\n * this.datePicker.select(date);\n * ```\n * @param date passed date that has to be set to the calendar.\n */\n select(value) {\n this.value = value;\n }\n /**\n * Selects today's date and closes the picker.\n *\n * @example\n * ```html\n * \n *\n * \n * ```\n * */\n selectToday() {\n const today = new Date();\n today.setHours(0);\n today.setMinutes(0);\n today.setSeconds(0);\n today.setMilliseconds(0);\n this.select(today);\n this.close();\n }\n /**\n * Clears the input field and the picker's value.\n *\n * @example\n * ```typescript\n * this.datePicker.clear();\n * ```\n */\n clear() {\n if (!this.disabled) {\n this._calendar?.deselectDate();\n this.dateTimeEditor.clear();\n }\n }\n /**\n * Increment a specified `DatePart`.\n *\n * @param datePart The optional DatePart to increment. Defaults to Date.\n * @param delta The optional delta to increment by. Overrides `spinDelta`.\n * @example\n * ```typescript\n * this.datePicker.increment(DatePart.Date);\n * ```\n */\n increment(datePart, delta) {\n this.dateTimeEditor.increment(datePart, delta);\n }\n /**\n * Decrement a specified `DatePart`\n *\n * @param datePart The optional DatePart to decrement. Defaults to Date.\n * @param delta The optional delta to decrement by. Overrides `spinDelta`.\n * @example\n * ```typescript\n * this.datePicker.decrement(DatePart.Date);\n * ```\n */\n decrement(datePart, delta) {\n this.dateTimeEditor.decrement(datePart, delta);\n }\n //#region Control Value Accessor\n /** @hidden @internal */\n writeValue(value) {\n this._value = value;\n this.setDateValue(value);\n if (this.dateTimeEditor.value !== value) {\n this.dateTimeEditor.value = this._dateValue;\n }\n }\n /** @hidden @internal */\n registerOnChange(fn) {\n this._onChangeCallback = fn;\n }\n /** @hidden @internal */\n registerOnTouched(fn) {\n this._onTouchedCallback = fn;\n }\n /** @hidden @internal */\n setDisabledState(isDisabled) {\n this.disabled = isDisabled;\n }\n //#endregion\n //#region Validator\n /** @hidden @internal */\n registerOnValidatorChange(fn) {\n this._onValidatorChange = fn;\n }\n /** @hidden @internal */\n validate(control) {\n if (!control.value) {\n return null;\n }\n // InvalidDate handling\n if (isDate(control.value) && !DateTimeUtil.isValidDate(control.value)) {\n return {\n value: true\n };\n }\n const errors = {};\n const value = DateTimeUtil.isValidDate(control.value) ? control.value : DateTimeUtil.parseIsoDate(control.value);\n if (value && this.disabledDates && isDateInRanges(value, this.disabledDates)) {\n Object.assign(errors, {\n dateIsDisabled: true\n });\n }\n Object.assign(errors, DateTimeUtil.validateMinMax(value, this.minValue, this.maxValue, false));\n return Object.keys(errors).length > 0 ? errors : null;\n }\n //#endregion\n /** @hidden @internal */\n ngOnInit() {\n this._ngControl = this._injector.get(NgControl, null);\n this.locale = this.locale || this._localeId;\n super.ngOnInit();\n }\n /** @hidden @internal */\n ngAfterViewInit() {\n super.ngAfterViewInit();\n this.subscribeToClick();\n this.subscribeToOverlayEvents();\n this.subscribeToDateEditorEvents();\n this.subToIconsClicked(this.clearComponents, () => this.clear());\n this.clearComponents.changes.pipe(takeUntil(this._destroy$)).subscribe(() => this.subToIconsClicked(this.clearComponents, () => this.clear()));\n this._dropDownOverlaySettings.excludeFromOutsideClick = [this.inputGroup.element.nativeElement];\n fromEvent(this.inputDirective.nativeElement, 'blur').pipe(takeUntil(this._destroy$)).subscribe(() => {\n if (this.collapsed) {\n this._onTouchedCallback();\n this.updateValidity();\n }\n });\n if (this._ngControl) {\n this._statusChanges$ = this._ngControl.statusChanges.subscribe(this.onStatusChanged.bind(this));\n if (this._ngControl.control.validator) {\n this.inputGroup.isRequired = this.required;\n this.cdr.detectChanges();\n }\n }\n }\n /** @hidden @internal */\n ngAfterViewChecked() {\n if (this.labelDirective) {\n this._renderer.setAttribute(this.inputDirective.nativeElement, 'aria-labelledby', this.labelDirective.id);\n }\n }\n /** @hidden @internal */\n ngOnDestroy() {\n super.ngOnDestroy();\n if (this._statusChanges$) {\n this._statusChanges$.unsubscribe();\n }\n if (this._overlayId) {\n this._overlayService.detach(this._overlayId);\n delete this._overlayId;\n }\n }\n /** @hidden @internal */\n getEditElement() {\n return this.inputDirective.nativeElement;\n }\n subscribeToClick() {\n fromEvent(this.getEditElement(), 'click').pipe(takeUntil(this._destroy$)).subscribe(() => {\n if (!this.isDropdown) {\n this.toggle();\n }\n });\n }\n setDateValue(value) {\n if (isDate(value) && isNaN(value.getTime())) {\n this._dateValue = value;\n return;\n }\n this._dateValue = DateTimeUtil.isValidDate(value) ? value : DateTimeUtil.parseIsoDate(value);\n }\n updateValidity() {\n // B.P. 18 May 2021: IgxDatePicker does not reset its state upon resetForm #9526\n if (this._ngControl && !this.disabled && this.isTouchedOrDirty) {\n if (this.hasValidators && this.inputGroup.isFocused) {\n this.inputDirective.valid = this._ngControl.valid ? IgxInputState.VALID : IgxInputState.INVALID;\n } else {\n this.inputDirective.valid = this._ngControl.valid ? IgxInputState.INITIAL : IgxInputState.INVALID;\n }\n } else {\n this.inputDirective.valid = IgxInputState.INITIAL;\n }\n }\n get isTouchedOrDirty() {\n return this._ngControl.control.touched || this._ngControl.control.dirty;\n }\n get hasValidators() {\n return !!this._ngControl.control.validator || !!this._ngControl.control.asyncValidator;\n }\n handleSelection(date) {\n if (this.dateValue && DateTimeUtil.isValidDate(this.dateValue)) {\n date.setHours(this.dateValue.getHours());\n date.setMinutes(this.dateValue.getMinutes());\n date.setSeconds(this.dateValue.getSeconds());\n date.setMilliseconds(this.dateValue.getMilliseconds());\n }\n this.value = date;\n this._calendar.viewDate = date;\n this.close();\n }\n subscribeToDateEditorEvents() {\n this.dateTimeEditor.valueChange.pipe(takeUntil(this._destroy$)).subscribe(val => {\n this.value = val;\n });\n this.dateTimeEditor.validationFailed.pipe(takeUntil(this._destroy$)).subscribe(event => {\n this.validationFailed.emit({\n owner: this,\n prevValue: event.oldValue,\n currentValue: this.value\n });\n });\n }\n subscribeToOverlayEvents() {\n this._overlayService.opening.pipe(...this._overlaySubFilter).subscribe(e => {\n const args = {\n owner: this,\n event: e.event,\n cancel: e.cancel\n };\n this.opening.emit(args);\n e.cancel = args.cancel;\n if (args.cancel) {\n this._overlayService.detach(this._overlayId);\n return;\n }\n this._initializeCalendarContainer(e.componentRef.instance);\n this._collapsed = false;\n });\n this._overlayService.opened.pipe(...this._overlaySubFilter).subscribe(() => {\n this.opened.emit({\n owner: this\n });\n // INFO: Commented out during the calendar refactoring as I couldn't\n // determine why this is needed.\n // if (this._calendar?.daysView?.selectedDates) {\n // return;\n // }\n if (this._targetViewDate) {\n this._targetViewDate.setHours(0, 0, 0, 0);\n // INFO: We need to set the active date to the target view date so there's something to\n // navigate when the calendar is opened.\n this._calendar.activeDate = this._targetViewDate;\n }\n });\n this._overlayService.closing.pipe(...this._overlaySubFilter).subscribe(e => {\n const args = {\n owner: this,\n event: e.event,\n cancel: e.cancel\n };\n this.closing.emit(args);\n e.cancel = args.cancel;\n if (args.cancel) {\n return;\n }\n // do not focus the input if clicking outside in dropdown mode\n if (this.getEditElement() && !(args.event && this.isDropdown)) {\n this.inputDirective.focus();\n } else {\n this._onTouchedCallback();\n this.updateValidity();\n }\n });\n this._overlayService.closed.pipe(...this._overlaySubFilter).subscribe(() => {\n this.closed.emit({\n owner: this\n });\n this._overlayService.detach(this._overlayId);\n this._collapsed = true;\n this._overlayId = null;\n });\n }\n getMinMaxDates() {\n const minValue = DateTimeUtil.isValidDate(this.minValue) ? this.minValue : DateTimeUtil.parseIsoDate(this.minValue);\n const maxValue = DateTimeUtil.isValidDate(this.maxValue) ? this.maxValue : DateTimeUtil.parseIsoDate(this.maxValue);\n return {\n minValue,\n maxValue\n };\n }\n setDisabledDates() {\n this._calendar.disabledDates = this.disabledDates ? [...this.disabledDates] : [];\n const {\n minValue,\n maxValue\n } = this.getMinMaxDates();\n if (minValue) {\n this._calendar.disabledDates.push({\n type: DateRangeType.Before,\n dateRange: [minValue]\n });\n }\n if (maxValue) {\n this._calendar.disabledDates.push({\n type: DateRangeType.After,\n dateRange: [maxValue]\n });\n }\n }\n _initializeCalendarContainer(componentInstance) {\n this._calendar = componentInstance.calendar;\n this._calendar.hasHeader = !this.isDropdown;\n this._calendar.formatOptions = this.pickerCalendarFormat;\n this._calendar.formatViews = this.pickerFormatViews;\n this._calendar.locale = this.locale;\n this._calendar.weekStart = this.weekStart;\n this._calendar.specialDates = this.specialDates;\n this._calendar.headerTemplate = this.headerTemplate;\n this._calendar.subheaderTemplate = this.subheaderTemplate;\n this._calendar.headerOrientation = this.headerOrientation;\n this._calendar.hideOutsideDays = this.hideOutsideDays;\n this._calendar.monthsViewNumber = this.displayMonthsCount;\n this._calendar.showWeekNumbers = this.showWeekNumbers;\n this._calendar.selected.pipe(takeUntil(this._destroy$)).subscribe(ev => this.handleSelection(ev));\n this.setDisabledDates();\n if (DateTimeUtil.isValidDate(this.dateValue)) {\n // calendar will throw if the picker's value is InvalidDate #9208\n this._calendar.value = this.dateValue;\n }\n this.setCalendarViewDate();\n componentInstance.mode = this.mode;\n // componentInstance.headerOrientation = this.headerOrientation;\n componentInstance.closeButtonLabel = this.cancelButtonLabel;\n componentInstance.todayButtonLabel = this.todayButtonLabel;\n componentInstance.pickerActions = this.pickerActions;\n componentInstance.calendarClose.pipe(takeUntil(this._destroy$)).subscribe(() => this.close());\n componentInstance.todaySelection.pipe(takeUntil(this._destroy$)).subscribe(() => this.selectToday());\n }\n setCalendarViewDate() {\n const {\n minValue,\n maxValue\n } = this.getMinMaxDates();\n const dateValue = DateTimeUtil.isValidDate(this.dateValue) ? this.dateValue : new Date();\n if (minValue && DateTimeUtil.lessThanMinValue(dateValue, minValue)) {\n this._calendar.viewDate = this._targetViewDate = minValue;\n return;\n }\n if (maxValue && DateTimeUtil.greaterThanMaxValue(dateValue, maxValue)) {\n this._calendar.viewDate = this._targetViewDate = maxValue;\n return;\n }\n this._calendar.viewDate = this._targetViewDate = dateValue;\n }\n static {\n this.ɵfac = function IgxDatePickerComponent_Factory(t) {\n return new (t || IgxDatePickerComponent)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(LOCALE_ID), i0.ɵɵdirectiveInject(IgxOverlayService), i0.ɵɵdirectiveInject(i0.Injector), i0.ɵɵdirectiveInject(i0.Renderer2), i0.ɵɵdirectiveInject(PlatformUtil), i0.ɵɵdirectiveInject(i0.ChangeDetectorRef), i0.ɵɵdirectiveInject(DisplayDensityToken, 8), i0.ɵɵdirectiveInject(IGX_INPUT_GROUP_TYPE, 8));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxDatePickerComponent,\n selectors: [[\"igx-date-picker\"]],\n contentQueries: function IgxDatePickerComponent_ContentQueries(rf, ctx, dirIndex) {\n if (rf & 1) {\n i0.ɵɵcontentQuery(dirIndex, IgxLabelDirective, 5);\n i0.ɵɵcontentQuery(dirIndex, IgxCalendarHeaderTemplateDirective, 5);\n i0.ɵɵcontentQuery(dirIndex, IgxCalendarSubheaderTemplateDirective, 5);\n i0.ɵɵcontentQuery(dirIndex, IgxPickerActionsDirective, 5);\n i0.ɵɵcontentQuery(dirIndex, IgxPickerClearComponent, 4);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.label = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.headerTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.subheaderTemplate = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.pickerActions = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.clearComponents = _t);\n }\n },\n viewQuery: function IgxDatePickerComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(IgxDateTimeEditorDirective, 7);\n i0.ɵɵviewQuery(IgxInputGroupComponent, 5, ViewContainerRef);\n i0.ɵɵviewQuery(IgxLabelDirective, 5);\n i0.ɵɵviewQuery(IgxInputDirective, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.dateTimeEditor = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.viewContainerRef = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.labelDirective = _t.first);\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.inputDirective = _t.first);\n }\n },\n hostVars: 1,\n hostBindings: function IgxDatePickerComponent_HostBindings(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵlistener(\"keydown\", function IgxDatePickerComponent_keydown_HostBindingHandler($event) {\n return ctx.onKeyDown($event);\n });\n }\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id);\n }\n },\n inputs: {\n hideOutsideDays: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"hideOutsideDays\", \"hideOutsideDays\", booleanAttribute],\n displayMonthsCount: \"displayMonthsCount\",\n showWeekNumbers: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"showWeekNumbers\", \"showWeekNumbers\", booleanAttribute],\n formatter: \"formatter\",\n headerOrientation: \"headerOrientation\",\n todayButtonLabel: \"todayButtonLabel\",\n cancelButtonLabel: \"cancelButtonLabel\",\n spinLoop: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"spinLoop\", \"spinLoop\", booleanAttribute],\n spinDelta: \"spinDelta\",\n outlet: \"outlet\",\n id: \"id\",\n formatViews: \"formatViews\",\n disabledDates: \"disabledDates\",\n specialDates: \"specialDates\",\n calendarFormat: \"calendarFormat\",\n value: \"value\",\n minValue: \"minValue\",\n maxValue: \"maxValue\",\n resourceStrings: \"resourceStrings\",\n readOnly: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"readOnly\", \"readOnly\", booleanAttribute]\n },\n outputs: {\n valueChange: \"valueChange\",\n validationFailed: \"validationFailed\"\n },\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: NG_VALUE_ACCESSOR,\n useExisting: IgxDatePickerComponent,\n multi: true\n }, {\n provide: NG_VALIDATORS,\n useExisting: IgxDatePickerComponent,\n multi: true\n }]), i0.ɵɵInputTransformsFeature, i0.ɵɵInheritDefinitionFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c71,\n decls: 12,\n vars: 18,\n consts: [[3, \"displayDensity\", \"type\"], [3, \"click\", 4, \"ngIf\"], [\"igxInput\", \"\", \"aria-haspopup\", \"dialog\", \"aria-autocomplete\", \"none\", \"role\", \"combobox\", 1, \"igx-date-picker__input-date\", 3, \"displayValuePipe\", \"igxDateTimeEditor\", \"displayFormat\", \"minValue\", \"maxValue\", \"spinDelta\", \"spinLoop\", \"disabled\", \"placeholder\", \"readonly\", \"igxTextSelection\", \"locale\"], [\"ngProjectAs\", \"[igxLabel]\", 5, [\"\", \"igxLabel\", \"\"]], [\"ngProjectAs\", \"igx-prefix\", 5, [\"igx-prefix\"]], [\"ngProjectAs\", \"igx-suffix\", 5, [\"igx-suffix\"]], [\"ngProjectAs\", \"igx-hint\", 5, [\"igx-hint\"]], [3, \"click\"], [3, \"title\"]],\n template: function IgxDatePickerComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵprojectionDef(_c70);\n i0.ɵɵelementStart(0, \"igx-input-group\", 0);\n i0.ɵɵtemplate(1, IgxDatePickerComponent_igx_prefix_1_Template, 3, 1, \"igx-prefix\", 1);\n i0.ɵɵelement(2, \"input\", 2);\n i0.ɵɵtemplate(3, IgxDatePickerComponent_igx_suffix_3_Template, 3, 0, \"igx-suffix\", 1);\n i0.ɵɵelementContainerStart(4, 3);\n i0.ɵɵprojection(5);\n i0.ɵɵelementContainerEnd();\n i0.ɵɵelementContainerStart(6, 4);\n i0.ɵɵprojection(7, 1);\n i0.ɵɵelementContainerEnd();\n i0.ɵɵelementContainerStart(8, 5);\n i0.ɵɵprojection(9, 2);\n i0.ɵɵelementContainerEnd();\n i0.ɵɵelementContainerStart(10, 6);\n i0.ɵɵprojection(11, 3);\n i0.ɵɵelementContainerEnd();\n i0.ɵɵelementEnd();\n }\n if (rf & 2) {\n i0.ɵɵproperty(\"displayDensity\", ctx.displayDensity)(\"type\", ctx.type);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", !ctx.toggleComponents.length);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"displayValuePipe\", ctx.formatter ? ctx.displayValue : null)(\"igxDateTimeEditor\", ctx.inputFormat)(\"displayFormat\", ctx.displayFormat)(\"minValue\", ctx.minValue)(\"maxValue\", ctx.maxValue)(\"spinDelta\", ctx.spinDelta)(\"spinLoop\", ctx.spinLoop)(\"disabled\", ctx.disabled)(\"placeholder\", ctx.placeholder)(\"readonly\", !ctx.isDropdown || ctx.readOnly)(\"igxTextSelection\", ctx.isDropdown && !ctx.readOnly)(\"locale\", ctx.locale);\n i0.ɵɵattribute(\"aria-expanded\", !ctx.collapsed)(\"aria-labelledby\", ctx.label == null ? null : ctx.label.id);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", !ctx.clearComponents.length && ctx.value);\n }\n },\n dependencies: [NgIf, IgxInputGroupComponent, IgxPrefixDirective, IgxIconComponent, IgxInputDirective, IgxDateTimeEditorDirective, IgxTextSelectionDirective, IgxSuffixDirective],\n styles: [\"[_nghost-%COMP%]{display:block}\"]\n });\n }\n }\n return IgxDatePickerComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* NOTE: Date picker directives collection for ease-of-use import in standalone components scenario */\nconst IGX_DATE_PICKER_DIRECTIVES = [IgxDatePickerComponent, IgxPickerToggleComponent, IgxPickerClearComponent, IgxPickerActionsDirective, IgxLabelDirective, IgxPrefixDirective, IgxSuffixDirective, IgxHintDirective];\nlet DIALOG_ID = 0;\n/**\n * **Ignite UI for Angular Dialog Window** -\n * [Documentation](https://www.infragistics.com/products/ignite-ui-angular/angular/components/dialog.html)\n *\n * The Ignite UI Dialog Window presents a dialog window to the user which can simply display messages or display\n * more complicated visuals such as a user sign-in form. It also provides a right and left button\n * which can be used for custom actions.\n *\n * Example:\n * ```html\n * \n * \n *
\n * \n * \n * \n * \n *
\n *
\n * \n * \n * \n * \n *
\n * \n * ```\n */\nlet IgxDialogComponent = /*#__PURE__*/(() => {\n class IgxDialogComponent {\n static {\n this.NEXT_ID = 1;\n }\n static {\n this.DIALOG_CLASS = 'igx-dialog';\n }\n /**\n * Controls whether the dialog should be shown as modal. Defaults to `true`\n * ```html\n * \n * ```\n */\n get isModal() {\n return this._isModal;\n }\n set isModal(val) {\n this._overlayDefaultSettings.modal = val;\n this._isModal = val;\n }\n /**\n * Controls whether the dialog should close when `Esc` key is pressed. Defaults to `true`\n * ```html\n * \n * ```\n */\n get closeOnEscape() {\n return this._closeOnEscape;\n }\n set closeOnEscape(val) {\n this._overlayDefaultSettings.closeOnEscape = val;\n this._closeOnEscape = val;\n }\n /**\n * Gets/Sets whether the dialog should close on click outside the component. By default it's false.\n * ```html\n * \n * \n * ```\n */\n get closeOnOutsideSelect() {\n return this._closeOnOutsideSelect;\n }\n set closeOnOutsideSelect(val) {\n this._overlayDefaultSettings.closeOnOutsideClick = val;\n this._closeOnOutsideSelect = val;\n }\n /**\n * Get the position and animation settings used by the dialog.\n * ```typescript\n * @ViewChild('alert', { static: true }) public alert: IgxDialogComponent;\n * let currentPosition: PositionSettings = this.alert.positionSettings\n * ```\n */\n get positionSettings() {\n return this._positionSettings;\n }\n /**\n * Set the position and animation settings used by the dialog.\n * ```typescript\n * import { slideInLeft, slideOutRight } from 'igniteui-angular';\n * ...\n * @ViewChild('alert', { static: true }) public alert: IgxDialogComponent;\n * public newPositionSettings: PositionSettings = {\n * openAnimation: useAnimation(slideInTop, { params: { duration: '2000ms' } }),\n * closeAnimation: useAnimation(slideOutBottom, { params: { duration: '2000ms'} }),\n * horizontalDirection: HorizontalAlignment.Left,\n * verticalDirection: VerticalAlignment.Middle,\n * horizontalStartPoint: HorizontalAlignment.Left,\n * verticalStartPoint: VerticalAlignment.Middle,\n * minSize: { height: 100, width: 100 }\n * };\n * this.alert.positionSettings = this.newPositionSettings;\n * ```\n */\n set positionSettings(settings) {\n this._positionSettings = settings;\n this._overlayDefaultSettings.positionStrategy = new GlobalPositionStrategy(this._positionSettings);\n }\n /**\n * @hidden\n */\n get element() {\n return this.elementRef.nativeElement;\n }\n /**\n * Returns the value of state. Possible state values are \"open\" or \"close\".\n * ```typescript\n * @ViewChild(\"MyDialog\")\n * public dialog: IgxDialogComponent;\n * ngAfterViewInit() {\n * let dialogState = this.dialog.state;\n * }\n * ```\n */\n get state() {\n return this.isOpen ? 'open' : 'close';\n }\n /**\n * State of the dialog.\n *\n * ```typescript\n * // get\n * let dialogIsOpen = this.dialog.isOpen;\n * ```\n *\n * ```html\n * \n * \n * ```\n *\n * Two-way data binding.\n * ```html\n * \n * \n * ```\n */\n get isOpen() {\n return this.toggleRef ? !this.toggleRef.collapsed : false;\n }\n set isOpen(value) {\n if (value !== this.isOpen) {\n this.isOpenChange.emit(value);\n if (value) {\n requestAnimationFrame(() => {\n this.open();\n });\n } else {\n this.close();\n }\n }\n }\n get isCollapsed() {\n return this.toggleRef.collapsed;\n }\n /**\n * Returns the value of the role of the dialog. The valid values are `dialog`, `alertdialog`, `alert`.\n * ```typescript\n * @ViewChild(\"MyDialog\")\n * public dialog: IgxDialogComponent;\n * ngAfterViewInit() {\n * let dialogRole = this.dialog.role;\n * }\n * ```\n */\n get role() {\n if (this.leftButtonLabel !== '' && this.rightButtonLabel !== '') {\n return 'dialog';\n } else if (this.leftButtonLabel !== '' || this.rightButtonLabel !== '') {\n return 'alertdialog';\n } else {\n return 'alert';\n }\n }\n /**\n * Returns the value of the title id.\n * ```typescript\n * @ViewChild(\"MyDialog\")\n * public dialog: IgxDialogComponent;\n * ngAfterViewInit() {\n * let dialogTitle = this.dialog.titleId;\n * }\n * ```\n */\n get titleId() {\n return this._titleId;\n }\n constructor(elementRef, navService) {\n this.elementRef = elementRef;\n this.navService = navService;\n /**\n * Sets the value of the `id` attribute. If not provided it will be automatically generated.\n * ```html\n * \n * \n * ```\n */\n this.id = `igx-dialog-${DIALOG_ID++}`;\n /**\n * Set whether the Tab key focus is trapped within the dialog when opened.\n * Defaults to `true`.\n * ```html\n * \n * ```\n */\n this.focusTrap = true;\n /**\n * Sets the title of the dialog.\n * ```html\n * \n * ```\n */\n this.title = '';\n /**\n * Sets the message text of the dialog.\n * ```html\n * \n * ```\n */\n this.message = '';\n /**\n * Sets the `label` of the left button of the dialog.\n * ```html\n * \n * ```\n */\n this.leftButtonLabel = '';\n /**\n * Sets the left button `type`. The types are `flat`, `contained` and `fab`.\n * The `flat` type button is a rectangle and doesn't have a shadow. \n * The `contained` type button is also a rectangle but has a shadow. \n * The `fab` type button is a circle with a shadow. \n * The default value is `flat`.\n * ```html\n * \n * ```\n */\n this.leftButtonType = 'flat';\n /**\n * Sets the left button `ripple`. The `ripple` animates a click/tap to a component as a series of fading waves.\n * The property accepts all valid CSS color property values.\n * ```html\n * \n * ```\n */\n this.leftButtonRipple = '';\n /**\n * Sets the `label` of the right button of the dialog.\n * ```html\n * \n * ```\n */\n this.rightButtonLabel = '';\n /**\n * Sets the right button `type`. The types are `flat`, `contained` and `fab`.\n * The `flat` type button is a rectangle and doesn't have a shadow. \n * The `contained` type button is also a rectangle but has a shadow. \n * The `fab` type button is a circle with a shadow. \n * The default value is `flat`.\n * ```html\n * \n * ```\n */\n this.rightButtonType = 'flat';\n /**\n * Sets the right button `ripple`.\n * ```html\n * \n * ```\n */\n this.rightButtonRipple = '';\n /**\n * The default `tabindex` attribute for the component\n *\n * @hidden\n */\n this.tabindex = -1;\n /**\n * An event that is emitted before the dialog is opened.\n * ```html\n * \n * \n * ```\n */\n this.opening = new EventEmitter();\n /**\n * An event that is emitted after the dialog is opened.\n * ```html\n * \n * \n * ```\n */\n this.opened = new EventEmitter();\n /**\n * An event that is emitted before the dialog is closed.\n * ```html\n * \n * \n * ```\n */\n this.closing = new EventEmitter();\n /**\n * An event that is emitted after the dialog is closed.\n * ```html\n * \n * \n * ```\n */\n this.closed = new EventEmitter();\n /**\n * An event that is emitted when the left button is clicked.\n * ```html\n * \n * \n * ```\n */\n this.leftButtonSelect = new EventEmitter();\n /**\n * An event that is emitted when the right button is clicked.\n * ```html\n * \n * \n * ```\n */\n this.rightButtonSelect = new EventEmitter();\n /**\n * @hidden\n */\n this.isOpenChange = new EventEmitter();\n this.destroy$ = new Subject();\n this._positionSettings = {\n openAnimation: fadeIn,\n closeAnimation: fadeOut\n };\n this._closeOnOutsideSelect = false;\n this._closeOnEscape = true;\n this._isModal = true;\n this._titleId = IgxDialogComponent.NEXT_ID++ + '_title';\n this._overlayDefaultSettings = {\n positionStrategy: new GlobalPositionStrategy(this._positionSettings),\n scrollStrategy: new NoOpScrollStrategy(),\n modal: this.isModal,\n closeOnEscape: this._closeOnEscape,\n closeOnOutsideClick: this.closeOnOutsideSelect\n };\n }\n ngAfterContentInit() {\n this.toggleRef.closing.pipe(takeUntil(this.destroy$)).subscribe(eventArgs => this.emitCloseFromDialog(eventArgs));\n this.toggleRef.closed.pipe(takeUntil(this.destroy$)).subscribe(eventArgs => this.emitClosedFromDialog(eventArgs));\n this.toggleRef.opened.pipe(takeUntil(this.destroy$)).subscribe(eventArgs => this.emitOpenedFromDialog(eventArgs));\n }\n /**\n * A method that opens the dialog.\n *\n * @memberOf {@link IgxDialogComponent}\n * ```html\n * \n * \n * ```\n */\n open(overlaySettings = this._overlayDefaultSettings) {\n const eventArgs = {\n dialog: this,\n event: null,\n cancel: false\n };\n this.opening.emit(eventArgs);\n if (!eventArgs.cancel) {\n this.toggleRef.open(overlaySettings);\n this.isOpenChange.emit(true);\n if (!this.leftButtonLabel && !this.rightButtonLabel) {\n this.toggleRef.element.focus();\n }\n }\n }\n /**\n * A method that that closes the dialog.\n *\n * @memberOf {@link IgxDialogComponent}\n * ```html\n * \n * \n * ```\n */\n close() {\n // `closing` will emit from `toggleRef.closing` subscription\n this.toggleRef?.close();\n }\n /**\n * A method that opens/closes the dialog.\n *\n * @memberOf {@link IgxDialogComponent}\n * ```html\n * \n * \n * ```\n */\n toggle() {\n if (this.isOpen) {\n this.close();\n } else {\n this.open();\n }\n }\n /**\n * @hidden\n */\n onDialogSelected(event) {\n event.stopPropagation();\n if (this.isOpen && this.closeOnOutsideSelect && event.target.classList.contains(IgxDialogComponent.DIALOG_CLASS)) {\n this.close();\n }\n }\n /**\n * @hidden\n */\n onInternalLeftButtonSelect(event) {\n this.leftButtonSelect.emit({\n dialog: this,\n event\n });\n }\n /**\n * @hidden\n */\n onInternalRightButtonSelect(event) {\n this.rightButtonSelect.emit({\n dialog: this,\n event\n });\n }\n /**\n * @hidden\n */\n ngOnInit() {\n if (this.navService && this.id) {\n this.navService.add(this.id, this);\n }\n }\n /**\n * @hidden\n */\n ngOnDestroy() {\n if (this.navService && this.id) {\n this.navService.remove(this.id);\n }\n }\n emitCloseFromDialog(eventArgs) {\n const dialogEventsArgs = {\n dialog: this,\n event: eventArgs.event,\n cancel: eventArgs.cancel\n };\n this.closing.emit(dialogEventsArgs);\n eventArgs.cancel = dialogEventsArgs.cancel;\n if (!eventArgs.cancel) {\n this.isOpenChange.emit(false);\n }\n }\n emitClosedFromDialog(eventArgs) {\n this.closed.emit({\n dialog: this,\n event: eventArgs.event\n });\n }\n emitOpenedFromDialog(eventArgs) {\n this.opened.emit({\n dialog: this,\n event: eventArgs.event\n });\n }\n static {\n this.ɵfac = function IgxDialogComponent_Factory(t) {\n return new (t || IgxDialogComponent)(i0.ɵɵdirectiveInject(i0.ElementRef), i0.ɵɵdirectiveInject(IgxNavigationService, 8));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxDialogComponent,\n selectors: [[\"igx-dialog\"]],\n viewQuery: function IgxDialogComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(IgxToggleDirective, 7);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.toggleRef = _t.first);\n }\n },\n hostVars: 4,\n hostBindings: function IgxDialogComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id)(\"tabindex\", ctx.tabindex);\n i0.ɵɵclassProp(\"igx-dialog--hidden\", ctx.isCollapsed);\n }\n },\n inputs: {\n id: \"id\",\n isModal: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"isModal\", \"isModal\", booleanAttribute],\n closeOnEscape: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"closeOnEscape\", \"closeOnEscape\", booleanAttribute],\n focusTrap: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"focusTrap\", \"focusTrap\", booleanAttribute],\n title: \"title\",\n message: \"message\",\n leftButtonLabel: \"leftButtonLabel\",\n leftButtonType: \"leftButtonType\",\n leftButtonRipple: \"leftButtonRipple\",\n rightButtonLabel: \"rightButtonLabel\",\n rightButtonType: \"rightButtonType\",\n rightButtonRipple: \"rightButtonRipple\",\n closeOnOutsideSelect: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"closeOnOutsideSelect\", \"closeOnOutsideSelect\", booleanAttribute],\n positionSettings: \"positionSettings\",\n isOpen: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"isOpen\", \"isOpen\", booleanAttribute],\n role: \"role\",\n titleId: \"titleId\"\n },\n outputs: {\n opening: \"opening\",\n opened: \"opened\",\n closing: \"closing\",\n closed: \"closed\",\n leftButtonSelect: \"leftButtonSelect\",\n rightButtonSelect: \"rightButtonSelect\",\n isOpenChange: \"isOpenChange\"\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵStandaloneFeature],\n ngContentSelectors: _c73,\n decls: 11,\n vars: 9,\n consts: [[\"dialog\", \"\"], [\"dialogWindow\", \"\"], [\"tabindex\", \"0\", \"igxToggle\", \"\", 1, \"igx-dialog\", 3, \"click\", \"igxFocusTrap\"], [1, \"igx-dialog__window\"], [\"class\", \"igx-dialog__window-title\", 4, \"ngIf\"], [4, \"ngIf\"], [1, \"igx-dialog__window-content\"], [\"class\", \"igx-dialog__window-message\", 4, \"ngIf\"], [\"class\", \"igx-dialog__window-actions\", 4, \"ngIf\"], [1, \"igx-dialog__window-title\"], [1, \"igx-dialog__window-message\"], [1, \"igx-dialog__window-actions\"], [\"type\", \"button\", 3, \"igxFocus\", \"igxButton\", \"igxRipple\", \"click\", 4, \"ngIf\"], [\"type\", \"button\", 3, \"click\", \"igxFocus\", \"igxButton\", \"igxRipple\"]],\n template: function IgxDialogComponent_Template(rf, ctx) {\n if (rf & 1) {\n const _r1 = i0.ɵɵgetCurrentView();\n i0.ɵɵprojectionDef(_c72);\n i0.ɵɵelementStart(0, \"div\", 2, 0);\n i0.ɵɵlistener(\"click\", function IgxDialogComponent_Template_div_click_0_listener($event) {\n i0.ɵɵrestoreView(_r1);\n return i0.ɵɵresetView(ctx.onDialogSelected($event));\n });\n i0.ɵɵelementStart(2, \"div\", 3, 1);\n i0.ɵɵtemplate(4, IgxDialogComponent_div_4_Template, 2, 2, \"div\", 4)(5, IgxDialogComponent_ng_content_5_Template, 1, 0, \"ng-content\", 5);\n i0.ɵɵelementStart(6, \"div\", 6);\n i0.ɵɵtemplate(7, IgxDialogComponent_span_7_Template, 2, 1, \"span\", 7)(8, IgxDialogComponent_ng_content_8_Template, 1, 0, \"ng-content\", 5);\n i0.ɵɵelementEnd();\n i0.ɵɵtemplate(9, IgxDialogComponent_div_9_Template, 3, 2, \"div\", 8)(10, IgxDialogComponent_ng_content_10_Template, 1, 0, \"ng-content\", 5);\n i0.ɵɵelementEnd()();\n }\n if (rf & 2) {\n i0.ɵɵproperty(\"igxFocusTrap\", ctx.focusTrap);\n i0.ɵɵadvance(2);\n i0.ɵɵattribute(\"role\", ctx.role)(\"aria-labelledby\", ctx.titleId);\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"ngIf\", ctx.title);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", !ctx.title);\n i0.ɵɵadvance(2);\n i0.ɵɵproperty(\"ngIf\", ctx.message);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", !ctx.message);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.leftButtonLabel || ctx.rightButtonLabel);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", !ctx.leftButtonLabel && !ctx.rightButtonLabel);\n }\n },\n dependencies: [IgxToggleDirective, IgxFocusTrapDirective, NgIf, IgxFocusDirective, IgxButtonDirective, IgxRippleDirective],\n encapsulation: 2\n });\n }\n }\n return IgxDialogComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * @hidden\n */\nlet IgxDialogTitleDirective = /*#__PURE__*/(() => {\n class IgxDialogTitleDirective {\n constructor() {\n this.defaultStyle = true;\n }\n static {\n this.ɵfac = function IgxDialogTitleDirective_Factory(t) {\n return new (t || IgxDialogTitleDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxDialogTitleDirective,\n selectors: [[\"igx-dialog-title\"], [\"\", \"igxDialogTitle\", \"\"]],\n hostVars: 2,\n hostBindings: function IgxDialogTitleDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-dialog__window-title\", ctx.defaultStyle);\n }\n },\n standalone: true\n });\n }\n }\n return IgxDialogTitleDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * @hidden\n */\nlet IgxDialogActionsDirective = /*#__PURE__*/(() => {\n class IgxDialogActionsDirective {\n constructor() {\n this.defaultClass = true;\n }\n static {\n this.ɵfac = function IgxDialogActionsDirective_Factory(t) {\n return new (t || IgxDialogActionsDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxDialogActionsDirective,\n selectors: [[\"igx-dialog-actions\"], [\"\", \"igxDialogActions\", \"\"]],\n hostVars: 2,\n hostBindings: function IgxDialogActionsDirective_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵclassProp(\"igx-dialog__window-actions\", ctx.defaultClass);\n }\n },\n standalone: true\n });\n }\n }\n return IgxDialogActionsDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/* NOTE: Dialog directives collection for ease-of-use import in standalone components scenario */\nconst IGX_DIALOG_DIRECTIVES = [IgxDialogComponent, IgxDialogTitleDirective, IgxDialogActionsDirective];\n\n/* NOTE: Drop down directives collection for ease-of-use import in standalone components scenario */\nconst IGX_DROP_DOWN_DIRECTIVES = [IgxDropDownComponent, IgxDropDownItemComponent, IgxDropDownGroupComponent, IgxDropDownItemNavigationDirective];\nlet NEXT_ID$d = 0;\n/**\n * Providing reference to `IgxColumnActionsComponent`:\n * ```typescript\n * @ViewChild('columnActions', { read: IgxColumnActionsComponent })\n * public columnActions: IgxColumnActionsComponent;\n */\nlet IgxColumnActionsComponent = /*#__PURE__*/(() => {\n class IgxColumnActionsComponent {\n constructor(differs) {\n this.differs = differs;\n /**\n * Gets/sets the indentation of columns in the column list based on their hierarchy level.\n *\n * @example\n * ```\n * \n * ```\n */\n this.indentation = 30;\n /**\n * Sets/Gets the css class selector.\n * By default the value of the `class` attribute is `\"igx-column-actions\"`.\n * ```typescript\n * let cssCLass = this.columnHidingUI.cssClass;\n * ```\n * ```typescript\n * this.columnHidingUI.cssClass = 'column-chooser';\n * ```\n */\n this.cssClass = 'igx-column-actions';\n /**\n * Gets/sets the max height of the columns area.\n *\n * @remarks\n * The default max height is 100%.\n * @example\n * ```html\n * \n * ```\n */\n this.columnsAreaMaxHeight = '100%';\n /**\n * Shows/hides the columns filtering input from the UI.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.hideFilter = false;\n /**\n * Gets/sets the title of the column actions component.\n *\n * @example\n * ```html\n * \n * ```\n */\n this.title = '';\n /**\n * An event that is emitted after a column's checked state is changed.\n * Provides references to the `column` and the `checked` properties as event arguments.\n * ```html\n * \n * ```\n */\n this.columnToggled = new EventEmitter();\n /**\n * @hidden @internal\n */\n this.actionableColumns = [];\n /**\n * @hidden @internal\n */\n this.filteredColumns = [];\n /**\n * @hidden @internal\n */\n this.pipeTrigger = 0;\n this._differ = null;\n /**\n * @hidden @internal\n */\n this._filterColumnsPrompt = '';\n /**\n * @hidden @internal\n */\n this._filterCriteria = '';\n /**\n * @hidden @internal\n */\n this._columnDisplayOrder = ColumnDisplayOrder.DisplayOrder;\n /**\n * @hidden @internal\n */\n this._id = `igx-column-actions-${NEXT_ID$d++}`;\n /**\n * @hidden @internal\n */\n this.trackChanges = (index, col) => col.field + '_' + this.actionsDirective.actionEnabledColumnsFilter(col, index, []);\n this._differ = this.differs.find([]).create(this.trackChanges);\n }\n /**\n * Gets the prompt that is displayed in the filter input.\n *\n * @example\n * ```typescript\n * let filterColumnsPrompt = this.columnActions.filterColumnsPrompt;\n * ```\n */\n get filterColumnsPrompt() {\n return this._filterColumnsPrompt;\n }\n /**\n * Sets the prompt that is displayed in the filter input.\n *\n * @example\n * ```html\n * \n * ```\n */\n set filterColumnsPrompt(value) {\n this._filterColumnsPrompt = value || '';\n }\n /**\n * Gets the value which filters the columns list.\n *\n * @example\n * ```typescript\n * let filterCriteria = this.columnActions.filterCriteria;\n * ```\n */\n get filterCriteria() {\n return this._filterCriteria;\n }\n /**\n * Sets the value which filters the columns list.\n *\n * @example\n * ```html\n * \n * ```\n */\n set filterCriteria(value) {\n value = value || '';\n if (value !== this._filterCriteria) {\n this._filterCriteria = value;\n this.pipeTrigger++;\n }\n }\n /**\n * Gets the display order of the columns.\n *\n * @example\n * ```typescript\n * let columnDisplayOrder = this.columnActions.columnDisplayOrder;\n * ```\n */\n get columnDisplayOrder() {\n return this._columnDisplayOrder;\n }\n /**\n * Sets the display order of the columns.\n *\n * @example\n * ```typescript\n * this.columnActions.columnDisplayOrder = ColumnDisplayOrder.Alphabetical;\n * ```\n */\n set columnDisplayOrder(value) {\n if (value && value !== this._columnDisplayOrder) {\n this._columnDisplayOrder = value;\n this.pipeTrigger++;\n }\n }\n /**\n * Gets the text of the button that unchecks all columns.\n *\n * @remarks\n * If unset it is obtained from the IgxColumnActionsBased derived directive applied.\n * @example\n * ```typescript\n * let uncheckAllText = this.columnActions.uncheckAllText;\n * ```\n */\n get uncheckAllText() {\n return this._uncheckAllText || this.actionsDirective.uncheckAllLabel;\n }\n /**\n * Sets the text of the button that unchecks all columns.\n *\n * @example\n * ```html\n * \n * ```\n */\n set uncheckAllText(value) {\n this._uncheckAllText = value;\n }\n /**\n * Gets the text of the button that checks all columns.\n *\n * @remarks\n * If unset it is obtained from the IgxColumnActionsBased derived directive applied.\n * @example\n * ```typescript\n * let uncheckAllText = this.columnActions.uncheckAllText;\n * ```\n */\n get checkAllText() {\n return this._checkAllText || this.actionsDirective.checkAllLabel;\n }\n /**\n * Sets the text of the button that checks all columns.\n *\n * @remarks\n * If unset it is obtained from the IgxColumnActionsBased derived directive applied.\n * @example\n * ```html\n * \n * ```\n */\n set checkAllText(value) {\n this._checkAllText = value;\n }\n /**\n * @hidden @internal\n */\n get checkAllDisabled() {\n return this.actionsDirective.allUnchecked;\n }\n /**\n * @hidden @internal\n */\n get uncheckAllDisabled() {\n return this.actionsDirective.allChecked;\n }\n /**\n * Gets/Sets the value of the `id` attribute.\n *\n * @remarks\n * If not provided it will be automatically generated.\n * @example\n * ```html\n * \n * ```\n */\n get id() {\n return this._id;\n }\n set id(value) {\n this._id = value;\n }\n /**\n * @hidden @internal\n */\n get titleID() {\n return this.id + '_title';\n }\n /**\n * @hidden @internal\n */\n ngDoCheck() {\n if (this._differ) {\n const changes = this._differ.diff(this.grid?.columnList);\n if (changes) {\n this.pipeTrigger++;\n }\n }\n }\n /**\n * Unchecks all columns and performs the appropriate action.\n *\n * @example\n * ```typescript\n * this.columnActions.uncheckAllColumns();\n * ```\n */\n uncheckAllColumns() {\n this.actionsDirective.uncheckAll();\n }\n /**\n * Checks all columns and performs the appropriate action.\n *\n * @example\n * ```typescript\n * this.columnActions.checkAllColumns();\n * ```\n */\n checkAllColumns() {\n this.actionsDirective.checkAll();\n }\n /**\n * @hidden @internal\n */\n toggleColumn(column) {\n this.actionsDirective.toggleColumn(column);\n this.columnToggled.emit({\n column: column,\n checked: this.actionsDirective.columnChecked(column)\n });\n }\n static {\n this.ɵfac = function IgxColumnActionsComponent_Factory(t) {\n return new (t || IgxColumnActionsComponent)(i0.ɵɵdirectiveInject(i0.IterableDiffers));\n };\n }\n static {\n this.ɵcmp = /* @__PURE__ */i0.ɵɵdefineComponent({\n type: IgxColumnActionsComponent,\n selectors: [[\"igx-column-actions\"]],\n viewQuery: function IgxColumnActionsComponent_Query(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵviewQuery(IgxCheckboxComponent, 5);\n }\n if (rf & 2) {\n let _t;\n i0.ɵɵqueryRefresh(_t = i0.ɵɵloadQuery()) && (ctx.columnItems = _t);\n }\n },\n hostVars: 3,\n hostBindings: function IgxColumnActionsComponent_HostBindings(rf, ctx) {\n if (rf & 2) {\n i0.ɵɵattribute(\"id\", ctx.id);\n i0.ɵɵclassMap(ctx.cssClass);\n }\n },\n inputs: {\n grid: \"grid\",\n indentation: \"indentation\",\n columnsAreaMaxHeight: \"columnsAreaMaxHeight\",\n hideFilter: [i0.ɵɵInputFlags.HasDecoratorInputTransform, \"hideFilter\", \"hideFilter\", booleanAttribute],\n title: \"title\",\n filterColumnsPrompt: \"filterColumnsPrompt\",\n filterCriteria: \"filterCriteria\",\n columnDisplayOrder: \"columnDisplayOrder\",\n uncheckAllText: \"uncheckAllText\",\n checkAllText: \"checkAllText\",\n id: \"id\"\n },\n outputs: {\n columnToggled: \"columnToggled\"\n },\n standalone: true,\n features: [i0.ɵɵInputTransformsFeature, i0.ɵɵStandaloneFeature],\n decls: 13,\n vars: 21,\n consts: [[1, \"igx-column-actions__header\"], [\"class\", \"igx-column-actions__header-title\", 4, \"ngIf\"], [\"class\", \"igx-column-actions__header-input\", 4, \"ngIf\"], [\"tabindex\", \"0\", 1, \"igx-column-actions__columns\"], [\"class\", \"igx-column-actions__columns-item\", 3, \"readonly\", \"checked\", \"margin-left\", \"click\", 4, \"ngFor\", \"ngForOf\"], [1, \"igx-column-actions__buttons\"], [\"type\", \"button\", \"igxButton\", \"\", \"igxRipple\", \"\", 3, \"click\", \"disabled\"], [1, \"igx-column-actions__header-title\"], [1, \"igx-column-actions__header-input\"], [\"igxInput\", \"\", \"type\", \"text\", \"autocomplete\", \"off\", 3, \"ngModelChange\", \"ngModel\", \"placeholder\"], [1, \"igx-column-actions__columns-item\", 3, \"click\", \"readonly\", \"checked\"]],\n template: function IgxColumnActionsComponent_Template(rf, ctx) {\n if (rf & 1) {\n i0.ɵɵelementStart(0, \"div\", 0);\n i0.ɵɵtemplate(1, IgxColumnActionsComponent_h4_1_Template, 2, 2, \"h4\", 1)(2, IgxColumnActionsComponent_igx_input_group_2_Template, 2, 3, \"igx-input-group\", 2);\n i0.ɵɵelementEnd();\n i0.ɵɵelementStart(3, \"div\", 3);\n i0.ɵɵtemplate(4, IgxColumnActionsComponent_igx_checkbox_4_Template, 2, 5, \"igx-checkbox\", 4);\n i0.ɵɵpipe(5, \"columnActionEnabled\");\n i0.ɵɵpipe(6, \"filterActionColumns\");\n i0.ɵɵpipe(7, \"sortActionColumns\");\n i0.ɵɵelementEnd();\n i0.ɵɵelementStart(8, \"div\", 5)(9, \"button\", 6);\n i0.ɵɵlistener(\"click\", function IgxColumnActionsComponent_Template_button_click_9_listener() {\n return ctx.uncheckAllColumns();\n });\n i0.ɵɵtext(10);\n i0.ɵɵelementEnd();\n i0.ɵɵelementStart(11, \"button\", 6);\n i0.ɵɵlistener(\"click\", function IgxColumnActionsComponent_Template_button_click_11_listener() {\n return ctx.checkAllColumns();\n });\n i0.ɵɵtext(12);\n i0.ɵɵelementEnd()();\n }\n if (rf & 2) {\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", ctx.title);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngIf\", !ctx.hideFilter);\n i0.ɵɵadvance();\n i0.ɵɵstyleProp(\"max-height\", ctx.columnsAreaMaxHeight);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"ngForOf\", i0.ɵɵpipeBind3(7, 17, i0.ɵɵpipeBind3(6, 13, i0.ɵɵpipeBind3(5, 9, ctx.grid == null ? null : ctx.grid._columns, ctx.actionsDirective.actionEnabledColumnsFilter, ctx.pipeTrigger), ctx.filterCriteria, ctx.pipeTrigger), ctx.columnDisplayOrder, ctx.pipeTrigger));\n i0.ɵɵadvance(5);\n i0.ɵɵproperty(\"disabled\", ctx.uncheckAllDisabled);\n i0.ɵɵadvance();\n i0.ɵɵtextInterpolate(ctx.uncheckAllText);\n i0.ɵɵadvance();\n i0.ɵɵproperty(\"disabled\", ctx.checkAllDisabled);\n i0.ɵɵadvance();\n i0.ɵɵtextInterpolate(ctx.checkAllText);\n }\n },\n dependencies: () => [NgIf, IgxInputGroupComponent, FormsModule, i4.DefaultValueAccessor, i4.NgControlStatus, i4.NgModel, IgxInputDirective, NgFor, IgxCheckboxComponent, IgxButtonDirective, IgxRippleDirective, IgxColumnActionEnabledPipe, IgxFilterActionColumnsPipe, IgxSortActionColumnsPipe],\n encapsulation: 2\n });\n }\n }\n return IgxColumnActionsComponent;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxColumnActionEnabledPipe = /*#__PURE__*/(() => {\n class IgxColumnActionEnabledPipe {\n constructor(columnActions) {\n this.columnActions = columnActions;\n }\n transform(collection, actionFilter, _pipeTrigger) {\n if (!collection) {\n return collection;\n }\n let copy = collection.slice(0);\n if (copy.length && copy[0].grid.hasColumnLayouts) {\n copy = copy.filter(c => c.columnLayout);\n }\n if (actionFilter) {\n copy = copy.filter(actionFilter);\n }\n // Preserve the actionable collection for use in the component\n this.columnActions.actionableColumns = copy;\n return copy;\n }\n static {\n this.ɵfac = function IgxColumnActionEnabledPipe_Factory(t) {\n return new (t || IgxColumnActionEnabledPipe)(i0.ɵɵdirectiveInject(IgxColumnActionsComponent, 16));\n };\n }\n static {\n this.ɵpipe = /* @__PURE__ */i0.ɵɵdefinePipe({\n name: \"columnActionEnabled\",\n type: IgxColumnActionEnabledPipe,\n pure: true,\n standalone: true\n });\n }\n }\n return IgxColumnActionEnabledPipe;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxFilterActionColumnsPipe = /*#__PURE__*/(() => {\n class IgxFilterActionColumnsPipe {\n constructor(columnActions) {\n this.columnActions = columnActions;\n }\n transform(collection, filterCriteria, _pipeTrigger) {\n if (!collection) {\n return collection;\n }\n let copy = collection.slice(0);\n if (filterCriteria && filterCriteria.length > 0) {\n const filterFunc = c => {\n const filterText = c.header || c.field;\n if (!filterText) {\n return false;\n }\n return filterText.toLocaleLowerCase().indexOf(filterCriteria.toLocaleLowerCase()) >= 0 || (c.children?.some(filterFunc) ?? false);\n };\n copy = collection.filter(filterFunc);\n }\n // Preserve the filtered collection for use in the component\n this.columnActions.filteredColumns = copy;\n return copy;\n }\n static {\n this.ɵfac = function IgxFilterActionColumnsPipe_Factory(t) {\n return new (t || IgxFilterActionColumnsPipe)(i0.ɵɵdirectiveInject(IgxColumnActionsComponent, 16));\n };\n }\n static {\n this.ɵpipe = /* @__PURE__ */i0.ɵɵdefinePipe({\n name: \"filterActionColumns\",\n type: IgxFilterActionColumnsPipe,\n pure: true,\n standalone: true\n });\n }\n }\n return IgxFilterActionColumnsPipe;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxSortActionColumnsPipe = /*#__PURE__*/(() => {\n class IgxSortActionColumnsPipe {\n transform(collection, displayOrder, _pipeTrigger) {\n if (displayOrder === ColumnDisplayOrder.Alphabetical) {\n return collection.sort((a, b) => (a.header || a.field).localeCompare(b.header || b.field));\n }\n return collection;\n }\n static {\n this.ɵfac = function IgxSortActionColumnsPipe_Factory(t) {\n return new (t || IgxSortActionColumnsPipe)();\n };\n }\n static {\n this.ɵpipe = /* @__PURE__ */i0.ɵɵdefinePipe({\n name: \"sortActionColumns\",\n type: IgxSortActionColumnsPipe,\n pure: true,\n standalone: true\n });\n }\n }\n return IgxSortActionColumnsPipe;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxColumnActionsBaseDirective = /*#__PURE__*/(() => {\n class IgxColumnActionsBaseDirective {\n static {\n this.ɵfac = function IgxColumnActionsBaseDirective_Factory(t) {\n return new (t || IgxColumnActionsBaseDirective)();\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxColumnActionsBaseDirective\n });\n }\n }\n return IgxColumnActionsBaseDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxColumnHidingDirective = /*#__PURE__*/(() => {\n class IgxColumnHidingDirective extends IgxColumnActionsBaseDirective {\n constructor(columnActions) {\n super();\n this.columnActions = columnActions;\n /**\n * @hidden @internal\n */\n this.actionEnabledColumnsFilter = c => !c.disableHiding;\n columnActions.actionsDirective = this;\n }\n /**\n * @hidden @internal\n */\n get checkAllLabel() {\n return this.columnActions.grid?.resourceStrings.igx_grid_hiding_check_all_label ?? 'Show All';\n }\n /**\n * @hidden @internal\n */\n get uncheckAllLabel() {\n return this.columnActions.grid?.resourceStrings.igx_grid_hiding_uncheck_all_label ?? 'Hide All';\n }\n /**\n * @hidden @internal\n */\n checkAll() {\n this.columnActions.filteredColumns.forEach(c => c.toggleVisibility(false));\n }\n /**\n * @hidden @internal\n */\n uncheckAll() {\n this.columnActions.filteredColumns.forEach(c => c.toggleVisibility(true));\n }\n /**\n * @hidden @internal\n */\n columnChecked(column) {\n return !column.hidden;\n }\n /**\n * @hidden @internal\n */\n toggleColumn(column) {\n column.toggleVisibility();\n }\n get allChecked() {\n return this.columnActions.filteredColumns.every(col => !this.columnChecked(col));\n }\n get allUnchecked() {\n return this.columnActions.filteredColumns.every(col => this.columnChecked(col));\n }\n static {\n this.ɵfac = function IgxColumnHidingDirective_Factory(t) {\n return new (t || IgxColumnHidingDirective)(i0.ɵɵdirectiveInject(IgxColumnActionsComponent));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxColumnHidingDirective,\n selectors: [[\"\", \"igxColumnHiding\", \"\"]],\n standalone: true,\n features: [i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxColumnHidingDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxColumnPinningDirective = /*#__PURE__*/(() => {\n class IgxColumnPinningDirective extends IgxColumnActionsBaseDirective {\n constructor(columnActions) {\n super();\n this.columnActions = columnActions;\n /**\n * @hidden @internal\n */\n this.actionEnabledColumnsFilter = c => !c.disablePinning && !c.level;\n columnActions.actionsDirective = this;\n }\n /**\n * @hidden @internal\n */\n get checkAllLabel() {\n return this.columnActions.grid?.resourceStrings.igx_grid_pinning_check_all_label ?? 'Pin All';\n }\n /**\n * @hidden @internal\n */\n get uncheckAllLabel() {\n return this.columnActions.grid?.resourceStrings.igx_grid_pinning_uncheck_all_label ?? 'Unpin All';\n }\n /**\n * @hidden @internal\n */\n checkAll() {\n this.columnActions.filteredColumns.forEach(c => c.pinned = true);\n }\n /**\n * @hidden @internal\n */\n uncheckAll() {\n this.columnActions.filteredColumns.forEach(c => c.pinned = false);\n }\n /**\n * @hidden @internal\n */\n columnChecked(column) {\n return column.pinned;\n }\n /**\n * @hidden @internal\n */\n toggleColumn(column) {\n column.pinned = !column.pinned;\n }\n get allUnchecked() {\n return !this.columnActions.filteredColumns.some(col => !this.columnChecked(col));\n }\n get allChecked() {\n return !this.columnActions.filteredColumns.some(col => this.columnChecked(col));\n }\n static {\n this.ɵfac = function IgxColumnPinningDirective_Factory(t) {\n return new (t || IgxColumnPinningDirective)(i0.ɵɵdirectiveInject(IgxColumnActionsComponent));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxColumnPinningDirective,\n selectors: [[\"\", \"igxColumnPinning\", \"\"]],\n standalone: true,\n features: [i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxColumnPinningDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n// import { IgxColumnActionsComponent } from './column-actions.component';\n// import { IgxColumnHidingDirective } from './column-hiding.directive';\n// import { IgxColumnPinningDirective } from './column-pinning.directive';\n/* NOTE: Grid column actions directives collection for ease-of-use import in standalone components scenario */\n// export const IGX_GRID_COLUMN_ACTIONS_DIRECTIVES = [\n// IgxColumnActionsComponent,\n// IgxColumnHidingDirective,\n// IgxColumnPinningDirective\n// ] as const;\nlet IgxColumnRequiredValidatorDirective = /*#__PURE__*/(() => {\n class IgxColumnRequiredValidatorDirective extends RequiredValidator {\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxColumnRequiredValidatorDirective_BaseFactory;\n return function IgxColumnRequiredValidatorDirective_Factory(t) {\n return (ɵIgxColumnRequiredValidatorDirective_BaseFactory || (ɵIgxColumnRequiredValidatorDirective_BaseFactory = i0.ɵɵgetInheritedFactory(IgxColumnRequiredValidatorDirective)))(t || IgxColumnRequiredValidatorDirective);\n };\n })();\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxColumnRequiredValidatorDirective,\n selectors: [[\"igx-column\", \"required\", \"\"]],\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: NG_VALIDATORS,\n useExisting: IgxColumnRequiredValidatorDirective,\n multi: true\n }]), i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxColumnRequiredValidatorDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxColumnMinValidatorDirective = /*#__PURE__*/(() => {\n class IgxColumnMinValidatorDirective extends MinValidator {\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxColumnMinValidatorDirective_BaseFactory;\n return function IgxColumnMinValidatorDirective_Factory(t) {\n return (ɵIgxColumnMinValidatorDirective_BaseFactory || (ɵIgxColumnMinValidatorDirective_BaseFactory = i0.ɵɵgetInheritedFactory(IgxColumnMinValidatorDirective)))(t || IgxColumnMinValidatorDirective);\n };\n })();\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxColumnMinValidatorDirective,\n selectors: [[\"igx-column\", \"min\", \"\"]],\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: NG_VALIDATORS,\n useExisting: IgxColumnMinValidatorDirective,\n multi: true\n }]), i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxColumnMinValidatorDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxColumnMaxValidatorDirective = /*#__PURE__*/(() => {\n class IgxColumnMaxValidatorDirective extends MaxValidator {\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxColumnMaxValidatorDirective_BaseFactory;\n return function IgxColumnMaxValidatorDirective_Factory(t) {\n return (ɵIgxColumnMaxValidatorDirective_BaseFactory || (ɵIgxColumnMaxValidatorDirective_BaseFactory = i0.ɵɵgetInheritedFactory(IgxColumnMaxValidatorDirective)))(t || IgxColumnMaxValidatorDirective);\n };\n })();\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxColumnMaxValidatorDirective,\n selectors: [[\"igx-column\", \"max\", \"\"]],\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: NG_VALIDATORS,\n useExisting: IgxColumnMaxValidatorDirective,\n multi: true\n }]), i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxColumnMaxValidatorDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxColumnEmailValidatorDirective = /*#__PURE__*/(() => {\n class IgxColumnEmailValidatorDirective extends EmailValidator {\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxColumnEmailValidatorDirective_BaseFactory;\n return function IgxColumnEmailValidatorDirective_Factory(t) {\n return (ɵIgxColumnEmailValidatorDirective_BaseFactory || (ɵIgxColumnEmailValidatorDirective_BaseFactory = i0.ɵɵgetInheritedFactory(IgxColumnEmailValidatorDirective)))(t || IgxColumnEmailValidatorDirective);\n };\n })();\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxColumnEmailValidatorDirective,\n selectors: [[\"igx-column\", \"email\", \"\"]],\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: NG_VALIDATORS,\n useExisting: IgxColumnEmailValidatorDirective,\n multi: true\n }]), i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxColumnEmailValidatorDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxColumnMinLengthValidatorDirective = /*#__PURE__*/(() => {\n class IgxColumnMinLengthValidatorDirective extends MinLengthValidator {\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxColumnMinLengthValidatorDirective_BaseFactory;\n return function IgxColumnMinLengthValidatorDirective_Factory(t) {\n return (ɵIgxColumnMinLengthValidatorDirective_BaseFactory || (ɵIgxColumnMinLengthValidatorDirective_BaseFactory = i0.ɵɵgetInheritedFactory(IgxColumnMinLengthValidatorDirective)))(t || IgxColumnMinLengthValidatorDirective);\n };\n })();\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxColumnMinLengthValidatorDirective,\n selectors: [[\"igx-column\", \"minlength\", \"\"]],\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: NG_VALIDATORS,\n useExisting: IgxColumnMinLengthValidatorDirective,\n multi: true\n }]), i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxColumnMinLengthValidatorDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxColumnMaxLengthValidatorDirective = /*#__PURE__*/(() => {\n class IgxColumnMaxLengthValidatorDirective extends MaxLengthValidator {\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxColumnMaxLengthValidatorDirective_BaseFactory;\n return function IgxColumnMaxLengthValidatorDirective_Factory(t) {\n return (ɵIgxColumnMaxLengthValidatorDirective_BaseFactory || (ɵIgxColumnMaxLengthValidatorDirective_BaseFactory = i0.ɵɵgetInheritedFactory(IgxColumnMaxLengthValidatorDirective)))(t || IgxColumnMaxLengthValidatorDirective);\n };\n })();\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxColumnMaxLengthValidatorDirective,\n selectors: [[\"igx-column\", \"maxlength\", \"\"]],\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: NG_VALIDATORS,\n useExisting: IgxColumnMaxLengthValidatorDirective,\n multi: true\n }]), i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxColumnMaxLengthValidatorDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxColumPatternValidatorDirective = /*#__PURE__*/(() => {\n class IgxColumPatternValidatorDirective extends PatternValidator {\n static {\n this.ɵfac = /* @__PURE__ */(() => {\n let ɵIgxColumPatternValidatorDirective_BaseFactory;\n return function IgxColumPatternValidatorDirective_Factory(t) {\n return (ɵIgxColumPatternValidatorDirective_BaseFactory || (ɵIgxColumPatternValidatorDirective_BaseFactory = i0.ɵɵgetInheritedFactory(IgxColumPatternValidatorDirective)))(t || IgxColumPatternValidatorDirective);\n };\n })();\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxColumPatternValidatorDirective,\n selectors: [[\"igx-column\", \"pattern\", \"\"]],\n standalone: true,\n features: [i0.ɵɵProvidersFeature([{\n provide: NG_VALIDATORS,\n useExisting: IgxColumPatternValidatorDirective,\n multi: true\n }]), i0.ɵɵInheritDefinitionFeature]\n });\n }\n }\n return IgxColumPatternValidatorDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * @hidden\n */\nfunction WatchChanges() {\n return (target, key, propDesc) => {\n const privateKey = '_' + key.toString();\n propDesc = propDesc || {\n configurable: true,\n enumerable: true\n };\n propDesc.get = propDesc.get || function () {\n return this[privateKey];\n };\n const originalSetter = propDesc.set || function (val) {\n this[privateKey] = val;\n };\n propDesc.set = function (val) {\n const init = this._init;\n const oldValue = this[key];\n if (val !== oldValue || typeof val === 'object' && val === oldValue) {\n originalSetter.call(this, val);\n if (this.ngOnChanges && !init) {\n // in case wacthed prop changes trigger ngOnChanges manually\n const changes = {\n [key]: new SimpleChange(oldValue, val, false)\n };\n this.ngOnChanges(changes);\n }\n }\n };\n return propDesc;\n };\n}\nfunction WatchColumnChanges() {\n return (target, key, propDesc) => {\n const privateKey = '_' + key.toString();\n propDesc = propDesc || {\n configurable: true,\n enumerable: true\n };\n propDesc.get = propDesc.get || function () {\n return this[privateKey];\n };\n const originalSetter = propDesc.set || function (val) {\n this[privateKey] = val;\n };\n propDesc.set = function (val) {\n const oldValue = this[key];\n originalSetter.call(this, val);\n if (val !== oldValue || typeof val === 'object' && val === oldValue) {\n if (this.columnChange) {\n this.columnChange.emit();\n }\n }\n };\n return propDesc;\n };\n}\nfunction notifyChanges(repaint = false) {\n return (_, key, propDesc) => {\n const privateKey = `__${key}`;\n propDesc = propDesc || {\n enumerable: true,\n configurable: true\n };\n const originalSetter = propDesc ? propDesc.set : null;\n propDesc.get = propDesc.get || function () {\n return this[privateKey];\n };\n propDesc.set = function (newValue) {\n if (originalSetter) {\n originalSetter.call(this, newValue);\n if (this.grid) {\n this.grid.notifyChanges(repaint && !this.grid.isPivot);\n }\n } else {\n if (newValue === this[key]) {\n return;\n }\n this[privateKey] = newValue;\n if (this.grid) {\n this.grid.notifyChanges(repaint && !this.grid.isPivot);\n }\n }\n };\n return propDesc;\n };\n}\nlet IgxFilterCellTemplateDirective = /*#__PURE__*/(() => {\n class IgxFilterCellTemplateDirective {\n constructor(template) {\n this.template = template;\n }\n static ngTemplateContextGuard(_directive, context) {\n return true;\n }\n static {\n this.ɵfac = function IgxFilterCellTemplateDirective_Factory(t) {\n return new (t || IgxFilterCellTemplateDirective)(i0.ɵɵdirectiveInject(i0.TemplateRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxFilterCellTemplateDirective,\n selectors: [[\"\", \"igxFilterCellTemplate\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxFilterCellTemplateDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxCellTemplateDirective = /*#__PURE__*/(() => {\n class IgxCellTemplateDirective {\n constructor(template) {\n this.template = template;\n }\n static ngTemplateContextGuard(_directive, context) {\n return true;\n }\n static {\n this.ɵfac = function IgxCellTemplateDirective_Factory(t) {\n return new (t || IgxCellTemplateDirective)(i0.ɵɵdirectiveInject(i0.TemplateRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCellTemplateDirective,\n selectors: [[\"\", \"igxCell\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxCellTemplateDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxCellValidationErrorDirective = /*#__PURE__*/(() => {\n class IgxCellValidationErrorDirective {\n constructor(template) {\n this.template = template;\n }\n static ngTemplateContextGuard(_directive, context) {\n return true;\n }\n static {\n this.ɵfac = function IgxCellValidationErrorDirective_Factory(t) {\n return new (t || IgxCellValidationErrorDirective)(i0.ɵɵdirectiveInject(i0.TemplateRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCellValidationErrorDirective,\n selectors: [[\"\", \"igxCellValidationError\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxCellValidationErrorDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxCellHeaderTemplateDirective = /*#__PURE__*/(() => {\n class IgxCellHeaderTemplateDirective {\n constructor(template) {\n this.template = template;\n }\n static ngTemplateContextGuard(_directive, context) {\n return true;\n }\n static {\n this.ɵfac = function IgxCellHeaderTemplateDirective_Factory(t) {\n return new (t || IgxCellHeaderTemplateDirective)(i0.ɵɵdirectiveInject(i0.TemplateRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCellHeaderTemplateDirective,\n selectors: [[\"\", \"igxHeader\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxCellHeaderTemplateDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n/**\n * @hidden\n */\nlet IgxCellFooterTemplateDirective = /*#__PURE__*/(() => {\n class IgxCellFooterTemplateDirective {\n constructor(template) {\n this.template = template;\n }\n static {\n this.ɵfac = function IgxCellFooterTemplateDirective_Factory(t) {\n return new (t || IgxCellFooterTemplateDirective)(i0.ɵɵdirectiveInject(i0.TemplateRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCellFooterTemplateDirective,\n selectors: [[\"\", \"igxFooter\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxCellFooterTemplateDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxCellEditorTemplateDirective = /*#__PURE__*/(() => {\n class IgxCellEditorTemplateDirective {\n constructor(template) {\n this.template = template;\n }\n static ngTemplateContextGuard(_directive, context) {\n return true;\n }\n static {\n this.ɵfac = function IgxCellEditorTemplateDirective_Factory(t) {\n return new (t || IgxCellEditorTemplateDirective)(i0.ɵɵdirectiveInject(i0.TemplateRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCellEditorTemplateDirective,\n selectors: [[\"\", \"igxCellEditor\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxCellEditorTemplateDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxCollapsibleIndicatorTemplateDirective = /*#__PURE__*/(() => {\n class IgxCollapsibleIndicatorTemplateDirective {\n constructor(template) {\n this.template = template;\n }\n static ngTemplateContextGuard(_directive, context) {\n return true;\n }\n static {\n this.ɵfac = function IgxCollapsibleIndicatorTemplateDirective_Factory(t) {\n return new (t || IgxCollapsibleIndicatorTemplateDirective)(i0.ɵɵdirectiveInject(i0.TemplateRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxCollapsibleIndicatorTemplateDirective,\n selectors: [[\"\", \"igxCollapsibleIndicator\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxCollapsibleIndicatorTemplateDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nlet IgxSummaryTemplateDirective = /*#__PURE__*/(() => {\n class IgxSummaryTemplateDirective {\n constructor(template) {\n this.template = template;\n }\n static ngTemplateContextGuard(_directive, context) {\n return true;\n }\n static {\n this.ɵfac = function IgxSummaryTemplateDirective_Factory(t) {\n return new (t || IgxSummaryTemplateDirective)(i0.ɵɵdirectiveInject(i0.TemplateRef));\n };\n }\n static {\n this.ɵdir = /* @__PURE__ */i0.ɵɵdefineDirective({\n type: IgxSummaryTemplateDirective,\n selectors: [[\"\", \"igxSummary\", \"\"]],\n standalone: true\n });\n }\n }\n return IgxSummaryTemplateDirective;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\n\n/**\n * This enumeration is used to configure whether the drop position is set before or after\n * the target.\n */\nvar DropPosition = /*#__PURE__*/function (DropPosition) {\n DropPosition[DropPosition[\"BeforeDropTarget\"] = 0] = \"BeforeDropTarget\";\n DropPosition[DropPosition[\"AfterDropTarget\"] = 1] = \"AfterDropTarget\";\n return DropPosition;\n}(DropPosition || {});\n/**\n * @hidden\n * @internal\n */\nlet IgxColumnMovingService = /*#__PURE__*/(() => {\n class IgxColumnMovingService {\n static {\n this.ɵfac = function IgxColumnMovingService_Factory(t) {\n return new (t || IgxColumnMovingService)();\n };\n }\n static {\n this.ɵprov = /* @__PURE__ */i0.ɵɵdefineInjectable({\n token: IgxColumnMovingService,\n factory: IgxColumnMovingService.ɵfac,\n providedIn: 'root'\n });\n }\n }\n return IgxColumnMovingService;\n})();\n(() => {\n (typeof ngDevMode === \"undefined\" || ngDevMode) && void 0;\n})();\nclass IgxGridCell {\n /**\n * @hidden\n */\n constructor(grid, row, column) {\n this.grid = grid;\n if (typeof row === 'number') {\n this._rowIndex = row;\n } else {\n this._row = row;\n this._rowIndex = row.index;\n }\n this._column = column;\n }\n /**\n * Returns the row containing the cell.\n * ```typescript\n * let row = this.cell.row;\n * ```\n *\n * @memberof IgxGridCell\n */\n get row() {\n return this._row || this.grid.createRow(this._rowIndex);\n }\n /**\n * Returns the column of the cell.\n * ```typescript\n * let column = this.cell.column;\n * ```\n *\n * @memberof IgxGridCell\n */\n get column() {\n return this._column;\n }\n /**\n * Gets the current edit value while a cell is in edit mode.\n * ```typescript\n * let editValue = this.cell.editValue;\n * ```\n *\n * @memberof IgxGridCell\n */\n get editValue() {\n if (this.isCellInEditMode()) {\n return this.grid.crudService.cell.editValue;\n }\n }\n /**\n * Sets the current edit value while a cell is in edit mode.\n * Only for cell editing mode.\n * ```typescript\n * this.cell.editValue = value;\n * ```\n *\n * @memberof IgxGridCell\n */\n set editValue(value) {\n if (this.isCellInEditMode()) {\n this.grid.crudService.cell.editValue = value;\n }\n }\n /**\n * Gets the validation status and errors, if any.\n * ```typescript\n * let validation = this.cell.validation;\n * let errors = validation.errors;\n * ```\n */\n get validation() {\n const form = this.grid.validation.getFormControl(this.row.key, this.column.field);\n return {\n status: form?.status || 'VALID',\n errors: form?.errors\n };\n }\n /**\n * Returns whether the cell is editable..\n *\n * @memberof IgxGridCell\n */\n get editable() {\n return this.column.editable && !this.row?.disabled;\n }\n /**\n * Gets the width of the cell.\n * ```typescript\n * let cellWidth = this.cell.width;\n * ```\n *\n * @memberof IgxGridCell\n */\n get width() {\n return this.column.width;\n }\n /**\n * Returns the cell value.\n *\n * @memberof IgxGridCell\n */\n get value() {\n // will return undefined for a column layout, because getCellByColumnVisibleIndex may return the column layout at that index.\n // getCellByColumnVisibleIndex is deprecated and will be removed in future version\n return this.column.field ? this.column.hasNestedPath ? resolveNestedPath(this.row?.data, this.column.field) : this.row?.data[this.column.field] : undefined;\n }\n /**\n * Updates the cell value.\n *\n * @memberof IgxGridCell\n */\n set value(val) {\n this.update(val);\n }\n /**\n * Gets the cell id.\n * A cell in the grid is identified by:\n * - rowID - primaryKey data value or the whole rowData, if the primaryKey is omitted.\n * - rowIndex - the row index\n * - columnID - column index\n *\n * ```typescript\n * let cellID = cell.id;\n * ```\n *\n * @memberof IgxGridCell\n */\n get id() {\n const primaryKey = this.grid.primaryKey;\n const rowID = primaryKey ? this.row?.data[primaryKey] : this.row?.data;\n return {\n rowID,\n columnID: this.column.index,\n rowIndex: this._rowIndex || this.row?.index\n };\n }\n /**\n * Returns if the row is currently in edit mode.\n *\n * @memberof IgxGridCell\n */\n get editMode() {\n return this.isCellInEditMode();\n }\n /**\n * Starts/ends edit mode for the cell.\n *\n * ```typescript\n * cell.editMode = !cell.editMode;\n * ```\n *\n * @memberof IgxGridCell\n */\n set editMode(value) {\n const isInEditMode = this.isCellInEditMode();\n if (!this.row || this.row?.deleted || isInEditMode === value) {\n return;\n }\n if (this.editable && value) {\n this.endEdit();\n // TODO possibly define similar method in gridAPI, which does not emit event\n this.grid.crudService.enterEditMode(this);\n } else {\n this.grid.crudService.endCellEdit();\n }\n this.grid.notifyChanges();\n }\n /**\n * Gets whether the cell is selected.\n * ```typescript\n * let isSelected = this.cell.selected;\n * ```\n *\n *\n * @memberof IgxGridCell\n */\n get selected() {\n return this.grid.selectionService.selected(this.selectionNode);\n }\n /**\n * Selects/deselects the cell.\n * ```typescript\n * this.cell.selected = true.\n * ```\n *\n *\n * @memberof IgxGridCell\n */\n set selected(val) {\n const node = this.selectionNode;\n if (val) {\n this.grid.selectionService.add(node);\n } else {\n this.grid.selectionService.remove(node);\n }\n this.grid.notifyChanges();\n }\n get active() {\n const node = this.grid.navigation.activeNode;\n return node ? node.row === this.row?.index && node.column === this.column.visibleIndex : false;\n }\n /**\n * Updates the cell value.\n *\n * ```typescript\n * cell.update(newValue);\n * ```\n *\n * @memberof IgxGridCell\n */\n update(val) {\n if (this.row?.deleted) {\n return;\n }\n this.endEdit();\n const cell = this.isCellInEditMode() ? this.grid.crudService.cell : this.grid.crudService.createCell(this);\n cell.editValue = val;\n this.grid.gridAPI.update_cell(cell);\n this.grid.crudService.endCellEdit();\n this.grid.notifyChanges();\n }\n get selectionNode() {\n return {\n row: this.row?.index,\n column: this.column.columnLayoutChild ? this.column.parent.visibleIndex : this.column.visibleIndex,\n layout: this.column.columnLayoutChild ? {\n rowStart: this.column.rowStart,\n colStart: this.column.colStart,\n rowEnd: this.column.rowEnd,\n colEnd: this.column.colEnd,\n columnVisibleIndex: this.column.visibleIndex\n } : null\n };\n }\n isCellInEditMode() {\n if (this.grid.crudService.cellInEditMode) {\n const cellInEditMode = this.grid.crudService.cell.id;\n const isCurrentCell = cellInEditMode.rowID === this.id.rowID && cellInEditMode.rowIndex === this.id.rowIndex && cellInEditMode.columnID === this.id.columnID;\n return isCurrentCell;\n }\n return false;\n }\n endEdit() {\n if (!this.isCellInEditMode()) {\n this.grid.gridAPI.update_cell(this.grid.crudService.cell);\n this.grid.crudService.endCellEdit();\n }\n }\n}\nconst DEFAULT_DATE_FORMAT = 'mediumDate';\nconst DEFAULT_TIME_FORMAT$1 = 'mediumTime';\nconst DEFAULT_DATE_TIME_FORMAT$1 = 'medium';\nconst DEFAULT_DIGITS_INFO = '1.0-3';\n/**\n * **Ignite UI for Angular Column** -\n * [Documentation](https://www.infragistics.com/products/ignite-ui-angular/angular/components/grid/grid#columns-configuration)\n *\n * The Ignite UI Column is used within an `igx-grid` element to define what data the column will show. Features such as sorting,\n * filtering & editing are enabled at the column level. You can also provide a template containing custom content inside\n * the column using `ng-template` which will be used for all cells within the column.\n */\nlet IgxColumnComponent = /*#__PURE__*/(() => {\n class IgxColumnComponent {\n /**\n * Sets/gets the `field` value.\n * ```typescript\n * let columnField = this.column.field;\n * ```\n * ```html\n * \n * ```\n *\n * @memberof IgxColumnComponent\n */\n set field(value) {\n this._field = value;\n this.hasNestedPath = value?.includes('.');\n }\n get field() {\n return this._field;\n }\n /**\n * Returns if the column is selectable.\n * ```typescript\n * let columnSelectable = this.column.selectable;\n * ```\n *\n * @memberof IgxColumnComponent\n */\n get selectable() {\n return this._selectable;\n }\n /**\n * Sets if the column is selectable.\n * Default value is `true`.\n * ```html\n * \n * ```\n *\n * @memberof IgxColumnComponent\n */\n set selectable(value) {\n this._selectable = value;\n }\n /**\n * Sets/gets whether the column is groupable.\n * Default value is `false`.\n * ```typescript\n * let isGroupable = this.column.groupable;\n * ```\n * ```html\n * \n * ```\n *\n * @memberof IgxColumnComponent\n */\n get groupable() {\n return this._groupable;\n }\n set groupable(value) {\n this._groupable = value;\n this.grid.groupablePipeTrigger++;\n }\n /**\n * Gets whether the column is editable.\n * Default value is `false`.\n * ```typescript\n * let isEditable = this.column.editable;\n * ```\n *\n * @memberof IgxColumnComponent\n */\n get editable() {\n // Updating the primary key when grid has transactions (incl. row edit)\n // should not be allowed, as that can corrupt transaction state.\n const rowEditable = this.grid && this.grid.rowEditable;\n const hasTransactions = this.grid && this.grid.transactions.enabled;\n if (this.isPrimaryColumn && (rowEditable || hasTransactions)) {\n return false;\n }\n if (this._editable !== undefined) {\n return this._editable;\n } else {\n return rowEditable;\n }\n }\n /**\n * Sets whether the column is editable.\n * ```typescript\n * this.column.editable = true;\n * ```\n * ```html\n * \n * ```\n *\n * @memberof IgxColumnComponent\n */\n set editable(editable) {\n this._editable = editable;\n }\n /**\n * Gets a value indicating whether the summary for the column is enabled.\n * ```typescript\n * let hasSummary = this.column.hasSummary;\n * ```\n *\n * @memberof IgxColumnComponent\n */\n get hasSummary() {\n return this._hasSummary;\n }\n /**\n * Sets a value indicating whether the summary for the column is enabled.\n * Default value is `false`.\n * ```html\n * \n * ```\n *\n * @memberof IgxColumnComponent\n */\n set hasSummary(value) {\n this._hasSummary = value;\n if (this.grid) {\n this.grid.summaryService.resetSummaryHeight();\n }\n }\n /**\n * Gets whether the column is hidden.\n * ```typescript\n * let isHidden = this.column.hidden;\n * ```\n *\n * @memberof IgxColumnComponent\n */\n get hidden() {\n return this._hidden;\n }\n /**\n * Sets the column hidden property.\n * Default value is `false`.\n * ```html\n * \n * ```\n *\n * Two-way data binding.\n * ```html\n * \n * ```\n *\n * @memberof IgxColumnComponent\n */\n set hidden(value) {\n if (this._hidden !== value) {\n this._hidden = value;\n this.hiddenChange.emit(this._hidden);\n if (this.columnLayoutChild && this.parent.hidden !== value) {\n this.parent.hidden = value;\n return;\n }\n if (this.grid) {\n this.grid.crudService.endEdit(false);\n this.grid.summaryService.resetSummaryHeight();\n this.grid.filteringService.refreshExpressions();\n this.grid.filteringService.hideFilteringRowOnColumnVisibilityChange(this);\n this.grid.notifyChanges();\n }\n }\n }\n /**\n * Returns if the column is selected.\n * ```typescript\n * let isSelected = this.column.selected;\n * ```\n *\n * @memberof IgxColumnComponent\n */\n get selected() {\n return this.grid.selectionService.isColumnSelected(this.field);\n }\n /**\n * Select/deselect a column.\n * Default value is `false`.\n * ```typescript\n * this.column.selected = true;\n * ```\n *\n * @memberof IgxColumnComponent\n */\n set selected(value) {\n if (this.selectable && value !== this.selected) {\n if (value) {\n this.grid.selectionService.selectColumnsWithNoEvent([this.field]);\n } else {\n this.grid.selectionService.deselectColumnsWithNoEvent([this.field]);\n }\n this.grid.notifyChanges();\n }\n }\n /**\n * Gets the `width` of the column.\n * ```typescript\n * let columnWidth = this.column.width;\n * ```\n *\n * @memberof IgxColumnComponent\n */\n get width() {\n const isAutoWidth = this._width && typeof this._width === 'string' && this._width === 'auto';\n if (isAutoWidth) {\n if (!this.autoSize) {\n return 'fit-content';\n } else {\n return this.autoSize + 'px';\n }\n }\n return this.widthSetByUser ? this._width : this.defaultWidth;\n }\n /**\n * Sets the `width` of the column.\n * ```html\n * \n * ```\n *\n * Two-way data binding.\n * ```html\n * \n * ```\n *\n * @memberof IgxColumnComponent\n */\n set width(value) {\n if (value) {\n this._calcWidth = null;\n this.calcPixelWidth = NaN;\n this.widthSetByUser = true;\n // width could be passed as number from the template\n // host bindings are not px affixed so we need to ensure we affix simple number strings\n if (typeof value === 'number' || value.match(/^[0-9]*$/)) {\n value = value + 'px';\n }\n if (value === 'fit-content') {\n value = 'auto';\n }\n this._width = value;\n if (this.grid) {\n this.cacheCalcWidth();\n }\n this.widthChange.emit(this._width);\n }\n }\n /**\n * @hidden\n */\n get calcWidth() {\n return this.getCalcWidth();\n }\n /**\n * @hidden\n */\n get maxWidthPx() {\n const gridAvailableSize = this.grid.calcWidth;\n const isPercentageWidth = this.maxWidth && typeof this.maxWidth === 'string' && this.maxWidth.indexOf('%') !== -1;\n return isPercentageWidth ? parseFloat(this.maxWidth) / 100 * gridAvailableSize : parseFloat(this.maxWidth);\n }\n /**\n * @hidden\n */\n get maxWidthPercent() {\n const gridAvailableSize = this.grid.calcWidth;\n const isPercentageWidth = this.maxWidth && typeof this.maxWidth === 'string' && this.maxWidth.indexOf('%') !== -1;\n return isPercentageWidth ? parseFloat(this.maxWidth) : parseFloat(this.maxWidth) / gridAvailableSize * 100;\n }\n /**\n * @hidden\n */\n get minWidthPx() {\n const gridAvailableSize = this.grid.calcWidth;\n const isPercentageWidth = this.minWidth && typeof this.minWidth === 'string' && this.minWidth.indexOf('%') !== -1;\n return isPercentageWidth ? parseFloat(this.minWidth) / 100 * gridAvailableSize : parseFloat(this.minWidth);\n }\n /**\n * @hidden\n */\n get minWidthPercent() {\n const gridAvailableSize = this.grid.calcWidth;\n const isPercentageWidth = this.minWidth && typeof this.minWidth === 'string' && this.minWidth.indexOf('%') !== -1;\n return isPercentageWidth ? parseFloat(this.minWidth) : parseFloat(this.minWidth) / gridAvailableSize * 100;\n }\n /**\n * Sets/gets the minimum `width` of the column.\n * Default value is `88`;\n * ```typescript\n * let columnMinWidth = this.column.minWidth;\n * ```\n * ```html\n * \n * ```\n *\n * @memberof IgxColumnComponent\n */\n set minWidth(value) {\n const minVal = parseFloat(value);\n if (Number.isNaN(minVal)) {\n return;\n }\n this._defaultMinWidth = value;\n }\n get minWidth() {\n return !this._defaultMinWidth ? this.defaultMinWidth : this._defaultMinWidth;\n }\n /** @hidden @internal **/\n get resolvedWidth() {\n if (this.columnLayoutChild) {\n return '';\n }\n const isAutoWidth = this._width && typeof this._width === 'string' && this._width === 'auto';\n return isAutoWidth ? this.width : this.calcPixelWidth + 'px';\n }\n /**\n * Gets the column index.\n * ```typescript\n * let columnIndex = this.column.index;\n * ```\n *\n * @memberof IgxColumnComponent\n */\n get index() {\n return this.grid._columns.indexOf(this);\n }\n /**\n * Gets whether the column is `pinned`.\n * ```typescript\n * let isPinned = this.column.pinned;\n * ```\n *\n * @memberof IgxColumnComponent\n */\n get pinned() {\n return this._pinned;\n }\n /**\n * Sets whether the column is pinned.\n * Default value is `false`.\n * ```html\n * \n * ```\n *\n * Two-way data binding.\n * ```html\n * \n * ```\n *\n * @memberof IgxColumnComponent\n */\n set pinned(value) {\n if (this._pinned !== value) {\n const isAutoWidth = this.width && typeof this.width === 'string' && this.width === 'fit-content';\n if (this.grid && this.width && (isAutoWidth || !isNaN(parseInt(this.width, 10)))) {\n if (value) {\n this.pin();\n } else {\n this.unpin();\n }\n return;\n }\n /* No grid/width available at initialization. `initPinning` in the grid\n will re-init the group (if present)\n */\n this._pinned = value;\n this.pinnedChange.emit(this._pinned);\n }\n }\n /**\n * Gets the column `summaries`.\n * ```typescript\n * let columnSummaries = this.column.summaries;\n * ```\n *\n * @memberof IgxColumnComponent\n */\n get summaries() {\n return this._summaries;\n }\n /**\n * Sets the column `summaries`.\n * ```typescript\n * this.column.summaries = IgxNumberSummaryOperand;\n * ```\n *\n * @memberof IgxColumnComponent\n */\n set summaries(classRef) {\n if (isConstructor(classRef)) {\n this._summaries = new classRef();\n }\n if (this.grid) {\n this.grid.summaryService.removeSummariesCachePerColumn(this.field);\n this.grid.summaryPipeTrigger++;\n this.grid.summaryService.resetSummaryHeight();\n }\n }\n /**\n * Gets the column `filters`.\n * ```typescript\n * let columnFilters = this.column.filters'\n * ```\n *\n * @memberof IgxColumnComponent\n */\n get filters() {\n return this._filters;\n }\n /**\n * Sets the column `filters`.\n * ```typescript\n * this.column.filters = IgxBooleanFilteringOperand.instance().\n * ```\n *\n * @memberof IgxColumnComponent\n */\n set filters(instance) {\n this._filters = instance;\n }\n /**\n * Gets the column `sortStrategy`.\n * ```typescript\n * let sortStrategy = this.column.sortStrategy\n * ```\n *\n * @memberof IgxColumnComponent\n */\n get sortStrategy() {\n return this._sortStrategy;\n }\n /**\n * Sets the column `sortStrategy`.\n * ```typescript\n * this.column.sortStrategy = new CustomSortingStrategy().\n * class CustomSortingStrategy extends SortingStrategy {...}\n * ```\n *\n * @memberof IgxColumnComponent\n */\n set sortStrategy(classRef) {\n this._sortStrategy = classRef;\n }\n /**\n * Gets the function that compares values for grouping.\n * ```typescript\n * let groupingComparer = this.column.groupingComparer'\n * ```\n *\n * @memberof IgxColumnComponent\n */\n get groupingComparer() {\n return this._groupingComparer;\n }\n /**\n * Sets a custom function to compare values for grouping.\n * Subsequent values in the sorted data that the function returns 0 for are grouped.\n * ```typescript\n * this.column.groupingComparer = (a: any, b: any, currRec?: any, groupRec?: any) => { return a === b ? 0 : -1; }\n * ```\n *\n * @memberof IgxColumnComponent\n */\n set groupingComparer(funcRef) {\n this._groupingComparer = funcRef;\n }\n /**\n * Gets the default minimum `width` of the column.\n * ```typescript\n * let defaultMinWidth = this.column.defaultMinWidth;\n * ```\n *\n * @memberof IgxColumnComponent\n */\n get defaultMinWidth() {\n if (!this.grid) {\n return '80';\n }\n switch (this.grid.displayDensity) {\n case DisplayDensity.cosy:\n return '64';\n case DisplayDensity.compact:\n return '56';\n default:\n return '80';\n }\n }\n /**\n * Returns a reference to the `summaryTemplate`.\n * ```typescript\n * let summaryTemplate = this.column.summaryTemplate;\n * ```\n *\n * @memberof IgxColumnComponent\n */\n get summaryTemplate() {\n return this._summaryTemplate;\n }\n /**\n * Sets the summary template.\n * ```html\n * \n *