\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t${columnHeader}\n\t\t\t\t\t\t\t\t\t
\n\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t\t\t${reportTotalCellObj.Value}\n\t\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t\t
\n\t\t\t\t\t\t\t
`;\n\t\t\t\t}\n\t\t\t};\n\t\t}\n\n\t\treturn {\n\t\t\theight: REPORT_SETTINGS.tableDimensions.summaryRowHeight,\n\t\t\tposition: 'bottom',\n\t\t\tcolumnContent: summaryContentObj\n\t\t};\n\t}\n\n\tfunction getDataGridFrozenColumn (name) {\n\t\treturn REPORT_INSTANCE.frozenColumnStorage[name];\n\t}\n\n\tfunction onColumnHeaderFreezeToggle (columnInfoObj) {\n\n\t\tconst storedFrozenColumnObj = getDataGridFrozenColumn(columnInfoObj.name);\n\n\t\t// Unfreeze frozen column\n\t\tif (storedFrozenColumnObj) {\n\n\t\t\t// Decrease count of frozen columns\n\t\t\tREPORT_INSTANCE.frozenColumnCount--;\n\n\t\t\t// Update the data grid for each entry\n\t\t\tfor (let reportEntryDataGridInstance of REPORT_INSTANCE.dataGridCollection) {\n\n\t\t\t\t// Move column back to original position\n\t\t\t\treportEntryDataGridInstance.moveColumn(columnInfoObj.name, storedFrozenColumnObj.originalIndex);\n\n\t\t\t\t// Set count of frozen columns\n\t\t\t\treportEntryDataGridInstance.setFrozenColumnCount(REPORT_INSTANCE.frozenColumnCount);\n\t\t\t}\n\n\t\t\t// Delete column from storage\n\t\t\tdelete REPORT_INSTANCE.frozenColumnStorage[columnInfoObj.name];\n\n\t\t}\n\n\t\t// Freeze column\n\t\telse {\n\n\t\t\t// Get original column index to store later\n\t\t\tconst originalColumnIndex = REPORT_INSTANCE.dataGridCollection[0].getIndexOfColumn(columnInfoObj.name);\n\t\t\tconst newColumnIndex = REPORT_INSTANCE.frozenColumnCount;\n\n\t\t\t// Increase count of frozen columns\n\t\t\tREPORT_INSTANCE.frozenColumnCount++;\n\n\t\t\t// Update the data grid for each entry\n\t\t\tfor (let reportEntryDataGridInstance of REPORT_INSTANCE.dataGridCollection) {\n\n\t\t\t\t// Move column to beginning of grid\n\t\t\t\treportEntryDataGridInstance.moveColumn(columnInfoObj.name, newColumnIndex);\n\n\t\t\t\t// Set count of frozen columns\n\t\t\t\treportEntryDataGridInstance.setFrozenColumnCount(REPORT_INSTANCE.frozenColumnCount);\n\n\t\t\t\t// Forcing table to recalculate the right side width after moving the column to the left side\n\t\t\t\tlet gridRsideArea = document.querySelector('.tui-grid-rside-area');\n\t\t\t\tif (gridRsideArea) {\n\t\t\t\t\tgridRsideArea.style.width = '0px';\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tREPORT_INSTANCE.frozenColumnStorage[columnInfoObj.name] = {\n\t\t\t\toriginalIndex: originalColumnIndex\n\t\t\t};\n\t\t}\n\n\t\t// Show/hide column freeze action if frozen column count is over pre defined limit\n\t\tconst columnHeaderActionElementsArr = document.querySelectorAll(REPORT_SETTINGS.selectors.headers);\n\t\tconst columnHeaderActionVisibilityStyle = REPORT_INSTANCE.frozenColumnCount === REPORT_SETTINGS.frozenColumnMax ? 'hidden' : '';\n\t\tfor (let columnHeaderActionElement of columnHeaderActionElementsArr) {\n\t\t\tcolumnHeaderActionElement.style.visibility = columnHeaderActionVisibilityStyle;\n\t\t}\n\t}\n\n\tfunction onCreateDataGrid ($element, customReportEntryObj) {\n\n\t\t// Create instance of report if it hasn't already been done\n\t\tif (!REPORT_INSTANCE) {\n\t\t\tresetReportInstance();\n\t\t}\n\n\t\t// Get ToastUI data grid\n\t\tconst tuiDataGridInstance = getDataGridForReportEntryTable($element, customReportEntryObj.CustomReportEntryTable);\n\n\t\t// Apply highlighting to grid where applicable\n\t\tif (customReportEntryObj.processedData) {\n\t\t\tsetGridStylesFromProcessedData(tuiDataGridInstance, customReportEntryObj.processedData);\n\t\t}\n\n\t\t// Store instance to use for freezing all columns within a report\n\t\tREPORT_INSTANCE.dataGridCollection.push(tuiDataGridInstance);\n\n\t\treturn tuiDataGridInstance;\n\t}\n\n\tfunction onDataGridSearch (searchString) {\n\n\t\t// Only search when there is one entry in report eg. not multi datagrid report which are handled by filter in report-viewer-component\n\t\tif (REPORT_INSTANCE.dataGridCollection.length > 1) {\n\t\t\treturn;\n\t\t}\n\n\t\tfor (let reportEntryDataGridInstance of REPORT_INSTANCE.dataGridCollection) {\n\n\t\t\tif (searchString) {\n\n\t\t\t\tconst currentData = angular.copy(reportEntryDataGridInstance.originalData);\n\n\t\t\t\tconst filteredData = $filter('filter')(currentData, searchString);\n\n\t\t\t\treportEntryDataGridInstance.resetData(filteredData);\n\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Reset data to original\n\t\t\t\treportEntryDataGridInstance.resetData(reportEntryDataGridInstance.originalData);\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction resetReportInstance () {\n\t\tREPORT_INSTANCE = new ReportInstance();\n\t}\n\n\tfunction setGridStylesFromProcessedData (gridInstance, processedDataObj) {\n\n\t\t// Historic Periods\n\t\tif (processedDataObj.historicPeriods) {\n\t\t\tfor (let historicPeriodRowIndex of processedDataObj.historicPeriods) {\n\t\t\t\tgridInstance.addRowClassName(historicPeriodRowIndex, 'has-highlight');\n\t\t\t}\n\t\t}\n\t}\n\n\treturn {\n\t\tcreateNewReport: resetReportInstance,\n\t\tcreateDataGrid: onCreateDataGrid,\n\t\tonSearch: onDataGridSearch\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('salaryService', ['$filter', 'config', 'EMPLOYMENT_TYPES', 'PAYMENT_TYPES', 'SALARY_TYPES', function ($filter, config, EMPLOYMENT_TYPES, PAYMENT_TYPES, SALARY_TYPES) {\n\n\tconst service = {\n\n\t\taddSalaryRateCustom: salaryObj => {\n\n\t\t\tsalaryObj.SalaryRates.push(service.getCustomRate());\n\t\t},\n\n\t\taddSalaryRateLinkElementGlobalRate: (salaryObj, linkElementObj) => {\n\n\t\t\tif (linkElementObj.LinkElementRate > 0) {\n\n\t\t\t\tsalaryObj.SalaryRates.push(service.getGlobalRateForLinkElement(linkElementObj));\n\t\t\t}\n\t\t},\n\n\t\taddSalaryRates: (salaryObj, salaryCalculationObj, additionalPostSalaryPolicyObj) => {\n\n\t\t\t// Add calculated and overtime rates\n\t\t\tservice.addSalaryRatesCalculated(salaryObj, salaryCalculationObj, additionalPostSalaryPolicyObj);\n\t\t\tservice.addSalaryRatesOvertime(salaryObj);\n\n\t\t\t/* At this point sort the salary rates. This ensures the custom option (below) will appear last in the UI.\n\t\t\t Default (standard) rate first, alphabetical thereafter */\n\t\t\tsalaryObj.SalaryRates.sort((salaryRateA, salaryRateB) => {\n\n\t\t\t\t// SalaryRateDefault trumps description ordering\n\t\t\t\tif (salaryRateA.SalaryRateDefault) {\n\t\t\t\t\treturn -1;\n\t\t\t\t}\n\t\t\t\telse if (salaryRateB.SalaryRateDefault) {\n\t\t\t\t\treturn 1;\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\t// Neither are default rates, so order by description\n\t\t\t\t\tif (salaryRateA.SalaryRateDescription < salaryRateB.SalaryRateDescription) {\n\t\t\t\t\t\treturn -1;\n\t\t\t\t\t}\n\t\t\t\t\telse if (salaryRateA.SalaryRateDescription > salaryRateB.SalaryRateDescription) {\n\t\t\t\t\t\treturn 1;\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\t// These have the same description. Probably shouldn't happen.\n\t\t\t\t\t\treturn 0;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t});\n\n\t\t\t// Finally add custom rate\n\t\t\tservice.addSalaryRateCustom(salaryObj);\n\t\t},\n\n\t\taddSalaryRatesCalculated: (salaryObj, salaryCalculationObj, additionalPostSalaryPolicyObj) => {\n\n\t\t\tif (angular.isUndefined(salaryCalculationObj) || !salaryCalculationObj) {\n\t\t\t\tconsole.error('salaryService: calculatedObj is not defined');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Daily (regular and flexi)\n\t\t\tswitch (salaryObj.EmploymentType) {\n\t\t\t\tcase EMPLOYMENT_TYPES.payPolicy:\n\t\t\t\tcase EMPLOYMENT_TYPES.standard:\n\t\t\t\tcase EMPLOYMENT_TYPES.nonStandard:\n\n\t\t\t\t\t// Monetise value\n\t\t\t\t\tsalaryCalculationObj.dailyDisplay = $filter('monetise')(salaryCalculationObj.Daily, config.precision.salaryRates);\n\n\t\t\t\t\t// Add calculated daily rate\n\t\t\t\t\tsalaryObj.SalaryRates.push({\n\t\t\t\t\t\tSalaryRateDescription: `Daily rate (${salaryCalculationObj.dailyDisplay})`,\n\t\t\t\t\t\tSalaryRateHours: 1,\n\t\t\t\t\t\tSalaryRateID: 'calculated-daily',\n\t\t\t\t\t\tSalaryRateValue: salaryCalculationObj.Daily\n\t\t\t\t\t});\n\n\t\t\t\t\tbreak;\n\t\t\t}\n\n\t\t\t// Hourly for pay policy employment\n\t\t\tif (salaryObj.EmploymentType === EMPLOYMENT_TYPES.payPolicy) {\n\n\t\t\t\t/* Determine correct policy to use for this. If for an additional post, the corresponding policy will have\n\t\t\t\t been provided in additionalPostSalaryPolicyObj */\n\t\t\t\tlet salaryPolicy;\n\t\t\t\tif (additionalPostSalaryPolicyObj) {\n\t\t\t\t\tsalaryPolicy = additionalPostSalaryPolicyObj;\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\t// Find the primary annual salary policy in the main post\n\t\t\t\t\tsalaryPolicy = salaryObj.Policies.find(policy => policy.IsPrimary);\n\t\t\t\t}\n\n\t\t\t\t// Monetise value\n\t\t\t\tsalaryCalculationObj.hourlyDisplay = $filter('monetise')(salaryPolicy.FTEHourlyRate, config.precision.salaryRates);\n\n\t\t\t\t// Add hourly rate from policy\n\t\t\t\tsalaryObj.SalaryRates.push({\n\t\t\t\t\tSalaryRateDescription: `Hourly rate (${salaryCalculationObj.hourlyDisplay})`,\n\t\t\t\t\tSalaryRateHours: 1,\n\t\t\t\t\tSalaryRateID: 'calculated-hourly',\n\t\t\t\t\tSalaryRateValue: salaryPolicy.FTEHourlyRate\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t// Hourly for regular employment\n\t\t\tif (salaryObj.EmploymentType === EMPLOYMENT_TYPES.standard) {\n\n\t\t\t\t// Monetise value\n\t\t\t\tsalaryCalculationObj.hourlyDisplay = $filter('monetise')(salaryCalculationObj.Hourly, config.precision.salaryRates);\n\n\t\t\t\t// Add calculated hourly rate\n\t\t\t\tsalaryObj.SalaryRates.push({\n\t\t\t\t\tSalaryRateDescription: `Hourly rate (${salaryCalculationObj.hourlyDisplay})`,\n\t\t\t\t\tSalaryRateHours: 1,\n\t\t\t\t\tSalaryRateID: 'calculated-hourly',\n\t\t\t\t\tSalaryRateValue: salaryCalculationObj.Hourly\n\t\t\t\t});\n\t\t\t}\n\t\t},\n\n\t\taddSalaryRatesOvertime: salaryObj => {\n\n\t\t\tif (salaryObj.PaymentType === PAYMENT_TYPES.salary) {\n\n\t\t\t\t// Has hourly rate? Add option\n\t\t\t\tif (salaryObj.SalaryHourlyRateOvertime > 0) {\n\n\t\t\t\t\t// Monetise\n\t\t\t\t\tsalaryObj.salaryHourlyRateOvertimeDisplay = $filter('monetise')(salaryObj.SalaryHourlyRateOvertime, config.precision.salaryRates);\n\n\t\t\t\t\tsalaryObj.SalaryRates.push({\n\t\t\t\t\t\tSalaryRateDescription: `Overtime hourly rate (${salaryObj.salaryHourlyRateOvertimeDisplay})`,\n\t\t\t\t\t\tSalaryRateHours: 1,\n\t\t\t\t\t\tSalaryRateID: 'overtime-hourly',\n\t\t\t\t\t\tSalaryRateValue: salaryObj.SalaryHourlyRateOvertime\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\t// Has daily rate? Add option\n\t\t\t\tif (salaryObj.SalaryDailyRateOvertime > 0) {\n\n\t\t\t\t\t// Monetise\n\t\t\t\t\tsalaryObj.salaryDailyRateOvertimeDisplay = $filter('monetise')(salaryObj.SalaryDailyRateOvertime, config.precision.salaryRates);\n\n\t\t\t\t\tsalaryObj.SalaryRates.push({\n\t\t\t\t\t\tSalaryRateDescription: `Overtime daily rate (${salaryObj.salaryDailyRateOvertimeDisplay})`,\n\t\t\t\t\t\tSalaryRateHours: 1,\n\t\t\t\t\t\tSalaryRateID: 'overtime-daily',\n\t\t\t\t\t\tSalaryRateValue: salaryObj.SalaryDailyRateOvertime\n\t\t\t\t\t});\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\n\t\tgetCustomRate: () => {\n\n\t\t\treturn {\n\t\t\t\tSalaryRateDescription: 'Custom rate',\n\t\t\t\tSalaryRateHours: 1,\n\t\t\t\tSalaryRateID: 'custom',\n\t\t\t\tSalaryRateValue: ''\n\t\t\t};\n\t\t},\n\n\t\tgetGlobalRateForLinkElement: linkElementObj => {\n\n\t\t\t// Monetise value\n\t\t\tlinkElementObj.linkElementRateDisplay = $filter('monetise')(linkElementObj.LinkElementRate, config.precision.salaryRates);\n\n\t\t\treturn {\n\t\t\t\tSalaryRateDescription: `${linkElementObj.LinkElementName} global rate (${linkElementObj.linkElementRateDisplay})`,\n\t\t\t\tSalaryRateHours: 1,\n\t\t\t\tSalaryRateID: 'global-rate',\n\t\t\t\tSalaryRateValue: linkElementObj.LinkElementRate\n\t\t\t};\n\t\t},\n\n\t\tgetHasValidGrossSalary: salaryObj => {\n\n\t\t\t// Doesn't apply to people with a Net Pay salary\n\t\t\tif (salaryObj.SalaryType !== SALARY_TYPES.grossPay) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\tif (angular.isUndefined(salaryObj.SalaryYearly)) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\tif (salaryObj.SalaryYearly === 0) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\treturn true;\n\t\t},\n\n\t\t/* As salary rates are dynamically created, the only way to match these is based on the value defined */\n\t\tgetSalaryRateForUserPayElement (salaryObj, userPayElementObj) {\n\n\t\t\tconst numberOfSalaryRates = salaryObj.SalaryRates.length;\n\t\t\tlet i = 0;\n\n\t\t\tfor (i; i < numberOfSalaryRates; i++) {\n\n\t\t\t\tconst salaryRateObj = salaryObj.SalaryRates[i];\n\n\t\t\t\tif (salaryRateObj.SalaryRateValue === userPayElementObj.UnitValue) {\n\t\t\t\t\treturn angular.copy(salaryRateObj);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn null;\n\t\t},\n\n\t\tgetUnitValueForSalaryRateType: (salaryCalculationObj, salaryRateId) => {\n\n\t\t\tswitch (salaryRateId) {\n\n\t\t\t\tcase 'calculated-daily':\n\t\t\t\t\treturn salaryCalculationObj.Daily;\n\n\t\t\t\tcase 'calculated-hourly':\n\t\t\t\t\treturn salaryCalculationObj.Hourly;\n\n\t\t\t\tdefault:\n\t\t\t\t\treturn 0;\n\t\t\t}\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('scheduleService', ['$filter', 'AOE_ORDER_STATES', 'REPAYMENT_SCHEDULE_TYPES', 'UI_SCHEDULE_TYPES', 'UI_SCHEDULE_STATUSES', function ($filter, AOE_ORDER_STATES, REPAYMENT_SCHEDULE_TYPES, UI_SCHEDULE_TYPES, UI_SCHEDULE_STATUSES) {\n\n\tconst service = {\n\n\t\t/*\n\t\t\tNormalise all schedules into a single list for display, filtering and searching. These are represented in various\n\t\t\tguises as part of the statutoryPay object and teamMember object.\n\t\t */\n\t\tcreateNormalisedSchedules: (statutoryPayObj, aoeInfoObj) => {\n\n\t\t\tlet schedules = [];\n\n\t\t\t// Start by extracting various schedules from the statutory pay\n\t\t\tfor (let key of Object.keys(statutoryPayObj)) {\n\n\t\t\t\tconst objectPropertyValue = statutoryPayObj[key];\n\n\t\t\t\t// Extract array property representing the schedule\n\t\t\t\tif (angular.isArray(objectPropertyValue)) {\n\n\t\t\t\t\t// Add schedules one at a time, to ensure they have valid types set\n\t\t\t\t\tobjectPropertyValue.forEach(schedule => {\n\n\t\t\t\t\t\t// Attempt to get the schedule type\n\t\t\t\t\t\tconst scheduleType = service.getScheduleUIType(key, schedule);\n\n\t\t\t\t\t\t// If a type was determined, this is a bonafide schedule\n\t\t\t\t\t\tif (angular.isDefined(scheduleType)) {\n\t\t\t\t\t\t\tschedule.type = scheduleType;\n\t\t\t\t\t\t\tschedules.push(schedule);\n\t\t\t\t\t\t}\n\t\t\t\t\t});\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Now add attachment of earnings schedules, normalising them to match generic schedule structure\n\t\t\taoeInfoObj.AttachmentOrders.filter(service.decorateAttachmentOrder);\n\n\t\t\tif (angular.isDefined(aoeInfoObj.AttachmentOrders)) {\n\t\t\t\taoeInfoObj.AttachmentOrders.forEach(aoeObj => {\n\t\t\t\t\tschedules.push(service.getScheduleForAoe(aoeObj));\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t// Finally decorate each schedule\n\t\t\tschedules.forEach(scheduleObj => {\n\t\t\t\tscheduleObj = service.decorateSchedule(scheduleObj);\n\t\t\t});\n\n\t\t\treturn schedules;\n\t\t},\n\n\t\tdecorateAttachmentOrder: attachmentOrderObj => {\n\n\t\t\treturn angular.extend(attachmentOrderObj, {\n\t\t\t\torderStateIcon: service.getAoeOrderStateIcon(attachmentOrderObj.OrderState),\n\t\t\t\torderStateTheme: service.getAoeOrderStateTheme(attachmentOrderObj.OrderState),\n\t\t\t});\n\t\t},\n\n\t\tdecorateSchedule: (scheduleObj) => {\n\n\t\t\tconst DEFAULT_DECORATION = {\n\t\t\t\tdescription: scheduleObj.PaymentScheduleTypeDescription,\n\t\t\t\thasProgressRing: true,\n\t\t\t\ticonType: 'icon-money',\n\t\t\t\toverviewLabel: `${$filter('dateformat')(scheduleObj.StartDateISO, 'medium')} - ${$filter('dateformat')(scheduleObj.EndDateISO, 'medium')}`,\n\t\t\t\toverviewRemainingLabel: '',\n\t\t\t\toverviewRemainingValue: '',\n\t\t\t\tshowRemaining: true,\n\t\t\t\tshowEditPrompt: false,\n\t\t\t\ttheme: 'is-primary'\n\t\t\t};\n\n\t\t\tlet decoration = service.decorateScheduleType(scheduleObj);\n\n\t\t\tangular.extend(scheduleObj, DEFAULT_DECORATION, decoration);\n\n\t\t\t/* Schedule objects need to be adorned with a single status based on assorted flags present. This is simply for\n\t\t\t ordering purposes (see UI_SCHEDULE_STATUSES), but since they're here, they're also used in the schedules filter.\n\t\t\t Status info for UI cheese (text + theme) also added here The order of these is important, since statuses aren't\n\t\t\t mutually exclusive. For example, stopping a payment will mark is 'HasStopped' *and* 'HasEnded' (certainly for\n\t\t\t Childcare Vouchers). In that case the 'stopped' status is probably more significant. Similarly for paused\n\t\t\t schedules, they can be marked as both 'HasPaused' and 'IsInProgress', in which case the paused status takes\n\t\t\t precedence. */\n\t\t\tif (scheduleObj.HasStopped) {\n\t\t\t\tscheduleObj.status = UI_SCHEDULE_STATUSES.stopped;\n\t\t\t\tscheduleObj.statusDisplay = 'PAYMENTS STOPPED';\n\t\t\t\tscheduleObj.statusTheme = 'is-tertiary';\n\t\t\t}\n\t\t\telse if (scheduleObj.HasCancelled) {\n\t\t\t\tscheduleObj.status = UI_SCHEDULE_STATUSES.cancelled;\n\t\t\t\tscheduleObj.statusDisplay = 'CANCELLED';\n\t\t\t\tscheduleObj.statusTheme = 'is-tertiary';\n\t\t\t}\n\t\t\telse if (scheduleObj.HasPaused) {\n\t\t\t\tscheduleObj.status = UI_SCHEDULE_STATUSES.paused;\n\t\t\t\tscheduleObj.statusDisplay = 'PAUSED';\n\t\t\t\tscheduleObj.statusTheme = 'is-tertiary';\n\t\t\t}\n\t\t\telse if (scheduleObj.IsPending) {\n\t\t\t\tif (!angular.isDefined(scheduleObj.overviewRemainingLabel)) {\n\t\t\t\t\tscheduleObj.overviewRemainingLabel = 'pending';\n\t\t\t\t}\n\t\t\t\tscheduleObj.status = UI_SCHEDULE_STATUSES.pending;\n\t\t\t\tscheduleObj.statusDisplay = 'PENDING';\n\t\t\t\tscheduleObj.statusTheme = 'is-indifferent-lighter';\n\t\t\t}\n\t\t\telse if ((scheduleObj.IsInProgress || (scheduleObj.HasStarted) && !scheduleObj.IsPaidInFull)) {\n\t\t\t\t// Only update the overview remaining label if it hasn't already been set by decorateScheduleType\n\t\t\t\tif (!angular.isDefined(scheduleObj.overviewRemainingLabel)) {\n\t\t\t\t\tscheduleObj.overviewRemainingLabel = 'remaining';\n\t\t\t\t}\n\t\t\t\tscheduleObj.status = UI_SCHEDULE_STATUSES.inProgress;\n\t\t\t\t// 'In progress' is implied when no other status is applicable, so no cheese for this\n\t\t\t}\n\t\t\telse if (scheduleObj.IsPaidInFull || scheduleObj.HasEnded) {\n\t\t\t\tscheduleObj.status = UI_SCHEDULE_STATUSES.complete;\n\t\t\t\tscheduleObj.statusDisplay = 'COMPLETE';\n\t\t\t\tscheduleObj.statusTheme = 'is-secondary';\n\t\t\t}\n\n\t\t\treturn scheduleObj;\n\t\t},\n\n\t\tdecorateScheduleType: scheduleObj => {\n\n\t\t\tswitch (scheduleObj.type) {\n\n\t\t\t\t// Adoption pay\n\t\t\t\tcase UI_SCHEDULE_TYPES.adoptionPay: {\n\t\t\t\t\treturn {\n\t\t\t\t\t\thasProgressRing: true,\n\t\t\t\t\t\ticonType: 'icon-paternity',\n\t\t\t\t\t\ttheme: 'is-tertiary'\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t// AOE\n\t\t\t\tcase UI_SCHEDULE_TYPES.attachmentOfEarnings: {\n\t\t\t\t\tlet overviewLabel = '';\n\t\t\t\t\tif (scheduleObj.aoe.DisbursementDetail.ManualPayment) {\n\t\t\t\t\t\toverviewLabel = 'This order is set to be paid manually';\n\t\t\t\t\t}\n\t\t\t\t\telse if (scheduleObj.aoe.DisbursementDetail.BankInfo.BankAccountName) {\n\t\t\t\t\t\toverviewLabel = scheduleObj.aoe.DisbursementDetail.BankInfo.BankAccountName;\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\toverviewLabel = 'Missing bank details';\n\t\t\t\t\t}\n\t\t\t\t\treturn {\n\t\t\t\t\t\tdescription: 'Attachment of Earnings',\n\t\t\t\t\t\thasProgressRing: true,\n\t\t\t\t\t\ticonType: `icon-${scheduleObj.aoe.orderStateIcon}`,\n\t\t\t\t\t\toverviewLabel,\n\t\t\t\t\t\toverviewRemainingLabel: scheduleObj.aoe.AmountRemaining !== 0 || scheduleObj.aoe.OrderState === AOE_ORDER_STATES.complete ? 'still to pay' : 'fixed amount',\n\t\t\t\t\t\toverviewRemainingValue: scheduleObj.aoe.AmountRemaining !== 0 || scheduleObj.aoe.OrderState === AOE_ORDER_STATES.complete ? $filter('monetise')(scheduleObj.aoe.AmountRemaining) : $filter('monetise')(scheduleObj.aoe.FixedAmountValue),\n\t\t\t\t\t\ttheme: scheduleObj.aoe.orderStateTheme\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t// Car BIK\n\t\t\t\tcase UI_SCHEDULE_TYPES.carBenefitInKind: {\n\t\t\t\t\treturn {\n\t\t\t\t\t\tdescription: scheduleObj.Label !== '' ? scheduleObj.Label : scheduleObj.PaymentScheduleTypeDescription,\n\t\t\t\t\t\ticonType: `icon-${$filter('paymentScheduleTypeIcon')(scheduleObj.PaymentScheduleTypeID)}`,\n\t\t\t\t\t\toverviewLabel: 'Benefit cost: ' + $filter('monetise')(scheduleObj.AmountOutstanding + scheduleObj.AmountPaid + scheduleObj.AmountBroughtForward),\n\t\t\t\t\t\toverviewRemainingLabel: 'per period',\n\t\t\t\t\t\toverviewRemainingValue: $filter('monetise')(scheduleObj.ValueForPeriod),\n\t\t\t\t\t\tpausedTag: 'PAUSED',\n\t\t\t\t\t\tstoppedTag: 'STOPPED'\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t// Childcare vouchers\n\t\t\t\tcase UI_SCHEDULE_TYPES.childcareVouchers: {\n\t\t\t\t\treturn {\n\t\t\t\t\t\thasProgressRing: false,\n\t\t\t\t\t\ticonType: 'icon-maternity',\n\t\t\t\t\t\toverviewIcon: 'icon-loading',\n\t\t\t\t\t\toverviewLabel: $filter('monetise')(scheduleObj.ValueForPeriod),\n\t\t\t\t\t\toverviewRemainingLabel: scheduleObj.HasStopped ? 'payments stopped' : scheduleObj.HasStarted ? 'payments started' : 'pending',\n\t\t\t\t\t\toverviewRemainingValue: scheduleObj.PayPeriodDisplay,\n\t\t\t\t\t\ttheme: 'quarternary'\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t// Company loan\n\t\t\t\tcase UI_SCHEDULE_TYPES.companyLoan: {\n\t\t\t\t\treturn {\n\t\t\t\t\t\thasProgressRing: true,\n\t\t\t\t\t\ticonType: 'icon-company',\n\t\t\t\t\t\toverviewRemainingLabel: 'still to pay',\n\t\t\t\t\t\toverviewRemainingValue: $filter('monetise')(scheduleObj.AmountOutstanding),\n\t\t\t\t\t\ttheme: 'primary'\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t// Covid 19 Sick Pay\n\t\t\t\tcase UI_SCHEDULE_TYPES.covid19SickPay: {\n\t\t\t\t\treturn {\n\t\t\t\t\t\thasProgressRing: true,\n\t\t\t\t\t\ticonType: 'icon-virus',\n\t\t\t\t\t\toverviewRemainingLabel: '',\n\t\t\t\t\t\ttheme: 'secondary'\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t// Cycle to Work scheme\n\t\t\t\tcase UI_SCHEDULE_TYPES.cycleToWorkScheme: {\n\t\t\t\t\treturn {\n\t\t\t\t\t\tHasEnded: scheduleObj.IsPaidInFull,\n\t\t\t\t\t\thasProgressRing: true,\n\t\t\t\t\t\ticonType: 'icon-cycle-to-work',\n\t\t\t\t\t\toverviewIcon: 'icon-loading',\n\t\t\t\t\t\toverviewLabel: $filter('monetise')(scheduleObj.ValueForPeriod),\n\t\t\t\t\t\toverviewRemainingLabel: 'still to pay',\n\t\t\t\t\t\toverviewRemainingValue: $filter('monetise')(scheduleObj.AmountOutstanding),\n\t\t\t\t\t\ttheme: 'primary'\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t// Furlough\n\t\t\t\tcase UI_SCHEDULE_TYPES.furlough: {\n\t\t\t\t\treturn {\n\t\t\t\t\t\thasProgressRing: false,\n\t\t\t\t\t\ticonType: 'icon-wallet',\n\t\t\t\t\t\tshowEditPrompt: true,\n\t\t\t\t\t\tshowRemaining: false,\n\t\t\t\t\t\ttheme: 'assertive'\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t// Healthcare\n\t\t\t\tcase UI_SCHEDULE_TYPES.healthcare: {\n\t\t\t\t\treturn {\n\t\t\t\t\t\tdescription: scheduleObj.Label !== '' ? scheduleObj.Label : scheduleObj.PaymentScheduleTypeDescription,\n\t\t\t\t\t\ticonType: `icon-${$filter('paymentScheduleTypeIcon')(scheduleObj.PaymentScheduleTypeID)}`,\n\t\t\t\t\t\toverviewLabel: 'Benefit cost: ' + $filter('monetise')(scheduleObj.AmountOutstanding + scheduleObj.AmountPaid + scheduleObj.AmountBroughtForward),\n\t\t\t\t\t\toverviewRemainingLabel: 'per period',\n\t\t\t\t\t\toverviewRemainingValue: $filter('monetise')(scheduleObj.ValueForPeriod),\n\t\t\t\t\t\tpausedTag: 'PAUSED',\n\t\t\t\t\t\tstoppedTag: 'STOPPED'\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t// Maternity pay\n\t\t\t\tcase UI_SCHEDULE_TYPES.maternityPay: {\n\t\t\t\t\treturn {\n\t\t\t\t\t\thasProgressRing: true,\n\t\t\t\t\t\ticonType: 'icon-maternity',\n\t\t\t\t\t\tshowRemaining: false,\n\t\t\t\t\t\ttheme: scheduleObj.HasEnded ? 'secondary' : 'tertiary'\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t// Paternity pay\n\t\t\t\tcase UI_SCHEDULE_TYPES.paternityPay: {\n\t\t\t\t\treturn {\n\t\t\t\t\t\thasProgressRing: true,\n\t\t\t\t\t\ticonType: 'icon-maternity',\n\t\t\t\t\t\tshowRemaining: false,\n\t\t\t\t\t\ttheme: scheduleObj.HasEnded ? 'secondary' : 'tertiary'\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t// Season ticket loan\n\t\t\t\tcase UI_SCHEDULE_TYPES.seasonTicketLoan: {\n\t\t\t\t\treturn {\n\t\t\t\t\t\thasProgressRing: true,\n\t\t\t\t\t\ticonType: 'icon-season-ticket',\n\t\t\t\t\t\toverviewRemainingLabel: 'still to pay',\n\t\t\t\t\t\toverviewRemainingValue: $filter('monetise')(scheduleObj.AmountOutstanding),\n\t\t\t\t\t\ttheme: 'primary'\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t// ShPP\n\t\t\t\tcase UI_SCHEDULE_TYPES.sharedParentalPay: {\n\t\t\t\t\treturn {\n\t\t\t\t\t\thasProgressRing: true,\n\t\t\t\t\t\ticonType: 'icon-paternity',\n\t\t\t\t\t\ttheme: scheduleObj.HasEnded ? 'secondary' : 'tertiary'\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t// Sick pay\n\t\t\t\tcase UI_SCHEDULE_TYPES.sickPay: {\n\t\t\t\t\t// Calculate sickness days, adding 1 to include the initial day\n\t\t\t\t\tconst overviewRemainingValue = moment(scheduleObj.EndDateISO).diff(scheduleObj.StartDateISO, 'days') + 1;\n\t\t\t\t\treturn {\n\t\t\t\t\t\thasProgressRing: true,\n\t\t\t\t\t\ticonType: 'icon-sick',\n\t\t\t\t\t\toverviewRemainingLabel: `${overviewRemainingValue === 1 ? 'day' : 'days'} sickness`,\n\t\t\t\t\t\toverviewRemainingValue,\n\t\t\t\t\t\ttheme: 'secondary'\n\t\t\t\t\t};\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\n\t\tgetAoeOrderStateTheme: aoeOrderState => {\n\n\t\t\tswitch (aoeOrderState) {\n\t\t\t\tcase AOE_ORDER_STATES.cancelled:\n\t\t\t\t\treturn 'tertiary complete';\n\t\t\t\tcase AOE_ORDER_STATES.complete:\n\t\t\t\t\treturn 'secondary';\n\t\t\t\tdefault:\n\t\t\t\t\treturn 'assertive';\n\t\t\t}\n\t\t},\n\n\t\tgetAoeOrderStateIcon: aoeOrderState => {\n\n\t\t\tswitch (aoeOrderState) {\n\t\t\t\tcase AOE_ORDER_STATES.cancelled:\n\t\t\t\t\treturn 'cross';\n\t\t\t\tcase AOE_ORDER_STATES.complete:\n\t\t\t\t\treturn 'tick';\n\t\t\t\tdefault:\n\t\t\t\t\treturn 'document';\n\t\t\t}\n\t\t},\n\n\t\tgetScheduleForAoe: aoeObj => {\n\n\t\t\treturn {\n\t\t\t\ttype: UI_SCHEDULE_TYPES.attachmentOfEarnings,\n\t\t\t\tHasCancelled: aoeObj.OrderState === AOE_ORDER_STATES.cancelled,\n\t\t\t\tHasEnded: aoeObj.OrderState === AOE_ORDER_STATES.complete,\n\t\t\t\tHasPaused: aoeObj.IsPaused,\n\t\t\t\tIsInProgress: aoeObj.OrderState === AOE_ORDER_STATES.active,\n\t\t\t\tIsPaidInFull: aoeObj.OrderState === AOE_ORDER_STATES.complete,\n\t\t\t\tIsPending: aoeObj.IsPending,\n\t\t\t\tPaymentScheduleTypeDescription: 'Attachment of Earnings',\n\t\t\t\tProgressPercentage: aoeObj.ProgressPercentage,\n\n\t\t\t\t// Attach the AOE to the generic schedule object (for decoration purposes, below)\n\t\t\t\taoe: aoeObj\n\t\t\t};\n\t\t},\n\n\t\tgetScheduleForFurlough: (teamMemberObj) => {\n\n\t\t\t// Add 'special' schedules. These don't look like the other schedules, but they are\n\t\t\tlet scheduleObj = {\n\t\t\t\ttype: UI_SCHEDULE_TYPES.furlough,\n\t\t\t\tIsPaidInFull: teamMemberObj.Company.IsFurloughedEnded,\n\t\t\t\tPaymentScheduleTypeDescription: `Furloughed ${teamMemberObj.Company.IsFurloughedPartTime ? 'part-time' : 'full-time'}`,\n\t\t\t\tStartDateISO: teamMemberObj.Company.FurloughedStartDateISO,\n\t\t\t\tEndDateISO: teamMemberObj.Company.FurloughedEndDateISO\n\t\t\t};\n\n\t\t\treturn service.decorateSchedule(scheduleObj);\n\t\t},\n\n\t\tgetScheduleUIType: (scheduleKey, scheduleObj) => {\n\n\t\t\tlet scheduleType;\n\n\t\t\t// Is there a type identifier available?\n\t\t\tif (scheduleObj.hasOwnProperty('PaymentScheduleTypeID')) {\n\t\t\t\t// If the schedule is part of scheduled payments, get its type based on PaymentScheduleTypeID\n\t\t\t\tif (scheduleKey === UI_SCHEDULE_TYPES.scheduledPayments) {\n\t\t\t\t\tscheduleType = service.getScheduleUITypeForPaymentSchedule(scheduleObj);\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\t// Check the key against the UI_SCHEDULE_TYPES. If there's a match, the key === the schedule type\n\t\t\t\t\tconst uiScheduleTypes = Object.values(UI_SCHEDULE_TYPES);\n\t\t\t\t\tif (uiScheduleTypes.includes(scheduleKey)) {\n\t\t\t\t\t\tscheduleType = scheduleKey;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// This could remain undefined\n\t\t\treturn scheduleType;\n\t\t},\n\n\t\tgetScheduleUITypeForPaymentSchedule: scheduleObj => {\n\n\t\t\tswitch (scheduleObj.PaymentScheduleTypeID) {\n\t\t\t\tcase REPAYMENT_SCHEDULE_TYPES.carBenefitInKind: {\n\t\t\t\t\treturn UI_SCHEDULE_TYPES.carBenefitInKind;\n\t\t\t\t}\n\t\t\t\tcase REPAYMENT_SCHEDULE_TYPES.companyLoan: {\n\t\t\t\t\treturn UI_SCHEDULE_TYPES.companyLoan;\n\t\t\t\t}\n\t\t\t\tcase REPAYMENT_SCHEDULE_TYPES.childcareVouchers: {\n\t\t\t\t\treturn UI_SCHEDULE_TYPES.childcareVouchers;\n\t\t\t\t}\n\t\t\t\tcase REPAYMENT_SCHEDULE_TYPES.cycleToWorkScheme: {\n\t\t\t\t\treturn UI_SCHEDULE_TYPES.cycleToWorkScheme;\n\t\t\t\t}\n\t\t\t\tcase REPAYMENT_SCHEDULE_TYPES.healthcare: {\n\t\t\t\t\treturn UI_SCHEDULE_TYPES.healthcare;\n\t\t\t\t}\n\t\t\t\tcase REPAYMENT_SCHEDULE_TYPES.seasonTicketLoan: {\n\t\t\t\t\treturn UI_SCHEDULE_TYPES.seasonTicketLoan;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.service('searchService', [\n\t'utilities',\n\t'SEARCH_BAR_ACTIONS',\n\tfunction (\n\t\tutilities,\n\t\tSEARCH_BAR_ACTIONS\n\t) {\n\n\tconst service = {\n\n\t\tchangeCustom: (optionsObj, customOptionObj) => {\n\n\t\t\tlet storageKeys = optionsObj.storageKeys;\n\n\t\t\t// Update scope\n\t\t\tservice.updateCustom(optionsObj, customOptionObj);\n\n\t\t\tservice.hideMenus(optionsObj);\n\n\t\t\t// Save to storage\n\t\t\tif (storageKeys && storageKeys.custom) {\n\t\t\t\tutilities.addToStorage(storageKeys.custom, customOptionObj.key);\n\t\t\t}\n\t\t},\n\n\t\tchangeItemsPerPage: (optionsObj, itemsPerPageObj) => {\n\n\t\t\tlet storageKeys = optionsObj.storageKeys;\n\n\t\t\t// Update scope\n\t\t\tservice.updateItemsPerPage(optionsObj, itemsPerPageObj);\n\n\t\t\tservice.hideMenus(optionsObj);\n\n\t\t\t// Save to storage\n\t\t\tif (storageKeys && storageKeys.itemsPerPage) {\n\t\t\t\tutilities.addToStorage(storageKeys.itemsPerPage, itemsPerPageObj.key);\n\t\t\t}\n\t\t},\n\n\t\tchangeLayout: (optionsObj, layoutOptionObj) => {\n\n\t\t\tlet storageKeys = optionsObj.storageKeys;\n\n\t\t\t// Update scope\n\t\t\tservice.updateLayout(optionsObj, layoutOptionObj);\n\n\t\t\t// Save to storage\n\t\t\tif (storageKeys && storageKeys.layout) {\n\t\t\t\tutilities.addToStorage(storageKeys.layout, layoutOptionObj.key);\n\t\t\t}\n\t\t},\n\n\t\tchangeOrderBy: (optionsObj, orderByOptionObj) => {\n\n\t\t\tlet storageKeys = optionsObj.storageKeys;\n\n\t\t\t// Update order by param\n\t\t\tservice.updateOrderBy(optionsObj, orderByOptionObj);\n\n\t\t\tservice.hideMenus(optionsObj);\n\n\t\t\t// Save to storage\n\t\t\tif (storageKeys && (storageKeys.orderBy)) {\n\t\t\t\tif (storageKeys.reverse) {\n\t\t\t\t\tutilities.addToStorage(storageKeys.orderBy, orderByOptionObj.key);\n\t\t\t\t\tutilities.addToStorage(storageKeys.reverse, orderByOptionObj.reverse.toString());\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\n\t\tcreateSearchFilter: optionsObj => {\n\n\t\t\tif (!angular.isUndefined(optionsObj.search.filterOptions)) {\n\n\t\t\t\tconst searchSettingsObj = service.getSearchSettingsForSelectedOption(optionsObj.search.filterOption, optionsObj);\n\n\t\t\t\tangular.extend(optionsObj.search, searchSettingsObj);\n\t\t\t}\n\t\t},\n\n\t\tgetFilterOptionById: optionsObj => {\n\n\t\t\tconst defaultFilterOption = angular.copy(optionsObj.search.filterOptions[0]);\n\n\t\t\t// Filter option id can be passed via URL\n\t\t\tif (angular.isDefined(optionsObj.search.filterOptionId)) {\n\n\t\t\t\tconst activeFilterOption = optionsObj.search.filterOptions.find(filterOption => {\n\t\t\t\t\treturn filterOption.id === optionsObj.search.filterOptionId;\n\t\t\t\t});\n\n\t\t\t\treturn angular.isDefined(activeFilterOption) ? activeFilterOption : defaultFilterOption;\n\t\t\t}\n\n\t\t\treturn defaultFilterOption;\n\t\t},\n\n\t\tgetItemsPerPageOptions: (searchOptionsObj, itemCount) => {\n\n\t\t\t// Only applies if property is set\n\t\t\tif (angular.isUndefined(searchOptionsObj.results.canChangeItemsPerPage)) {\n\t\t\t\treturn [];\n\t\t\t}\n\n\t\t\tconst maxOptionsCount = 6;\n\t\t\tlet itemsPerPageOptionsArr = [];\n\t\t\tlet amountOverMaxCount;\n\n\t\t\tfor (let optionIndex = 1; optionIndex <= maxOptionsCount; optionIndex++) {\n\n\t\t\t\tconst amount = optionIndex * searchOptionsObj.results.itemsPerPage;\n\n\t\t\t\tif (!amountOverMaxCount && amount > itemCount) {\n\t\t\t\t\tamountOverMaxCount = optionIndex;\n\t\t\t\t}\n\n\t\t\t\titemsPerPageOptionsArr.push({\n\t\t\t\t\tdisplay: `Show ${amount}`,\n\t\t\t\t\tkey: `items-per-page-${amount}`,\n\t\t\t\t\tvalue: amount\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t// If max page option is more than item count, then remove it from returned array\n\t\t\tif (amountOverMaxCount) {\n\t\t\t\titemsPerPageOptionsArr = itemsPerPageOptionsArr.splice(0, amountOverMaxCount);\n\t\t\t}\n\n\t\t\treturn itemsPerPageOptionsArr;\n\t\t},\n\n\t\tgetOptionsWithDefaults: (optionsObj) => {\n\n\t\t\tconst SEARCH_FIELD_GUID = utilities.guid();\n\t\t\tconst SEARCH_FIELD_ID_PREFIX = 'search-bar-search-field';\n\n\t\t\tconst defaultOptions = {\n\n\t\t\t\t// ID for search field, so we can set focus to it as required\n\t\t\t\tid: `${SEARCH_FIELD_ID_PREFIX}_${SEARCH_FIELD_GUID}`,\n\n\t\t\t\t// Custom Menu\n\t\t\t\tcustom: null,\n\t\t\t\tcustomObj: null,\n\t\t\t\tcustomOptions: null,\n\t\t\t\tshowCustomMenu: false,\n\n\t\t\t\t// Items per page\n\t\t\t\titemsPerPageOption: null,\n\t\t\t\titemsPerPageOptions: null,\n\t\t\t\tshowItemsPerPageMenu: false,\n\n\t\t\t\t// Layout\n\t\t\t\tlayout: null,\n\t\t\t\tlayoutObj: null,\n\t\t\t\tlayoutOptions: null,\n\t\t\t\tshowLayoutOption: false,\n\n\t\t\t\t// OrderBy\n\t\t\t\torderBy: null,\n\t\t\t\torderByObj: null,\n\t\t\t\torderByOptions: null,\n\t\t\t\tshowOrderByMenu: false,\n\n\t\t\t\t// Search\n\t\t\t\tsearch: {\n\t\t\t\t\tstring: '',\n\t\t\t\t\tterms: {\n\t\t\t\t\t\tplaceholder: 'Search...',\n\t\t\t\t\t\tnoResults: 'No results',\n\t\t\t\t\t\tsingular: '1 result',\n\t\t\t\t\t\tplural: '{} results'\n\t\t\t\t\t}\n\t\t\t\t},\n\n\t\t\t\t// Results\n\t\t\t\tresults: {\n\t\t\t\t\titemsPerPage: 15,\n\t\t\t\t\treverse: false\n\t\t\t\t},\n\n\t\t\t\t// Storage Keys\n\t\t\t\tstorageKeys: null,\n\n\t\t\t\t// Mobile\n\t\t\t\tshowMobileCustom: false,\n\t\t\t\tshowMobileItemsPerPage: false,\n\t\t\t\tshowMobileSearch: false,\n\t\t\t\tshowMobileSort: false\n\t\t\t};\n\n\t\t\treturn angular.merge(defaultOptions, optionsObj);\n\t\t},\n\n\t\tgetSearchSettingsForSelectedOption: (filterOption, optionsObj) => {\n\n\t\t\tlet settingsObj = {};\n\n\t\t\t// Searches across entire object (default)\n\t\t\tif (filterOption.id === 'all') {\n\n\t\t\t\tangular.extend(settingsObj, {\n\t\t\t\t\tisExactMatch: false,\n\t\t\t\t\tsearchFilter: {\n\t\t\t\t\t\t$: optionsObj.search.string\n\t\t\t\t\t}\n\t\t\t\t});\n\n\t\t\t\treturn settingsObj;\n\t\t\t}\n\n\t\t\tconst isExactMatch = optionsObj.search.string !== '' && angular.isDefined(filterOption.isExactMatch) ? filterOption.isExactMatch : false;\n\n\t\t\tlet filterObj = {};\n\t\t\tlet loop = 0;\n\t\t\tlet i = 0;\n\t\t\tlet numberOfFilterKeys = filterOption.filterKeys.length;\n\n\t\t\t// Single level obj\n\t\t\tif (numberOfFilterKeys === 1) {\n\n\t\t\t\tfilterObj[filterOption.filterKeys[i]] = optionsObj.search.string;\n\n\t\t\t\tangular.extend(settingsObj, {\n\t\t\t\t\tisExactMatch,\n\t\t\t\t\tsearchFilter: filterObj\n\t\t\t\t});\n\n\t\t\t\treturn settingsObj;\n\t\t\t}\n\n\t\t\t// Multi level obj\n\t\t\tfor (i; i < numberOfFilterKeys; i++) {\n\n\t\t\t\tconst filterKey = filterOption.filterKeys[i];\n\n\t\t\t\tloop++;\n\n\t\t\t\t// First level\n\t\t\t\tif (loop === 1) {\n\t\t\t\t\tfilterObj[filterKey] = {};\n\t\t\t\t}\n\n\t\t\t\t// Other\n\t\t\t\telse {\n\n\t\t\t\t\tconst prop = filterOption.filterKeys[i - 1];\n\n\t\t\t\t\t// Last level\n\t\t\t\t\tif (loop === numberOfFilterKeys) {\n\t\t\t\t\t\tfilterObj[prop] = {\n\t\t\t\t\t\t\t[filterKey]: optionsObj.search.string\n\t\t\t\t\t\t};\n\t\t\t\t\t}\n\n\t\t\t\t\t// Middle level\n\t\t\t\t\telse {\n\t\t\t\t\t\tfilterObj[prop] = {};\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tangular.extend(settingsObj, {\n\t\t\t\tisExactMatch,\n\t\t\t\tsearchFilter: filterObj\n\t\t\t});\n\n\t\t\treturn settingsObj;\n\t\t},\n\n\t\thideMenus: optionsObj => {\n\n\t\t\toptionsObj.showCustomMenu = false;\n\t\t\toptionsObj.showItemsPerPageMenu = false;\n\t\t\toptionsObj.showMobileCustom = false;\n\t\t\toptionsObj.showMobileItemsPerPage = false;\n\t\t\toptionsObj.showMobileSort = false;\n\t\t\toptionsObj.showOrderByMenu = false;\n\t\t},\n\n\t\tloadDefaultFilterOptions: optionsObj => {\n\n\t\t\t// Custom\n\t\t\tif (optionsObj.customOptions) {\n\n\t\t\t\t// Get from storage\n\t\t\t\tlet storedCustomKey = utilities.getFromStorage(optionsObj.storageKeys.custom);\n\n\t\t\t\t// Check if stored value exists in array\n\t\t\t\tservice.updateCustom(optionsObj, utilities.getObjectFromArrayByKey(optionsObj.customOptions, storedCustomKey));\n\t\t\t}\n\n\t\t\t// Layout\n\t\t\tif (optionsObj.layoutOptions) {\n\n\t\t\t\tif (!optionsObj.storageKeys || !optionsObj.storageKeys.layout) {\n\t\t\t\t\tservice.updateLayout(optionsObj, null);\n\n\t\t\t\t} else {\n\n\t\t\t\t\t// Get from storage\n\t\t\t\t\tlet storedLayoutKey = utilities.getFromStorage(optionsObj.storageKeys.layout);\n\n\t\t\t\t\t// Check if stored value exists in array\n\t\t\t\t\tservice.updateLayout(optionsObj, utilities.getObjectFromArrayByKey(optionsObj.layoutOptions, storedLayoutKey));\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Items per page\n\t\t\tif (optionsObj.itemsPerPageOptions.length) {\n\n\t\t\t\tif (!optionsObj.storageKeys || !optionsObj.storageKeys.itemsPerPage) {\n\t\t\t\t\tservice.updateItemsPerPage(optionsObj, null);\n\n\t\t\t\t} else {\n\n\t\t\t\t\t// Get from storage\n\t\t\t\t\tlet storedItemsPerPageKey = utilities.getFromStorage(optionsObj.storageKeys.itemsPerPage);\n\n\t\t\t\t\t// Check if stored value exists in array\n\t\t\t\t\tservice.updateItemsPerPage(optionsObj, utilities.getObjectFromArrayByKey(optionsObj.itemsPerPageOptions, storedItemsPerPageKey));\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Order By\n\t\t\tif (optionsObj.orderByOptions) {\n\n\t\t\t\tif (!optionsObj.storageKeys || !optionsObj.storageKeys.orderBy) {\n\t\t\t\t\tservice.updateOrderBy(optionsObj, null);\n\n\t\t\t\t} else {\n\n\t\t\t\t\t// Get from storage\n\t\t\t\t\tlet storedOrderByKey = utilities.getFromStorage(optionsObj.storageKeys.orderBy);\n\n\t\t\t\t\t// Check if stored value exists in array\n\t\t\t\t\tservice.updateOrderBy(optionsObj, utilities.getObjectFromArrayByKey(optionsObj.orderByOptions, storedOrderByKey));\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\n\t\tgetHasSearchFilterAll: optionsObj => {\n\n\t\t\tfor (const filterOption of optionsObj.search.filterOptions) {\n\n\t\t\t\tif (filterOption.id === 'all') {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n }\n\n return false;\n\t\t},\n\n\t\tloadDefaultSearchFilterOptions: optionsObj => {\n\n\t\t\t// Only applies if filter options are provided\n\t\t\tif (!angular.isUndefined(optionsObj.search.filterOptions)) {\n\n\t\t\t\tconst hasSearchFilterAll = service.getHasSearchFilterAll(optionsObj);\n\n\t\t\t\t/**\n\t\t\t\t * A search filter with { id: 'all' } will override the default one below\n\t\t\t\t * A specific 'all' filterOption can be provided supplying a list of properties to search against, avoiding search the entire object and improving search performance\n\t\t\t\t**/\n\t\t\t\tif (!hasSearchFilterAll) {\n\t\t\t\t\toptionsObj.search.filterOptions.unshift({\n\t\t\t\t\t\tdescription: 'All',\n\t\t\t\t\t\tid: 'all'\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\toptionsObj.search.filterOption = service.getFilterOptionById(optionsObj);\n\n\t\t\t\tservice.createSearchFilter(optionsObj);\n\t\t\t}\n\t\t},\n\n\t\tupdateCustom: (optionsObj, customOptionObj) => {\n\n\t\t\t// If not provided default to first in array\n\t\t\tcustomOptionObj = customOptionObj ? customOptionObj : optionsObj.customOptions[0];\n\n\t\t\toptionsObj.custom = customOptionObj.key;\n\t\t\toptionsObj.customObj = customOptionObj;\n\t\t},\n\n\t\tupdateItemsPerPage: (optionsObj, itemsPerPageObj) => {\n\n\t\t\t// If not provided default to first in array\n\t\t\titemsPerPageObj = itemsPerPageObj ? itemsPerPageObj : optionsObj.itemsPerPageOptions[0];\n\n\t\t\toptionsObj.itemsPerPageOption = itemsPerPageObj;\n\t\t\toptionsObj.results.itemsPerPage = itemsPerPageObj.value;\n\t\t},\n\n\t\tupdateLayout (optionsObj, layoutOptionObj) {\n\n\t\t\t// If not provided default to first in array\n\t\t\tlayoutOptionObj = layoutOptionObj ? layoutOptionObj : optionsObj.layoutOptions[0];\n\n\t\t\toptionsObj.layout = layoutOptionObj.key;\n\t\t\toptionsObj.layoutObj = layoutOptionObj;\n\t\t},\n\n\t\tupdateOrderBy: (optionsObj, orderByOptionObj) => {\n\n\t\t\t// If not provided default to first in array\n\t\t\torderByOptionObj = orderByOptionObj ? orderByOptionObj : optionsObj.orderByOptions[0];\n\n\t\t\toptionsObj.orderBy = orderByOptionObj.field;\n\t\t\toptionsObj.orderByObj = orderByOptionObj;\n\t\t\toptionsObj.results.reverse = orderByOptionObj.reverse;\n\t\t}\n\t};\n\n\tconst options = {\n\t\taccessFinancialsTenants: {\n\t\t\tid: 'access-financials-tenants',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-asc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-desc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search organisations...',\n\t\t\t\t\tsingular: '1 organisation',\n\t\t\t\t\tnoResults: '0 organisations',\n\t\t\t\t\tplural: '{} organisations'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tadmins: {\n\t\t\tid: 'admins',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-asc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-desc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search admins...',\n\t\t\t\t\tsingular: '1 admin',\n\t\t\t\t\tplural: '{} admins'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'adminsOrderBy',\n\t\t\t\treverse: 'adminsOrderReverse'\n\t\t\t}\n\t\t},\n\t\tapiReferences: {\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-asc',\n\t\t\t\t\tfield: 'name',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-desc',\n\t\t\t\t\tfield: 'name',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'library-asc',\n\t\t\t\t\tfield: 'library',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'UI library A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'library-desc',\n\t\t\t\t\tfield: 'library',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'UI library Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'project-asc',\n\t\t\t\t\tfield: 'project',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Project A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'project-desc',\n\t\t\t\t\tfield: 'project',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Project Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'reference-count-asc',\n\t\t\t\t\tfield: 'referenceCount',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Reference Count (asc)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'reference-count-desc',\n\t\t\t\t\tfield: 'referenceCount',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Reference Count (desc)'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search API references...',\n\t\t\t\t\tsingular: '1 API reference',\n\t\t\t\t\tplural: '{} API references'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'apiReferencessOrderBy',\n\t\t\t\treverse: 'apiReferencesReverse'\n\t\t\t}\n\t\t},\n\t\tarchivedTeamMembers: {\n\t\t\tid: 'archived-team-members',\n\t\t\tlayoutOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'cards',\n\t\t\t\t\ttitle: 'Cards'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'rows',\n\t\t\t\t\ttitle: 'Rows'\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-asc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-desc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search archived team members...',\n\t\t\t\t\tsingular: '1 archived team member',\n\t\t\t\t\tplural: '{} archived team members'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\tlayout: 'archivedTeamMembersLayout',\n\t\t\t\torderBy: 'archivedTeamMembersOrderBy',\n\t\t\t\treverse: 'archivedTeamMemebrsOrderReverse'\n\t\t\t}\n\t\t},\n\t\tbacsDownloads: {\n\t\t\tid: 'bacs-downloads',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-asc',\n\t\t\t\t\tfield: 'CompanyName',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-desc',\n\t\t\t\t\tfield: 'CompanyName',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payment-date-asc',\n\t\t\t\t\tfield: 'PaymentDateISO',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Payment date Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payment-date-desc',\n\t\t\t\t\tfield: 'PaymentDateISO',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Payment date Desc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search files...',\n\t\t\t\t\tsingular: '1 file',\n\t\t\t\t\tplural: '{} files'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\tfilterBy: 'bacsCompaniesFilterBy',\n\t\t\t\torderBy: 'bacsCompaniesOrderBy',\n\t\t\t\treverse: 'bacsCompaniesOrderByReverse'\n\t\t\t}\n\t\t},\n\t\tbilling: {\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search invoices...',\n\t\t\t\t\tsingular: '1 invoice',\n\t\t\t\t\tplural: '{} invoices'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tbureaus: {\n\t\t\tid: 'bureaus',\n\t\t\tlayoutOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'cards',\n\t\t\t\t\ttitle: 'Cards'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'rows',\n\t\t\t\t\ttitle: 'Rows'\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-asc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-desc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'company-count-desc',\n\t\t\t\t\tfield: 'Company.CompanyCount',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Companies Desc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'company-count-asc',\n\t\t\t\t\tfield: 'Company.CompanyCount',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Companies Asc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tresults: {\n\t\t\t\titemsPerPage: 100\n\t\t\t},\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search bureaus...',\n\t\t\t\t\tsingular: '1 bureau',\n\t\t\t\t\tplural: '{} bureaus'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\tlayout: 'bureausLayout',\n\t\t\t\torderBy: 'bureausOrderBy',\n\t\t\t\treverse: 'bureausOrderReverse'\n\t\t\t}\n\t\t},\n\t\tbureausArchived: {\n\t\t\tid: 'bureaus-archived',\n\t\t\tlayoutOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'cards',\n\t\t\t\t\ttitle: 'Cards'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'rows',\n\t\t\t\t\ttitle: 'Rows'\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-asc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-desc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search bureaus...',\n\t\t\t\t\tsingular: '1 bureau',\n\t\t\t\t\tplural: '{} bureaus'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\tlayout: 'bureausArchivedLayout',\n\t\t\t\torderBy: 'bureausArchivedOrderBy',\n\t\t\t\treverse: 'bureausArchivedOrderByReverse'\n\t\t\t}\n\t\t},\n\t\tbureauWorkflowActivityLog: {\n\t\t\tid: 'bureau-workflow-activity-log',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search activity...',\n\t\t\t\t\tsingular: '1 entry',\n\t\t\t\t\tplural: '{} entries'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tbureauWorkflowTasks: {\n\t\t\tid: 'bureau-workflow-tasks',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'due-date-asc',\n\t\t\t\t\tfield: 'DueDateISO',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Due date (old - new)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'due-date-desc',\n\t\t\t\t\tfield: 'DueDateISO',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Due date (new - old)'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search companies...',\n\t\t\t\t\tsingular: '1 company',\n\t\t\t\t\tplural: '{} companies'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'bureauWorkflowOrderBy',\n\t\t\t\treverse: 'bureauWorkflowOrderReverse'\n\t\t\t}\n\t\t},\n\t\tbusinessCategories: {\n\t\t\tid: 'business-categories',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-asc',\n\t\t\t\t\tfield: 'BusinessCodeNarrative',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name (A - Z)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-desc',\n\t\t\t\t\tfield: 'BusinessCodeNarrative',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name (Z - A)'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search categories...',\n\t\t\t\t\tsingular: '1 category',\n\t\t\t\t\tplural: '{} categories'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tchangesTable: {\n\t\t\tid: 'changes-table',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-asc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-desc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payroll-id-asc',\n\t\t\t\t\tfield: 'PayrollIDSequence',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Payroll ID Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payroll-id-desc',\n\t\t\t\t\tfield: 'PayrollIDSequence',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Payroll ID Desc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search team...',\n\t\t\t\t\tsingular: '1 team member',\n\t\t\t\t\tplural: '{} team members'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'changesTableTeamOrderBy',\n\t\t\t\treverse: 'changesTableTeamOrderReverse'\n\t\t\t}\n\t\t},\n\t\tcompanies: {\n\t\t\tid: 'companies',\n\t\t\tlayoutOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'cards',\n\t\t\t\t\ttitle: 'Cards'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'rows',\n\t\t\t\t\ttitle: 'Rows'\n\t\t\t\t}\n\t\t\t],\n\t\t\tresults: {\n\t\t\t\tcanChangeItemsPerPage: true\n\t\t\t},\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-asc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-desc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payment-date-asc',\n\t\t\t\t\tfield: 'PayPeriod.payDateUnix',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Payment date Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payment-date-desc',\n\t\t\t\t\tfield: 'PayPeriod.payDateUnix',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Payment date Desc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'team-count-asc',\n\t\t\t\t\tfield: 'Company.TeamMemberCount',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Team count Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'team-count-desc',\n\t\t\t\t\tfield: 'Company.TeamMemberCount',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Team count Desc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tfilterOptions: [\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'All',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'Company.Name',\n\t\t\t\t\t\t\t'Company.ClientReference',\n\t\t\t\t\t\t\t'Company.PAYERef'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'all',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Name',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'Company.Name'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'name',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Client reference',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'Company.ClientReference'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'client-reference'\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'PAYE reference',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'Company.PAYERef'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'paye-reference'\n\t\t\t\t\t}\n\t\t\t\t],\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search companies...',\n\t\t\t\t\tsingular: '1 company',\n\t\t\t\t\tplural: '{} companies'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\titemsPerPage: 'companiesItemsPerPage',\n\t\t\t\tlayout: 'companiesLayout',\n\t\t\t\torderBy: 'companiesOrderBy',\n\t\t\t\treverse: 'companiesOrderByReverse'\n\t\t\t}\n\t\t},\n\t\tcompaniesArchived: {\n\t\t\tid: 'companies-archived',\n\t\t\tlayoutOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'cards',\n\t\t\t\t\ttitle: 'Cards'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'rows',\n\t\t\t\t\ttitle: 'Rows'\n\t\t\t\t}\n\t\t\t],\n\t\t\tresults: {\n\t\t\t\tcanChangeItemsPerPage: true\n\t\t\t},\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-asc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-desc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search companies...',\n\t\t\t\t\tsingular: '1 company',\n\t\t\t\t\tplural: '{} companies'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\titemsPerPage: 'companiesArchivedItemsPerPage',\n\t\t\t\tlayout: 'companiesArchivedLayout',\n\t\t\t\torderBy: 'companiesArchivedOrderBy',\n\t\t\t\treverse: 'companiesArchivedOrderByReverse'\n\t\t\t}\n\t\t},\n\t\tcompanyGroups: {\n\t\t\tid: 'search-company-groups',\n\t\t\tlayoutOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'cards',\n\t\t\t\t\ttitle: 'Cards'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'rows',\n\t\t\t\t\ttitle: 'Rows'\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-asc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-desc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'company-count-desc',\n\t\t\t\t\tfield: 'Company.CompanyCount',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Companies Desc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'company-count-asc',\n\t\t\t\t\tfield: 'Company.CompanyCount',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Companies Asc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tresults: {\n\t\t\t\titemsPerPage: 100\n\t\t\t},\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search company groups...',\n\t\t\t\t\tsingular: '1 company group',\n\t\t\t\t\tplural: '{} company groups'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\tlayout: 'companyGroupsLayout',\n\t\t\t\torderBy: 'companyGroupsOrderBy',\n\t\t\t\treverse: 'companyGroupsOrderReverse'\n\t\t\t}\n\t\t},\n\t\tcurrentPeriod: {\n\t\t\tid: 'current-period',\n\t\t\tlayoutOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'cards',\n\t\t\t\t\ttitle: 'Cards'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'rows',\n\t\t\t\t\ttitle: 'Rows'\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'PersonalDetails.Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'PersonalDetails.Forename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-asc',\n\t\t\t\t\tfield: 'PersonalDetails.Surname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-desc',\n\t\t\t\t\tfield: 'PersonalDetails.Surname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payroll-id-asc',\n\t\t\t\t\tfield: 'PersonalDetails.PayrollIDSequence',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Payroll ID Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payroll-id-desc',\n\t\t\t\t\tfield: 'PersonalDetails.PayrollIDSequence',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Payroll ID Desc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tresults: {\n\t\t\t\tcanChangeItemsPerPage: true\n\t\t\t},\n\t\t\tsearch: {\n\t\t\t\tfilterOptions: [\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'All',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'PersonalDetails.Forename',\n\t\t\t\t\t\t\t'PersonalDetails.Fullname',\n\t\t\t\t\t\t\t'PersonalDetails.HMRCID',\n\t\t\t\t\t\t\t'PersonalDetails.NINumber',\n\t\t\t\t\t\t\t'PersonalDetails.PayrollID',\n\t\t\t\t\t\t\t'PersonalDetails.PolicyGradeName',\n\t\t\t\t\t\t\t'PersonalDetails.Surname',\n\t\t\t\t\t\t\t'PersonalDetails.UserID',\n\t\t\t\t\t\t\t'PersonalDetails.UTR'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'all',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Name',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'PersonalDetails.Fullname'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'fullname',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Payroll ID',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'PersonalDetails.PayrollID'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'payrollid',\n\t\t\t\t\t\tisExactMatch: true\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'HMRC ID',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'PersonalDetails.HMRCID'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'hmrcId',\n\t\t\t\t\t\tisExactMatch: true\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'NI Number',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'PersonalDetails.NINumber'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'ninumber',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'UTR',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'PersonalDetails.UTR'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'utr',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Job Grade',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'PersonalDetails.PolicyGradeName'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'jobGrade',\n\t\t\t\t\t}\n\t\t\t\t],\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search team...',\n\t\t\t\t\tsingular: '1 team member',\n\t\t\t\t\tplural: '{} team members'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\titemsPerPage: 'payrollItemsPerPage',\n\t\t\t\tlayout: 'payrollLayout',\n\t\t\t\torderBy: 'payrollOrderBy',\n\t\t\t\treverse: 'payrollOrderReverse'\n\t\t\t}\n\t\t},\n\t\tcurrentPeriodChanges: {\n\t\t\tid: 'current-period-changes',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'UserForename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Forename A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'UserForename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Forename Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-asc',\n\t\t\t\t\tfield: 'UserSurname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-desc',\n\t\t\t\t\tfield: 'UserSurname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t},\n\t\t\t],\n\t\t\tresults: {\n\t\t\t\tcanChangeItemsPerPage: true\n\t\t\t},\n\t\t\tsearch: {\n\t\t\t\tfilterOptions: [\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Name',\n\t\t\t\t\t\tfilterKeys: ['UserFullname'],\n\t\t\t\t\t\tid: 'fullname',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Payroll ID',\n\t\t\t\t\t\tfilterKeys: ['ID'],\n\t\t\t\t\t\tid: 'payrollid',\n\t\t\t\t\t\tisExactMatch: true\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'HMRC ID',\n\t\t\t\t\t\tfilterKeys: ['HMRCID'],\n\t\t\t\t\t\tid: 'hmrcid',\n\t\t\t\t\t\tisExactMatch: true\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'NI Number',\n\t\t\t\t\t\tfilterKeys: ['NINumber'],\n\t\t\t\t\t\tid: 'ninumber',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'UTR',\n\t\t\t\t\t\tfilterKeys: ['UTR'],\n\t\t\t\t\t\tid: 'utr',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Job Grade',\n\t\t\t\t\t\tfilterKeys: ['PolicyGradeName'],\n\t\t\t\t\t\tid: 'jobGrade',\n\t\t\t\t\t}\n\t\t\t\t],\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search team...',\n\t\t\t\t\tsingular: '1 team member',\n\t\t\t\t\tplural: '{} team members'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\titemsPerPage: 'currentPeriodChangesPerPage',\n\t\t\t\torderBy: 'currentPeriodChangesOrderBy',\n\t\t\t\treverse: 'currentPeriodChangesOrderReverse'\n\t\t\t}\n\t\t},\n\t\tcurrentPeriodImports: {\n\t\t\tid: 'current-period-imports',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'imported-date-desc',\n\t\t\t\t\tfield: 'importedDateUnix',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'New-old'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'imported-date-asc',\n\t\t\t\t\tfield: 'importedDateUnix',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Old-new'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'imported-status',\n\t\t\t\t\tfield: 'Undone',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Status'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'filename-asc',\n\t\t\t\t\tfield: 'ImportedFileName',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Filename A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'filename-desc',\n\t\t\t\t\tfield: 'ImportedFileName',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Filename Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'imported-by-asc',\n\t\t\t\t\tfield: 'ImportedBy',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Imported by A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'imported-by-desc',\n\t\t\t\t\tfield: 'ImportedBy',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Imported by Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search imports...',\n\t\t\t\t\tsingular: '1 import',\n\t\t\t\t\tplural: '{} imports'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tcurrentPeriodTaxUpdates: {\n\t\t\tid: 'current-period-tax-updates',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'PersonalDetails.Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search tax updates...',\n\t\t\t\t\tsingular: '1 tax update',\n\t\t\t\t\tplural: '{} tax updates'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tcustomerCodes: {\n\t\t\tid: 'customer-codes',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'companyname-asc',\n\t\t\t\t\tfield: 'CompanyName',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'companyname-desc',\n\t\t\t\t\tfield: 'CompanyName',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tresults: {\n\t\t\t\titemsPerPage: 12\n\t\t\t},\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search companies...',\n\t\t\t\t\tsingular: '1 company',\n\t\t\t\t\tplural: '{} companies'\n\t\t\t\t}\n\t\t\t},\n\t\t\tactions: [\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Edit codes',\n\t\t\t\t\tkey: SEARCH_BAR_ACTIONS.customerCodes.editCustomerCode,\n\t\t\t\t\ttheme: 'is-primary',\n\t\t\t\t}\n\t\t\t],\n\t\t\tstorageKeys: {\n\t\t\t\tfilterBy: 'customerCodesFilterBy',\n\t\t\t\titemsPerPage: 'customerCodesItemsPerPage',\n\t\t\t\torderBy: 'customerCodesOrderBy',\n\t\t\t\treverse: 'customerCodesReverse'\n\t\t\t}\n\t\t},\n\t\tcustomerCodesForm: {\n\t\t\tid: 'customer-codes-form',\n\t\t\tsearch: {\n\t\t\t\tdisablePersistedSearch: true,\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search companies...',\n\t\t\t\t\tsingular: '1 company',\n\t\t\t\t\tplural: '{} companies'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tdisbursements: {\n\t\t\tid: 'disbursements',\n\t\t\tresults: {\n\t\t\t\titemsPerPage: 12\n\t\t\t},\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search disbursements...',\n\t\t\t\t\tsingular: '1 disbursement',\n\t\t\t\t\tplural: '{} disbursements'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\n\t\tdocuments: {\n\t\t\tid: 'documents',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'createdDate-asc',\n\t\t\t\t\tfield: 'createdDateISOUnix',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'New-old'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'createdDate-desc',\n\t\t\t\t\tfield: 'createdDateISOUnix',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Old-New'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'document-name-asc',\n\t\t\t\t\tfield: 'DocumentName',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'document-name-desc',\n\t\t\t\t\tfield: 'DocumentName',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search documents...',\n\t\t\t\t\tsingular: '1 document',\n\t\t\t\t\tplural: '{} documents'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'documentsOrderBy',\n\t\t\t\treverse: 'documentsOrderReverse'\n\t\t\t}\n\t\t},\n\t\temailContactsAdmins: {\n\t\t\tid: 'email-contacts-admins',\n\t\t\tsearch: {\n\t\t\t\thide: true,\n\t\t\t\tterms: {\n\t\t\t\t\tsingular: '1 admin',\n\t\t\t\t\tplural: '{} admins'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\temailContactsExternal: {\n\t\t\tid: 'email-contacts-external',\n\t\t\tsearch: {\n\t\t\t\thide: true,\n\t\t\t\tterms: {\n\t\t\t\t\tsingular: '1 external recipient',\n\t\t\t\t\tplural: '{} external recipients'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\temailTriggers: {\n\t\t\tid: 'email-triggers',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-asc',\n\t\t\t\t\tfield: 'MailTypeDescription',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-desc',\n\t\t\t\t\tfield: 'MailTypeDescription',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Desc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search email triggers...',\n\t\t\t\t\tsingular: '1 email trigger',\n\t\t\t\t\tplural: '{} email triggers'\n\t\t\t\t}\n\t\t\t},\n\t\t\tresults: {\n\t\t\t\titemsPerPage: 50\n\t\t\t}\n\t\t},\n\t\tfutureChanges: {\n\t\t\tid: 'future-changes',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'date-asc',\n\t\t\t\t\tfield: 'startDateUnix',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Date Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'date-desc',\n\t\t\t\t\tfield: 'startDateUnix',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Date Desc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'UserForename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Forename A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'UserForename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Forename Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-asc',\n\t\t\t\t\tfield: 'UserSurname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-desc',\n\t\t\t\t\tfield: 'UserSurname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'total-asc',\n\t\t\t\t\tfield: 'Value',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Total Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'total-desc',\n\t\t\t\t\tfield: 'Value',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Total Desc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search future changes...',\n\t\t\t\t\tsingular: '1 future change',\n\t\t\t\t\tplural: '{} future changes'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'futureChangesOrderBy',\n\t\t\t\treverse: 'futureChangesOrderReverse'\n\t\t\t}\n\t\t},\n\t\tgenderPayGap: {\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-asc',\n\t\t\t\t\tfield: 'GenderPayGapReportName',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-desc',\n\t\t\t\t\tfield: 'GenderPayGapReportName',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t},\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search reports...',\n\t\t\t\t\tsingular: '1 report',\n\t\t\t\t\tplural: '{} reports'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\tfilterBy: 'genderPayGapFilterBy',\n\t\t\t\titemsPerPage: 'genderPayGapPerPage',\n\t\t\t\tlayout: 'genderPayGapLayout',\n\t\t\t\torderBy: 'genderPayGapOrderBy',\n\t\t\t\treverse: 'genderPayGapOrderReverse'\n\t\t\t}\n\t\t},\n\t\thistory: {\n\t\t\tid: 'history',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'pay-period-desc',\n\t\t\t\t\tfield: 'PayDateISO',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'New to old'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'pay-period-asc',\n\t\t\t\t\tfield: 'PayDateISO',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Old to new'\n\t\t\t\t}\n\t\t\t],\n\t\t\tresults: {\n\t\t\t\titemsPerPage: 12\n\t\t\t},\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search pay periods...',\n\t\t\t\t\tsingular: '1 pay period',\n\t\t\t\t\tplural: '{} pay periods'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'payPeriodOrderBy',\n\t\t\t\treverse: 'payPeriodOrderReverse'\n\t\t\t}\n\t\t},\n\t\thourlyTotals: {\n\t\t\tid: 'hourly-totals',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-asc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-desc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payroll-id-asc',\n\t\t\t\t\tfield: 'PayrollID',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Payroll ID asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payroll-id-desc',\n\t\t\t\t\tfield: 'PayrollID',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Payroll ID desc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tresults: {\n\t\t\t\tcanChangeItemsPerPage: true\n\t\t\t},\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search team...',\n\t\t\t\t\tsingular: '1 team member',\n\t\t\t\t\tplural: '{} team members'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\tfilterBy: 'hourlyTotalsFilterBy',\n\t\t\t\titemsPerPage: 'hourlyItemsPerPage',\n\t\t\t\tlayout: 'hourlyTotalsLayout',\n\t\t\t\torderBy: 'hourlyTotalsOrderBy',\n\t\t\t\treverse: 'hourlyTotalsOrderReverse'\n\t\t\t}\n\t\t},\n\t\timportMappings: {\n\t\t\tid: 'import-mappings',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-asc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-desc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search templates...',\n\t\t\t\t\tsingular: '1 template',\n\t\t\t\t\tplural: '{} templates'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'importMappingOrderBy',\n\t\t\t\treverse: 'importMappingReverse'\n\t\t\t}\n\t\t},\n\t\tjobGrades: {\n\t\t\tid: 'job-grades',\n\t\t\tactions: [\n\t\t\t\t{\n\t\t\t\t\ticon: 'icon-plus',\n\t\t\t\t\tlabel: 'Add job grade',\n\t\t\t\t\tkey: SEARCH_BAR_ACTIONS.jobGrades.addJobGrade,\n\t\t\t\t\ttheme: 'is-primary',\n\t\t\t\t\trequiredPermissions: ['HR.canManageJobGrades']\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'job-grades-name-asc',\n\t\t\t\t\tfield: 'PolicyGradeName',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'job-grades-name-desc',\n\t\t\t\t\tfield: 'PolicyGradeName',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search job grades...',\n\t\t\t\t\tsingular: '1 job grade',\n\t\t\t\t\tplural: '{} job grades'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'jobGradesOrderBy',\n\t\t\t\treverse: 'jobGradesReverse'\n\t\t\t}\n\t\t},\n\t\tjobGradeTeamMembers: {\n\t\t\tid: 'job-grade-team-members',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'job-grade-team-members-first-name-asc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'job-grade-team-members-first-name-desc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'job-grade-team-members-surname-asc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'job-grade-team-members-surname-desc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tdisablePersistedSearch: true,\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search team members...',\n\t\t\t\t\tsingular: '1 team member',\n\t\t\t\t\tplural: '{} team members'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'jobGradeTeamMembersOrderBy',\n\t\t\t\treverse: 'jobGradeTeamMembersReverse'\n\t\t\t}\n\t\t},\n\t\tjournalImports: {\n\t\t\tid: 'journals-imports',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'imported-date-desc',\n\t\t\t\t\tfield: 'importedDateUnix',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'New-old'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'imported-date-asc',\n\t\t\t\t\tfield: 'importedDateUnix',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Old-new'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'imported-status',\n\t\t\t\t\tfield: 'Undone',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Status'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'filename-asc',\n\t\t\t\t\tfield: 'ImportedFileName',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Filename A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'filename-desc',\n\t\t\t\t\tfield: 'ImportedFileName',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Filename Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'imported-by-asc',\n\t\t\t\t\tfield: 'ImportedBy',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Imported by A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'imported-by-desc',\n\t\t\t\t\tfield: 'ImportedBy',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Imported by Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search imports...',\n\t\t\t\t\tsingular: '1 import',\n\t\t\t\t\tplural: '{} imports'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tjournalPosts: {\n\t\t\tid: 'journal-posts',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search pay runs...',\n\t\t\t\t\tsingular: '1 pay run',\n\t\t\t\t\tplural: '{} pay runs'\n\t\t\t\t}\n\t\t\t},\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'post-date-desc',\n\t\t\t\t\tfield: 'journalPostActionDateUnix',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Post date (New-old)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'post-date-asc',\n\t\t\t\t\tfield: 'journalPostActionDateUnix',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Post date (Old-new)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'run-date-desc',\n\t\t\t\t\tfield: 'journalPostRunDateUnix',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Run date (New-old)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'run-date-asc',\n\t\t\t\t\tfield: 'journalPostRunDateUnix',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Run date (Old-new)'\n\t\t\t\t}\n\t\t\t]\n\t\t},\n\t\tleavers: {\n\t\t\tid: 'leavers',\n\t\t\tlayoutOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'cards',\n\t\t\t\t\ttitle: 'Cards'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'rows',\n\t\t\t\t\ttitle: 'Rows'\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-asc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-desc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payroll-id-asc',\n\t\t\t\t\tfield: 'IDNumeric',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Payroll ID Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payroll-id-desc',\n\t\t\t\t\tfield: 'IDNumeric',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Payroll ID Desc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'leave-date-asc',\n\t\t\t\t\tfield: 'leaveDateUnix',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Leave date Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'leave-date-desc',\n\t\t\t\t\tfield: 'leaveDateUnix',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Leave date Desc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tresults: {\n\t\t\t\tcanChangeItemsPerPage: true\n\t\t\t},\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search leavers...',\n\t\t\t\t\tsingular: '1 leaver',\n\t\t\t\t\tplural: '{} leavers'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\titemsPerPage: 'leaverItemsPerPage',\n\t\t\t\tlayout: 'leaverLayout',\n\t\t\t\torderBy: 'leaverOrderBy',\n\t\t\t\treverse: 'leaverOrderReverse'\n\t\t\t}\n\t\t},\n\t\tlinkElements: {\n\t\t\tid: 'link-elements',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search link elements...',\n\t\t\t\t\tsingular: '1 link element',\n\t\t\t\t\tplural: '{} link elements'\n\t\t\t\t}\n\t\t\t},\n\t\t},\n\t\tlinkRates: {\n\t\t\tid: 'link-rates',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search link rates...',\n\t\t\t\t\tsingular: '1 link rate',\n\t\t\t\t\tplural: '{} link rates'\n\t\t\t\t}\n\t\t\t},\n\t\t},\n\t\tmanagePayElementPacks: {\n\t\t\tid: 'manage-pay-element-packs',\n\t\t\tsearch: {\n\t\t\t\thide: true,\n\t\t\t\tterms: {\n\t\t\t\t\tsingular: '1 element enabled',\n\t\t\t\t\tplural: '{} elements enabled'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tmanagePayElements: {\n\t\t\tid: 'manage-pay-elements',\n\t\t\tsearch: {\n\t\t\t\tdisablePersistedSearch: true,\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search pay elements...',\n\t\t\t\t\tsingular: '1 pay element',\n\t\t\t\t\tplural: '{} pay elements'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\titemsPerPage: 'managePayElementsItemsPerPage',\n\t\t\t\tlayout: 'managePayElementsLayout',\n\t\t\t\torderBy: 'managePayElementsOrderBy',\n\t\t\t\treverse: 'managePayElementsOrderReverse'\n\t\t\t}\n\t\t},\n\t\tnominalCodes: {\n\t\t\tid: 'nominal-codes',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search nominal codes...',\n\t\t\t\t\tsingular: '1 code',\n\t\t\t\t\tplural: '{} codes'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tnotes: {\n\t\t\tid: 'notes',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'new-old',\n\t\t\t\t\tfield: 'DateSentISO',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'New - Old'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'old-new',\n\t\t\t\t\tfield: 'DateSentISO',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Old - New'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search notes...',\n\t\t\t\t\tsingular: '1 note',\n\t\t\t\t\tplural: '{} notes'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'notesOrderBy'\n\t\t\t}\n\t\t},\n\t\tonboarding: {\n\t\t\tid: 'onboarding',\n\t\t\tlayoutOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'cards',\n\t\t\t\t\ttitle: 'Cards'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'rows',\n\t\t\t\t\ttitle: 'Rows'\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-asc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-desc',\n\t\t\t\t\tfield: 'Name',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'newest-companies',\n\t\t\t\t\tfield: 'CreatedDateISO',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Company New-Old'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'oldest-companies',\n\t\t\t\t\tfield: 'CreatedDateISO',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Company Old-New'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'company-type',\n\t\t\t\t\tfield: 'State',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Company Type'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'days-to-expiry',\n\t\t\t\t\tfield: 'DaysToExpiry',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Days to expiry'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'period-type',\n\t\t\t\t\tfield: 'PeriodType',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Period type'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search companies...',\n\t\t\t\t\tsingular: '1 company',\n\t\t\t\t\tplural: '{} companies'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\tlayout: 'companiesOnboardingLayout',\n\t\t\t\torderBy: 'companiesOnboardingOrderBy',\n\t\t\t\treverse: 'companiesOnboardingOrderByReverse'\n\t\t\t}\n\t\t},\n\t\tpayElementsAdditions: {\n\t\t\tid: 'pay-elements-additions',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search additions...',\n\t\t\t\t\tsingular: '1 addition',\n\t\t\t\t\tplural: '{} additions'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tpayElementsBIK: {\n\t\t\tid: 'pay-elements-bik',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search elements...',\n\t\t\t\t\tsingular: '1 element',\n\t\t\t\t\tplural: '{} elements'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tpayElementsDeductions: {\n\t\t\tid: 'pay-elements-deductions',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search deductions...',\n\t\t\t\t\tsingular: '1 deduction',\n\t\t\t\t\tplural: '{} deductions'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tpayrollAlerts: {\n\t\t\tid: 'payroll-alerts',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search alerts...',\n\t\t\t\t\tsingular: '1 alert',\n\t\t\t\t\tplural: '{} alerts'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tpayrollDepartments: {\n\t\t\tid: 'payroll-departments',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'department-name-asc',\n\t\t\t\t\tfield: 'AgencyDepartmentName',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name (A-Z)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'department-name-desc',\n\t\t\t\t\tfield: 'AgencyDepartmentName',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name (Z-A)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'department-team-count-desc',\n\t\t\t\t\tfield: 'DepartmentMemberCount',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Team member count Desc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'department-team-count-asc',\n\t\t\t\t\tfield: 'DepartmentMemberCount',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Team member count Asc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search payroll departments...',\n\t\t\t\t\tsingular: '1 payroll department',\n\t\t\t\t\tplural: '{} payroll departments'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'payrollDepartmentsOrderBy',\n\t\t\t\treverse: 'payrollDepartmentsOrderReverse'\n\t\t\t}\n\t\t},\n\t\tpayslipLabels: {\n\t\t\tid: 'payslip-labels',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'label-name-asc',\n\t\t\t\t\tfield: 'AgencyAdjustmentLabelText',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'label-name-desc',\n\t\t\t\t\tfield: 'AgencyAdjustmentLabelText',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'created-date-asc',\n\t\t\t\t\tfield: 'createdDateUnix',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Created date Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'created-date-desc',\n\t\t\t\t\tfield: 'createdDateUnix',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Created date Desc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'element-type-asc',\n\t\t\t\t\tfield: 'AdjustmentText',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Element Type A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'element-type-desc',\n\t\t\t\t\tfield: 'AdjustmentText',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Element Type Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search payslip labels...',\n\t\t\t\t\tsingular: '1 payslip label',\n\t\t\t\t\tplural: '{} payslip labels'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tpayslipManager: {\n\t\t\tid: 'payslip-manager',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'pay-period-desc',\n\t\t\t\t\tfield: 'PayDateISO',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'New to old'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'pay-period-asc',\n\t\t\t\t\tfield: 'PayDateISO',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Old to new'\n\t\t\t\t}\n\t\t\t],\n\t\t\tresults: {\n\t\t\t\titemsPerPage: 12\n\t\t\t},\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search pay periods...',\n\t\t\t\t\tsingular: '1 pay period',\n\t\t\t\t\tplural: '{} pay periods'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'payslipManagerOrderBy',\n\t\t\t\treverse: 'payslipManagerOrderReverse'\n\t\t\t}\n\t\t},\n\t\tpeopleHrUpdates: {\n\t\t\tid:'people-hr-updates',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'people-hr-updates-events-received-date-asc',\n\t\t\t\t\tfield: 'ReceivedTimeISOUNix',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Date received Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'people-hr-updates-events-received-date-desc',\n\t\t\t\t\tfield: 'ReceivedTimeISOUNix',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Date received Desc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'people-hr-updates-events-person-forename-asc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'people-hr-updates-events-person-forename-desc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'people-hr-updates-events-surname-asc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'people-hr-updates-events-surname-desc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tfilterOptions: [\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'All',\n\t\t\t\t\t\tfilterKeys: ['teamMemberFullname', 'EmployeeID'],\n\t\t\t\t\t\tid: 'all',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Name',\n\t\t\t\t\t\tfilterKeys: ['teamMemberFullname'],\n\t\t\t\t\t\tid: 'teamMemberFullname',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Employee ID',\n\t\t\t\t\t\tfilterKeys: ['EmployeeID'],\n\t\t\t\t\t\tid: 'employeeid',\n\t\t\t\t\t}\n\t\t\t\t],\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search team members',\n\t\t\t\t\tsingular: '1 event',\n\t\t\t\t\tplural: '{} events'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\titemsPerPage: 'people-hr-updates-events-items-per-page',\n\t\t\t\torderBy: 'people-hr-updates-events-order-by',\n\t\t\t\treverse: 'people-hr-updates-events-reverse'\n\t\t\t},\n\t\t\tresults: {\n\t\t\t\tcanChangeItemsPerPage: true\n\t\t\t},\n\t\t},\n\t\tpensionCommunications: {\n\t\t\tid: 'pension-communications',\n\t\t\tcustomOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'sent',\n\t\t\t\t\ttitle: 'Sent'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'received',\n\t\t\t\t\ttitle: 'Received'\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-asc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-desc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search team...',\n\t\t\t\t\tsingular: '1 team member',\n\t\t\t\t\tplural: '{} team members'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\tcustom: 'commsCustom',\n\t\t\t\torderBy: 'commsOrderBy',\n\t\t\t\ttype: 'commsType'\n\t\t\t}\n\t\t},\n\t\tpensionHistory: {\n\t\t\tid: 'pension-history',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'history-date-asc',\n\t\t\t\t\tfield: 'DateISO',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'New-old'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'history-date-desc',\n\t\t\t\t\tfield: 'DateISO',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Old-new'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search history...',\n\t\t\t\t\tsingular: '1 entry',\n\t\t\t\t\tplural: '{} entries'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'pensionHistoryOrderBy',\n\t\t\t}\n\t\t},\n\t\tpensionTeam: {\n\t\t\tid: 'pension-team',\n\t\t\tlayoutOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'cards',\n\t\t\t\t\ttitle: 'Cards'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'rows',\n\t\t\t\t\ttitle: 'Rows'\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-asc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-desc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payroll-id-asc',\n\t\t\t\t\tfield: 'PayrollIDSequence',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Payroll ID Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payroll-id-desc',\n\t\t\t\t\tfield: 'PayrollIDSequence',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Payroll ID Desc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tresults: {\n\t\t\t\tcanChangeItemsPerPage: true\n\t\t\t},\n\t\t\tsearch: {\n\t\t\t\tfilterOptions: [\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Name',\n\t\t\t\t\t\tfilterKeys: ['Fullname'],\n\t\t\t\t\t\tid: 'fullname',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Payroll ID',\n\t\t\t\t\t\tfilterKeys: ['ID'],\n\t\t\t\t\t\tid: 'payrollid',\n\t\t\t\t\t\tisExactMatch: true\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'HMRC ID',\n\t\t\t\t\t\tfilterKeys: ['HMRCID'],\n\t\t\t\t\t\tid: 'hmrcId',\n\t\t\t\t\t\tisExactMatch: true\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'NI Number',\n\t\t\t\t\t\tfilterKeys: ['NINumber'],\n\t\t\t\t\t\tid: 'ninumber',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'UTR',\n\t\t\t\t\t\tfilterKeys: ['UTR'],\n\t\t\t\t\t\tid: 'utr',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Job Grade',\n\t\t\t\t\t\tfilterKeys: ['PolicyGradeName'],\n\t\t\t\t\t\tid: 'jobGrade',\n\t\t\t\t\t}\n\t\t\t\t],\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search team...',\n\t\t\t\t\tsingular: '1 team member',\n\t\t\t\t\tplural: '{} team members'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\titemsPerPage: 'pensionTeamItemsPerPage',\n\t\t\t\tlayout: 'pensionTeamLayout',\n\t\t\t\torderBy: 'pensionTeamOrderBy'\n\t\t\t}\n\t\t},\n\t\tpolicies: {\n\t\t\tid: 'policies',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search policies...',\n\t\t\t\t\tsingular: '1 policy',\n\t\t\t\t\tplural: '{} policies',\n\t\t\t\t\tnoResults: '0 policies'\n\t\t\t\t}\n\t\t\t},\n\t\t\tactions: [\n\t\t\t\t{\n\t\t\t\t\ticon: 'icon-plus',\n\t\t\t\t\tlabel: 'Add policy',\n\t\t\t\t\tkey: SEARCH_BAR_ACTIONS.policies.addPolicy,\n\t\t\t\t\ttheme: 'is-primary',\n requiredPermissions: ['HR.canManagePolicies']\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'policy-name-asc',\n\t\t\t\t\tfield: 'PolicyName',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name (A-Z)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'policy-name-desc',\n\t\t\t\t\tfield: 'PolicyName',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name (Z-A)'\n\t\t\t\t}\n\t\t\t]\n\t\t},\n\t\tpolicyPensionSchemes: {\n\t\t\tid: 'policy-pension-scheme',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'pension-provider-asc',\n\t\t\t\t\tfield: 'PensionProviderName',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Provider A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'pension-provider-desc',\n\t\t\t\t\tfield: 'PensionProviderName',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Provider Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'pension-name-asc',\n\t\t\t\t\tfield: 'PensionName',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'pension-name-desc',\n\t\t\t\t\tfield: 'PensionName',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'er-reference-asc',\n\t\t\t\t\tfield: 'EmployerReference',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Employer ref A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'er-reference-desc',\n\t\t\t\t\tfield: 'EmployerReference',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Employer ref Z-A'\n\t\t\t\t},\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search pension schemes...',\n\t\t\t\t\tsingular: '1 pension scheme',\n\t\t\t\t\tplural: '{} pension schemes'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tpolicyTeamMembers: {\n\t\t\tid: 'policy-team-members',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-asc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-desc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search team members...',\n\t\t\t\t\tsingular: '1 team member',\n\t\t\t\t\tplural: '{} team members'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tprofileDocuments: {\n\t\t\tid: 'profile-documents',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search documents...',\n\t\t\t\t\tsingular: '1 document',\n\t\t\t\t\tplural: '{} documents'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tprofileHistory: {\n\t\t\tid: 'profile-history',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'history-date-asc',\n\t\t\t\t\tfield: 'DateISO',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'New-old'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'history-date-desc',\n\t\t\t\t\tfield: 'DateISO',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Old-new'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search history...',\n\t\t\t\t\tsingular: '1 entry',\n\t\t\t\t\tplural: '{} entries'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'profileHistoryOrderBy',\n\t\t\t}\n\t\t},\n\t\tprofileHoliday: {\n\t\t\tid: 'profile-holiday',\n\t\t\tlayoutOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'rows',\n\t\t\t\t\ttitle: 'Rows'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'cards',\n\t\t\t\t\ttitle: 'Cards'\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'from-date-desc',\n\t\t\t\t\tfield: 'HolidayDateFromISO',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Date Desc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'from-date-asc',\n\t\t\t\t\tfield: 'HolidayDateFromISO',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Date Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'length-asc',\n\t\t\t\t\tfield: 'HolidayDays',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Length Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'length-desc',\n\t\t\t\t\tfield: 'HolidayDays',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Length Desc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'type',\n\t\t\t\t\tfield: 'HolidayType',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Type'\n\t\t\t\t},\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\thide: true,\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search holiday...',\n\t\t\t\t\tsingular: '1 holiday entry',\n\t\t\t\t\tplural: '{} holiday entries'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\tlayout: 'profileHolidayLayout',\n\t\t\t\torderBy: 'profileHolidayOrderBy',\n\t\t\t\treverse: 'profileHolidayOrderReverse'\n\t\t\t}\n\t\t},\n\t\tprofilePayments: {\n\t\t\tid: 'profile-payments',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'payment-date-desc',\n\t\t\t\t\tfield: 'userPaymentDateDisplayUnix',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Payment date Desc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payment-date-asc',\n\t\t\t\t\tfield: 'userPaymentDateDisplayUnix',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Payment date Asc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\thide: true,\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search payments...',\n\t\t\t\t\tsingular: '1 payment',\n\t\t\t\t\tplural: '{} payments'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'profilePaymentsOrderBy',\n\t\t\t\treverse: 'profilePaymentsOrderReverse'\n\t\t\t}\n\t\t},\n\t\tprofileSickness: {\n\t\t\tid: 'profile-sickness',\n\t\t\tlayoutOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'rows',\n\t\t\t\t\ttitle: 'Rows'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'cards',\n\t\t\t\t\ttitle: 'Cards'\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'from-date-desc',\n\t\t\t\t\tfield: 'SicknessDateFromISO',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Date Desc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'from-date-asc',\n\t\t\t\t\tfield: 'SicknessDateFromISO',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Date Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'length-asc',\n\t\t\t\t\tfield: 'SicknessDays',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Length Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'length-desc',\n\t\t\t\t\tfield: 'SicknessDays',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Length Desc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'type',\n\t\t\t\t\tfield: 'SicknessType',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Type'\n\t\t\t\t},\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\thide: true\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\tlayout: 'profileSicknessLayout',\n\t\t\t\torderBy: 'profileSicknessOrderBy',\n\t\t\t\treverse: 'profileSicknessOrderReverse'\n\t\t\t}\n\t\t},\n\t\tremoteLocations: {\n\t\t\tid: 'remote-locations',\n\t\t\tlayoutOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'cards',\n\t\t\t\t\ttitle: 'Cards'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'rows',\n\t\t\t\t\ttitle: 'Rows'\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-asc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-desc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t},\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search admins...',\n\t\t\t\t\tsingular: '1 admin',\n\t\t\t\t\tplural: '{} admins'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\tlayout: 'remoteLocationsLayout',\n\t\t\t\torderBy: 'remoteLocationsOrderBy',\n\t\t\t\treverse: 'remoteLocationsOrderReverse'\n\t\t\t}\n\t\t},\n\t\treports: {\n\t\t\tid: 'reports',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search reports...',\n\t\t\t\t\tsingular: '1 report',\n\t\t\t\t\tplural: '{} reports'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\treportViewer: {\n\t\t\tid: 'report-viewer',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search results...',\n\t\t\t\t\tsingular: '1 result',\n\t\t\t\t\tplural: '{} results'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\treportTemplates: {\n\t\t\tid: 'report-templates',\n\t\t\tsearch: {\n\t\t\t\tdisablePersistedSearch : true,\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search templates...',\n\t\t\t\t\tsingular: '1 template',\n\t\t\t\t\tplural: '{} templates',\n\t\t\t\t\tnoResults: '0 templates'\n\t\t\t\t}\n\t\t\t},\n\t\t\tactions: [\n\t\t\t\t{\n\t\t\t\t\ticon: 'icon-plus',\n\t\t\t\t\tlabel: 'New template',\n\t\t\t\t\tkey: SEARCH_BAR_ACTIONS.reportTemplates.addNewTemplate,\n\t\t\t\t\ttheme: 'is-primary'\n\t\t\t\t}\n\t\t\t]\n\t\t},\n\t\treportSettings: {\n\t\t\tid: 'report-settings',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search reports...',\n\t\t\t\t\tsingular: '1 report',\n\t\t\t\t\tplural: '{} reports'\n\t\t\t\t}\n\t\t\t},\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'report-creation-date-desc',\n\t\t\t\t\tfield: 'ReportCreationDateISO',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Date created (new-old)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'report-creation-date-asc',\n\t\t\t\t\tfield: 'ReportCreationDateISO',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Date created (old-new)'\n\t\t\t\t}\n\t\t\t],\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'reportSettingsOrderBy',\n\t\t\t\treverse: 'reportSettingsOrderReverse'\n\t\t\t}\n\t\t},\n\t\tschedules: {\n\t\t\tid: 'schedules',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-asc',\n\t\t\t\t\tfield: 'description',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'name-desc',\n\t\t\t\t\tfield: 'description',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'startdate-asc',\n\t\t\t\t\tfield: 'StartDateISO',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Start Date (asc)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'startdate-desc',\n\t\t\t\t\tfield: 'StartDateISO',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Start Date (desc)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'enddate-asc',\n\t\t\t\t\tfield: 'EndDateISO',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'End Date (asc)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'enddate-desc',\n\t\t\t\t\tfield: 'EndDateISO',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'End Date (desc)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'status-asc',\n\t\t\t\t\tfield: 'status',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Status'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'status-desc',\n\t\t\t\t\tfield: 'status',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Status (desc)'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tdisablePersistedSearch: true,\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search schedules...',\n\t\t\t\t\tsingular: '1 schedule',\n\t\t\t\t\tplural: '{} schedules'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'schedulesOrderBy',\n\t\t\t\treverse: 'schedulesOrderReverse'\n\t\t\t}\n\t\t},\n\t\tsupplementaryPayRuns: {\n\t\t\tid: 'supplementary-pay-runs',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search pay runs...',\n\t\t\t\t\tsingular: '1 pay run',\n\t\t\t\t\tplural: '{} pay runs'\n\t\t\t\t}\n\t\t\t},\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'supplementary-payments-last-updated-desc',\n\t\t\t\t\tfield: 'supplementaryPaymentLastUpdatedDateUnix',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'New to old'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'supplementary-payments-last-updated-asc',\n\t\t\t\t\tfield: 'supplementaryPaymentLastUpdatedDateUnix',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Old to new'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'supplementary-payments-pay-date-desc',\n\t\t\t\t\tfield: 'supplementaryPaymentPayDateUnix',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Payment date (desc)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'supplementary-payments-pay-date-asc',\n\t\t\t\t\tfield: 'supplementaryPaymentPayDateUnix',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Payment date (asc)'\n\t\t\t\t}\n\t\t\t]\n\t\t},\n\t\ttasks: {\n\t\t\tid: 'tasks',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search tasks...',\n\t\t\t\t\tsingular: '1 task',\n\t\t\t\t\tplural: '{} tasks'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\treverse: 'tasksOrderReverse'\n\t\t\t}\n\t\t},\n\t\ttaxUpdates: {\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'effective-date-desc',\n\t\t\t\t\tfield: 'EffectiveDateISO',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Effective Desc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'effective-date-asc',\n\t\t\t\t\tfield: 'EffectiveDateISO',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Effective Asc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tfilterOptions: [\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Postgraduate loan',\n\t\t\t\t\t\tfilterKeys: ['PostGraduateLoan'],\n\t\t\t\t\t\tid: 'tax-update-postgraduate-loan'\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Student loan',\n\t\t\t\t\t\tfilterKeys: ['StudentLoan'],\n\t\t\t\t\t\tid: 'tax-update-student-loan'\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Tax code',\n\t\t\t\t\t\tfilterKeys: ['taxCode'],\n\t\t\t\t\t\tid: 'tax-update-tax-code'\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Period',\n\t\t\t\t\t\tfilterKeys: ['title'],\n\t\t\t\t\t\tid: 'tax-update-period-title'\n\t\t\t\t\t}\n\t\t\t\t],\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search tax updates...',\n\t\t\t\t\tsingular: '1 tax update',\n\t\t\t\t\tplural: '{} tax updates'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\tlayout: 'taxUpdatesLayout',\n\t\t\t\torderBy: 'taxUpdatesOrderBy',\n\t\t\t\treverse: 'taxUpdatesOrderReverse'\n\t\t\t}\n\t\t},\n\t\tteam: {\n\t\t\tid: 'team',\n\t\t\tlayoutOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'cards',\n\t\t\t\t\ttitle: 'Cards'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'rows',\n\t\t\t\t\ttitle: 'Rows'\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-asc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-desc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payroll-id-asc',\n\t\t\t\t\tfield: 'PayrollIDSequence',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Payroll ID Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payroll-id-desc',\n\t\t\t\t\tfield: 'PayrollIDSequence',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Payroll ID Desc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tresults: {\n\t\t\t\tcanChangeItemsPerPage: true\n\t\t\t},\n\t\t\tsearch: {\n\t\t\t\tfilterOptions: [\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'All',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'Forename',\n\t\t\t\t\t\t\t'Fullname',\n\t\t\t\t\t\t\t'HMRCID',\n\t\t\t\t\t\t\t'ID',\n\t\t\t\t\t\t\t'NINumber',\n\t\t\t\t\t\t\t'PolicyGradeName',\n\t\t\t\t\t\t\t'Surname',\n\t\t\t\t\t\t\t'UserID',\n\t\t\t\t\t\t\t'UTR'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'all',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Name',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'Fullname'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'fullname',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Payroll ID',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'ID'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'payrollid',\n\t\t\t\t\t\tisExactMatch: true\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'HMRC ID',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'HMRCID'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'hmrcId',\n\t\t\t\t\t\tisExactMatch: true\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'NI Number',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'NINumber'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'ninumber',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'UTR',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'UTR'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'utr',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Job grade',\n\t\t\t\t\t\tfilterKeys: [\n\t\t\t\t\t\t\t'PolicyGradeName'\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'policygradename'\n\t\t\t\t\t}\n\t\t\t\t],\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search team...',\n\t\t\t\t\tsingular: '1 team member',\n\t\t\t\t\tplural: '{} team members'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\titemsPerPage: 'teamItemsPerPage',\n\t\t\t\tlayout: 'teamLayout',\n\t\t\t\torderBy: 'teamOrderBy',\n\t\t\t\treverse: 'teamOrderReverse'\n\t\t\t}\n\t\t},\n\t\tteamGeneric: {\n\t\t\tid: 'team-generic',\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search team...',\n\t\t\t\t\tsingular: '1 team member',\n\t\t\t\t\tplural: '{} team members'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tteamHistory: {\n\t\t\tid: 'team-history',\n\t\t\tlayoutOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'rows',\n\t\t\t\t\ttitle: 'Rows'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'cards',\n\t\t\t\t\ttitle: 'Cards'\n\t\t\t\t}\n\t\t\t],\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-asc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-desc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payroll-id-asc',\n\t\t\t\t\tfield: 'PayrollIDSequence',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Payroll ID Asc'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'payroll-id-desc',\n\t\t\t\t\tfield: 'PayrollIDSequence',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Payroll ID Desc'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search team...',\n\t\t\t\t\tsingular: '1 team member',\n\t\t\t\t\tplural: '{} team members'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\tlayout: 'payrollHistoryTeamLayout',\n\t\t\t\torderBy: 'payrollHistoryTeamOrderBy',\n\t\t\t\treverse: 'payrollHistoryTeamOrderReverse'\n\t\t\t}\n\t\t},\n\t\tteamManager: {\n\t\t\tid: 'team-manager',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'Forename',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-asc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surname-desc',\n\t\t\t\t\tfield: 'Surname',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tfilterOptions: [\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Forename',\n\t\t\t\t\t\tfilterKeys: ['Forename'],\n\t\t\t\t\t\tid: 'forename',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'Surname',\n\t\t\t\t\t\tfilterKeys: ['Surname'],\n\t\t\t\t\t\tid: 'surname',\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdescription: 'NI Number',\n\t\t\t\t\t\tfilterKeys: ['NINumber'],\n\t\t\t\t\t\tid: 'ninumber',\n\t\t\t\t\t}\n\t\t\t\t],\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search team...',\n\t\t\t\t\tsingular: '1 team member',\n\t\t\t\t\tplural: '{} team members'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\torderBy: 'teamManagerOrderBy',\n\t\t\t\treverse: 'teamManagerOrderReverse'\n\t\t\t}\n\t\t},\n\t\tteamReport: {\n\t\t\tid: 'team-report',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-asc',\n\t\t\t\t\tfield: 'forenameSearch',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'First name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'forename-desc',\n\t\t\t\t\tfield: 'forenameSearch',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'First name Z-A'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surename-asc',\n\t\t\t\t\tfield: 'surnameSearch',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Surname A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'surename-desc',\n\t\t\t\t\tfield: 'surnameSearch',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Surname Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tresults: {\n\t\t\t\tcanChangeItemsPerPage: true\n\t\t\t},\n\t\t\tsearch: {\n\t\t\t\tdisablePersistedSearch: true,\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search team...',\n\t\t\t\t\tsingular: '1 team member',\n\t\t\t\t\tplural: '{} team members'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\titemsPerPage: 'teamReportItemsPerPage',\n\t\t\t\tlayout: 'teamReportLayout',\n\t\t\t\torderBy: 'teamReportOrderBy',\n\t\t\t\treverse: 'teamReportOrderReverse'\n\t\t\t}\n\t\t},\n\t\tcompaniesReport: {\n\t\t\tid: 'company-report',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'companyName-asc',\n\t\t\t\t\tfield: 'AgencyProfileName',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'companyName-desc',\n\t\t\t\t\tfield: 'AgencyProfileName',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tresults: {\n\t\t\t\tcanChangeItemsPerPage: true\n\t\t\t},\n\t\t\tsearch: {\n\t\t\t\tdisablePersistedSearch: true,\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search companies...',\n\t\t\t\t\tsingular: '1 company',\n\t\t\t\t\tplural: '{} companies'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\titemsPerPage: 'companiesReportItemsPerPage',\n\t\t\t\tlayout: 'companiesReportLayout',\n\t\t\t\torderBy: 'companiesReportOrderBy',\n\t\t\t\treverse: 'companiesReportOrderReverse'\n\t\t\t}\n\t\t},\n\t\tworkflowTasks: {\n\t\t\tid: 'workflow-tasks',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'due-date-asc',\n\t\t\t\t\tfield: 'DueDateISO',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Due date (old - new)'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'due-date-desc',\n\t\t\t\t\tfield: 'DueDateISO',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Due date (new - old)'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search tasks...',\n\t\t\t\t\tsingular: '1 task',\n\t\t\t\t\tplural: '{} tasks'\n\t\t\t\t}\n\t\t\t},\n\t\t\tstorageKeys: {\n\t\t\t\treverse: 'workflowTasksOrderReverse'\n\t\t\t}\n\t\t},\n\t\txeroTenants: {\n\t\t\tid: 'xero-tenants',\n\t\t\torderByOptions: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'xero-tenant-name-asc',\n\t\t\t\t\tfield: 'tenantName',\n\t\t\t\t\treverse: false,\n\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'xero-tenant-name-desc',\n\t\t\t\t\tfield: 'tenantName',\n\t\t\t\t\treverse: true,\n\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t}\n\t\t\t],\n\t\t\tsearch: {\n\t\t\t\tterms: {\n\t\t\t\t\tplaceholder: 'Search organisations...',\n\t\t\t\t\tsingular: '1 organisation',\n\t\t\t\t\tplural: '{} organisations'\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\tgetSearchOptionsForOnboardingStats: monthStr => {\n\t\t\treturn {\n\t\t\t\tid: 'onboarding-stats',\n\t\t\t\torderByOptions: [\n\t\t\t\t\t{\n\t\t\t\t\t\tkey: 'name-asc',\n\t\t\t\t\t\tfield: 'Bureau',\n\t\t\t\t\t\treverse: false,\n\t\t\t\t\t\ttitle: 'Name A-Z'\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tkey: 'name-desc',\n\t\t\t\t\t\tfield: 'Bureau',\n\t\t\t\t\t\treverse: true,\n\t\t\t\t\t\ttitle: 'Name Z-A'\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tkey: 'total-onboarded-asc',\n\t\t\t\t\t\tfield: monthStr,\n\t\t\t\t\t\treverse: false,\n\t\t\t\t\t\ttitle: 'Total Asc'\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tkey: 'total-onboarded-desc',\n\t\t\t\t\t\tfield: monthStr,\n\t\t\t\t\t\treverse: true,\n\t\t\t\t\t\ttitle: 'Total Desc'\n\t\t\t\t\t}\n\t\t\t\t],\n\t\t\t\tsearch: {\n\t\t\t\t\tterms: {\n\t\t\t\t\t\tplaceholder: 'Search bureaus...',\n\t\t\t\t\t\tsingular: '1 bureau',\n\t\t\t\t\t\tplural: '{} bureaus'\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t};\n\t\t}\n\t};\n\n\treturn angular.extend(service, options);\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('securityService', ['$rootScope', 'config', 'permissionsService', 'session', 'utilities',\n\tfunction ($rootScope, config, permissionsService, session, utilities) {\n\n\tvar service = {\n\n\t\tisUserAllowedAccess: function (userObj) {\n\n\t\t\tvar allowedRoles = config.allowedRoles;\n\n\t\t\t// If allowed roles aren't defined presume ok\n\t\t\tif (!allowedRoles) {\n\t\t\t\treturn true;\n\t\t\t}\n\n\t\t\t// User has no roles set\n\t\t\tif (userObj.UserResponseRoles === undefined) {\n\t\t\t\t$rootScope.paycircleMessage('The user has no roles defined', 'error');\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\tvar primaryRole = utilities.getPrimaryRole(userObj.UserResponseRoles);\n\n\t\t\t// Unable to get primary role\n\t\t\tif (!primaryRole) {\n\t\t\t\tconsole.warn('Paycircle: Unable to set a primary role');\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\treturn allowedRoles.indexOf(primaryRole) > -1;\n\t\t},\n\t\tisUserAuthenticated: function () {\n\n\t\t\treturn session.user !== undefined && session.user !== null;\n\t\t},\n\t\tisUserAuthorised: function (toState, userObj) {\n\n\t\t\t// If no page data default to allow all role types\n\t\t\tif (angular.isUndefined(toState.data)) {\n\t\t\t\treturn true;\n\t\t\t}\n\n\t\t\treturn service.isUserAuthorisedForStateRoles(toState.data, userObj.UserResponseRoles) && service.isUserAuthorisedFromPermissionArray(userObj, toState.data.permissions, 'route');\n\t\t},\n\n\t\tisUserAuthorisedFromPermissionArray: (userObj, permissionsArr, checkType) => {\n\n\t\t\t// If no array defined default to authorised\n\t\t\tif (angular.isUndefined(permissionsArr)) {\n\t\t\t\treturn true;\n\t\t\t}\n\n\t\t\treturn permissionsArr.some(permission => permissionsService.getPermissionValueByString(userObj, permission, checkType));\n\t\t},\n\n\t\tisUserAuthorisedForStateRoles: function (stateDataObj, userRolesArray) {\n\n\t\t\t// If no authorised roles or unauthorised roles defined, authorise by default\n\t\t\tif (angular.isUndefined(stateDataObj.authorisedRoles) && angular.isUndefined(stateDataObj.unauthorisedRoles)) {\n\t\t\t\treturn true;\n\t\t\t}\n\n\t\t\t// Authorised roles\n\t\t\tif (!angular.isUndefined(stateDataObj.authorisedRoles)) {\n\n\t\t\t\t// Validate to make sure unauthorised roles is an array\n\t\t\t\tif (!angular.isArray(stateDataObj.authorisedRoles)) {\n\t\t\t\t\t$rootScope.paycircleMessage('Authorised roles need to be an array', 'error');\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\n\t\t\t\t// No user in session\n\t\t\t\tif (angular.isUndefined(userRolesArray) || !userRolesArray) {\n\t\t\t\t\t$rootScope.paycircleMessage('There are no user roles', 'error');\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\n\t\t\t\t// Validate authorised roles\n\t\t\t\treturn service.isUserAuthorisedForStateRolesAuthorised(stateDataObj.authorisedRoles, userRolesArray);\n\t\t\t}\n\n\t\t\t// Unauthorised roles\n\t\t\tif (!angular.isUndefined(stateDataObj.unauthorisedRoles)) {\n\n\t\t\t\t// Validate to make sure unauthorised roles is an array\n\t\t\t\tif (!angular.isArray(stateDataObj.unauthorisedRoles)) {\n\t\t\t\t\t$rootScope.paycircleMessage('Unauthorised roles need to be an array', 'error');\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\n\t\t\t\t// No user in session\n\t\t\t\tif (angular.isUndefined(userRolesArray) || !userRolesArray) {\n\t\t\t\t\t$rootScope.paycircleMessage('There are no user roles', 'error');\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\n\t\t\t\t// Validate authorised roles\n\t\t\t\treturn service.isUserAuthorisedForStateRolesUnauthorised(stateDataObj.unauthorisedRoles, userRolesArray);\n\t\t\t}\n\t\t},\n\t\tisUserAuthorisedForStateRolesAuthorised: function (authorisedRolesArray, userRolesArray) {\n\n\t\t\tvar numberOfAuthorisedRoles = authorisedRolesArray.length;\n\t\t\tvar i = 0;\n\n\t\t\tfor (i; i < numberOfAuthorisedRoles; i++) {\n\n\t\t\t\tvar role = authorisedRolesArray[i];\n\n\t\t\t\tif (userRolesArray.indexOf(role) > -1) {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn false;\n\t\t},\n\t\tisUserAuthorisedForStateRolesUnauthorised: function (unauthorisedRolesArray, userRolesArray) {\n\n\t\t\tvar numberOfUnauthorisedRoles = unauthorisedRolesArray.length;\n\t\t\tvar i = 0;\n\n\t\t\tfor (i; i < numberOfUnauthorisedRoles; i++) {\n\n\t\t\t\tvar role = unauthorisedRolesArray[i];\n\n\t\t\t\tif (userRolesArray.indexOf(role) > -1) {\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn true;\n\t\t},\n\n\t\tisUserPermitted: (permissionsToCheck, checkType) => {\n\n\t\t\tif (!angular.isArray(permissionsToCheck)) {\n\t\t\t\tpermissionsToCheck = [permissionsToCheck];\n\t\t\t}\n\n\t\t\treturn service.isUserAuthorisedFromPermissionArray($rootScope.currentUser, permissionsToCheck, checkType);\n\t\t},\n\n\t\tstoreToken: function (token) {\n\n\t\t\tif (typeof(Storage) !== 'undefined') {\n\t\t\t\tlocalStorage.setItem(config.tokenStorageName, token);\n\t\t\t}\n\t\t\telse {\n\t\t\t\tutilities.createCookie(config.tokenStorageName, token, config.tokenExpiryHours);\n\t\t\t}\n\t\t},\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('session', [\n\t'$location',\n\t'$rootScope',\n\t'$timeout',\n\t'config',\n\t'utilities',\n\t'storageService',\n\t'AUTH_EVENTS',\n\t'COOKIE_KEYS',\n\t'LOCAL_STORAGE_KEYS',\n\tfunction (\n\t\t$location,\n\t\t$rootScope,\n\t\t$timeout,\n\t\tconfig,\n\t\tutilities,\n\t\tstorageService,\n\t\tAUTH_EVENTS,\n\t\tCOOKIE_KEYS,\n\t\tLOCAL_STORAGE_KEYS\n\t) {\n\n\tfunction create (userObj) {\n\n\t\tconst timeoutWarningDifferenceInMinutes = userObj.SessionTimeout - userObj.SessionTimeoutWarning;\n\n\t\tangular.extend(SESSION, {\n\t\t\ttimeoutPeriodMs: utilities.convertMinutesToMilliseconds(userObj.SessionTimeoutWarning),\n\t\t\ttimeoutWarningPeriodMs: utilities.convertMinutesToMilliseconds(timeoutWarningDifferenceInMinutes),\n\t\t\tuser: userObj\n\t\t});\n\n\t\tinitTimeoutWarningCountdown();\n\n\t\tsetSessionID(userObj);\n\n\t\tsetupSessionData(userObj);\n\t}\n\n\tfunction destroy () {\n\n\t\tangular.extend(SESSION, {\n\t\t\tactiveDemo: null,\n\t\t\tcanResetTimeout: true,\n\t\t\ttimeoutPeriodMs: null,\n\t\t\ttimeoutWarningPeriodMs: null,\n\t\t\tuser: null,\n\t\t});\n\n\t\t$timeout.cancel(SESSION.timeoutCountdown);\n\t\t$timeout.cancel(SESSION.timeoutWarningCountdown);\n\n\t\t// Remove SessionID from storage and headers\n\t\tutilities.deleteCookie(COOKIE_KEYS.sessionId);\n\t}\n\n\tfunction extend () {\n\n\t\t$timeout.cancel(SESSION.timeoutCountdown);\n\n\t\tSESSION.canResetTimeout = true;\n\n\t\tinitTimeoutWarningCountdown();\n\n\t\t// This is used to extend the Identity session\n\t\t$rootScope.$broadcast('check-user-logged-in');\n\t}\n\n\tfunction getActiveDemo () {\n\t\treturn SESSION.activeDemo;\n\t}\n\n\tfunction getActiveDemoTaskId () {\n\t\treturn SESSION.activeDemo ? SESSION.activeDemo.demoTaskId : '';\n\t}\n\n\tfunction getAgencyProfileParentId () {\n\t\treturn SESSION.user.AgencyProfileParentID;\n\t}\n\n\tfunction getCookieTimeoutInHours (userObj) {\n\n\t\t// Add an extra minute as a buffer for cookie creation timing, to avoid it expiring before the timeout warning modal is displayed\n\t\tconst cookieTimeoutMinutes = userObj.SessionTimeout + 1;\n\n\t\t// Convert to hours\n\t\treturn cookieTimeoutMinutes / 60;\n\t}\n\n\tfunction getCustomisation () {\n\t\treturn SESSION.customisation;\n\t}\n\n\tfunction getSessionData () {\n\t\treturn storageService.getObjectFromSessionStorage(LOCAL_STORAGE_KEYS.sessionData, null);\n\t}\n\n\tfunction getUserId () {\n\t\treturn SESSION.user.UserResponseUserID;\n\t}\n\n\tfunction initTimeoutWarningCountdown () {\n\n\t\tif (SESSION.user && SESSION.canResetTimeout) {\n\n\t\t\t// Reset timer\n\t\t\tif (SESSION.timeoutWarningCountdown) {\n\t\t\t\t$timeout.cancel(SESSION.timeoutWarningCountdown);\n\n\t\t\t\t// Reset SessionID cookie expiry\n\t\t\t\tsetSessionID(SESSION.user);\n\t\t\t}\n\n\t\t\tSESSION.timeoutWarningCountdown = $timeout(() => {\n\n\t\t\t\t// Don't reset timer unless session is extended\n\t\t\t\tSESSION.canResetTimeout = false;\n\n\t\t\t\t// Show modal\n\t\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionTimeoutWarning, SESSION.timeoutPeriodMs);\n\n\t\t\t\tSESSION.timeoutCountdown = $timeout(() => {\n\n\t\t\t\t\t// Show modal & logout\n\t\t\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionTimeout);\n\n\t\t\t\t}, SESSION.timeoutPeriodMs);\n\n\t\t\t}, SESSION.timeoutWarningPeriodMs);\n\t\t}\n\t}\n\n\tfunction isInPlayground () {\n\t\treturn SESSION.user.AgencyProfileDummy;\n\t}\n\n\tfunction resetActiveDemo () {\n\t\tSESSION.activeDemo = null;\n\t}\n\n\tfunction saveSessionData (sessionDataObj) {\n\t\tstorageService.addObjectToSessionStorage(LOCAL_STORAGE_KEYS.sessionData, sessionDataObj);\n\t}\n\n\tfunction setActiveDemo (demoObj) {\n\t\tSESSION.activeDemo = demoObj;\n\t}\n\n\tfunction setCustomisation (customisationObj) {\n\t\tSESSION.customisation = customisationObj;\n\t}\n\n\tfunction setupSessionData (userObj) {\n\n\t\tconst sessionDataObj = {\n\t\t\thasTimedOut: false,\n\t\t\tuser: {\n\t\t\t\tuserId: userObj.UserResponseUserID,\n\t\t\t},\n\t\t\tstate: {},\n\t\t\tapp: {}\n\t\t};\n\n\t\tsaveSessionData(sessionDataObj);\n\t}\n\n\tfunction setSessionID (userObj) {\n\n\t\tconst sessionCookieTimeoutInHours = getCookieTimeoutInHours(userObj);\n\n\t\tutilities.createCookie(COOKIE_KEYS.sessionId, userObj.SessionID, sessionCookieTimeoutInHours);\n\t}\n\n\tfunction getSessionId () {\n\t\treturn utilities.readCookie(COOKIE_KEYS.sessionId);\n\t}\n\n\tfunction updateSessionData (updateObj) {\n\n\t\tconst sessionDataObj = getSessionData();\n\n \t\tif (sessionDataObj) {\n \t\t\tangular.extend(sessionDataObj, updateObj);\n\n\t \t\tsaveSessionData(sessionDataObj);\n \t\t}\n\t}\n\n\tconst SESSION = {\n\t\tcustomisation: null,\n\t\tuser: null,\n\t\tactiveDemo: null,\n\t\tcanResetTimeout: true,\n\n\t\tcreate,\n\t\tdestroy,\n\t\textend,\n\t\tgetActiveDemo,\n\t\tgetActiveDemoTaskId,\n\t\tgetAgencyProfileParentId,\n\t\tgetCustomisation,\n\t\tgetSessionId,\n\t\tgetUserId,\n\t\tinitTimeoutWarningCountdown,\n\t\tisInPlayground,\n\t\tresetActiveDemo,\n\t\tsetActiveDemo,\n\t\tsetCustomisation,\n\t\tsetSessionID,\n\t\tupdateSessionData\n\t};\n\n\treturn SESSION;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('settingsService', [\n\t'$rootScope',\n\t'$state',\n\t'securityService',\n\t'COMPANY_TYPES',\n\t'USER_ROLES',\n\tfunction (\n\t\t$rootScope,\n\t\t$state,\n\t\tsecurityService,\n\t\tCOMPANY_TYPES,\n\t\tUSER_ROLES\n\t) {\n\n\tconst service = {\n\n\t\tgetNgHrefForSettingsState: (state, companyObj) => {\n\n\t\t\tstate = service.getSettingsStateForCompanyType(state, companyObj);\n\n\t\t\treturn $state.href(state, { agencyProfileId: companyObj.AgencyProfileID });\n\t\t},\n\n\t\tgetSettingsStateForCompanyType: (state, companyObj) => {\n\n\t\t\tswitch (companyObj.companyType) {\n\n\t\t\t\tcase COMPANY_TYPES.bureau:\n\t\t\t\t\treturn `settings.bureau.${state}`;\n\t\t\t\tcase COMPANY_TYPES.group:\n\t\t\t\t\treturn `settings.group.${state}`;\n\t\t\t\tdefault:\n\t\t\t\t\treturn `settings.company.${state}`;\n\n\t\t\t}\n\t\t},\n\n\t\tgetSettingsOverviewCardsForBureau: (companyObj, loggedInUserObj) => {\n\n\t\t\tlet overviewModulesArr = [\n\t\t\t\t{\n\t\t\t\t\ttitle: 'General settings',\n\t\t\t\t\ticon: 'settings',\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'information',\n\t\t\t\t\t\t\tname: 'Information',\n\t\t\t\t\t\t\ttheme: 'is-secondary'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tavailableInPlayground: false,\n\t\t\t\t\t\t\tisActive: loggedInUserObj.CanCustomise,\n\t\t\t\t\t\t\tkey: 'customisation',\n\t\t\t\t\t\t\tname: 'Customisation',\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tisActive: companyObj.IsCustomerCodesEnabled,\n\t\t\t\t\t\t\tkey: 'customer-codes',\n\t\t\t\t\t\t\tname: 'Customer codes'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Payroll settings',\n\t\t\t\t\ticon: 'clock',\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'payroll-settings',\n\t\t\t\t\t\t\tname: 'Payroll settings',\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tavailableInPlayground: false,\n\t\t\t\t\t\t\tkey: 'bacs-downloads',\n\t\t\t\t\t\t\tname: 'BACS downloads',\n\t\t\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t\t\t'Admin.canManageBacsDownloads'\n\t\t\t\t\t\t\t]\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'pay-elements.core',\n\t\t\t\t\t\t\tname: 'Pay elements',\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Access & Permissions',\n\t\t\t\t\ticon: 'remote-access',\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'roles',\n\t\t\t\t\t\t\tname: 'Roles',\n\t\t\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t\t\t'Admin.canManageBureauAdmins'\n\t\t\t\t\t\t\t]\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'admins',\n\t\t\t\t\t\t\tname: 'Admins',\n\t\t\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t\t\t'Admin.canManageBureauAdmins'\n\t\t\t\t\t\t\t]\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'access.ip-management',\n\t\t\t\t\t\t\tavailableInPlayground: false,\n\t\t\t\t\t\t\tname: 'Access',\n\t\t\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t\t\t'Admin.canManageAccess'\n\t\t\t\t\t\t\t]\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Reports',\n\t\t\t\t\ticon: 'csv',\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'reports.custom',\n\t\t\t\t\t\t\tname: 'Report templates',\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Imports',\n\t\t\t\t\ticon: 'upload',\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'imports.mappings',\n\t\t\t\t\t\t\tname: 'Mapping templates',\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Employee portal',\n\t\t\t\t\ticon: 'user',\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'employee-portal-settings',\n\t\t\t\t\t\t\tname: 'Employee portal settings'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Notifications',\n\t\t\t\t\ticon: 'notification',\n\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t'Admin.canManageEmailNotifications'\n\t\t\t\t\t],\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'email-notifications',\n\t\t\t\t\t\t\tname: 'Email notifications',\n\t\t\t\t\t\t\ttheme: 'is-positive'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t];\n\n\n\t\t\tif ($rootScope.userHasRole(USER_ROLES.paycircle)) {\n\n\t\t\t\t// If the user is a Paycircle super user, insert the 'Modules & Integrations' block after 'Imports'\n\t\t\t\toverviewModulesArr.splice(4, 0,{\n\t\t\t\t\ttitle: 'Modules & Integrations',\n\t\t\t\t\ticon: 'connection',\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'modules',\n\t\t\t\t\t\t\tname: 'Modules'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t});\n\t\t\t}\n\n\t\t\treturn service.getOverviewModulesForCompany(overviewModulesArr, companyObj, loggedInUserObj);\n\t\t},\n\n\t\tgetSettingsOverviewCardsForCompany: (companyObj, loggedInUserObj) => {\n\n\t\t\tlet overviewModulesArr = [\n\t\t\t\t{\n\t\t\t\t\ttitle: 'General settings',\n\t\t\t\t\ticon: 'settings',\n\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessGeneral'\n\t\t\t\t\t],\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'information',\n\t\t\t\t\t\t\tname: 'Information',\n\t\t\t\t\t\t\ttheme: 'is-secondary'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tisActive: companyObj.isBillingEnabled && companyObj.MandateState > 0,\n\t\t\t\t\t\t\tkey: 'billing',\n\t\t\t\t\t\t\tname: 'Billing'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tisActive: companyObj.isBillingEnabled,\n\t\t\t\t\t\t\tkey: 'upgrade',\n\t\t\t\t\t\t\tname: 'Upgrade'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tavailableInPlayground: false,\n\t\t\t\t\t\t\tisActive: loggedInUserObj.CanCustomise,\n\t\t\t\t\t\t\tkey: 'customisation',\n\t\t\t\t\t\t\tname: 'Customisation',\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Payroll settings',\n\t\t\t\t\ticon: 'clock',\n\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessPayroll'\n\t\t\t\t\t],\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'payroll-settings',\n\t\t\t\t\t\t\tname: 'Payroll settings'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'payslips',\n\t\t\t\t\t\t\tname: 'Payslips'\n\t\t\t\t\t\t},{\n\t\t\t\t\t\t\tkey: 'p11db-submissions',\n\t\t\t\t\t\t\tname: 'P11D(b) submissions'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'work-patterns',\n\t\t\t\t\t\t\tname: 'Work Patterns'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'pay-elements.additions',\n\t\t\t\t\t\t\tname: 'Pay elements'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'workflow',\n\t\t\t\t\t\t\tname: 'Workflow'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Access & Permissions',\n\t\t\t\t\ticon: 'remote-access',\n\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessPermissions'\n\t\t\t\t\t],\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'roles',\n\t\t\t\t\t\t\tname: 'Roles'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'admins',\n\t\t\t\t\t\t\tname: 'Admins'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Reports & Journals',\n\t\t\t\t\ticon: 'csv',\n\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessReports'\n\t\t\t\t\t],\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'reports.custom',\n\t\t\t\t\t\t\tname: 'Report templates',\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'business-categories.category',\n\t\t\t\t\t\t\tname: 'Business Categories',\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'journals.nominal-codes',\n\t\t\t\t\t\t\tname: 'Journals',\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Employee portal',\n\t\t\t\t\ticon: 'user',\n\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessEmployeePortal'\n\t\t\t\t\t],\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'employee-portal-settings',\n\t\t\t\t\t\t\tname: 'Employee portal settings'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Modules & Integrations',\n\t\t\t\t\ticon: 'connection',\n\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessModules'\n\t\t\t\t\t],\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'modules',\n\t\t\t\t\t\t\tname: 'Modules',\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'integrations',\n\t\t\t\t\t\t\tname: 'Integrations',\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Imports',\n\t\t\t\t\ticon: 'upload',\n\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessImports'\n\t\t\t\t\t],\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'imports.mappings',\n\t\t\t\t\t\t\tname: 'Imports',\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Notifications',\n\t\t\t\t\ticon: 'notification',\n\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessNotifications'\n\t\t\t\t\t],\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'email-notifications',\n\t\t\t\t\t\t\tname: 'Email notifications',\n\t\t\t\t\t\t\ttheme: 'is-positive',\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Files',\n\t\t\t\t\ticon: 'document',\n\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessFiles'\n\t\t\t\t\t],\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'file-uploads',\n\t\t\t\t\t\t\tname: 'File uploads',\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tisActive: companyObj.IsExpatActive,\n\t\t\t\t\ttitle: 'International',\n\t\t\t\t\ticon: 'international',\n\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessInternational'\n\t\t\t\t\t],\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'currencies',\n\t\t\t\t\t\t\tname: 'Currencies',\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t];\n\n\t\t\tif (companyObj.IsGenderPayGapReportingActive) {\n\n\t\t\t\toverviewModulesArr[3].settingsGroups.push(\n\t\t\t\t\t{\n\t\t\t\t\t\tkey: 'gender-pay-gap',\n\t\t\t\t\t\tname: 'Gender pay gap'\n\t\t\t\t\t}\n\t\t\t\t);\n\t\t\t}\n\n\t\t\tif (companyObj.Employer.IsPensionActive) {\n\n\t\t\t\toverviewModulesArr.splice(2, 0, {\n\t\t\t\t\ttitle: 'Pension settings',\n\t\t\t\t\ticon: 'money',\n\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessPensionSettings'\n\t\t\t\t\t],\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'pension-settings',\n\t\t\t\t\t\t\tname: 'Pension settings'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t});\n\t\t\t}\n\n\t\t\treturn service.getOverviewModulesForCompany(overviewModulesArr, companyObj, loggedInUserObj);\n\t\t},\n\n\t\tgetSettingsOverviewCardsForGroup: (companyObj, loggedInUserObj) => {\n\n\t\t\tlet overviewModulesArr = [\n\t\t\t\t{\n\t\t\t\t\ttitle: 'General settings',\n\t\t\t\t\ticon: 'settings',\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'information',\n\t\t\t\t\t\t\tname: 'Information',\n\t\t\t\t\t\t\ttheme: 'is-secondary'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tavailableInPlayground: false,\n\t\t\t\t\t\t\tisActive: loggedInUserObj.CanCustomise,\n\t\t\t\t\t\t\tkey: 'customisation',\n\t\t\t\t\t\t\tname: 'Customisation',\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Access & Permissions',\n\t\t\t\t\ticon: 'remote-access',\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'admins',\n\t\t\t\t\t\t\tname: 'Admins',\n\t\t\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t\t\t'Admin.canManageCompanyGroupAdmins'\n\t\t\t\t\t\t\t]\n\t\t\t\t\t\t},\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Reports',\n\t\t\t\t\ticon: 'csv',\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'reports.custom',\n\t\t\t\t\t\t\tname: 'Report templates',\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Modules & Integrations',\n\t\t\t\t\ticon: 'connection',\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'modules',\n\t\t\t\t\t\t\tname: 'Modules',\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttitle: 'Notifications',\n\t\t\t\t\ticon: 'notification',\n\t\t\t\t\trequiredPermissions: [\n\t\t\t\t\t\t'Admin.canManageEmailNotifications'\n\t\t\t\t\t],\n\t\t\t\t\tsettingsGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'email-notifications',\n\t\t\t\t\t\t\tname: 'Email notifications',\n\t\t\t\t\t\t\ttheme: 'is-positive'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t];\n\n\t\t\tif (companyObj.IsGenderPayGapReportingActive) {\n\n\t\t\t\toverviewModulesArr[2].settingsGroups.push(\n\t\t\t\t\t{\n\t\t\t\t\t\tkey: 'gender-pay-gap',\n\t\t\t\t\t\tname: 'Gender pay gap'\n\t\t\t\t\t}\n\t\t\t\t);\n\t\t\t}\n\n\t\t\treturn service.getOverviewModulesForCompany(overviewModulesArr, companyObj, loggedInUserObj);\n\t\t},\n\n\t\tgetSettingsOverviewCardsForCompanyType: (companyObj, loggedInUserObj) => {\n\n\t\t\tswitch (companyObj.companyType) {\n\t\t\t\tcase COMPANY_TYPES.bureau:\n\t\t\t\t\treturn service.getSettingsOverviewCardsForBureau(companyObj, loggedInUserObj);\n\t\t\t\tcase COMPANY_TYPES.group:\n\t\t\t\t\treturn service.getSettingsOverviewCardsForGroup(companyObj, loggedInUserObj);\n\t\t\t\tcase COMPANY_TYPES.company:\n\t\t\t\t\treturn service.getSettingsOverviewCardsForCompany(companyObj, loggedInUserObj);\n\t\t\t}\n\t\t},\n\n\t\tgetIsOverviewItemActive: (overviewItemObj, companyObj, loggedInUserObj) => {\n\n\t\t\t// Available in playground\n\t\t\tif (angular.isDefined(overviewItemObj.availableInPlayground)) {\n\t\t\t\tif (!overviewItemObj.availableInPlayground && loggedInUserObj.IsInPlayground) {\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Feature toggle\n\t\t\tif (angular.isDefined(overviewItemObj.isActive) && !overviewItemObj.isActive) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\t// Permissions\n\t\t\tif (angular.isArray(overviewItemObj.requiredPermissions)) {\n\t\t\t\treturn securityService.isUserAuthorisedFromPermissionArray(loggedInUserObj, overviewItemObj.requiredPermissions, 'settings-link');\n\n\t\t\t} else {\n\t\t\t\treturn true;\n\t\t\t}\n\t\t},\n\n\t\tgetOverviewModulesForCompany: (overviewModulesArr, companyObj, loggedInUserObj) => {\n\n\t\t\treturn overviewModulesArr.filter(overviewModuleObj => {\n\n\t\t\t\toverviewModuleObj.settingsGroups = overviewModuleObj.settingsGroups.filter(settingsGroupObj => {\n\n\t\t\t\t\tsettingsGroupObj.ngHref = service.getNgHrefForSettingsState(settingsGroupObj.key, companyObj);\n\n\t\t\t\t\tsettingsGroupObj.isActive = service.getIsOverviewItemActive(settingsGroupObj, companyObj, loggedInUserObj);\n\n\t\t\t\t\treturn settingsGroupObj.isActive;\n\t\t\t\t});\n\n\t\t\t\toverviewModuleObj.isActive = overviewModuleObj.settingsGroups.length && service.getIsOverviewItemActive(overviewModuleObj, companyObj, loggedInUserObj);\n\n\t\t\t\treturn overviewModuleObj.isActive;\n\t\t\t});\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('stateService', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$state',\n\t'applicationService',\n\t'config',\n\t'companyData',\n\t'customisationService',\n\t'intercomService',\n\t'newRelicService',\n\t'securityData',\n\t'securityService',\n\t'session',\n\t'storageService',\n\t'tracking',\n\t'utilities',\n\t'validationService',\n\t'AUTH_EVENTS',\n\t'COMPANY_TYPES',\n\t'LOCAL_STORAGE_KEYS',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$state,\n\t\tapplicationService,\n\t\tconfig,\n\t\tcompanyData,\n\t\tcustomisationService,\n\t\tintercomService,\n\t\tnewRelicService,\n\t\tsecurityData,\n\t\tsecurityService,\n\t\tsession,\n\t\tstorageService,\n\t\ttracking,\n\t\tutilities,\n\t\tvalidationService,\n\t\tAUTH_EVENTS,\n\t\tCOMPANY_TYPES,\n\t\tLOCAL_STORAGE_KEYS\n\t) {\n\n\tconst COMPANIES_STORAGE = getStoredCompanies();\n\n\tfunction assessCompanyRedirect (companyObj, event, companyStateRedirect) {\n\n\t\treturn $q(onComplete => {\n\n\t\t\tif (!angular.isObject(companyStateRedirect)) {\n\t\t\t\tonComplete(companyObj);\n\t\t\t}\n\n\t\t\tfor (let redirectArr of Object.entries(companyStateRedirect)) {\n\n\t\t\t\tconst property = redirectArr[0];\n\t\t\t\tconst redirectToState = redirectArr[1];\n\n\t\t\t\tif (companyObj[property]) {\n\n\t\t\t\t\tevent.preventDefault();\n\n\t\t\t\t\t$state.go(redirectToState, {agencyProfileId: companyObj.AgencyProfileID});\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tonComplete(companyObj);\n\n\t\t});\n\t}\n\n\tfunction assessRoleRedirect (companyObj, event, roleStateRecirect) {\n\n\t\treturn $q(onComplete => {\n\n\t\t\tif (!angular.isObject(roleStateRecirect)) {\n\t\t\t\tonComplete(companyObj);\n\t\t\t}\n\n\t\t\tfor (let redirectArr of Object.entries(roleStateRecirect)) {\n\n\t\t\t\tconst roleType = redirectArr[0];\n\t\t\t\tconst redirectToState = redirectArr[1];\n\n\t\t\t\tif ($rootScope.userHasRole(roleType)) {\n\n\t\t\t\t\tevent.preventDefault();\n\n\t\t\t\t\t$state.go(redirectToState, {agencyProfileId: companyObj.AgencyProfileID});\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tonComplete(companyObj);\n\n\t\t});\n\t}\n\n\tfunction addCompanyToStorage (companyObj) {\n\n\t\t/*\n\t\t\tFunction is called when a new company is loaded in to the app\n\n\t\t\tOutcomes:\n\t\t\t1. Company exists in array\n\t\t\t\ta. Within the same company\n\t\t\t\t\t- Replace object\n\t\t\t\tb. A higher level company\n\t\t\t\t\t- Splice array to have company a the end\n\t\t\t2. Company doesn't exist in array\n\t\t\t\ta. Company of same type exists in array\n\t\t\t\t\t- Push company to array and clear all but top level companies\n\t\t\t\tb. No company of same type exists in array\n\t\t\t\t\t- Push company to array\n\t\t*/\n\n\t\t// Reduce object down to avoid storing sensitive looking info in local storage\n\t\tconst newCompanyObj = reduceCompanyObj(companyObj);\n\n\t\t// Does new already exist in array\n\t\tconst newCompanyIndex = COMPANIES_STORAGE.companies.findIndex(storedCompanyObj => storedCompanyObj.AgencyProfileID === newCompanyObj.AgencyProfileID);\n\t\tconst isNewCompanyInStorage = (newCompanyIndex > -1);\n\n\t\t// Are we already in the same company\n\t\tconst isUserWithinNewCompany = COMPANIES_STORAGE.currentCompany && COMPANIES_STORAGE.currentCompany.AgencyProfileID === newCompanyObj.AgencyProfileID;\n\n\t\t// Company exists in storage\n\t\tif (isNewCompanyInStorage) {\n\n\t\t\t// CurrentCompany is the same as selected company - Update it in storage\n\t\t\tif (isUserWithinNewCompany) {\n\t\t\t\tCOMPANIES_STORAGE.companies[newCompanyIndex] = newCompanyObj;\n\t\t\t}\n\t\t\t// Remove companies that precede selected company\n\t\t\telse {\n\t\t\t\tCOMPANIES_STORAGE.companies.splice(newCompanyIndex + 1);\n\t\t\t}\n\n\t\t}\n\n\t\t// Company doesn't exist in storage yet\n\t\telse {\n\n\t\t\t// Multiple bureaus are allowed, (eg: Paycircle -> Bureau 1), but not multiple groups/companies\n\t\t\tconst isCompanyTypeNotRepeatable = ![COMPANY_TYPES.bureau].includes(newCompanyObj.companyType);\n\t\t\tconst isCompanyOfSameTypeInStorage = (isCompanyTypeNotRepeatable && COMPANIES_STORAGE.companies.findIndex(storedCompanyObj => storedCompanyObj.companyType === newCompanyObj.companyType) > -1);\n\n\t\t\t// If two of the same CompanyTypes exist, then keep top level company and clear the rest\n\t\t\tif (isCompanyOfSameTypeInStorage) {\n\t\t\t\tCOMPANIES_STORAGE.companies = [COMPANIES_STORAGE.companies[0], companyObj];\n\t\t\t}\n\n\t\t\t// Push company to array otherwise\n\t\t\telse {\n\t\t\t\tCOMPANIES_STORAGE.companies.push(newCompanyObj);\n\t\t\t}\n\n\t\t}\n\n\t\t// Load state (AuthResolverCompany)\n\t\tcompanyObj.isLoading = false;\n\n\t\tCOMPANIES_STORAGE.currentCompany = newCompanyObj;\n\n\t\tsaveCompaniesStorage();\n\t}\n\n\tfunction checkUserLogin (stateObj) {\n\n\t\treturn $q((onStateSetupComplete, onUserUnauthenticated) => {\n\n\t\t\tconst userAuthString = utilities.getToken();\n\n\t\t\t// Take user straight to the login page if AuthString is missing\n\t\t\tif (!userAuthString) {\n\t\t\t\tsetupState(stateObj)\n\t\t\t\t\t.then(onStateSetupComplete)\n\t\t\t\t\t.catch(onUserUnauthenticated);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Check if user is already logged in\n\t\t\tsecurityData.isUserLoggedIn(userAuthString).then(userObj => {\n\n\t\t\t\tif (userObj.RequiresAccessMigration && !userObj.IsSSOLogin) {\n\t\t\t\t\tif (utilities.getToken() !== null) {\n\t\t\t\t\t\tsecurityData.signOut();\n\t\t\t\t\t}\n\t\t\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionDestroy);\n\t\t\t\t\t$state.go('login', {RequiresAccessMigration: userObj.RequiresAccessMigration});\n\n\t\t\t\t\tsetupState(stateObj)\n\t\t\t\t\t\t.then(onStateSetupComplete)\n\t\t\t\t\t\t.catch(onUserUnauthenticated);\n\t\t\t\t\treturn;\n\t\t\t\t} else if (userObj.RequiresAccessMigration && userObj.IsSSOLogin && !userObj.IsRegistered) {\n\t\t\t\t\t$state.go('ssoRegisterUser', {user: userObj});\n\t\t\t\t\tsetupState(stateObj)\n\t\t\t\t\t\t.then(onStateSetupComplete)\n\t\t\t\t\t\t.catch(onUserUnauthenticated);\n\t\t\t\t\treturn;\n\t\t\t\t} else if (userObj.RequiresAccessMigration && userObj.IsSSOLogin && userObj.IsRegistered) {\n\t\t\t\t\tif (utilities.getToken() !== null) {\n\t\t\t\t\t\tsecurityData.signOut();\n\t\t\t\t\t}\n\t\t\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionDestroy);\n\t\t\t\t\t$state.go('login', {RequiresAccessMigration: userObj.RequiresAccessMigration});\n\n\t\t\t\t\tsetupState(stateObj)\n\t\t\t\t\t\t.then(onStateSetupComplete)\n\t\t\t\t\t\t.catch(onUserUnauthenticated);\n\t\t\t\t\treturn;\n\t\t\t\t}\n\t\t\t\t// Set authenticated flag\n\t\t\t\tstateObj.authenticated = securityService.isUserAllowedAccess(userObj);\n\n\t\t\t\tif (stateObj.authenticated) {\n\n\t\t\t\t\tonAuthenticatedLogin(userObj).then(() => {\n\t\t\t\t\t\treviewCurrentCompany(stateObj.toParams).then(companyObj => {\n\n\t\t\t\t\t\t\tsetupState(stateObj, companyObj)\n\t\t\t\t\t\t\t\t.then(onStateSetupComplete)\n\t\t\t\t\t\t\t\t.catch(onUserUnauthenticated);\n\t\t\t\t\t\t});\n\t\t\t\t\t});\n\n\t\t\t\t} else {\n\t\t\t\t\tonUserUnauthenticated();\n\t\t\t\t}\n\t\t\t})\n\t\t\t.catch(() => {\n\n\t\t\t\t// Show timeout modal and clear existing session\n\t\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionTimeout);\n\t\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionDestroy);\n\n\t\t\t\t// Load login page\n\t\t\t\tsetupState(stateObj)\n\t\t\t\t\t.then(onStateSetupComplete)\n\t\t\t\t\t.catch(onUserUnauthenticated);\n\n\t\t\t});\n\t\t});\n\t}\n\n\tfunction getCompanyFromAgencyProfileId (agencyProfileId) {\n\n\t\treturn $q(onComplete => {\n\n\t\t\tcompanyData.getAgencyProfileCompanyDetails(agencyProfileId)\n\t\t\t\t.then(companyDetailsObj => {\n\n\t\t\t\t\t// Decorate company\n\t\t\t\t\t$filter('companyDetails')(companyDetailsObj, $rootScope.currentUser.isPaycircleAdmin);\n\n\t\t\t\t\t// Return company\n\t\t\t\t\tonComplete(companyDetailsObj);\n\t\t\t\t})\n\t\t\t\t.catch(error => {\n\t\t\t\t\t$rootScope.paycircleMessage('application.js > setCompany: Unable to load company details - current company details reset', 'info');\n\t\t\t\t\tconsole.error(error);\n\t\t\t\t});\n\t\t});\n\t}\n\n\tfunction getPreviousCompanyObj () {\n\n\t\tlet appLevelsArr = COMPANIES_STORAGE.companies;\n\n\t\treturn appLevelsArr[appLevelsArr.length-2];\n\t}\n\n\tfunction getStoredCompanies () {\n\n\t\tconst storedCompaniesObj = utilities.getFromStorage(LOCAL_STORAGE_KEYS.companiesStorage, {\n\t\t\tcompanies: [],\n\t\t\tcurrentCompany: null\n\t\t});\n\n\t\t// Object from local storage comes back as a string\n\t\tconst companiesStorageObj = angular.isObject(storedCompaniesObj) ? storedCompaniesObj : JSON.parse(storedCompaniesObj);\n\n\t\t// Remove duplicates if they exist\n\t\tconst initialCompanyStorageLengthInt = companiesStorageObj.companies.length;\n\t\tif (initialCompanyStorageLengthInt > 0) {\n\n\t\t\tcompaniesStorageObj.companies = utilities.removeDuplicatesFromArrayByObjectProperty(companiesStorageObj.companies, 'AgencyProfileID');\n\n\t\t\t// Monitor if there have been duplicates in the array\n\t\t\tif (initialCompanyStorageLengthInt !== companiesStorageObj.companies.length) {\n\t\t\t\tnewRelicService.logMessage('State > Duplicates in company storage');\n\t\t\t}\n\t\t}\n\n\t\treturn companiesStorageObj;\n\t}\n\n\tfunction goToPreviousCompany () {\n\n\t\tconst previousCompanyObj = getPreviousCompanyObj();\n\t\tconst previousCompanyState = applicationService.getCompaniesPageForCompany(COMPANIES_STORAGE.currentCompany);\n\n\t\t$state.go(previousCompanyState, {agencyProfileId: previousCompanyObj.AgencyProfileID});\n\t}\n\n\tfunction loadCustomisation (userObj) {\n\n\t\treturn $q(onComplete => {\n\t\t\t// Load customisation\n\t\t\tcompanyData.getCompanyCustomisationToUse(userObj.AgencyProfileCustomisationID)\n\t\t\t\t.then(onComplete)\n\t\t\t\t.catch(error => {\n\t\t\t\t\tconsole.error(error);\n\t\t\t\t\t$rootScope.paycircleMessage('Unable to load customisation', 'warn');\n\t\t\t\t});\n\t\t});\n\t}\n\n\tfunction onAuthenticatedLogin (userObj) {\n\n\t\treturn $q(onComplete => {\n\t\t\tsetupUser(userObj).then(userObj => {\n\t\t\t\tloadCustomisation(userObj).then(customisationObj => {\n\t\t\t\t\tsetupApp(userObj, customisationObj)\n\t\t\t\t\t\t.then(onComplete);\n\t\t\t\t\t});\n\t\t\t\t});\n\t\t\t});\n\t}\n\n\tfunction onSessionDestroy () {\n\n\t\tsetupDefaults();\n\n\t\tangular.extend(COMPANIES_STORAGE, {\n\t\t\tcurrentCompany: null,\n\t\t\tcompanies: []\n\t\t});\n\n\t\tutilities.deleteFromStorage(LOCAL_STORAGE_KEYS.companiesStorage);\n\t}\n\n\tfunction onStateChange (event, toState, toParams) {\n\n\t\t// Called on $stateChangeStart\n\n\t\tconst stateObj = {\n\t\t\tauthenticated: securityService.isUserAuthenticated(), // Check if there's already a user session\n\t\t\tisLoginPage: applicationService.isStateLoginPage(toState),\n\t\t\tisStatePublic: applicationService.isStatePublic(toState),\n\t\t\ttoParams,\n\t\t\ttoState,\n\t\t\tevent\n\t\t};\n\n\t\treturn $q((onStateSetupComplete, onUserUnauthenticated) => {\n\n\t\t\t// If already authorised or page is public and not a login page then no authentication/authorisation is required.\n\t\t\tif (stateObj.authenticated || (stateObj.isStatePublic && !stateObj.isLoginPage)) {\n\t\t\t\treviewCurrentCompany(stateObj.toParams).then(companyObj => {\n\t\t\t\t\tsetupState(stateObj, companyObj)\n\t\t\t\t\t\t.then(onStateSetupComplete)\n\t\t\t\t\t\t.catch(onUserUnauthenticated);\n\t\t\t\t});\n\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// The ability to pass an Auth string in the URL to allow logging-in externally\n\t\t\tif (angular.isDefined(toParams.authstring)) {\n\t\t\t\tsecurityService.storeToken(toParams.authstring);\n\t\t\t}\n\n\t\t\tif (toParams.RequiresAccessMigration) {\n\t\t\t\tonStateSetupComplete();\n\t\t\t\treturn;\n\t\t\t}\n\t\t\t// Check user login and continue with app setup\n\t\t\tcheckUserLogin(stateObj)\n\t\t\t\t.then(onStateSetupComplete)\n\t\t\t\t.catch(onUserUnauthenticated);\n\t\t});\n\t}\n\n\tfunction reduceCompanyObj (companyObj) {\n\n\t\tlet reducedCompanyObj = angular.copy(companyObj);\n\n\t\tdelete reducedCompanyObj.CompanyP32Management;\n\t\tdelete reducedCompanyObj.HMRCDisbursement;\n\t\tdelete reducedCompanyObj.PensionDisbursements;\n\n\t\treturn reducedCompanyObj;\n\t}\n\n\tfunction resetCompanyStorage () {\n\n\t\tangular.extend(COMPANIES_STORAGE, {\n\t\t\tcurrentCompany: null,\n\t\t\tcompanies: []\n\t\t});\n\n\t\tsaveCompaniesStorage();\n\t}\n\n\tfunction reviewCurrentCompany (toParamsObj) {\n\n\t\t// Assess if the currentCompany has changed\n\n\t\treturn $q(onComplete => {\n\n\t\t\tlet agencyProfileId = toParamsObj.agencyProfileId;\n\n\t\t\t// Setup app\n\t\t\tif (!angular.isDefined(agencyProfileId)) {\n\t\t\t\tonComplete();\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Do nothing if within same company\n\t\t\tif ($rootScope.currentCompany && $rootScope.currentCompany.AgencyProfileID === agencyProfileId) {\n\t\t\t\tonComplete($rootScope.currentCompany);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Mark company as loading for AuthResolverCompany\n\t\t\tif (angular.isObject($rootScope.currentCompany)) {\n\t\t\t\t$rootScope.currentCompany.isLoading = true;\n\t\t\t}\n\n\t\t\t// If user is missing root company then get those details first\n\t\t\tif (\n\t\t\t\t!COMPANIES_STORAGE.companies[0] &&\n\t\t\t\tagencyProfileId !== $rootScope.currentUser.AgencyProfileID &&\n\t\t\t\t!$rootScope.currentUser.hasTempPermissions\n\t\t\t) {\n\n\t\t\t\tnewRelicService.logMessage('State > Root company missing');\n\n\t\t\t\tgetCompanyFromAgencyProfileId($rootScope.currentUser.AgencyProfileID)\n\t\t\t\t\t.then(userCompanyObj => {\n\n\t\t\t\t\t\tCOMPANIES_STORAGE.companies.push(userCompanyObj);\n\n\t\t\t\t\t\t// Continue with current company\n\t\t\t\t\t\tsetCompany(agencyProfileId, toParamsObj)\n\t\t\t\t\t\t\t.then(onComplete);\n\t\t\t\t\t});\n\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Setup current company before continuing\n\t\t\tsetCompany(agencyProfileId, toParamsObj)\n\t\t\t\t.then(onComplete);\n\t\t});\n\t}\n\n\tfunction saveCompaniesStorage () {\n\n\t\tangular.extend($rootScope, COMPANIES_STORAGE);\n\n\t\t// Save to SessionStorage\n\t\tsession.updateSessionData({\n\t\t\tapp: {\n\t\t\t\tcompaniesStorage: COMPANIES_STORAGE\n\t\t\t}\n\t\t});\n\n\t\tconst companiesStorageString = JSON.stringify(COMPANIES_STORAGE);\n\n\t\tutilities.addToStorage(LOCAL_STORAGE_KEYS.companiesStorage, companiesStorageString);\n\t}\n\n\tfunction setCompany (companyAgencyProfileId, toParamsObj) {\n\n\t\treturn $q(onComplete => {\n\n\t\t\t// Validation\n\t\t\tif (!validationService.isValidGuid(companyAgencyProfileId)) {\n\t\t\t\t$rootScope.paycircleMessage('application.js > setCompany: Invalid company id or company name provided', 'warn');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tgetCompanyFromAgencyProfileId(companyAgencyProfileId)\n\t\t\t\t.then(companyObj => {\n\n\t\t\t\t// Store company in state storage\n\t\t\t\taddCompanyToStorage(companyObj, toParamsObj);\n\n\t\t\t\t// Load company\n\t\t\t\tonComplete(companyObj);\n\t\t\t});\n\t\t});\n\t}\n\n\tfunction setCompaniesStorageFromSessionStorage (storedCompaniesObj) {\n\n\t\tangular.extend(COMPANIES_STORAGE, storedCompaniesObj);\n\n\t\tsaveCompaniesStorage();\n\t}\n\n\tfunction setupApp (userObj, customisationObj) {\n\n\t\treturn $q(onComplete => {\n\n\t\t\t// Attach customisation to session\n\t\t\tsession.setCustomisation($filter('customisation')(customisationObj));\n\n\t\t\t// Warn in case user is not associated to a parent company\n\t\t\tif (userObj.AgencyProfileID === config.guidEmpty) {\n\t\t\t\t$rootScope.paycircleMessage('Paycircle: User is not associated to a parent company', 'warn');\n\t\t\t}\n\n\t\t\tangular.extend($rootScope, {\n\t\t\t\tisLoggedIn: true,\n\t\t\t\tcurrentUser: userObj\n\t\t\t});\n\n\t\t\t// Load Intercom\n\t\t\tintercomService.loadIntercom(userObj, customisationObj);\n\n\t\t\t// Setup user for New Relic\n\t\t\tnewRelicService.setUser(userObj);\n\n\t\t\t// Optional tracking\n\t\t\tif (userObj.trackingEvent !== undefined) {\n\t\t\t\ttracking.trackEvent(userObj.trackingEvent);\n\t\t\t}\n\n\t\t\tonComplete(userObj);\n\t\t});\n\t}\n\n\tfunction setupDefaults () {\n\t\tangular.extend($rootScope, {\n\t\t\tcompanies: [],\n\t\t\tcurrentCompany: null,\n\t\t\tcurrentUser: null,\n\t\t\tisCompanyMessageBarActive: false,\n\t\t\tisDocument: false,\n\t\t\tisLoggedIn: false,\n\t\t\tisPaycircleAdmin: false,\n\t\t\tisStateFullPage: false,\n\t\t\tisStatePublic: true,\n\t\t\tshowPaycircleTools: true,\n\t\t\tstateClasses: [],\n\t\t\tstateTitle: config.appTitle,\n\t\t});\n\t}\n\n\tfunction setupState (stateObj, companyObj) {\n\n\t\treturn $q((onStateSetupComplete, onUserUnauthenticated) => {\n\n\t\t\tlet {event, toState, toParams, authenticated, isLoginPage, isStatePublic} = stateObj;\n\n\t\t\tlet authorised = false;\n\n\t\t\tangular.merge($rootScope, {\n\t\t\t\tisDocument: applicationService.isStateDocument(toState),\n\t\t\t\tisLoggedIn: authenticated,\n\t\t\t\tisStateFullPage: applicationService.isStateFullPage(toState),\n\t\t\t\tisCompanyMessageBarActive: applicationService.isStateCompanyMessageBarActive(toState),\n\t\t\t\tisStatePublic: isStatePublic,\n\t\t\t\tstateTitle: applicationService.getStateTitle(toState, companyObj),\n\t\t\t});\n\n\t\t\t// Save state tag in New Relic\n\t\t\tnewRelicService.setState(toState);\n\n\t\t\t// Checks for non-public pages only\n\t\t\tif (!isStatePublic) {\n\n\t\t\t\t// Only check authorised if logged in\n\t\t\t\tif (authenticated) {\n\n\t\t\t\t\t// Set authorised flag\n\t\t\t\t\tauthorised = securityService.isUserAuthorised(toState, session.user);\n\t\t\t\t}\n\n\t\t\t\t// Actions for unauthenticated user\n\t\t\t\tif (!authenticated && !isLoginPage) {\n\n\t\t\t\t\t// Prevent unauthenticated page from loading\n\t\t\t\t\tevent.preventDefault();\n\n\t\t\t\t\t// Go to login page\n\t\t\t\t\tonUserUnauthenticated();\n\t\t\t\t}\n\n\t\t\t\t// Actions for unauthorised user\n\t\t\t\tif (authenticated && !authorised) {\n\n\t\t\t\t\t// Prevent unauthorised page from loading\n\t\t\t\t\tevent.preventDefault();\n\n\t\t\t\t\t// Broadcast that user is not authorised\n\t\t\t\t\t$rootScope.$broadcast(AUTH_EVENTS.notAuthorised);\n\n\t\t\t\t\t// Log user out if they don't have access to the default page\n\t\t\t\t\tif (toState.name === session.user.defaultLandingPage) {\n\t\t\t\t\t\tonUserUnauthenticated();\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\n\t\t\t\t\t// Forward to default page for user\n\t\t\t\t\tapplicationService.goToDefaultLandingPageForUser(session.user);\n\t\t\t\t}\n\n\t\t\t\t// Add state to sessionstorage\n\t\t\t\tif (authenticated && authorised) {\n\t\t\t\t\tsession.updateSessionData({\n\t\t\t\t\t\tstate: {\n\t\t\t\t\t\t\tname: toState.name,\n\t\t\t\t\t\t\tparams: angular.copy(toParams)\n\t\t\t\t\t\t}\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t} else {\n\n\t\t\t\t// Setup customisation for public pages\n\t\t\t\tif (!session.customisation && !authenticated) {\n\t\t\t\t\tcustomisationService.loadCustomisationPublic(toParams);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// If login page navigate to user roles default page\n\t\t\tif (authenticated && isLoginPage) {\n\n\t\t\t\t// Prevent unauthorised page from loading\n\t\t\t\tevent.preventDefault();\n\n\t\t\t\t// Slack integration\n\t\t\t\tif (utilities.isValidGuid(toParams.state)) {\n\t\t\t\t\tcustomisationService.setupSlackAuthentication(toParams);\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Forward to default landing page for user\n\t\t\t\tapplicationService.goToDefaultLandingPageForUser(session.user);\n\t\t\t}\n\n\t\t\tif (companyObj && toState.data) {\n\n\t\t\t\t// Redirect to different state based on a flag on the company\n\t\t\t\tif (toState.data.companyFlagRedirect) {\n\t\t\t\t\tassessCompanyRedirect(companyObj, event, toState.data.companyFlagRedirect)\n\t\t\t\t\t\t.then(onStateSetupComplete);\n\t\t\t\t}\n\n\t\t\t\t// Redirect to different state based on the users role\n\t\t\t\tif (toState.data.userRoleRedirect) {\n\t\t\t\t\tassessRoleRedirect(companyObj, event, toState.data.userRoleRedirect)\n\t\t\t\t\t\t.then(onStateSetupComplete);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Setup page for company\n\t\t\tonStateSetupComplete(companyObj);\n\t\t});\n\t}\n\n\tfunction setupUser (userObj) {\n\n\t\treturn $q(onComplete => {\n\n\t\t\t// Store fallback token\n\t\t\tsecurityService.storeToken(userObj.UserResponseAuthString);\n\n\t\t\t// Store customisation id\n\t\t\tutilities.addToStorage(LOCAL_STORAGE_KEYS.brandId, userObj.AgencyProfileCustomisationID);\n\n\t\t\t// Store login type when updated\n\t\t\tif (userObj.loginType) {\n\t\t\t\tutilities.addToStorage(LOCAL_STORAGE_KEYS.loginType, userObj.loginType);\n\t\t\t}\n\n\t\t\t// Setup user object\n\t\t\tuserObj = $filter('userResponse')(userObj);\n\n\t\t\t// Create users session\n\t\t\tsession.create(userObj);\n\n\t\t\tonComplete(userObj);\n\t\t});\n\t}\n\n\treturn {\n\t\tgetPreviousCompanyObj,\n\t\tgoToPreviousCompany,\n\t\tonAuthenticatedLogin,\n\t\tonSessionDestroy,\n\t\tonStateChange,\n\t\tresetCompanyStorage,\n\t\tsetCompany,\n\t\tsetCompaniesStorageFromSessionStorage,\n\t\tsetupDefaults\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('statutoryPaymentService', [\n\t'$filter',\n\t'utilities',\n\t'ADJUSTMENT_BEHAVIOUR_STATES',\n\t'PAY_PERIOD_TYPES',\n\t'STAT_PAYMENT_SCHEDULE_STATES',\n\t'STATUTORY_PAY_CALCULATION_METHODS',\n\t'SCHEDULE_UPDATE_REASONS',\n\tfunction (\n\t\t$filter,\n\t\tutilities,\n\t\tADJUSTMENT_BEHAVIOUR_STATES,\n\t\tPAY_PERIOD_TYPES,\n\t\tSTAT_PAYMENT_SCHEDULE_STATES,\n\t\tSTATUTORY_PAY_CALCULATION_METHODS,\n\t\tSCHEDULE_UPDATE_REASONS\n\t) {\n\n\tconst service = {\n\n\t\tconvertAdvanceFundingPaymentsToZeroIfNull: statPaymentObj => {\n\n\t\t\tif (statPaymentObj.AdvanceFunding && statPaymentObj.AdvanceFunding.length) {\n\t\t\t\tstatPaymentObj.AdvanceFunding.forEach(paymentObj => {\n\t\t\t\t\tpaymentObj.PaymentAmount = utilities.setPropertyValueToZeroIfNull(paymentObj.PaymentAmount);\n\t\t\t\t});\n\t\t\t}\n\t\t},\n\n\t\tconvertAdvanceFundingPaymentsToEmptyIfZero: statPaymentObj => {\n\n\t\t\tif (statPaymentObj.AdvanceFunding && statPaymentObj.AdvanceFunding.length) {\n\t\t\t\tstatPaymentObj.AdvanceFunding.forEach(paymentObj => {\n\t\t\t\t\tpaymentObj.PaymentAmount = utilities.setPropertyValueToEmptyIfZero(paymentObj.PaymentAmount);\n\t\t\t\t});\n\t\t\t}\n\t\t},\n\n\t\tconvertBroughtForwardPaymentsToEmptyIfZero: statPaymentObj => {\n\n\t\t\tif (statPaymentObj.PaymentsBroughtForward && statPaymentObj.PaymentsBroughtForward.length) {\n\t\t\t\tstatPaymentObj.PaymentsBroughtForward.forEach(paymentObj => {\n\t\t\t\t\tpaymentObj.PaymentAmount = utilities.setPropertyValueToEmptyIfZero(paymentObj.PaymentAmount);\n\t\t\t\t});\n\t\t\t}\n\t\t},\n\n\t\tconvertBroughtForwardPaymentsToZeroIfEmpty: statPaymentObj => {\n\n\t\t\tif (statPaymentObj.PaymentsBroughtForward && statPaymentObj.PaymentsBroughtForward.length) {\n\t\t\t\tstatPaymentObj.PaymentsBroughtForward.forEach(paymentObj => {\n\t\t\t\t\tpaymentObj.PaymentAmount = utilities.setPropertyValueToZeroIfEmpty(paymentObj.PaymentAmount);\n\t\t\t\t});\n\t\t\t}\n\t\t},\n\n\t\tconvertSalaryPaymentsToEmptyIfZero: statPaymentObj => {\n\n\t\t\tif (statPaymentObj.SalaryPayments && statPaymentObj.SalaryPayments.length) {\n\t\t\t\tstatPaymentObj.SalaryPayments.forEach(paymentObj => {\n\t\t\t\t\tpaymentObj.PaymentAmount = utilities.setPropertyValueToEmptyIfZero(paymentObj.PaymentAmount);\n\t\t\t\t});\n\t\t\t}\n\t\t},\n\n\t\tconvertSalaryPaymentsToZeroIfEmpty: statPaymentObj => {\n\n\t\t\tif (statPaymentObj.SalaryPayments && statPaymentObj.SalaryPayments.length) {\n\t\t\t\tstatPaymentObj.SalaryPayments.forEach(paymentObj => {\n\t\t\t\t\tpaymentObj.PaymentAmount = utilities.setPropertyValueToZeroIfEmpty(paymentObj.PaymentAmount);\n\t\t\t\t});\n\t\t\t}\n\t\t},\n\n\t\tfilterCancelledPayments: (paymentObj) => {\n\n\t\t\treturn !paymentObj.IsCancelled;\n\t\t},\n\n\t\tgetIsStatPaymentSalarySacrificeReadOnly: sicknessPayObj => {\n\n\t\t\tswitch (sicknessPayObj.SalarySacrificeBehaviour) {\n\n\t\t\t\tcase ADJUSTMENT_BEHAVIOUR_STATES.onLocked:\n\t\t\t\tcase ADJUSTMENT_BEHAVIOUR_STATES.offLocked:\n\t\t\t\t\treturn true;\n\t\t\t}\n\n\t\t\treturn false;\n\t\t},\n\n\t\tgetPageStateForStatus (statPaymentStatus) {\n\n\t\t\tswitch (statPaymentStatus) {\n\t\t\t\tcase STAT_PAYMENT_SCHEDULE_STATES.ready:\n\t\t\t\t\treturn 'ready';\n\t\t\t\tcase STAT_PAYMENT_SCHEDULE_STATES.dateDetailsMissing:\n\t\t\t\t\treturn 'date-details-missing';\n\t\t\t\tcase STAT_PAYMENT_SCHEDULE_STATES.payeDetailsMissing:\n\t\t\t\t\treturn 'paye-details-missing';\n\t\t\t\tcase STAT_PAYMENT_SCHEDULE_STATES.duplicatePaymentSchedule:\n\t\t\t\t\treturn 'duplicate-payment-schedule';\n\t\t\t\tcase STAT_PAYMENT_SCHEDULE_STATES.earningsInsufficient:\n\t\t\t\tcase STAT_PAYMENT_SCHEDULE_STATES.employmentDetailsInsufficient:\n\t\t\t\tcase STAT_PAYMENT_SCHEDULE_STATES.continuousEmploymentInsufficient:\n\t\t\t\t\treturn 'not-eligible';\n\t\t\t\tcase STAT_PAYMENT_SCHEDULE_STATES.payrollHasRun:\n\t\t\t\t\treturn 'payroll-has-run';\n\t\t\t\tdefault:\n\t\t\t\t\treturn 'error';\n\t\t\t}\n\t\t},\n\n\t\tgetPayPeriodIdForUpdateReasonType (statPayObj) {\n\n\t\t\tswitch (statPayObj.updateReason) {\n\t\t\t\tcase SCHEDULE_UPDATE_REASONS.IsLeaving:\n\t\t\t\tcase SCHEDULE_UPDATE_REASONS.Redundancy:\n\t\t\t\t\treturn statPayObj.lastPaymentPeriodId;\n\t\t\t\tdefault:\n\t\t\t\t\treturn;\n\t\t\t}\n\t\t},\n\n\t\tgetPendingPaymentsForSchedule: (maternityPayObj) => {\n\n\t\t\tlet pendingPaymentsArr = [];\n\n\t\t\tpendingPaymentsArr = maternityPayObj.SchedulePayments.filter(_ => !_.HasBeenPaid);\n\n\t\t\t// Filter duplicates if weekly calculation method\n\t\t\tif (maternityPayObj.CalculationMethod === STATUTORY_PAY_CALCULATION_METHODS.weekly) {\n\t\t\t\tpendingPaymentsArr = utilities.removeDuplicatesFromArrayByObjectProperty(pendingPaymentsArr, 'AgencyPayPeriodID');\n\t\t\t}\n\n\t\t\treturn pendingPaymentsArr;\n\t\t},\n\n\t\tgetScheduleUpdateOptions: (scheduleType, teamMemberObj) => {\n\n\t\t\tconst optionsObj = {\n\t\t\t\tisLeaving: {\n\t\t\t\t\tlabel: `${teamMemberObj.Forename} is leaving the company`,\n\t\t\t\t\tvalue: SCHEDULE_UPDATE_REASONS.IsLeaving\n\t\t\t\t},\n\t\t\t\tredundancy: {\n\t\t\t\t\tlabel: `${teamMemberObj.Forename} is being made redundant`,\n\t\t\t\t\tvalue: SCHEDULE_UPDATE_REASONS.Redundancy\n\t\t\t\t},\n\t\t\t\treturnToWork: {\n\t\t\t\t\tlabel: `${teamMemberObj.Forename} is returning to work early`,\n\t\t\t\t\tvalue: SCHEDULE_UPDATE_REASONS.ReturnToWork\n\t\t\t\t},\n\t\t\t\tsharedParentalLeave: {\n\t\t\t\t\tlabel: `${teamMemberObj.Forename} is sharing parental leave with ${$filter('personalise')(teamMemberObj.Gender, 'his')} partner`,\n\t\t\t\t\tvalue: SCHEDULE_UPDATE_REASONS.SharedParentalLeave\n\t\t\t\t},\n\t\t\t\tcorrectGrossPay: {\n\t\t\t\t\tlabel: `Re-enter ${teamMemberObj.Forename}'s gross payments`,\n\t\t\t\t\tvalue: SCHEDULE_UPDATE_REASONS.CorrectGrossPay\n\t\t\t\t},\n\t\t\t\tcorrectStartDate: {\n\t\t\t\t\tlabel: `Re-enter ${teamMemberObj.Forename}'s ${scheduleType} leave start date`,\n\t\t\t\t\tvalue: SCHEDULE_UPDATE_REASONS.CorrectStartDate\n\t\t\t\t},\n\t\t\t\tsalaryUpdate: {\n\t\t\t\t\tlabel: `${teamMemberObj.Forename}'s pay has changed`,\n\t\t\t\t\tvalue: SCHEDULE_UPDATE_REASONS.SalaryUpdate\n\t\t\t\t},\n\t\t\t\tcorrectEndDate: {\n\t\t\t\t\tlabel: `${teamMemberObj.Forename}'s ${scheduleType} leave is being extended`,\n\t\t\t\t\tvalue: SCHEDULE_UPDATE_REASONS.CorrectEndDate\n\t\t\t\t},\n\t\t\t\tisDeceased: {\n\t\t\t\t\tlabel: `${teamMemberObj.Forename} has died`,\n\t\t\t\t\tvalue: SCHEDULE_UPDATE_REASONS.EmployeeIsDeceased\n\t\t\t\t}\n\t\t\t};\n\n\t\t\t// Build up a set of schedule change reasons for dropdown selection, using API constants\n\t\t\tswitch (scheduleType) {\n\t\t\t\tcase 'maternity':\n\t\t\t\t\treturn [\n\t\t\t\t\t\toptionsObj.isLeaving,\n\t\t\t\t\t\toptionsObj.redundancy,\n\t\t\t\t\t\toptionsObj.returnToWork,\n\t\t\t\t\t\toptionsObj.sharedParentalLeave,\n\t\t\t\t\t\toptionsObj.correctGrossPay,\n\t\t\t\t\t\toptionsObj.correctStartDate,\n\t\t\t\t\t\toptionsObj.salaryUpdate,\n\t\t\t\t\t\toptionsObj.isDeceased\n\t\t\t\t\t];\n\n\t\t\t\tcase 'paternity':\n\t\t\t\t\treturn [\n\t\t\t\t\t\toptionsObj.isLeaving,\n\t\t\t\t\t\toptionsObj.redundancy,\n\t\t\t\t\t\toptionsObj.returnToWork,\n\t\t\t\t\t\toptionsObj.correctGrossPay,\n\t\t\t\t\t\toptionsObj.correctStartDate,\n\t\t\t\t\t\toptionsObj.salaryUpdate,\n\t\t\t\t\t\toptionsObj.isDeceased\n\t\t\t\t\t];\n\n\t\t\t\tcase 'sick':\n\t\t\t\t\treturn [\n\t\t\t\t\t\toptionsObj.isLeaving,\n\t\t\t\t\t\toptionsObj.returnToWork,\n\t\t\t\t\t\toptionsObj.correctGrossPay,\n\t\t\t\t\t\toptionsObj.correctEndDate,\n\t\t\t\t\t\toptionsObj.isDeceased\n\t\t\t\t\t];\n\t\t\t}\n\t\t},\n\n\t\treviewEmptyValues: statPayObj => {\n\n\t\t\tservice.convertAdvanceFundingPaymentsToZeroIfNull(statPayObj);\n\t\t\tservice.convertBroughtForwardPaymentsToZeroIfEmpty(statPayObj);\n\t\t\tservice.convertSalaryPaymentsToZeroIfEmpty(statPayObj);\n\n\t\t\tstatPayObj.TotalBroughtForward = utilities.setPropertyValueToZeroIfEmpty(statPayObj.TotalBroughtForward);\n\t\t},\n\n\t\treviewStatPaymentSalarySacrifice: statPayObj => {\n\n\t\t\tstatPayObj.SalarySacrificeBehaviour = statPayObj.SalarySacrificeState ? ADJUSTMENT_BEHAVIOUR_STATES.on : ADJUSTMENT_BEHAVIOUR_STATES.off;\n\t\t},\n\n\t\t/*\n\t\t\tTransform schedule payments data for display, depending on the calculation method\n\t\t\tused to get them. For weekly payment schedules, insert a monthly summary payment.\n\t\t\tFor each, also calculate the totals of week count and payment amount. Note that no\n\t\t\thierarchy is created here (payments under parent monthly summary). This is purely\n\t\t\tfor display purposes in a flat table.\n\t\t */\n\t\ttransformStatutoryPaymentsForCalculationMethod: (paymentsArr, calculationMethod) => {\n\n\t\t\tif (calculationMethod === STATUTORY_PAY_CALCULATION_METHODS.weekly) {\n\n\t\t\t\tlet returnArr = [];\n\n\t\t\t\tpaymentsArr.forEach((paymentObj) => {\n\n\t\t\t\t\tlet lastPaymentGroupObj = returnArr[returnArr.length > 0 ? returnArr.length - 1 : 0];\n\n\t\t\t\t\t// Add payment to existing payment group\n\t\t\t\t\tif (angular.isDefined(lastPaymentGroupObj) && lastPaymentGroupObj.agencyPayPeriodId === paymentObj.AgencyPayPeriodID) {\n\t\t\t\t\t\tlastPaymentGroupObj.payments.push(paymentObj);\n\t\t\t\t\t\tlastPaymentGroupObj.hasBeenPaid &= paymentObj.HasBeenPaid;\n\t\t\t\t\t\tlastPaymentGroupObj.totalPaymentAmount += paymentObj.PaymentAmount;\n\t\t\t\t\t\tlastPaymentGroupObj.totalOccupationalPaymentAmount += paymentObj.OccupationalPaymentAmount;\n\t\t\t\t\t\tlastPaymentGroupObj.payPeriodsCount++;\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\n\t\t\t\t\t// Create new payment group\n\t\t\t\t\treturnArr.push({\n\t\t\t\t\t\tagencyPayPeriodId: paymentObj.AgencyPayPeriodID,\n\t\t\t\t\t\thasBeenPaid: paymentObj.HasBeenPaid,\n\t\t\t\t\t\tpayPeriodDisplay: paymentObj.PayPeriodDisplay,\n\t\t\t\t\t\ttotalPaymentAmount: paymentObj.PaymentAmount,\n\t\t\t\t\t\ttotalOccupationalPaymentAmount: paymentObj.OccupationalPaymentAmount,\n\t\t\t\t\t\tpayPeriodsCount: 1,\n\t\t\t\t\t\tpayments: [paymentObj]\n\t\t\t\t\t});\n\t\t\t\t});\n\n\t\t\t\t// Now mark payment groups that have any historical payments as historical themselves\n\t\t\t\treturnArr.forEach(paymentGroup => {\n\t\t\t\t\tpaymentGroup.IsHistorical = paymentGroup.payments.reduce((accIsHistorical, nextPayment) => {\n\t\t\t\t\t return accIsHistorical || nextPayment.IsHistorical;\n\t\t\t\t\t}, false);\n\t\t\t\t});\n\n\t\t\t\t// Payments now grouped by month\n\t\t\t\treturn returnArr;\n\t\t\t}\n\n\t\t\t// Return payments unmolested\n\t\t\treturn paymentsArr;\n\t\t}\n\t};\n\n\treturn service;\n\n}]);\n\n/*jshint camelcase:false */\n /*jshint camelcase:false */\n'use strict';\n\nangular.module('paycircleApp')\n.service('storageService', [\n\t'$rootScope',\n\t'$state',\n\t'STATE_STORAGE_CONFIG',\nfunction (\n\t$rootScope,\n\t$state,\n\tSTATE_STORAGE_CONFIG\n) {\n\n\t/* Key for storage of state-specific data - search, etc. This will contain other objects,\n one per state, for holding this information. It's all held in its own object structure\n\t so it can be cleared independently of any other session data */\n\tconst STATE_SESSION_KEY = 'stateData';\n\n\tconst service = {\n\n\t\taddObjectToSessionStorage: (key, obj, hours) => {\n\n\t\t\tif (service.isStorageAvailable) {\n\t\t\t\tservice.addToSessionStorage(key, JSON.stringify(obj), hours);\n\t\t\t}\n\t\t},\n\t\taddToSessionStorage: (key, value) => {\n\n\t\t\tif (service.isStorageAvailable) {\n\t\t\t\tsessionStorage.setItem(key, value);\n\t\t\t}\n\t\t},\n\t\taddToSessionStorageForCurrentState: (key, value) => {\n\n\t\t\tif (service.isStorageAvailable) {\n\n\t\t\t\t// Get state storage object\n\t\t\t\tconst stateStorageObj = service.getStateSessionStorage();\n\t\t\t\tconst currentStateName = $state.current.name;\n\n\t\t\t\tif (angular.isUndefined(stateStorageObj)) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Create object for current state if it doesn't exist\n\t\t\t\tif (angular.isUndefined(stateStorageObj[currentStateName])) {\n\t\t\t\t\tstateStorageObj[currentStateName] = {};\n\t\t\t\t}\n\n\t\t\t\t/* If the storage config for the key tells us this is an array, add it to the array stored against this key if it's\n\t\t\t\t not already in there */\n\t\t\t\tif (STATE_STORAGE_CONFIG[key].isArray) {\n\t\t\t\t\t// Get the storage array or create new if it doesn't already exist\n\t\t\t\t\tlet storageArray = angular.isDefined(stateStorageObj[currentStateName][key]) ? stateStorageObj[currentStateName][key] : [];\n\t\t\t\t\t// If the value isn't already in there, add it.\n\t\t\t\t\tif (!storageArray.includes(value)) {\n\t\t\t\t\t\tstorageArray.push(value);\n\t\t\t\t\t}\n\t\t\t\t\t// Attach the array to the storage object in case it's just been created\n\t\t\t\t\tstateStorageObj[currentStateName][key] = storageArray;\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\t// Add / replace the data on the the state-specific storage object\n\t\t\t\t\tstateStorageObj[currentStateName][key] = value;\n\t\t\t\t}\n\n\t\t\t\t// Finally add the whole state object to session storage\n\t\t\t\tservice.addObjectToSessionStorage(STATE_SESSION_KEY, stateStorageObj);\n\t\t\t}\n\t\t},\n\t\tclearSessionStorage: () => {\n\n\t\t\tif (service.isStorageAvailable) {\n\t\t\t\tsessionStorage.clear();\n\t\t\t}\n\t\t},\n\t\tclearStateSessionStorage: () => {\n\n\t\t\tif (service.isStorageAvailable) {\n\t\t\t\tsessionStorage.removeItem(STATE_SESSION_KEY);\n\t\t\t}\n\t\t},\n\t\tdeleteFromSessionStorage: (key) => {\n\n\t\t\tif (service.isStorageAvailable) {\n\t\t\t\tsessionStorage.removeItem(key);\n\t\t\t}\n\t\t},\n\t\tdeleteFromSessionStorageForCurrentState: (key, value) => {\n\n\t\t\tif (service.isStorageAvailable) {\n\n\t\t\t\t// Get state storage object\n\t\t\t\tconst stateStorageObj = service.getStateSessionStorage();\n\t\t\t\tconst currentStateName = $state.current.name;\n\n\t\t\t\t// Nothing to do if there's no state storage\n\t\t\t\tif (angular.isUndefined(stateStorageObj) || angular.isUndefined(stateStorageObj[currentStateName])) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t/* If the storage config for the key tells us this is an array, remove it from the array stored against this key if it's\n\t\t\t\t not already in there. If value not specified, remove the entire key (whether or not it's an array) */\n\t\t\t\tif (STATE_STORAGE_CONFIG[key].isArray && angular.isDefined(value)) {\n\t\t\t\t\t// Get the storage array or create new if it doesn't already exist\n\t\t\t\t\tlet storageArray = angular.isDefined(stateStorageObj[currentStateName][key]) ? stateStorageObj[currentStateName][key] : [];\n\t\t\t\t\t// If the value isn't already in there, add it.\n\t\t\t\t\tconst itemIndex = storageArray.indexOf(value);\n\t\t\t\t\tif (itemIndex !== -1) {\n\t\t\t\t\t\tstorageArray.splice(itemIndex, 1);\n\t\t\t\t\t}\n\t\t\t\t\t// Attach the array to the storage object in case it's just been created\n\t\t\t\t\tstateStorageObj[currentStateName][key] = storageArray;\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\t// Remove the data on the the state-specific storage object\n\t\t\t\t\tstateStorageObj[currentStateName][key] = undefined;\n\t\t\t\t}\n\n\t\t\t\t// Finally add the whole state object to session storage\n\t\t\t\tservice.addObjectToSessionStorage(STATE_SESSION_KEY, stateStorageObj);\n\t\t\t}\n\t\t},\n\t\tgetFromSessionStorage: (key, defaultObj) => {\n\n\t\t\tlet item = null;\n\n\t\t\tif (service.isStorageAvailable) {\n\t\t\t\titem = sessionStorage.getItem(key);\n\t\t\t}\n\n\t\t\treturn item ? item : defaultObj;\n\t\t},\n\t\tgetFromSessionStorageForCurrentState: (key, defaultValue) => {\n\n\t\t\tlet item = null;\n\t\t\tif (service.isStorageAvailable) {\n\n\t\t\t\t// Get the storage object for the current state\n\t\t\t\tconst stateStorageObj = service.getStateSessionStorage();\n\t\t\t\tconst currentStateName = $state.current.name;\n\n\t\t\t\tif (angular.isDefined(stateStorageObj) && angular.isDefined(stateStorageObj[currentStateName])) {\n\t\t\t\t\titem = stateStorageObj[currentStateName][key];\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn item ? item : defaultValue;\n\t\t},\n\t\tgetObjectFromSessionStorage: (key, defaultObj) => {\n\n\t\t\tdefaultObj = angular.isObject(defaultObj) ? JSON.stringify(defaultObj) : defaultObj;\n\n\t\t\tif (service.isStorageAvailable) {\n\t\t\t\treturn JSON.parse(service.getFromSessionStorage(key, defaultObj));\n\t\t\t}\n\t\t},\n\t\t/*\n\t\t\tGet session state object. Create it if it doesn't exist. Wipe it if context has changed.\n\t\t */\n\t\tgetStateSessionStorage: () => {\n\n\t\t\tif (service.isStorageAvailable) {\n\t\t\t\t// Get state storage object if there is one. Default to empty object.\n\t\t\t\tlet stateStorageObj = service.getObjectFromSessionStorage(STATE_SESSION_KEY, {});\n\n\n\t\t\t\tif (!$rootScope.currentCompany) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Get current company context\n\t\t\t\tconst currentContext = $rootScope.currentCompany.AgencyProfileID;\n\t\t\t\t// If no context (i.e. it's just been created), or context has changed, wipe it out with new context\n\t\t\t\tif (!stateStorageObj.context || stateStorageObj.context !== currentContext) {\n\t\t\t\t\t// New context, new state storage\n\t\t\t\t\tstateStorageObj = {\n\t\t\t\t\t\tcontext: currentContext\n\t\t\t\t\t};\n\t\t\t\t\tservice.addObjectToSessionStorage(STATE_SESSION_KEY, stateStorageObj);\n\t\t\t\t}\n\n\t\t\t\t// Return the overall state object\n\t\t\t\treturn stateStorageObj;\n\t\t\t}\n\t\t},\n\t\tisStorageAvailable: () => {\n\n\t\t\tif (angular.isUndefined(typeof(Storage))) {\n\t\t\t\t$rootScope.paycircleMessage('isStorageAvailable: Unable to add to session storage as storage is not available', 'error');\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\treturn true;\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('newRelicService', [\n\t'$filter',\n\t'$window',\n\t'config',\n\t'utilities',\n\t'REGEX',\n\tfunction (\n\t\t$filter,\n\t\t$window,\n\t\tconfig,\n\t\tutilities,\n\t\tREGEX\n\t) {\n\n\tconst NewRelic = $window.newrelic;\n\n\tconst service = {\n\n\t\t/**\n\t\t * https://docs.newrelic.com/docs/browser/new-relic-browser/browser-apis/setApplicationVersion/\n\t\t */\n\t\tsetApplicationVersion: () => {\n\n\t\t\tif (!service.isNewRelicActive()) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tNewRelic.setApplicationVersion(`Payroll-${utilities.getAppEnvironmentKey()}-${config.version}`);\n\t\t},\n\n\t\t/**\n\t\t * https://docs.newrelic.com/docs/browser/new-relic-browser/browser-apis/addtotrace/\n\t\t */\n\t\taddToTrace: traceObj => {\n\n\t\t\tif (!service.isNewRelicActive()) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tNewRelic.addToTrace(traceObj);\n\t\t},\n\n\t\t/**\n\t\t * https://docs.newrelic.com/docs/browser/new-relic-browser/browser-apis/noticeerror/\n\t\t */\n\t\tnoticeError: (error, customAttributes) => {\n\n\t\t\tif (!service.isNewRelicActive()) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tNewRelic.noticeError(error, customAttributes);\n\t\t},\n\n\t\t/**\n\t\t * https://docs.newrelic.com/docs/browser/new-relic-browser/browser-apis/log/\n\t\t */\n\t\tlogMessage: (message, options) => {\n\n\t\t\tif (!service.isNewRelicActive()) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tNewRelic.log(message, options);\n\t\t},\n\n\t\tisNewRelicActive: () => {\n\n\t\t\tif (!angular.isDefined(NewRelic)) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\t// Only active for pre production and production\n\t\t\treturn utilities.isEnvironmentPreProduction || utilities.isEnvironmentProduction;\n\t\t},\n\n\t\tsetCompany: currentCompanyObj => {\n\n\t\t\tif (!service.isNewRelicActive()) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tconst companyTypeDescription = $filter('companyTypeDescription')(currentCompanyObj.CompanyType);\n\n\t\t\tNewRelic.setCustomAttribute('company_id', currentCompanyObj.AgencyProfileID);\n\t\t\tNewRelic.setCustomAttribute('company_name', currentCompanyObj.Name);\n\t\t\tNewRelic.setCustomAttribute('company_size', currentCompanyObj.TeamMemberCount);\n\t\t\tNewRelic.setCustomAttribute('company_type', companyTypeDescription);\n\n\t\t\tNewRelic.addToTrace({\n\t\t\t\tcategory: 'company',\n\t\t\t\tmessage: `${companyTypeDescription.charAt(0).toUpperCase() + companyTypeDescription.slice(1)} loaded: ${currentCompanyObj.Name} (${currentCompanyObj.AgencyProfileID})`\n\t\t\t});\n\t\t},\n\n\t\tsetupNewRelic: () => {\n\n\t\t\tif (!service.isNewRelicActive()) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tservice.setApplicationVersion();\n\n\t\t\tNewRelic.wrapLogger(console, 'info', {level: 'info'});\n\t\t\tNewRelic.wrapLogger(console, 'error', {level: 'error'});\n\n\t\t\tNewRelic.setCustomAttribute('user_is_logged_in', true);\n\t\t},\n\n\t\tsetState: toStateObj => {\n\n\t\t\tif (!service.isNewRelicActive()) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tNewRelic.setCustomAttribute('state', toStateObj.name);\n\t\t\tNewRelic.setCustomAttribute('state_parent', toStateObj.name.split('.')[0]);\n\n\t\t\tNewRelic.addToTrace({\n\t\t\t\tcategory: 'state',\n\t\t\t\tmessage: `State changed: ${toStateObj.name}`\n\t\t\t});\n\t\t},\n\n\t\t/**\n\t\t * https://docs.newrelic.com/docs/browser/new-relic-browser/browser-apis/setcustomattribute/\n\t\t */\n\t\tsetCustomAttribute: (tagName, tagValue) => {\n\n\t\t\tif (!service.isNewRelicActive()) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tNewRelic.setCustomAttribute(tagName, tagValue);\n\t\t},\n\n\t\tsetUser: currentUserObj => {\n\n\t\t\tif (!service.isNewRelicActive()) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tconst isUsernameEmail = REGEX.email.test(currentUserObj.UserResponseUsername);\n\n\t\t\tNewRelic.setUserId(currentUserObj.UserResponseUserID);\n\n\t\t\tNewRelic.setCustomAttribute('user_id', currentUserObj.UserResponseUserID);\n\t\t\tNewRelic.setCustomAttribute('user_email', isUsernameEmail ? currentUserObj.UserResponseUsername : null);\n\t\t\tNewRelic.setCustomAttribute('user_username', currentUserObj.UserResponseUsername);\n\n\t\t\tNewRelic.setCustomAttribute('user_session_start', moment().format(config.dateTimeFormatPrimary));\n\t\t\tNewRelic.setCustomAttribute('user_company', currentUserObj.AgencyProfileName);\n\t\t\tNewRelic.setCustomAttribute('user_is_logged_in', true);\n\t\t\tNewRelic.setCustomAttribute('user_is_paycircle_admin', currentUserObj.isPaycircleAdmin);\n\t\t\tNewRelic.setCustomAttribute('user_primary_role', utilities.getPrimaryRole(currentUserObj.UserResponseRoles));\n\n\t\t\tNewRelic.addToTrace({\n\t\t\t\tcategory: 'auth',\n\t\t\t\tmessage: 'User logged in'\n\t\t\t});\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('supportService', ['$filter', function ($filter) {\n\n\tconst service = {\n\n\t\t// Normalise categories and add 'special' categories\n\t\tdecorateSupportCategories: (categoriesArr) => {\n\n\t\t\tconst HELP_AND_SUPPORT_CATEGORY_ID = 0;\n\n\t\t\t/* Sum up article counts for each category, including those in subcategories. Wordpress provides counts for each category\n\t\t\twithout taking into account subcategories and their subcategories and their subcategories and ... etc. */\n\t\t\tconst countSupportArticlesForCategory = (categoriesArr, categoryId) => {\n\n\t\t\t\t// Find the category with the specified ID\n\t\t\t\tconst category = categoriesArr.find(category => category.id === categoryId);\n\n\t\t\t\t// Find all child categories\n\t\t\t\tconst childCategories = categoriesArr.filter(childCategory => childCategory.parentId === category.id);\n\n\t\t\t\t// For each child category, recall this, so the child counts are up-to-date before the parent sum them\n\t\t\t\tchildCategories.forEach(childCategory => {\n\t\t\t\t\t// Recall this function for each child category\n\t\t\t\t\tcountSupportArticlesForCategory(categoriesArr, childCategory.id);\n\t\t\t\t});\n\n\t\t\t\t// Now the child counts have been updated, sum up the article counts for this category\n\t\t\t\tchildCategories.forEach(childCategory => {\n\t\t\t\t\tcategory.articleCount += childCategory.articleCount;\n\t\t\t\t});\n\t\t\t};\n\n\t\t\t// Start by creating the implicit top-level 'Help and Support' category to form the parent of all top-level categories\n\t\t\tconst supportCategories = [{\n\t\t\t\tdescription: 'All Help and Support Categories',\n\t\t\t\ticon: 'icon-help',\n\t\t\t\tid: HELP_AND_SUPPORT_CATEGORY_ID,\n\t\t\t\tname: 'Help and Support',\n\t\t\t\t// This will be updated shortly\n\t\t\t\tarticleCount: 0\n\t\t\t}];\n\n\t\t\t// Add categories retrieved from WordPress, after 'normalising' them so they're a little more palatable.\n\t\t\tcategoriesArr.forEach(category => {\n\t\t\t\t// Normalise the support category. This will return nothing if the category is marked as 'private'\n\t\t\t\tconst normalisedSupportCategory = service.normaliseSupportCategory(category);\n\t\t\t\tif (angular.isDefined(normalisedSupportCategory)) {\n\t\t\t\t\tsupportCategories.push(normalisedSupportCategory);\n\t\t\t\t}\n\t\t\t});\n\n\t\t\t// Get complete article counts for each category, starting at the top\n\t\t\tcountSupportArticlesForCategory(supportCategories, HELP_AND_SUPPORT_CATEGORY_ID);\n\n\t\t\treturn supportCategories;\n\t\t},\n\n\t\t// Get support article tags for a specified form key\n\t\tgetHelpAndSupportTagsForSlideInForm: (slideInFormKey) => {\n\n\t\t\t// Map form keys to article tags here. @todo - decide on (slide in form key -> help and support tags) mappings\n\t\t\tswitch (slideInFormKey) {\n\t\t\t\tcase 'company-settings-authentication-tfa':\n\t\t\t\t\treturn ['bureau-access'];\n\t\t\t}\n\n\t\t\treturn undefined;\n\t\t},\n\n\t\tgetMetaTagsForSupportArticle: (articleObj) => {\n\t\t\tconst metaTags = [];\n\n\t\t\t// Reading time\n\t\t\tif (articleObj.readingTime) {\n\t\t\t\tmetaTags.push({\n\t\t\t\t\ticon: 'icon-clock',\n\t\t\t\t\ttheme: 'is-primary-400',\n\t\t\t\t\ttext: articleObj.readingTime\n\t\t\t\t});\n\t\t\t}\n\t\t\t// Support video running time\n\t\t\tif (articleObj.supportVideoRunningTime) {\n\t\t\t\tmetaTags.push({\n\t\t\t\t\ticon: 'icon-play',\n\t\t\t\t\ttheme: 'is-primary-300',\n\t\t\t\t\ttext: articleObj.supportVideoRunningTime\n\t\t\t\t});\n\t\t\t}\n\n\t\t\treturn metaTags;\n\t\t},\n\n\t\t// Get metatags for different post types (articles and guides)\n\t\tgetMetaTagsForPost: (postObj, isDateIncluded) => {\n\n\t\t\tisDateIncluded = angular.isDefined(isDateIncluded) ? isDateIncluded : false;\n\n\t\t\tlet returnArr = [];\n\n\t\t\t// Reading time\n\t\t\tif (angular.isDefined(postObj.readingTime)) {\n\n\t\t\t\treturnArr.push({\n\t\t\t\t\ticon: 'icon-clock',\n\t\t\t\t\ttheme: 'is-primary-400',\n\t\t\t\t\ttext: postObj.readingTime\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tif (angular.isDefined(postObj.videoId) && postObj.supportVideoId !== '') {\n\n\t\t\t\t// Demo Video ...\n\t\t\t\treturnArr.push({\n\t\t\t\t\ticon: 'icon-play',\n\t\t\t\t\ttheme: 'is-primary-300',\n\t\t\t\t\ttext: postObj.supportVideoRunningTime\n\t\t\t\t});\n\t\t\t}\n\t\t\telse if (angular.isDefined(postObj.videoCount)) {\n\n\t\t\t\t// If no demo video, see if there's a video count\n\t\t\t\treturnArr.push({\n\t\t\t\t\ticon: 'icon-play',\n\t\t\t\t\ttheme: 'is-primary-300',\n\t\t\t\t\ttext: postObj.videoCount === 1 ? '1 video' : `${postObj.videoCount} videos`\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t// Date\n\t\t\tif (isDateIncluded) {\n\n\t\t\t\treturnArr.push({\n\t\t\t\t\ticon: null,\n\t\t\t\t\ttheme: null,\n\t\t\t\t\ttext: $filter('dateformat')(postObj.date, 'long')\n\t\t\t\t});\n\t\t\t}\n\n\t\t\treturn returnArr;\n\t\t},\n\n\t\tgetTotalArticleCountForCategories: (categoriesArr) => {\n\n\t\t\tlet totalCount = 0;\n\n\t\t\tcategoriesArr.forEach(categoryObj => {\n\t\t\t\ttotalCount += categoryObj.count;\n\t\t\t});\n\n\t\t\treturn totalCount;\n\t\t},\n\n\t\tgroupAndSortSupportArticlesByLastUpdated: (supportArticlesArr) => {\n\n\t\t\t// Sort articles by last updated, most recent first\n\t\t\tsupportArticlesArr.sort((articleA, articleB) => {\n\t\t\t\treturn moment(articleA.lastUpdated).isBefore(moment(articleB.lastUpdated)) ? 1 : -1;\n\t\t\t});\n\n\t\t\t// Top level object including the overall count\n\t\t\tconst supportArticlesGrouped = {\n\t\t\t\tarticleCount: supportArticlesArr.length,\n\t\t\t\tarticleGroups: []\n\t\t\t};\n\n\t\t\t// Group latest support articles by month\n\t\t\tsupportArticlesArr.forEach(article => {\n\t\t\t\t// Get the published date as a date\n\t\t\t\tconst lastUpdated = moment(article.lastUpdated);\n\t\t\t\t// See if there's already a group for the month of this update\n\t\t\t\tlet articleGroup = supportArticlesGrouped.articleGroups.find(articleGroup => {\n\t\t\t\t\treturn lastUpdated.month() === articleGroup.month && lastUpdated.year() === articleGroup.year;\n\t\t\t\t});\n\t\t\t\t// Greate new group as necessary\n\t\t\t\tif (!articleGroup) {\n\t\t\t\t\tarticleGroup = {\n\t\t\t\t\t\tarticles: [],\n\t\t\t\t\t\tmonth: lastUpdated.month(),\n\t\t\t\t\t\tyear: lastUpdated.year(),\n\t\t\t\t\t\ttitle: lastUpdated.format('MMM YYYY')\n\t\t\t\t\t};\n\t\t\t\t\tsupportArticlesGrouped.articleGroups.push(articleGroup);\n\t\t\t\t}\n\t\t\t\t// Add the article to the group\n\t\t\t\tarticleGroup.articles.push(article);\n\t\t\t});\n\n\t\t\treturn supportArticlesGrouped;\n\t\t},\n\n\t\tsortSupportArticles: (supportArticlesArr) => {\n\n\t\t\t// Sort the articles, then 'normalise' each\n\t\t\tsupportArticlesArr = supportArticlesArr.sort((supportArticleA, supportArticleB) => {\n\t\t\t\t/* Sort the posts by video ID; null equates to '' and '' goes to the end of the list. So articles with\n\t\t\t\t videos are at the top of the list. If there's an easy, non-convoluted and reliable way to do this in\n\t\t\t\t WordPress, it's yet to be discovered. */\n\t\t\t\tconst supportVideoA = supportArticleA.supportVideoId ? supportArticleA.supportVideoId : '';\n\t\t\t\tconst supportVideoB = supportArticleB.supportVideoId ? supportArticleB.supportVideoId : '';\n\t\t\t\tif (supportVideoA > supportVideoB) {\n\t\t\t\t\treturn -1;\n\t\t\t\t}\n\t\t\t\telse if (supportVideoA < supportVideoB) {\n\t\t\t\t\treturn 1;\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\treturn 0;\n\t\t\t\t}\n\t\t\t});\n\n\t\t\treturn supportArticlesArr;\n\t\t},\n\n\t\tnormaliseSupportCategory: (category) => {\n\n\t\t\t// Get flag to determine if this is a private category. Default to false.\n\t\t\tconst isPrivate = angular.isDefined(category.acf.is_private_category) ? category.acf.is_private_category : false;\n\n\t\t\t// Get flag to determine if this has been defined as a headline category in WordPress. Default to false.\n\t\t\tconst isHeadline = angular.isDefined(category.acf.is_headline_category) ? category.acf.is_headline_category : false;\n\n\t\t\t// Get stuff for headline articles, default if not available\n\t\t\tlet headlineItemSingular;\n\t\t\tlet headlineItemPlural;\n\t\t\tlet headlineImageName;\n\t\t\tif (isHeadline) {\n\t\t\t\theadlineItemSingular = category.acf.headline_item_description_singular ? category.acf.headline_item_description_singular.toLowerCase() : 'article';\n\t\t\t\theadlineItemPlural = category.acf.headline_item_description_plural ? category.acf.headline_item_description_plural.toLowerCase() : 'articles';\n\t\t\t\theadlineImageName = category.acf.headline_category_image ? category.acf.headline_category_image : 'default_headline';\n\t\t\t}\n\n\t\t\treturn {\n\t\t\t\tarticleCount: category.count,\n\t\t\t\tdescription: category.description,\n\t\t\t\theadlineImageName,\n\t\t\t\theadlineItemPlural,\n\t\t\t\theadlineItemSingular,\n\t\t\t\ticon: angular.isDefined(category.acf.category_icon) ? category.acf.category_icon : 'icon-question-mark',\n\t\t\t\tid: category.id,\n\t\t\t\tisHeadline,\n\t\t\t\tisPrivate,\n\t\t\t\tname: category.name,\n\t\t\t\t// Override any parent category for headline categories, just in case. Headline categories should sit under the top level 'Help and Support' pseudo-category\n\t\t\t\tparentId: isHeadline ? 0 : category.parent,\n\t\t\t\tslug: category.slug,\n\t\t\t\ttheme: angular.isDefined(category.acf.category_theme) ? category.acf.category_theme : 'is-primary',\n\t\t\t\turl: category.link\n\t\t\t};\n\t\t},\n\n\t\tnormaliseSupportGuide: (supportGuide) => {\n\n\t\t\tlet videoCount = 0;\n\t\t\tlet supportGuideSections;\n\t\t\tif (supportGuide.acf.user_guide_content) {\n\t\t\t\tsupportGuideSections = [];\n\t\t\t\tvideoCount = supportGuide.acf.user_guide_content.length;\n\t\t\t\tsupportGuide.acf.user_guide_content.forEach(userGuideContent => {\n\t\t\t\t\t// if (userGuideContent.user_guide_item.acf) {\n\n\t\t\t\t\t// }\n\t\t\t\t\tsupportGuideSections.push({\n\t\t\t\t\t\ttitle: userGuideContent.user_guide_item_title,\n\t\t\t\t\t\tsubtitle: userGuideContent.user_guide_item_subtitle,\n\t\t\t\t\t\tvideoID: userGuideContent.user_guide_item_video_id\n\t\t\t\t\t});\n\t\t\t\t});\n\t\t\t}\n\n\t\t\treturn {\n\t\t\t\tdate: supportGuide.date,\n\t\t\t\ticon: supportGuide.acf.user_guide_icon,\n\t\t\t\tid: supportGuide.id,\n\t\t\t\treadingTime: supportGuide.acf.reading_time,\n\t\t\t\tslug: supportGuide.slug,\n\t\t\t\tsupportGuideSections,\n\t\t\t\ttheme: supportGuide.acf.user_guide_theme,\n\t\t\t\ttitle: supportGuide.title.rendered,\n\t\t\t\tvideoCount\n\t\t\t};\n\t\t},\n\n\t\tnormaliseSupportGuides: (supportGuidesArr) => {\n\n\t\t\tlet supportGuidesNormalised = [];\n\t\t\tsupportGuidesArr.forEach(supportGuide => {\n\t\t\t\tsupportGuidesNormalised.push(service.normaliseSupportGuide(supportGuide));\n\t\t\t});\n\t\t\treturn supportGuidesNormalised;\n\t\t},\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('supplementaryPayRunService', [\n\t'$rootScope',\n\t'utilities',\n\t'SUBMISSION_STATES',\n\t'USER_ROLES',\n\tfunction (\n\t\t$rootScope,\n\t\tutilities,\n\t\tSUBMISSION_STATES,\n\t\tUSER_ROLES\n\t) {\n\n\tconst service = {\n\n\t\tdecorateSupplementaryPaymentObj: supplementaryPaymentObj => {\n\n\t\t\tfunction getSupplementaryPaymentThemeForState (supplementaryPaymentState) {\n\n\n\t\t\t\tswitch (supplementaryPaymentState) {\n\t\t\t\t\tcase SUBMISSION_STATES.submitted:\n\t\t\t\t\t\treturn 'is-primary';\n\t\t\t\t\tcase SUBMISSION_STATES.failed:\n\t\t\t\t\t\treturn 'is-assertive';\n\t\t\t\t\tdefault:\n\t\t\t\t\t\treturn 'is-indifferent';\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tconst distinctUserIds = service.getDistinctUserIdsForSupplementaryPaymentObj(supplementaryPaymentObj);\n\n\t\t\tangular.extend(supplementaryPaymentObj, {\n\t\t\t\tcanEdit: service.getCanEditPayment(supplementaryPaymentObj),\n\t\t\t\t/* Attach an array of distinct user IDs for team member count display, as well as for editing. The supplementary pay\n\t\t\t\t run form needs to behave according to whether the payment is a bulk payment, or for a single user. In the former case,\n\t\t\t\t there will be a number of adjustments for different users, in the latter, one or more adjustments for\n\t\t\t\t a single user (singleton userIDs array). In addition, the payment card needs to show a count of distinct users\n\t\t\t\t for the supplementary payment. The attached count from the platform represents the total number of adjustments. */\n\t\t\t\tdistinctUserIds,\n\t\t\t\tshowMenu: false,\n\t\t\t\ttheme: getSupplementaryPaymentThemeForState(supplementaryPaymentObj.SupplementaryPaymentState)\n\t\t\t});\n\n\t\t\treturn supplementaryPaymentObj;\n\t\t},\n\n\t\tfilterSupplementaryPayments: supplementaryPaymentObj => {\n\n\t\t\tsupplementaryPaymentObj = service.decorateSupplementaryPaymentObj(supplementaryPaymentObj);\n\n\t\t\t// Only show Submitted pay runs for CAL or GAL roles\n\t\t\tif ($rootScope.userHasRole([\n\t\t\t\tUSER_ROLES.companyadministratorlite,\n\t\t\t\tUSER_ROLES.groupadminlite\n\t\t\t])) {\n\n\t\t\t\tif (supplementaryPaymentObj.SupplementaryPaymentState !== SUBMISSION_STATES.submitted) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn supplementaryPaymentObj;\n\t\t},\n\n\t\tgetCanEditPayment: supplementaryPaymentObj => {\n\n\t\t\t// Submitted\n\t\t\tif (supplementaryPaymentObj.SupplementaryPaymentState === SUBMISSION_STATES.submitted) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\treturn true;\n\t\t},\n\n\t\tgetDistinctUserIdsForSupplementaryPaymentObj: supplementaryPaymentObj => {\n\n\t\t\tlet returnUserIds = supplementaryPaymentObj.SupplementaryPaymentElements.map(adjustment => adjustment.UserID);\n\n\t\t\treturnUserIds = returnUserIds.concat(supplementaryPaymentObj.StartersToSubmit, supplementaryPaymentObj.LeaversToSubmit);\n\n\t\t\t// Remove duplicate user ID's, as the same user can be in payments and starters or leavers\n\t\t\treturn utilities.removeDuplicatesFromArrayOfStrings(returnUserIds);\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('tabService', [\n\t'$filter',\n\t'$rootScope',\n\t'securityService',\n\t'utilities',\n\t'INTERFACE_TYPES',\n\t'PAYROLL_MOVE_STATUSES',\n\t'TAB_KEYS',\n\tfunction (\n\t\t$filter,\n\t\t$rootScope,\n\t\tsecurityService,\n\t\tutilities,\n\t\tINTERFACE_TYPES,\n\t\tPAYROLL_MOVE_STATUSES,\n\t\tTAB_KEYS\n\t) {\n\n\tconst service = {\n\n\t\t// Convenience function for tidiness. sref is optional, since some tabs don't change state, they invoke functions instead\n\t\taddTab: (tabs, id, label, sref) => {\n\t\t\ttabs.push({ id, label, sref });\n\t\t},\n\n\t\taddTabWithCondition: (tabs, id, label, sref, condition) => {\n\t\t\tif (condition) {\n\t\t\t\tservice.addTab(tabs, id, label, sref);\n\t\t\t}\n\t\t},\n\n\t\t// Check context for specified attributes. Report any that are missing and return false in that case.\n\t\tcheckContext: (tabKey, context, attributes) => {\n\n\t\t\t// Start out with a distinct air of optimism\n\t\t\tlet allPresentAndCorrect = true;\n\n\t\t\t// Get set of attributes in the context object and check against expected attributes\n\t\t\tconst contextAttributes = Object.keys(context);\n\t\t\tattributes.forEach(attribute => {\n\n\t\t\t\t// Is the required attribute in the context?\n\t\t\t\tif (!contextAttributes.includes(attribute)) {\n\t\t\t\t\t$rootScope.paycircleMessage(`tabService.js > : missing context attribute ${attribute} for ${tabKey} tab key`, 'warn');\n\t\t\t\t\tallPresentAndCorrect = false;\n\t\t\t\t}\n\t\t\t});\n\t\t\treturn allPresentAndCorrect;\n\t\t},\n\n\t\t// Get tabs for specified TAB_KEYS constant. Include optional context for checking visibility of individual tabs.\n\t\tgetTabsForKey: (tabKey, context) => {\n\n\t\t\tlet tabBarDef = {\n\t\t\t\tid: tabKey\n\t\t\t};\n\t\t\tlet tabs;\n\n\t\t\tswitch (tabKey) {\n\t\t\t\tcase TAB_KEYS.payroll.currentPeriod.id: {\n\t\t\t\t\ttabs = service.getTabsForCurrentPeriod(context);\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase TAB_KEYS.payroll.history.id: {\n\t\t\t\t\ttabs = service.getTabsForHistory();\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase TAB_KEYS.payroll.supplementaryPayRun.id: {\n\t\t\t\t\ttabs = service.getTabsForSupplementaryPayRun(context);\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase TAB_KEYS.settings.access.id: {\n\t\t\t\t\ttabs = service.getTabsForSettingsAccess();\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase TAB_KEYS.settings.bacsDownloads.id: {\n\t\t\t\t\ttabs = service.getTabsForSettingsBacsDownloads();\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase TAB_KEYS.settings.businessCategories.id: {\n\t\t\t\t\ttabs = service.getTabsForSettingsBusinessCategories(context);\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase TAB_KEYS.settings.customisation.id: {\n\t\t\t\t\ttabs = service.getTabsForSettingsEmployeePortal();\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase TAB_KEYS.settings.imports.id: {\n\t\t\t\t\ttabs = service.getTabsForSettingsImports();\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase TAB_KEYS.settings.journals.id: {\n\t\t\t\t\ttabs = service.getTabsForSettingsJournals(context);\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase TAB_KEYS.settings.payElements.id: {\n\t\t\t\t\ttabs = service.getTabsForSettingsPayElements(context);\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase TAB_KEYS.settings.reports.id: {\n\t\t\t\t\ttabs = service.getTabsForSettingsReports();\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase TAB_KEYS.team.profile.id: {\n\t\t\t\t\ttabs = service.getTabsForTeamProfile(context);\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase TAB_KEYS.team.archivedProfile.id: {\n\t\t\t\t\ttabs = service.getTabsForTeamArchivedProfile(context);\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase TAB_KEYS.settings.genderPayGap.id: {\n\t\t\t\t\ttabs = service.getTabsForReportingGenderPayGap();\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tdefault: {\n\t\t\t\t\t// Tabs not found\n\t\t\t\t\ttabs = [];\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Add tabs to tab bar def and return\n\t\t\tangular.extend(tabBarDef, { tabs });\n\t\t\treturn tabBarDef;\n\t\t},\n\n\t\tgetTabsForCurrentPeriod: (context) => {\n\n\t\t\tlet tabs = [];\n\t\t\tif (service.checkContext(TAB_KEYS.payroll.currentPeriod, context, ['permissions'])) {\n\t\t\t\tconst permissions = context.permissions;\n\t\t\t\tconst currentCompany = $rootScope.currentCompany;\n\n\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.payroll.currentPeriod.tabs.changes, 'Changes', 'payroll.current-period.changes', \n\t\t\t\t\tpermissions.isChangesVisible);\n\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.payroll.currentPeriod.tabs.notes, 'Notes', 'payroll.current-period.notes', \n\t\t\t\t\tpermissions.isNotesVisible);\n\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.payroll.currentPeriod.tabs.tasks, 'Tasks', 'payroll.current-period.tasks',\n\t\t\t\t\tpermissions.isTasksVisible);\n\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.payroll.currentPeriod.tabs.team, 'Team', 'payroll.current-period.team', \n\t\t\t\t\tpermissions.isTeamVisible);\n\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.payroll.currentPeriod.tabs.pensions, 'Pensions', 'payroll.current-period.pensions', \n\t\t\t\t\tpermissions.isPensionVisible && currentCompany.IsPensionActive);\n\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.payroll.currentPeriod.tabs.imports, 'Imports', 'payroll.current-period.imports', \n\t\t\t\t\tpermissions.isImportsVisible);\n\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.payroll.currentPeriod.tabs.taxUpdates, 'Tax Updates', 'payroll.current-period.tax-updates', \n\t\t\t\t\tpermissions.isTaxUpdatesVisible);\n\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.payroll.currentPeriod.tabs.alerts, 'Alerts', 'payroll.current-period.alerts', \n\t\t\t\t\tpermissions.isAlertsVisible);\n\t\t\t}\n\t\t\treturn tabs;\n\t\t},\n\n\t\tgetTabsForHistory: () => {\n\n\t\t\tconst currentCompany = $rootScope.currentCompany;\n\n\t\t\tconst agencyProfileId = currentCompany.AgencyProfileID;\n\n\t\t\tlet tabs = [];\n\n\t\t\tservice.addTab(tabs, TAB_KEYS.payroll.history.tabs.payPeriods, 'History', `payroll.history.pay-periods({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\tservice.addTab(tabs, TAB_KEYS.payroll.history.tabs.supplementaryPayRuns, 'Supplementary pay runs', `payroll.history.supplementary-pay-runs({agencyProfileId: '${agencyProfileId}'})`);\n\n\t\t\treturn tabs;\n\t\t},\n\n\t\tgetTabsForReportingGenderPayGap: () => {\n\n\t\t\tlet tabs = [];\n\t\t\t// These tabs invoke functions, not state changes.\n\t\t\tservice.addTab(tabs, TAB_KEYS.settings.genderPayGap.tabs.hourlyBonusPay, 'Hourly/Bonus pay', '');\n\t\t\tservice.addTab(tabs, TAB_KEYS.settings.genderPayGap.tabs.teamMembers, 'Team members', '');\n\t\t\treturn tabs;\n\t\t},\n\n\t\tgetTabsForSupplementaryPayRun: (context) => {\n\n\t\t\tlet tabs = [];\n\n\t\t\tif (service.checkContext(TAB_KEYS.payroll.supplementaryPayRun, context, ['permissions'])) {\n\n\t\t\t\tconst permissions = context.permissions;\n\t\t\t\tconst currentCompany = $rootScope.currentCompany;\n\n\t\t\t\tconst agencyProfileId = currentCompany.AgencyProfileID;\n\n\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.payroll.supplementaryPayRun.tabs.reports, 'Reports', `payroll.supplementary-pay-run.reports({agencyProfileId: '${agencyProfileId}'})`, \n\t\t\t\t\tpermissions.isReportsVisible);\n\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.payroll.supplementaryPayRun.tabs.changes, 'Changes', `payroll.supplementary-pay-run.changes({agencyProfileId: '${agencyProfileId}'})`, \n\t\t\t\t\tpermissions.isChangesVisible);\n\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.payroll.supplementaryPayRun.tabs.receipts, 'Receipts', `payroll.supplementary-pay-run.receipts({agencyProfileId: '${agencyProfileId}'})`, \n\t\t\t\t\tpermissions.isReceiptsVisible);\n\t\t\t}\n\t\t\treturn tabs;\n\t\t},\n\n\t\tgetTabsForSettingsAccess: () => {\n\n\t\t\tconst agencyProfileId = $rootScope.currentCompany.AgencyProfileID;\n\n\t\t\tlet tabs = [];\n\t\t\tservice.addTab(tabs, TAB_KEYS.settings.access.tabs.ipManagement, 'IP Management', `settings.bureau.access.ip-management({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\tservice.addTab(tabs, TAB_KEYS.settings.access.tabs.authentication, 'Authentication', `settings.bureau.access.authentication({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\treturn tabs;\n\t\t},\n\n\t\tgetTabsForSettingsBacsDownloads: () => {\n\n\t\t\tlet tabs = [];\n\t\t\t// These tabs invoke functions, not state changes.\n\t\t\tservice.addTab(tabs, TAB_KEYS.settings.bacsDownloads.tabs.available, 'Available', '');\n\t\t\tservice.addTab(tabs, TAB_KEYS.settings.bacsDownloads.tabs.pending, 'Pending', '');\n\t\t\tservice.addTab(tabs, TAB_KEYS.settings.bacsDownloads.tabs.processed, 'Processed', '');\n\t\t\treturn tabs;\n\t\t},\n\n\t\tgetTabsForSettingsEmployeePortal: () => {\n\n\t\t\tlet tabs = [];\n\t\t\t// These tabs invoke functions, not state changes.\n\t\t\tservice.addTab(tabs, TAB_KEYS.settings.customisation.tabs.system, 'Payroll', '');\n\t\t\tservice.addTab(tabs, TAB_KEYS.settings.customisation.tabs.employeePortal, 'Employee portal', '');\n\t\t\treturn tabs;\n\t\t},\n\n\t\tgetTabsForSettingsBusinessCategories: (contextObj) => {\n\n\t\t\tconst currentCompany = $rootScope.currentCompany;\n\t\t\tconst agencyProfileId = currentCompany.AgencyProfileID;\n\n\t\t\tlet tabs = [];\n\n\t\t\t// Make sure categories are in a consistent order\n\t\t\tcontextObj.businessCategories.sort(utilities.comparator('BusinessCategoryNumber'));\n\n\t\t\tcontextObj.businessCategories.forEach(businessCategoryObj => {\n\n\t\t\t\tservice.addTab(\n\t\t\t\t\ttabs,\n\t\t\t\t\tbusinessCategoryObj.BusinessCategoryID,\n\t\t\t\t\tbusinessCategoryObj.BusinessCategoryName,\n\t\t\t\t\t`settings.company.business-categories.category({agencyProfileId: '${agencyProfileId}', categoryId: '${businessCategoryObj.BusinessCategoryID}'})`\n\t\t\t\t);\n\t\t\t});\n\n\t\t\tservice.addTab(tabs, TAB_KEYS.settings.businessCategories.tabs.imports, 'Imports', `settings.company.business-categories.imports({agencyProfileId: '${agencyProfileId}'})`);\n\n\t\t\treturn tabs;\n\t\t},\n\n\t\tgetTabsForSettingsJournals: contextObj => {\n\n\t\t\tconst agencyProfileId = $rootScope.currentCompany.AgencyProfileID;\n\n\t\t\tlet tabs = [];\n\n\t\t\tservice.addTab(tabs, TAB_KEYS.settings.journals.tabs.nominalCodes, 'Nominal codes', `settings.company.journals.nominal-codes({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\tservice.addTab(tabs, TAB_KEYS.settings.journals.tabs.businessCategories, 'Business categories', `settings.company.journals.business-categories({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\tservice.addTab(tabs, TAB_KEYS.settings.journals.tabs.imports, 'Imports', `settings.company.journals.imports({agencyProfileId: '${agencyProfileId}'})`);\n\n\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.settings.journals.tabs.posts, 'Posts', `settings.company.journals.posts({agencyProfileId: '${agencyProfileId}'})`, \n\t\t\t\t\tcontextObj.accountingIntegrationConnection.IsConnected);\n\n\t\t\treturn tabs;\n\t\t},\n\n\t\tgetTabsForSettingsImports: () => {\n\n\t\t\tconst agencyProfileId = $rootScope.currentCompany.AgencyProfileID;\n\n\t\t\tlet tabs = [];\n\t\t\tservice.addTab(tabs, TAB_KEYS.settings.imports.tabs.mappings, 'Mappings', `settings.company.imports.mappings({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\tservice.addTab(tabs, TAB_KEYS.settings.imports.tabs.settings, 'Settings', `settings.company.imports.settings({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\treturn tabs;\n\t\t},\n\n\t\t/*\n\t\t\tGet tabs for settings / pay elements.\n\t\t\tcontext must include:\n\t\t\t\tadjustmentGroup: associated adjustment group\n\t\t */\n\t\tgetTabsForSettingsPayElements: (context) => {\n\n\t\t\tconst currentCompany = $rootScope.currentCompany;\n\n\t\t\tlet tabs = [];\n\t\t\tif (service.checkContext(TAB_KEYS.settings.payElements, context, ['adjustmentGroup'])) {\n\t\t\t\tconst adjustmentGroup = context.adjustmentGroup;\n\t\t\t\tconst agencyProfileId = currentCompany.AgencyProfileID;\n\n\t\t\t\t// Different tab set for bureau\n\t\t\t\tif (currentCompany.CompanyType === INTERFACE_TYPES.bureau) {\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.payElements.tabs.coreElements, 'Core elements', `settings.bureau.pay-elements.core({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.payElements.tabs.bik, 'Benefits in Kind', `settings.bureau.pay-elements.bik({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.payElements.tabs.cis, 'CIS', `settings.bureau.pay-elements.cis({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.payElements.tabs.elementPacks, 'Element packs', `settings.bureau.pay-elements.element-packs({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.payElements.tabs.additions, 'Additions', `settings.company.pay-elements.additions({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.payElements.tabs.deductions, 'Deductions', `settings.company.pay-elements.deductions({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.payElements.tabs.bik, 'Benefits in Kind', `settings.company.pay-elements.bik({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t\t// CIS tab is conditional\n\t\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.settings.payElements.tabs.cis, 'CIS', `settings.company.pay-elements.cis({agencyProfileId: '${agencyProfileId}'})`, \n\t\t\t\t\t\tadjustmentGroup.GroupEntriesCIS.length !== 0 && currentCompany.IsCISActive);\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.payElements.tabs.linkElements, 'Link elements', `settings.company.pay-elements.link-elements({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.payElements.tabs.payslipLabels, 'Payslip labels', `settings.company.pay-elements.payslip-labels({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.payElements.tabs.disbursements, 'Disbursements', `settings.company.pay-elements.disbursements({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t}\n\t\t\t}\n\t\t\treturn tabs;\n\t\t},\n\n\t\tgetTabsForSettingsReports: () => {\n\n\t\t\tconst currentCompany = $rootScope.currentCompany;\n\t\t\tconst agencyProfileId = currentCompany.AgencyProfileID;\n\n\t\t\tlet tabs = [];\n\t\t\tswitch (currentCompany.CompanyType) {\n\t\t\t\tcase INTERFACE_TYPES.bureau: {\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.reports.tabs.custom, 'Custom', `settings.bureau.reports.custom({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.reports.tabs.standard, 'Standard', `settings.bureau.reports.standard({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.reports.tabs.packs, 'Packs', `settings.bureau.reports.packs({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase INTERFACE_TYPES.group: {\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.reports.tabs.custom, 'Custom', `settings.group.reports.custom({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.reports.tabs.standard, 'Standard', `settings.group.reports.standard({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tdefault: {\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.reports.tabs.custom, 'Custom', `settings.company.reports.custom({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.settings.reports.tabs.standard, 'Standard', `settings.company.reports.standard({agencyProfileId: '${agencyProfileId}'})`);\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\t\t\treturn tabs;\n\t\t},\n\n\t\tgetTabsForTeamArchivedProfile: context => {\n\n\t\t\tconst currentCompany = $rootScope.currentCompany;\n\n\t\t\tlet tabs = [];\n\t\t\tif (service.checkContext(TAB_KEYS.team.archivedProfile, context, ['teamMember'])) {\n\t\t\t\tconst teamMember = context.teamMember;\n\t\t\t\tservice.addTab(tabs, TAB_KEYS.team.archivedProfile.tabs.information, 'Information', 'team.profile.information');\n\n\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.team.archivedProfile.tabs.pension, 'Pension', 'team.profile.pension',\n\t\t\t\t\t\tcurrentCompany.HasPension && !teamMember.Company.IsOffPayrollWorker);\n\n\t\t\t\tservice.addTab(tabs, TAB_KEYS.team.archivedProfile.tabs.documents, 'Documents', 'team.profile.documents');\n\t\t\t\tservice.addTab(tabs, TAB_KEYS.team.archivedProfile.tabs.history, 'History', 'team.profile.history');\n\t\t\t}\n\t\t\treturn tabs;\n\t\t},\n\n\t\tgetTabsForTeamProfile: (context) => {\n\n\t\t\tconst currentCompany = $rootScope.currentCompany;\n\n\t\t\tlet tabs = [];\n\t\t\tif (service.checkContext(TAB_KEYS.team.profile, context, ['teamMember'])) {\n\t\t\t\tconst teamMember = context.teamMember;\n\t\t\t\tif (teamMember.IsInSetupMode) {\n\t\t\t\t\tlet isOnPayrollAndSetupComplete = teamMember.TeamMemberSetupComplete && !teamMember.Company.IsOffPayrollWorker;\n\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.team.profile.tabs.overview, 'Setup', 'team.profile.overview');\n\t\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.team.profile.tabs.history, 'History', 'team.profile.history', \n\t\t\t\t\t\t!currentCompany.IsPayslipManagerActive);\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.team.profile.tabs.documents, 'Documents', 'team.profile.documents');\n\t\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.team.profile.tabs.linkRates, 'Tax Status', 'team.profile.tax-status', \n\t\t\t\t\t\tisOnPayrollAndSetupComplete && !teamMember.Company.IsCISSubcontractor);\n\t\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.team.profile.tabs.linkRates, 'Link rates', 'team.profile.link-rates', \n\t\t\t\t\t\tisOnPayrollAndSetupComplete);\n\t\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.team.profile.tabs.schedules, 'Schedules', 'team.profile.schedules', \n\t\t\t\t\t\tisOnPayrollAndSetupComplete);\n\t\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.team.profile.tabs.account, 'Account', 'team.profile.account', \n\t\t\t\t\t\tteamMember.Company.IsRegistered);\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.team.profile.tabs.overview, 'Overview', 'team.profile.overview', \n\t\t\t\t\t\t!currentCompany.IsPayslipManagerActive);\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.team.profile.tabs.information, 'Information', 'team.profile.information');\n\t\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.team.profile.tabs.pension, 'Pension', 'team.profile.pension', \n\t\t\t\t\t\tcurrentCompany.HasPension && !teamMember.Company.IsOffPayrollWorker && !currentCompany.IsPayslipManagerActive);\n\t\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.team.profile.tabs.holiday, 'Holiday', 'team.profile.holiday', \n\t\t\t\t\t\tcurrentCompany.HasHR && securityService.isUserPermitted('HR.canManageTeamHR', 'tabs') && !currentCompany.IsPayslipManagerActive && !teamMember.Company.IsOffPayrollWorker);\n\t\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.team.profile.tabs.sickness, 'Sickness', 'team.profile.sickness', \n\t\t\t\t\t\tcurrentCompany.HasHR && securityService.isUserPermitted('HR.canManageTeamHR', 'tabs') && !currentCompany.IsPayslipManagerActive && !teamMember.Company.IsOffPayrollWorker);\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.team.profile.tabs.documents, 'Documents', 'team.profile.documents');\n\t\t\t\t\tservice.addTab(tabs, TAB_KEYS.team.profile.tabs.payments, 'Payments', 'team.profile.payments');\n\t\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.team.profile.tabs.taxStatus, 'Tax status', 'team.profile.tax-status', \n\t\t\t\t\t\t!teamMember.Company.IsCISSubcontractor && teamMember.Company.PayrollMoveStatus !== PAYROLL_MOVE_STATUSES.Outward);\n\t\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.team.profile.tabs.history, 'History', 'team.profile.history', \n\t\t\t\t\t\t!currentCompany.IsPayslipManagerActive);\n\t\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.team.profile.tabs.linkRates, 'Link rates', 'team.profile.link-rates', \n\t\t\t\t\t\t!currentCompany.IsPayslipManagerActive && !teamMember.Company.IsOffPayrollWorker);\n\t\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.team.profile.tabs.schedules, 'Schedules', 'team.profile.schedules', \n\t\t\t\t\t\t!currentCompany.IsPayslipManagerActive && !teamMember.Company.IsOffPayrollWorker);\n\t\t\t\t\tservice.addTabWithCondition(tabs, TAB_KEYS.team.profile.tabs.account, 'Account', 'team.profile.account', \n\t\t\t\t\t\tteamMember.Company.IsRegistered);\n\t\t\t\t}\n\t\t\t}\n\t\t\treturn tabs;\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('taxUpdatesService', [\n\t'$filter',\n\t'config',\n\tfunction (\n\t\t$filter,\n\t\tconfig\n\t) {\n\n\tconst service = {\n\n\t\tdecorateTaxUpdateLog: (taxUpdateLog) => {\n\n\t\t\tconst isAutomaticUpdate = taxUpdateLog.ActionActor === 'HMRC';\n\n\t\t\tangular.extend(taxUpdateLog, {\n\t\t\t\tisAutomaticUpdate,\n\t\t\t\ttheme: isAutomaticUpdate ? 'is-secondary' : 'is-primary',\n\t\t\t\ttitleHTML: service.getTaxUpdateLogTitleHtml(taxUpdateLog)\n\t\t\t});\n\t\t},\n\n\t\tdecorateTaxUpdatesLogs: (taxUpdatesObj) => {\n\n\t\t\ttaxUpdatesObj.LogEntries.forEach(service.decorateTaxUpdateLog);\n\t\t},\n\n\t\tgetTaxUpdateLogTitleHtml: (taxUpdateLog) => {\n\n\t\t\t/* Build a title for a tax update using the fields indicated. Look away if you're easily offended.\n\t\t\t\tThis is just to embolden the from and to values */\n\t\t\tlet titleHTMLParts = [];\n\n\t\t\t// Title\n\t\t\tif (taxUpdateLog.LogEntryTitle) {\n\t\t\t\ttitleHTMLParts.push(taxUpdateLog.LogEntryTitle);\n\t\t\t}\n\n\t\t\t// 'From' value\n\t\t\tif (taxUpdateLog.ValueFrom) {\n\t\t\t\ttitleHTMLParts.push(`from
${taxUpdateLog.ValueFrom}`);\n\t\t\t}\n\n\t\t\t// 'To' value\n\t\t\tif (taxUpdateLog.ValueTo) {\n\n\t\t\t\t// Assume the 'to' value includes the effective date in (...) if no effective date field supplied\n\t\t\t\tlet effectiveDateIndex = taxUpdateLog.ValueTo.lastIndexOf('(');\n\t\t\t\tif (effectiveDateIndex !== -1) {\n\t\t\t\t\ttitleHTMLParts.push(`to
${taxUpdateLog.ValueTo.substr(0, effectiveDateIndex).trim()}`);\n\t\t\t\t\ttitleHTMLParts.push(taxUpdateLog.ValueTo.substr(effectiveDateIndex).trim());\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\ttitleHTMLParts.push(`to
${taxUpdateLog.ValueTo}`);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Slap the bits together for the template\n\t\t\treturn titleHTMLParts.join(' ');\n\t\t},\n\n\t\tdecorateTaxUpdate: (taxUpdateObj) => {\n\n\t\t\tlet actionDate = $filter('dateformat')(taxUpdateObj.ActionDateISO, 'custom', 'ddd D MMM, YYYY');\n\t\t\n\t\t\tconst footerText = taxUpdateObj.IsAutomaticUpdate ?\n\t\t\t\t`Received from HMRC on ${actionDate} - Event Sequence No: ${taxUpdateObj.HMRCSequenceNumber}` :\n\t\t\t\t`Added manually on ${actionDate}`;\n\n\t\t\tconst label = taxUpdateObj.EffectiveDateISO ?\n\t\t\t\t`Effective: ${$filter('dateformat')(taxUpdateObj.EffectiveDateISO, 'numeric')}` :\n\t\t\t\t'Setup status';\n\n\t\t\tconst niCode = taxUpdateObj.HasBackdatedNI ?\n\t\t\t\t`${taxUpdateObj.NICode} (Backdated to ${$filter('dateformat')(taxUpdateObj.BackdatedDateEffectiveISO, 'numericShortYear')})` :\n\t\t\t\ttaxUpdateObj.NICode;\n\n\t\t\tangular.extend(taxUpdateObj, {\n\t\t\t\tfooterText,\n\t\t\t\ticon: taxUpdateObj.IsPeriodFinalised ? 'icon-calendar' : 'icon-clock',\n\t\t\t\ticonTheme: taxUpdateObj.IsPeriodFinalised ? 'is-primary is-light' : 'is-tertiary',\n\t\t\t\tlabel,\n\t\t\t\tniCode,\n\t\t\t\ttaxCode: taxUpdateObj.TaxCode + (taxUpdateObj.TaxCodeW1M1 ? ' ' + config.w1m1Label : '')\n\t\t\t});\n\n\t\t\treturn taxUpdateObj;\n\t\t},\n\n\t\tdecorateTaxUpdateForCurrentPeriod: (taxUpdateObj) => {\n\n\t\t\ttaxUpdateObj = service.decorateTaxUpdate(taxUpdateObj);\n\t\t\ttaxUpdateObj.title = taxUpdateObj.Fullname;\n\n\t\t\treturn taxUpdateObj;\n\t\t},\n\n\t\tdecorateTaxUpdateForProfile: (taxUpdateObj) => {\n\n\t\t\ttaxUpdateObj = service.decorateTaxUpdate(taxUpdateObj);\n\t\t\ttaxUpdateObj.title = taxUpdateObj.EffectiveAgencyPayPeriodDisplay;\n\n\t\t\treturn taxUpdateObj;\n\t\t},\n\n\t\tgetLatestManualTaxUpdate: (taxUpdates) => {\n\n\t\t\tconst manualTaxUpdates = taxUpdates.filter(taxUpdate => !taxUpdate.IsAutomaticUpdate);\n\t\n\t\t\treturn service.getLatestTaxUpdate(manualTaxUpdates);\n\t\t},\n\t\n\t\tgetLatestTaxUpdate: (taxUpdates) => {\n\t\n\t\t\tconst sortedTaxUpdates = taxUpdates.sort((dateOne, dateTwo) => {\n\n\t\t\t\tif (!dateOne.EffectiveDateISO) {\n\t\t\t\t\treturn 1;\n\t\t\t\t}\n\t\n\t\t\t\tif (!dateTwo.EffectiveDateISO) {\n\t\t\t\t\treturn -1;\n\t\t\t\t}\n\t\n\t\t\t\tmoment(dateOne.EffectiveDateISO).format('X') - moment(dateTwo.EffectiveDateISO).format('X');\n\t\t\t});\n\n\t\t\treturn sortedTaxUpdates[0];\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('testPromise', ['$http', '$q', '$timeout', 'utilities', 'LOCAL_STORAGE_KEYS', function promise($http, $q, $timeout, utilities, LOCAL_STORAGE_KEYS) {\n\n\n\tfunction getFileNameFromServiceUrl (serviceName) {\n\n\t\tvar words = serviceName.split('/');\n\n\t\treturn words[words.length - 1];\n\t}\n\n\tfunction returnOk (reject) {\n\n\t\tvar deferred = $q.defer();\n\n\t\t$timeout(function () {\n\n\t\t\tif (utilities.getFromStorage(LOCAL_STORAGE_KEYS.testCaseNumber) === -1 || reject === true) {\n\t\t\t\tdeferred.reject('Error');\n\t\t\t}\n\n\t\t\tdeferred.resolve('OK');\n\t\t}, 1000);\n\n\t\treturn deferred.promise;\n\t}\n\n\treturn {\n\n\t\tgetTestPromise: function (serviceCall) {\n\n\t\t\tvar deferred = $q.defer();\n\t\t\tvar fileName = getFileNameFromServiceUrl(serviceCall);\n\n\t\t\t// If it's not a get function then return an OK\n\t\t\tif (fileName.toLowerCase().indexOf('get') < 0) {\n\t\t\t\tdeferred.resolve(returnOk());\n\t\t\t\treturn deferred.promise;\n\t\t\t}\n\n\t\t\tvar directory = '/scripts/services/testData/';\n\t\t\tvar url = directory + fileName + '.json';\n\n\t\t\t$timeout(function () {\n\n\t\t\t\t$http.get(url).then(function (result) {\n\n\t\t\t\t\tdeferred.resolve(result.data);\n\t\t\t\t})\n\t\t\t\t.catch(function (error) {\n\t\t\t\t\tconsole.error('Exception in getTestPromise, serviceCall:' + serviceCall + ', error: ' + error);\n\t\t\t\t\tdeferred.reject(error);\n\t\t\t\t});\n\n\t\t\t}, 600);\n\n\t\t\treturn deferred.promise;\n\t\t},\n\t\treturnSuccess: function (reject) {\n\t\t\tvar deferred = $q.defer();\n\n\t\t\t$timeout(function () {\n\n\t\t\t\tif (utilities.getFromStorage(LOCAL_STORAGE_KEYS.testCaseNumber) === -1 || reject === true) {\n\t\t\t\t\tdeferred.reject('Error');\n\t\t\t\t}\n\n\t\t\t\tdeferred.resolve('OK');\n\t\t\t}, 1000);\n\n\t\t\treturn deferred.promise;\n\t\t}\n\t};\n}]);\n\n'use strict';\n\n/**\n * @ngdoc Team Service\n * @name paycircleApp.teamService\n * @description\n * # Team Service\n */\nangular.module('paycircleApp')\n.service('teamService', [\n\t'$filter',\n\t'config',\n\t'pensionService',\n\t'session',\n\t'utilities',\n\t'BUSINESS_TYPES',\n\tfunction (\n\t\t$filter,\n\t\tconfig,\n\t\tpensionService,\n\t\tsession,\n\t\tutilities,\n\t\tBUSINESS_TYPES\n\t) {\n\n\tvar loggedInUserId = session.getUserId();\n\n\tvar service = {\n\n\t\tadminFilter: function (adminObj) {\n\n\t\t\tadminObj.isLoggedInUser = adminObj.UserID === loggedInUserId;\n\n\t\t\treturn adminObj;\n\t\t},\n\n\t\tconvertTeamMembeAdminsToArray: adminGroupsObj => {\n\t\t\treturn Object.entries(adminGroupsObj).reduce((adminGroupsArr, adminGroupObj) => {\n\t\t\t\treturn adminGroupsArr.concat({\n\t\t\t\t\ttitle: adminGroupObj[0].replace('Admins', ' Admins'),\n\t\t\t\t\tteamMembers: adminGroupObj[1]\n\t\t\t\t});\n\t\t\t}, []);\n\t\t},\n\n\t\t/**\n\t\t * Decorate an array of team members\n\t\t * @param {array} teamMembersArr - team members array to decorate\n\t\t * @param {object} excludeOptions - set of name / value pairs to check for. All team member objects with at least one matching attribute\n\t\t * \t\t\t\t\t\t\t\t\twill be filtered out. Optional.\n\t\t * @param {boolean} expandAdditionalPosts - set to true to expand team members array to include entries for additional posts. Optional. Defaults to false.\n\t\t */\n\t\tdecorateAndFilterTeamMembers: (teamMembersArr, excludeOptions, expandAdditionalPosts) => {\n\n\t\t\t// Defaults\n\t\t\texpandAdditionalPosts = angular.isDefined(expandAdditionalPosts) ? expandAdditionalPosts : false;\n\n\t\t\t// Expand array to create pseudo team member records for additional posts\n\t\t\tif (expandAdditionalPosts) {\n\t\t\t\t// New array of team members + additional posts\n\t\t\t\tconst teamMembersArrWithAdditionalPosts = [];\n\t\t\t\tteamMembersArr.forEach(teamMember => {\n\t\t\t\t\t/* Adorn team member with target ID and job title (leave empty), for main post (empty guid). Also a unique ID\n\t\t\t\t\t for the post, composite UserID + SalaryPolicyPostID (the latter being empty guid for main post, of course) */\n\t\t\t\t\tangular.extend(teamMember, {\n\t\t\t\t\t\tjobTitle: '',\n\t\t\t\t\t\tpostId: teamMember.UserID + config.guidEmpty,\n\t\t\t\t\t\tsalaryPolicyPostId: config.guidEmpty\n\t\t\t\t\t});\n\t\t\t\t\t// Push the team member - corresponding to the main post\n\t\t\t\t\tteamMembersArrWithAdditionalPosts.push(teamMember);\n\t\t\t\t\t// Sort additional posts by job title\n\t\t\t\t\tteamMember.AdditionalPosts.sort(utilities.comparator('JobTitle'));\n\t\t\t\t\t// Add team member for each additional post, with salary policy post ID in each case set to SalaryPolicyPostID for the post\n\t\t\t\t\tteamMember.AdditionalPosts.forEach(additionalPost => {\n\t\t\t\t\t\tconst teamMemberForAdditionalPost = angular.copy(teamMember);\n\t\t\t\t\t\tangular.extend(teamMemberForAdditionalPost, {\n\t\t\t\t\t\t\tjobTitle: additionalPost.JobTitle,\n\t\t\t\t\t\t\tpostId: teamMember.UserID + additionalPost.SalaryPolicyPostID,\n\t\t\t\t\t\t\tsalaryPolicyPostId: additionalPost.SalaryPolicyPostID\n\t\t\t\t\t\t});\n\t\t\t\t\t\tteamMembersArrWithAdditionalPosts.push(teamMemberForAdditionalPost);\n\t\t\t\t\t});\n\t\t\t\t});\n\t\t\t\t// Finally swap out the team members array with the additional posts version\n\t\t\t\tteamMembersArr = teamMembersArrWithAdditionalPosts;\n\t\t\t}\n\n\t\t\t// Do the decoration\n\t\t\tteamMembersArr.forEach(service.decorateTeamMember);\n\n\t\t\t// Do the filtering\n\t\t\treturn utilities.arrayFilterByAttributes(teamMembersArr, excludeOptions);\n\t\t},\n\n\t\tdecorateTeamMember: teamMemberObj => {\n\n\t\t\tangular.extend(teamMemberObj, {\n\t\t\t\tfullname: `${teamMemberObj.Forename} ${teamMemberObj.Surname}`,\n\t\t\t\tisCompany: teamMemberObj.IsCISSubcontractor && (teamMemberObj.BusinessDetails.BusinessType === BUSINESS_TYPES.company || teamMemberObj.BusinessDetails.BusinessType === BUSINESS_TYPES.trust),\n\t\t\t\tleaveDateUnix: $filter('isoUnix')(teamMemberObj.LeaveDateISO)\n\t\t\t});\n\n\t\t\t// CIS Companies\n\t\t\tif (teamMemberObj.isCompany) {\n\t\t\t\tangular.extend(teamMemberObj, {\n\t\t\t\t\tcisIconType: teamMemberObj.BusinessDetails.BusinessType === BUSINESS_TYPES.trust ? 'rosette' : 'company',\n\t\t\t\t\tForename: teamMemberObj.BusinessDetails.TradingName,\n\t\t\t\t\tSurname: ''\n\t\t\t\t});\n\t\t\t}\n\n\t\t},\n\n\t\tgetGenderForTitle: title => {\n\n\t\t\tswitch (title) {\n\n\t\t\t\t// Male\n\t\t\t\tcase 'Mr':\n\t\t\t\tcase 'Lord':\n\t\t\t\tcase 'Sir':\n\t\t\t\tcase 'Father':\n\n\t\t\t\t\treturn 'Male';\n\n\t\t\t\t// Female\n\t\t\t\tcase 'Mrs':\n\t\t\t\tcase 'Miss':\n\t\t\t\tcase 'Ms':\n\t\t\t\tcase 'Lady':\n\t\t\t\t\treturn 'Female';\n\n\t\t\t\t// Don't set\n\t\t\t\tdefault:\n\n\t\t\t\t\treturn null;\n\t\t\t}\n\t\t},\n\n\t\tgetTeamMemberEarliestStartDateIso: teamMemberObj => {\n\n\t\t\tif (teamMemberObj.Company.ContinuousEmployment.ContinuousEmploymentStartDateISO === '') {\n\t\t\t\treturn teamMemberObj.Company.StartDateISO;\n\t\t\t}\n\n\t\t\tconst startDateMoment = moment(teamMemberObj.Company.StartDateISO);\n\t\t\tconst continuousEmploymentStartDateMoment = moment(teamMemberObj.Company.ContinuousEmployment.ContinuousEmploymentStartDateISO);\n\n\t\t\tif (continuousEmploymentStartDateMoment.isBefore(startDateMoment)) {\n\t\t\t\treturn teamMemberObj.Company.ContinuousEmployment.ContinuousEmploymentStartDateISO;\n\t\t\t}\n\n\t\t\treturn teamMemberObj.Company.StartDateISO;\n\t\t},\n\n\t\tgetPercentComplete: function (teamMember, currentPayPeriod, companyObj) {\n\n\t\t\tvar totalCompletedSteps = 0;\n\t\t\tvar totalSteps = 0;\n\n\t\t\tif (teamMember.Company.IsCISSubcontractor && teamMember.isCompany) {\n\t\t\t\ttotalSteps = 4;\n\t\t\t\tif (teamMember.CISCompanyDetailsComplete) { totalCompletedSteps++; }\n\t\t\t\tif (teamMember.CISCompanyContactComplete) { totalCompletedSteps++; }\n\t\t\t\tif (teamMember.BankSetupComplete) { totalCompletedSteps++; }\n\t\t\t\tif (teamMember.VerificationSetupComplete) { totalCompletedSteps++; }\n\n\t\t\t} else {\n\t\t\t\ttotalSteps = currentPayPeriod.IsYTDInformationRequired && !teamMember.Company.IsStarter ? 9 : 8;\n\n\t\t\t\tif (teamMember.PersonalSetupComplete) { totalCompletedSteps++; }\n\t\t\t\tif (teamMember.EmailSetupComplete) { totalCompletedSteps++; }\n\t\t\t\tif (teamMember.AddressSetupComplete) { totalCompletedSteps++; }\n\t\t\t\tif (teamMember.TelephoneSetupComplete) {totalCompletedSteps++; }\n\t\t\t\tif (teamMember.BankSetupComplete) { totalCompletedSteps++; }\n\n\t\t\t\tif (teamMember.CompanySetupComplete) { totalCompletedSteps++; }\n\t\t\t\tif (teamMember.SalarySetupComplete) { totalCompletedSteps++; }\n\t\t\t\tif (teamMember.StarterSetupComplete && teamMember.Company.IsStarter) { totalCompletedSteps++; }\n\t\t\t\tif (teamMember.YTDSetupComplete && currentPayPeriod.IsYTDInformationRequired && !teamMember.Company.IsStarter) { totalCompletedSteps++; }\n\t\t\t\tif (teamMember.TaxSetupComplete && ((teamMember.Company.IsStarter && teamMember.Tax.IsP45Available) || !teamMember.Company.IsStarter)) { totalCompletedSteps++; }\n\n\t\t\t\tif (teamMember.Company.IsCISSubcontractor) {\n\t\t\t\t\tif (teamMember.BusinessSetupComplete) { totalCompletedSteps++; }\n\t\t\t\t\tif (teamMember.VATSetupComplete) { totalCompletedSteps++; }\n\t\t\t\t\tif (teamMember.VerificationSetupComplete) { totalCompletedSteps++; }\n\t\t\t\t}\n\n\t\t\t\tif ((companyObj.IsPensionActive && companyObj.HasPension) && !teamMember.Company.IsCISSubcontractor) {\n\n\t\t\t\t\tteamMember.Pensions\n\t\t\t\t\t\t.filter(teamMemberPensionObj =>\n\t\t\t\t\t\t\tpensionService.isAEPension(teamMemberPensionObj) &&\n\t\t\t\t\t\t\t!teamMemberPensionObj.PensionIsExcluded &&\n\t\t\t\t\t\t\t!teamMemberPensionObj.IsGhostPension)\n\t\t\t\t\t\t.forEach(teamMemberPensionObj => {\n\n\t\t\t\t\t\t\ttotalSteps = totalSteps + 4;\n\n\t\t\t\t\t\t\tif (teamMemberPensionObj.CanBeSalarySacrifice) {\n\t\t\t\t\t\t\t\ttotalSteps++;\n\t\t\t\t\t\t\t}\n\n\t\t\t\t\t\t\tif (teamMemberPensionObj.PensionSchemeSetupComplete) { totalCompletedSteps++; }\n\t\t\t\t\t\t\tif (teamMemberPensionObj.PensionSetupComplete) { totalCompletedSteps++; }\n\t\t\t\t\t\t\tif (teamMemberPensionObj.PensionGroupSetupComplete) {\n\n\t\t\t\t\t\t\t\t// Included contributions\n\t\t\t\t\t\t\t\ttotalCompletedSteps = totalCompletedSteps + 2;\n\n\t\t\t\t\t\t\t\t// Salary Sacrifice\n\t\t\t\t\t\t\t\tif (teamMemberPensionObj.CanBeSalarySacrifice) {\n\t\t\t\t\t\t\t\t\ttotalCompletedSteps++;\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t});\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn ((totalCompletedSteps / totalSteps) * 100);\n\t\t}\n\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('tooltipsService', [\n\t'$filter',\n\t'utilities',\n\t'IMPORT_MAPPING_TOOLTIPS',\n\tfunction (\n\t\t$filter,\n\t\tutilities,\n\t\tIMPORT_MAPPING_TOOLTIPS\n\t) {\n\n\t// Tooltips for import columns, map keyed against import mapping type. Each entry is a map of tooltips for the mapping type.\n\tconst importMappingColumnTooltipsCache = new Map();\n\n\tconst service = {\n\n\t\tgetTooltipForAdjustmentType: adjustmentTypeObj => {\n\n\t\t\treturn {\n\t\t\t\tdescription: adjustmentTypeObj.AgencyAdjustmentGroupEntryText,\n\t\t\t\tsize: 'is-large',\n\t\t\t\ttooltipHtml: service.getAdjustmentTypeTreatmentHtmlTemplate(adjustmentTypeObj)\n\t\t\t};\n\t\t},\n\n\t\tgetTooltipForImportMappingTypeColumn: (mappingColumnsArr, importMappingType, importMappingColumnText) => {\n\n\t\t\t// Turn the column text into a key.\n\t\t\tconst importMappingColumnKey = utilities.snakeCase(importMappingColumnText);\n\n\t\t\t// Get cached set if available\n\t\t\tlet importMappingColumnTooltips;\n\t\t\tif (importMappingColumnTooltipsCache.has(importMappingType)) {\n\t\t\t\timportMappingColumnTooltips = importMappingColumnTooltipsCache.get(importMappingType);\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Build the tooltip map for this mapping type\n\t\t\t\timportMappingColumnTooltips = new Map();\n\t\t\t\tmappingColumnsArr.forEach(mappingColumnObj => {\n\t\t\t\t\t// Create a key for this mapping column\n\t\t\t\t\tconst mappingColumnKey = utilities.snakeCase(mappingColumnObj.ImportMappingColumnText);\n\n\t\t\t\t\t// Find the corresponding tooltip from the master set\n\t\t\t\t\tconst importMappingToolip = IMPORT_MAPPING_TOOLTIPS.find(mappingDefinition => {\n\t\t\t\t\t\tconst mappingDefinitionColumnKey = utilities.snakeCase(mappingDefinition.description);\n\t\t\t\t\t\treturn mappingDefinitionColumnKey === mappingColumnKey;\n\t\t\t\t\t});\n\n\t\t\t\t\t// Use platform formatting if it exists\n\t\t\t\t\tif (angular.isDefined(mappingColumnObj.ImportMappingColumnFormat) && mappingColumnObj.ImportMappingColumnFormat !== '') {\n\t\t\t\t\t\timportMappingToolip.formats = mappingColumnObj.ImportMappingColumnFormat;\n\t\t\t\t\t}\n\n\t\t\t\t\t// Add that to the set of tooltips using the key, if found\n\t\t\t\t\tif (angular.isDefined(importMappingToolip)) {\n\t\t\t\t\t\timportMappingColumnTooltips.set(mappingColumnKey, importMappingToolip);\n\t\t\t\t\t}\n\t\t\t\t});\n\t\t\t\t// Add the whole lot to the cached set so it's available next time without having to go through this rigmarole\n\t\t\t\timportMappingColumnTooltipsCache.set(importMappingType, importMappingColumnTooltips);\n\t\t\t}\n\n\t\t\t// Now we have a set, one way or another, so pluck out the required tooltip\n\t\t\tconst tooltipObj = importMappingColumnTooltips.get(importMappingColumnKey);\n\n\t\t\tif (angular.isUndefined(tooltipObj)) {\n\t\t\t\treturn null;\n\t\t\t}\n\n\t\t\t// No notes or formats\n\t\t\tif (tooltipObj.formats === '' && tooltipObj.notes === '') {\n\t\t\t\treturn null;\n\t\t\t}\n\n\t\t\t// Generate HTML specifically for imports tooltips\n\t\t\ttooltipObj.tooltipHtml = service.getImportsHtmlTemplate(tooltipObj);\n\n\t\t\treturn tooltipObj;\n\t\t},\n\n\t\tgetAdjustmentTypeTreatmentHtmlTemplate: adjustmentTypeObj => {\n\n\t\t\tconst fieldList = [\n\t\t\t\t{\n\t\t\t\t\tdescription: 'Taxable',\n\t\t\t\t\tkey: 'Taxable'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tdescription: 'National Insurance',\n\t\t\t\t\tkey: 'IsNIable'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tdescription: 'Notional payment',\n\t\t\t\t\tkey: 'IsNotional'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tdescription: 'Benefit in kind',\n\t\t\t\t\tkey: 'IsBIK'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tdescription: 'Salary sacrifice',\n\t\t\t\t\tkey: 'IsSalarySacrifice'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tdescription: 'Net Pay calculation',\n\t\t\t\t\tkey: 'AgencyAdjustmentGroupEntryNetPayState'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tdescription: 'Payrolled benefit',\n\t\t\t\t\tkey: 'AgencyAdjustmentGroupEntryPayrollBIKState'\n\t\t\t\t}\n\t\t\t];\n\n\t\t\tlet returnHtml = '';\n\n\t\t\treturnHtml += '
';\n\n\t\t\treturn returnHtml;\n\t\t},\n\n\t\tgetImportsHtmlTemplate: tooltipObj => {\n\n\t\t\tlet returnHtml = '';\n\n\t\t\treturnHtml += '
';\n\n\t\t\treturn returnHtml;\n\t\t}\n\n\t};\n\n\treturn service;\n\n}]);\n\n/* globals gtag */\n/* jshint camelcase:false */\n'use strict';\n\nangular.module('paycircleApp')\n.service('tracking', [\n\t'config',\n\t'intercomService',\n\t'utilities',\n\tfunction (\n\t\tconfig,\n\t\tintercomService,\n\t\tutilities\n\t) {\n\n\tvar trackingService = {\n\n\t\ttrackCustomData: function (data) {\n\n\t\t\tif (!config.trackingEnabled) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tif (typeof data !== 'object') {\n\t\t\t\tconsole.error('trackCustomData: data needs to be an object');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tintercomService.updateData(data);\n\t\t},\n\n\t\ttrackEvent: (eventKey, metaDataObj) => {\n\n\t\t\tif (!config.trackingEnabled) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tintercomService.trackEvent(eventKey, metaDataObj);\n\n\t\t\t/**\n\t\t\t * See: https://developers.google.com/analytics/devguides/collection/gtagjs/events\n\t\t\t**/\n\t\t\tif (angular.isDefined(window.gtag)) {\n\n\t\t\t\tmetaDataObj = angular.extend({\n\t\t\t\t\t'event_category': null,\n\t\t\t\t\t'event_label': null\n\t\t\t\t}, metaDataObj);\n\n\t\t\t\tgtag('event', eventKey, metaDataObj);\n\n\t\t\t\tutilities.debug('Tracking event sent:');\n\t\t\t\tutilities.debug(metaDataObj, 'log');\n\t\t\t}\n\t\t}\n\t};\n\n\treturn trackingService;\n}]);\n\n'use strict';\n\n/**\n * @ngdoc service\n * @name paycircleApp.utilities\n * @description\n * # utilities\n * Service in the paycircleApp.\n */\nangular.module('paycircleApp')\n.service('utilities', [\n\t'$document',\n\t'$filter',\n\t'$location',\n\t'$q',\n\t'$rootScope',\n\t'$timeout',\n\t'$window',\n\t'config',\n\t'growl',\n\t'libraries',\n\t'BROWSER_COMPATIBILITY_LIST',\n\t'INTERFACE_TYPES',\n\t'MAIL_TYPES',\n\t'MEDIA_TYPES',\n\t'MEDIA_TYPES_SIZES',\n\t'ONBOARDING_BUREAUS',\n\t'REGEX',\n\t'USER_ROLES',\n\tfunction (\n\t\t$document,\n\t\t$filter,\n\t\t$location,\n\t\t$q,\n\t\t$rootScope,\n\t\t$timeout,\n\t\t$window,\n\t\tconfig,\n\t\tgrowl,\n\t\tlibraries,\n\t\tBROWSER_COMPATIBILITY_LIST,\n\t\tINTERFACE_TYPES,\n\t\tMAIL_TYPES,\n\t\tMEDIA_TYPES,\n\t\tMEDIA_TYPES_SIZES,\n\t\tONBOARDING_BUREAUS,\n\t\tREGEX,\n\t\tUSER_ROLES\n\t) {\n\n\tvar service = {\n\t\taddObjectToStorage: function (key, obj, hours) {\n\n\t\t\tif (!angular.isObject(obj)) {\n\t\t\t\tconsole.warn('Paycircle: Utilities: addObjectToStorage: object not provided');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tservice.addToStorage(key, JSON.stringify(obj), hours);\n\t\t},\n\t\taddToStorage: function (name, value, hours) {\n\n\t\t\thours = hours !== undefined ? hours : config.cookieExpiryHours;\n\n\t\t\t// Local Storage\n\t\t\tif (typeof(Storage) !== 'undefined') {\n\t\t\t\tlocalStorage.setItem(name, value);\n\t\t\t}\n\n\t\t\t// Cookie\n\t\t\telse {\n\t\t\t\tservice.createCookie(name, value, hours);\n\t\t\t}\n\t\t},\n\t\taddToStoredArray: function (arrKey, itemKey, guid, hours) {\n\n\t\t\t// This will remove the item if it already exists\n\t\t\tservice.removeFromStoredArray(arrKey, itemKey, guid);\n\n\t\t\thours = hours ? hours : null;\n\t\t\tlet array = this.getStoredArray(arrKey);\n\n\t\t\tif (angular.isDefined(guid)) {\n\t\t\t\tarray.push(`${itemKey}-${guid}`);\n\t\t\t}\n\t\t\telse {\n\t\t\t\tarray.push(itemKey);\n\t\t\t}\n\n\t\t\tthis.addToStorage(arrKey, array.join(','), hours);\n\t\t},\n\t /* Compare basic arrays only */\n\t\tareArraysEqual: function (arr1, arr2) {\n\n\t\t return JSON.stringify(arr1) === JSON.stringify(arr2);\n\t\t},\n\t\t/**\n\t\t * Filter an array based on object properties. For example:\n\t\t * \tarrayFilterByAttributes(arr, { value: 5, someFlag: false }) - filter out objects in the array that have value === 5 OR someFlag === false\n\t\t * \tarrayFilterByAttributes(arr, { value: 5, someFlag: false }, true) - filter out objects in the array that have value === 5 AND someFlag === false\n\t\t * \tarrayFilterByAttributes(arr, { value: [5, 6], someFlag: false }) - filter out objects in the array that have value === 5 OR 6, OR someFlag === false\n\t\t * \tarrayFilterByAttributes(arr, { value: [5, 6], someFlag: false }, true) - filter out objects in the array that have value === 5 OR 6, AND someFlag === false\n\t\t * @param {Array} arr Array to filter\n\t\t * @param {Object} excludeOptions Set of attribute name / value pairs representing criteria for filtering out elements. Values can be arrays, in which case\n\t\t * each value will be checked.\n\t\t * @param {boolean} applyAll Set to true to filter out objects that match all excludeOptions, false to filter out those\n\t\t * that match at least one. Defaults to false.\n\t\t * @param {boolean} filterOut Set to true to filter out matching objects. False to keep matching objects and throw out all others. Defaults to true.\n\t\t */\n\t\tarrayFilterByAttributes: function (arr, excludeOptions, applyAll, filterOut) {\n\n\t\t\t// Defaults. Coerce applyAll and filterOut into boolean types, just in case.\n\t\t\tapplyAll = angular.isDefined(applyAll) ? !!applyAll : false;\n\t\t\tfilterOut = angular.isDefined(filterOut) ? !!filterOut : true;\n\n\t\t\t// Return the array unchanged by default\n\t\t\tlet filteredArr = arr;\n\n\t\t\t// Do the filtering\n\t\t\tif (angular.isDefined(excludeOptions) && Array.isArray(arr)) {\n\t\t\t\tconst excludeAttributeNames = Object.keys(excludeOptions);\n\t\t\t\tfilteredArr = filteredArr.filter(obj => {\n\n\t\t\t\t\t/* Start off with the applyAll flag for retain. If we're 'AND'-ing checks, we should start with true, then any\n\t\t\t\t\t single false will negate that. The opposite for 'OR'-ing. */\n\t\t\t\t\tlet retain = applyAll;\n\t\t\t\t\t// Go through each attribute name to check\n\t\t\t\t\texcludeAttributeNames.forEach(excludeAttributeName => {\n\n\t\t\t\t\t\t/* Update retain with multiple attribute values flag. If there are multiple attributes, retain should be negated since\n\t\t\t\t\t\t those values have to be 'OR-ed'. It makes littles sense to check that attribute A has two different values at the same time */\n\t\t\t\t\t\tconst multipleAttributeValues = Array.isArray(excludeOptions[excludeAttributeName]);\n\t\t\t\t\t\tretain = retain && !multipleAttributeValues;\n\n\t\t\t\t\t\t// If the attribute doesn't contain multiple values, make a singleton array\n\t\t\t\t\t\tconst excludeValues = multipleAttributeValues ? excludeOptions[excludeAttributeName] : [excludeOptions[excludeAttributeName]];\n\t\t\t\t\t\t// Go through exclude values and decide whether any of them mean keeping the object\n\t\t\t\t\t\texcludeValues.forEach(excludeValue => {\n\t\t\t\t\t\t\tconst attributeMatch = (obj[excludeAttributeName] === excludeValue);\n\t\t\t\t\t\t\tif (applyAll && !multipleAttributeValues) {\n\t\t\t\t\t\t\t\tretain = attributeMatch && retain;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\telse {\n\t\t\t\t\t\t\t\tretain = attributeMatch || retain;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t});\n\t\t\t\t\t});\n\t\t\t\t\t// Filter out / in those that should not be / should be retained\n \t\t return filterOut !== retain;\n\t\t\t\t});\n\t\t\t}\n\n\t\t\treturn filteredArr;\n\t\t},\n\n\t\tcheckStoredArray: function (arrKey, itemKey, guid) {\n\n\t\t\tlet array = this.getStoredArray(arrKey);\n\n\t\t\t// Company specific\n\t\t\tif (angular.isDefined(guid)) {\n\t\t\t\treturn array.includes(`${itemKey}-${guid}`);\n\t\t\t}\n\n\t\t\treturn array.includes(`${itemKey}`);\n\t\t},\n\t\t/*\n\t\t\tCompare date to today (times ignored).\n\t\t\tReturn 0 if dates are the same, -1 if date is before today, 1 if date is after today\n\t\t */\n\t\tcompareDateToToday: function (isoDate) {\n\t\t\t// Get current date without time info\n\t\t\tlet today = moment().startOf('day');\n\n\t\t\tif (moment(isoDate).isSame(today, 'day')) {\n\t\t\t\treturn 0;\n\t\t\t}\n\t\t\telse if (moment(isoDate).isBefore(today)) {\n\t\t\t\treturn -1;\n\t\t\t}\n\t\t\telse {\n\t\t\t\treturn 1;\n\t\t\t}\n\t\t},\n\t\t/*\n\t\t\tCreate and return a comparator function for an array of objects, using a property name.\n\t\t\tUse with sort and an array of objects, e.g. personList.sort(utilities.comparator('surname'))\n\t\t\tOptionally specify undefinedLast to put undefined items at the end of the array.\n\t\t */\n\t\tcomparator: function (fieldName, undefinedLast) {\n\t\t\treturn function(a, b) {\n\t\t\t\tlet valueA = angular.isDefined(a[fieldName]) ? a[fieldName] : undefined;\n\t\t\t\tlet valueB = angular.isDefined(b[fieldName]) ? b[fieldName] : undefined;\n\n\t\t\t\t// Ensure strings are sorted case insensitive\n\t\t\t\tvalueA = typeof(valueA) === 'string' ? valueA.toLowerCase() : valueA;\n\t\t\t\tvalueB = typeof(valueB) === 'string' ? valueB.toLowerCase() : valueB;\n\n\t\t\t\tif (undefinedLast && !valueA && valueB) {\n\t\t\t\t\treturn 1;\n\t\t\t\t}\n\t\t\t\telse if (undefinedLast && valueA && !valueB) {\n\t\t\t\t\treturn -1;\n\t\t\t\t}\n\t\t\t\telse if (undefinedLast && !valueA && !valueB) {\n\t\t\t\t\treturn 0;\n\t\t\t\t}\n\t\t\t\telse if (valueA > valueB) {\n\t\t\t\t\treturn 1;\n\t\t\t\t}\n\t\t\t\telse if (valueA < valueB) {\n\t\t\t\t\treturn -1;\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\treturn 0;\n\t\t\t\t}\n\t\t\t};\n\t\t},\n\t\t/*\n\t\t\tCompare IP addresses (for range validation). Return -1 if A < B, 0 if A === B, 1 if A > B.\n\t\t\tReturn undefined if either IP address is invalid.\n\t\t */\n\t\tcompareIPAddresses: function (ipAddressA, ipAddressB) {\n\t\t\t// Convert to integer equivalents for direct comparison\n\t\t\tconst ipAddressAInt = this.convertIPAddressToInteger(ipAddressA);\n\t\t\tconst ipAddressBInt = this.convertIPAddressToInteger(ipAddressB);\n\n\t\t\tif (ipAddressAInt === -1 || ipAddressBInt === -1) {\n\t\t\t\treturn undefined;\n\t\t\t}\n\t\t\telse if (ipAddressAInt < ipAddressBInt) {\n\t\t\t\treturn -1;\n\t\t\t}\n\t\t\telse if (ipAddressAInt > ipAddressBInt) {\n\t\t\t\treturn 1;\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// They must be the same ...\n\t\t\t\treturn 0;\n\t\t\t}\n\t\t},\n\t\tconvertHoursToMilliseconds: hours => {\n\n\t\t\treturn hours * 60 * 60 * 1000;\n\t\t},\n\t\tconvertMillisecondsToSeconds: milliseconds => {\n\n\t\t\treturn milliseconds / 1000;\n\t\t},\n\t\tconvertMinutesToHours: minutes => {\n\n\t\t\treturn minutes / 60;\n\t\t},\n\t\tconvertMinutesToMilliseconds: minutes => {\n\n\t\t\treturn minutes * 60 * 1000;\n\t\t},\n\t\tconvertSecondsToMilliseconds: seconds => {\n\n\t\t\treturn seconds * 1000;\n\t\t},\n\t\t/*\n\t\t\tConvert IP address to integer equivalent. Return -1 for invalid IP address.\n\t\t */\n\t\tconvertIPAddressToInteger: function (ipAddress) {\n\t\t\tif (angular.isDefined(ipAddress) && ipAddress !== null) {\n\t\t\t\tconst ipAddressParts = this.separateIPv4Address(ipAddress);\n\t\t\t\tif (ipAddressParts) {\n\t\t\t\t\t// Convert to signed 32-bit signed int (<<) then back to unsigned 64-bit int (>>> 0)\n\t\t\t\t\treturn (parseInt(ipAddressParts[0]) << 24) +\n\t\t\t\t\t\t (parseInt(ipAddressParts[1]) << 16) +\n\t\t\t\t\t\t (parseInt(ipAddressParts[2]) << 8) +\n\t\t\t\t\t\t (parseInt(ipAddressParts[3])) >>> 0;\n\t\t\t\t}\n\t\t\t}\n\t\t\treturn -1;\n\t\t},\n\t\tcopyToClipboard: (value, successMessage) => {\n\t\t\tnavigator.clipboard.writeText(value).then(\n\t\t\t\t() => {\n\t\t\t\t\tgrowl.success(successMessage);\n\t\t\t\t},\n\t\t\t\t() => {\n\t\t\t\t growl.error('An error occurred when copying to clipboard');\n\t\t\t\t}\n\t\t\t);\n\t\t},\n\t\tcreateCookie: function (name, value, hours) {\n\n\t\t\tvar expires = '';\n\n\t\t\tif (hours) {\n\t\t\t\tvar date = new Date();\n\t\t\t\tconst milliseconds = service.convertHoursToMilliseconds(hours);\n\t\t\t\tdate.setTime(date.getTime() + milliseconds);\n\t\t\t\texpires = '; expires=' + date.toGMTString();\n\t\t\t}\n\t\t\telse {\n\t\t\t\texpires = '';\n\t\t\t}\n\t\t\tdocument.cookie = name + '=' + value + expires + '; path=/;secure';\n\t\t},\n\t\tdebug: (debugDetail, debugType) => {\n\n\t\t\t// Check if debugging is applicable\n\t\t\tif (!service.isDebugging()) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tswitch (debugType) {\n\n\t\t\t\t// If code needs to be debugged\n\t\t\t\tcase 'log':\n\t\t\t\t\t$rootScope.paycircleMessage(debugDetail);\n\t\t\t\t\tbreak;\n\n\t\t\t\t// Basic text debugging\n\t\t\t\tdefault:\n\t\t\t\t\t$rootScope.paycircleMessage(debugDetail, 'info');\n\t\t\t}\n\t\t},\n\t\tdecimalize (amount, round) {\n\n\t\t\t// Return zero if whaever was passed in ain't a number\n\t\t\tconst amountFloat = parseFloat(amount);\n\t\t\tif (isNaN(amountFloat)) {\n\t\t\t\treturn 0;\n\t\t\t}\n\t\t\t// Get an adjusted value based on round. Ensure it's a string for later manipulation.\n\t\t\tlet amountString;\n\t\t\tif (round === 'up') {\n\t\t\t\tamountString = Math.ceil(amountFloat).toString();\n\t\t\t}\n\t\t\telse if (round === 'down') {\n\t\t\t\tamountString = Math.floor(amountFloat).toString();\n\t\t\t}\n\t\t\telse if (round !== undefined && round && !isNaN(round)) {\n\t\t\t\t/* If a specific number of decimal places have been specified, assume that trailing zeroes should be stripped.\n\t\t\t\t The toString() method will do this free of charge */\n\t\t\t\tamountString = parseFloat(amountFloat.toFixed(round)).toString();\n\t\t\t}\n\t\t\telse {\n\t\t\t\t/* Default behaviour is to effectively monetise the value, i.e. two decimal places, even if the last is not significant;\n\t\t\t\t e.g. convert 10.2 to '10.20' as opposed to '10.2' */\n\t\t\t\tamountString = amountFloat.toFixed(2);\n\t\t\t}\n\n\t\t\t// Finally, split out the number into it's whole and fractional parts. The whole part will have thousand separators inserted\n\t\t\tconst decimalPoint = amountString.indexOf('.');\n\t\t\tlet wholePart;\n\t\t\tlet fractionalPart;\n\t\t\tif (decimalPoint === -1) {\n\t\t\t\t// No decimal point, no fractional part. The whole part is the entire number.\n\t\t\t\twholePart = amountString;\n\t\t\t\tfractionalPart = '';\n\t\t\t}\n\t\t\telse {\n\t\t\t\twholePart = amountString.substr(0, decimalPoint);\n\t\t\t\tfractionalPart = amountString.substr(decimalPoint);\n\t\t\t\t/* If the fractional part is a single digit (length === 2 for the decimal point and the single digit),\n\t\t\t\t assume that this is a normal monetary value and should be shown as such, so insert a padding zero.\n\t\t\t\t So, for example, 10.2 rounded to 4 decimal places will return '10.20' */\n\t\t\t\tif (fractionalPart.length === 2) {\n\t\t\t\t\tfractionalPart += '0';\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Add the commas to the whole part\n\t\t\twholePart = wholePart.replace(/\\B(?=(\\d{3})+(?!\\d))/g, ',');\n\n\t\t\t// Reassemble and return. The fractional part will include the decimal point if there was one\n\t\t\treturn `${wholePart}${fractionalPart}`;\n\t\t},\n\t\tdeleteCookie: function (name) {\n\n\t\t\tservice.createCookie(name, '', -1);\n\t\t},\n\t\tdeleteFromStorage: function (name) {\n\n\t\t\t// Get from local storage, if available\n\t\t\tif (typeof(Storage) !== 'undefined') {\n\t\t\t\tlocalStorage.removeItem(name);\n\t\t\t}\n\n\t\t\t// Fallback cookie storage\n\t\t\telse {\n\t\t\t\tservice.deleteCookie(name);\n\t\t\t}\n\t\t},\n\t\tdeleteToken: function () {\n\t\t\tif (typeof(Storage) !== 'undefined') {\n\t\t\t\tlocalStorage.removeItem(config.tokenStorageName);\n\t\t\t} else {\n\t\t\t\tservice.deleteCookie(config.tokenStorageName);\n\t\t\t}\n\t\t},\n\t\tfocusOn: (elementId, selectAll, delay) => {\n\n\t\t\tselectAll = angular.isDefined(selectAll) ? selectAll : false;\n\t\t\tdelay = angular.isDefined(delay) ? delay : config.animationSpeed; // Default buffer for css animations (in milliseconds)\n\n\t\t\tif (!elementId) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t$timeout(() => {\n\n\t\t\t\tconst input = document.getElementById(elementId);\n\n\t\t\t\tif (input) {\n\t\t\t\t\tinput.focus();\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\t$rootScope.paycircleMessage(`Unable to apply element focus to #${elementId} as it could not be found.`, 'warn');\n\t\t\t\t}\n\n\t\t\t\tif (selectAll) {\n\t\t\t\t\tinput.select();\n\t\t\t\t}\n\t\t\t}, delay);\n\t\t},\n\t\t/**\n\t\t * Set focus to first focusable element of the children of a specified element.\n\t\t * @param {string} elementId - id of element. Its children will be searched.\n\t\t * @param {number} delay - delay to operation, to allow the DOM to catch up or whatever. Optional, defaults to\n\t\t * config.animationSpeed\n\t\t */\n\t\tfocusOnFirstChild: (elementId, delay) => {\n\n\t\t\t// Default delay to animation speed\n\t\t\tdelay = delay || config.animationSpeed;\n\n\t\t\t// Do nothing if element ID not specified.\n\t\t\tif (!elementId) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t$timeout(() => {\n\n\t\t\t\t// Elements that can receive focus\n\t\t\t\tlet focusableElementSelectors = [\n\t\t\t\t\t'button',\n\t\t\t\t\t'[href]',\n\t\t\t\t\t'input',\n\t\t\t\t\t'select',\n\t\t\t\t\t'textarea'\n\t\t\t\t];\n\n\t\t\t\t// Ensure none of those are disabled\n\t\t\t\tfocusableElementSelectors = focusableElementSelectors.map(\n\t\t\t\t\tfocusableElementSelector => `${focusableElementSelector}:not([disabled])`\n\t\t\t\t);\n\n\t\t\t\t// Find the specified element\n\t\t\t\tconst element = document.getElementById(elementId);\n\n\t\t\t\t// If found ...\n\t\t\t\tif (element) {\n\t\t\t\t\t// .. find the first focusable child of that\n\t\t\t\t\tconst firstFocusableElement = element.querySelector(focusableElementSelectors.join());\n\t\t\t\t\t// Focus on it if found\n\t\t\t\t\tif (firstFocusableElement) {\n\t\t\t\t\t\tfirstFocusableElement.focus();\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}, delay);\n\t\t},\n\t\tformatArrayAsReadableList: function (array, itemsInQuotes) {\n\n\t\t\t// Copy the array, so as not to upset the original. While here put items in quotes if specified\n\t\t\tlet mapFunction;\n\t\t\tif (angular.isDefined(itemsInQuotes) && itemsInQuotes) {\n\t\t\t\tmapFunction = item => `'${item}'`;\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Do nothing, just copy the array\n\t\t\t\tmapFunction = item => item;\n\t\t\t}\n\t\t\tlet\tarrayCopy = array.map(mapFunction);\n\n\t\t\tif (arrayCopy.length > 1) {\n\t\t\t\t// Convert ['one', 'two', 'three', four'] to 'one, two, three and four'\n\t\t\t\tlet last = arrayCopy.pop();\n\t\t\t\tlet penultimate = arrayCopy.pop();\n\t\t\t\tarrayCopy.push(`${penultimate} and ${last}`);\n\t\t\t\treturn arrayCopy.join(', ');\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Just a single item. In the land of Geekdom, a single item is also a list.\n\t\t\t\treturn arrayCopy[0];\n\t\t\t}\n\t\t},\n\t\t/**\n\t\t * @param {number} number - number to format\n\t\t * @param {number} precision - number of decimal places to show.\n\t\t * @param {boolean} hideMantissaInsignificant - hide insignificant digits in the mantissa part of the decimal. For example:\n\t\t * @returns {string} formatted number\n\t\t * number = 12.222, precision = 4 => 12.2220\n\t\t * number = 12.22, precision = 4, hideMantissaInsignificant = true => 12.22\n\t\t * number = 12.22, precision = 4, hideMantissaInsignificant = false => 12.2200\n\t\t */\n\t\tformatDecimal: function (number, precision, hideMantissaInsignificant) {\n\n\t\t\t// If number or precision ain't a number, return 0.\n\t\t\tif (isNaN(parseFloat(number) || isNaN(parseFloat(precision)))) {\n\t\t\t\treturn '0';\n\t\t\t}\n\n\t\t\t// Get decimal to required precision\n\t\t\tlet decimal = number.toFixed(precision);\n\n\t\t\t/* If insignificance mantissa digits (trailing zeroes after decimal point) need to be removed,\n\t\t\t do that in batches of 2. */\n\t\t\tif (hideMantissaInsignificant) {\n\t\t\t\twhile (decimal.endsWith('00')) {\n\t\t\t\t\t// Chop off the two trailing zeroes\n\t\t\t\t\tdecimal = decimal.slice(0, -2);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t/* If all mantissa digits are zeroes, and all have been removed, what's left will end in a decimal point,\n\t\t\t so remove it */\n\t\t\tif (decimal.endsWith('.')) {\n\t\t\t\t// Chop off the trailing, bare decimal point\n\t\t\t\tdecimal = decimal.slice(0, -1);\n\t\t\t}\n\n\t\t\treturn decimal;\n\t\t},\n\t\t/**\n\t\t * Get the height of the app header\n\t\t * @returns app header height.\n\t\t */\n\t\tgetAppHeaderHeight: function () {\n\n\t\t\t// Query to get app header, by class ...\n\t\t\tconst appHeaderClassQuery = document.getElementsByClassName('app-header');\n\n\t\t\t// ... there should be one, and one only, of these\n\t\t\tif (appHeaderClassQuery && appHeaderClassQuery.length === 1) {\n\t\t\t\tconst appHeader = appHeaderClassQuery[0];\n\t\t\t\treturn appHeader.clientHeight;\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Default value for height. This is what it should be.\n\t\t\t\treturn 113;\n\t\t\t}\n\t\t},\n\t\tgetArrayBySize: function (num) {\n\t\t\treturn new Array(num + 1);\n\t\t},\n\t\tgetArrayFromStorage: function (storageKey, defaultValue) {\n\n\t\t\tvar storageValueStr = service.getFromStorage(storageKey);\n\n\t\t\t// Ability to set permissions against a test role\n\t\t\tif (angular.isDefined(storageValueStr)) {\n\n\t\t\t\tvar storageValueArr = JSON.parse(storageValueStr);\n\n\t\t\t\tif (angular.isArray(storageValueArr)) {\n\t\t\t\t\treturn storageValueArr;\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\tservice.deleteFromStorage(storageKey);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn angular.isDefined(defaultValue) ? defaultValue : null;\n\t\t},\n\t\tgetArrayItemByPropertyName: function (array, propertyName, value, childPropertyName) {\n\n\t\t\tvar itemIndex = service.getArrayItemIndexByPropertyName(array, propertyName, value, childPropertyName);\n\n\t\t\treturn array[itemIndex];\n\t\t},\n\t\tgetArrayItemIndexByPropertyName: function (array, propertyName, value, childPropertyName) {\n\n\t\t\tvar i = 0;\n\t\t\tvar arrayLength = array.length;\n\n\t\t\tfor (i; i < arrayLength; i++) {\n\n\t\t\t\tvar property = array[i];\n\n\t\t\t\tproperty = propertyName ? property[propertyName] : property;\n\n\t\t\t\tif (childPropertyName) {\n\t\t\t\t\tproperty = property[childPropertyName];\n\t\t\t\t}\n\n\t\t\t\tif (property === value) {\n\t\t\t\t\treturn i;\n\t\t\t\t}\n\t\t\t}\n\t\t\treturn null;\n\t\t},\n\n\t\tgetClipboardTextFromEvent: eventObj => {\n\n\t\t\t// Stop data actually being pasted into div\n\t\t\teventObj.stopPropagation();\n\t\t\teventObj.preventDefault();\n\n\t\t\t// Get pasted data via clipboard API\n\t\t\tconst clipboardData = eventObj.clipboardData || window.clipboardData;\n\t\t\tconst pastedData = clipboardData.getData('Text');\n\n\t\t\treturn pastedData ? pastedData : null;\n\t\t},\n\n\t\tgetCurrentTaxMonth () {\n\t\t\t// Get the current tax month, from April (1) -> March (12)\n\t\t\treturn this.getTaxMonthForMonth(moment().month);\n\t\t},\n\t\tgetMonthForTaxMonth (taxMonth) {\n\t\t\t// Convert tax month (1 = Apr -> 12 = Mar) to month (0 = Jan -> 11 = Dec)\n\t\t\treturn (taxMonth + 2) % 12;\n\t\t},\n\t\tgetNormalisedPath (path) {\n\t\t\tconst pathParts = path.split('/');\n\t\t\tlet normalisedPath = '';\n\t\t\tpathParts.forEach(pathPart => {\n\t\t\t\tif (!REGEX.guid.test(pathPart) && pathPart !== '') {\n\t\t\t\t\tnormalisedPath += `/${pathPart}`;\n\t\t\t\t}\n\t\t\t});\n\t\t\treturn normalisedPath;\n\t\t},\n\t\tgetTaxMonthForMonth (month) {\n\t\t\t// Convert month (0 = Jan -> 11 = Dec) to tax month (1 = Apr -> 12 = Mar)\n\t\t\treturn (month + 10) % 12;\n\t\t},\n\t\tgetTaxYearStartDateForDate: (dateIso, checkCurrentYear) => {\n\n\t\t\tconst startOfTaxYear = moment(dateIso).month(3).date(6);\n\n\t\t\tif (checkCurrentYear) {\n\t\t\t\t// If the determined tax year start date is after the specified date, subtract a year\n\t\t\t\tif (startOfTaxYear.isAfter(dateIso)) {\n\t\t\t\t\tstartOfTaxYear.subtract(1, 'years');\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn startOfTaxYear.format(config.dateFormatISO);\n\t\t},\n\t\tgetTaxYearEndDateForDate: (nextTaxYear, checkCurrentYear, dateIso) => {\n\n\t\t\tconst endOfTaxCurrentYear = moment(dateIso).month(3).date(5);\n\t\t\tconst today = moment();\n\n\t\t\t// If in the current\n\t\t\tif (checkCurrentYear) {\n\t\t\t\tif (endOfTaxCurrentYear.isBefore(today)) {\n\t\t\t\t\tendOfTaxCurrentYear.add(1, 'years');\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tif (nextTaxYear) {\n\t\t\t\tendOfTaxCurrentYear.add(1, 'years');\n\t\t\t}\n\n\t\t\treturn endOfTaxCurrentYear.format(config.dateFormatISO);\n\t\t},\n\t\tgetIsPreviousTaxYearSubmission: (selectedTaxYear, currentTaxYear) => {\n\n\t\t\treturn selectedTaxYear < currentTaxYear;\n\t\t},\n\t\tgetTimeToPoll: units => {\n\n\t\t\tswitch (units) {\n\n\t\t\t\tcase 'milliseconds':\n\t\t\t\t\treturn config.timeToPoll * 1000;\n\n\t\t\t\t// Seconds\n\t\t\t\tdefault:\n\t\t\t\t\treturn config.timeToPoll;\n\t\t\t}\n\t\t},\n\t\tisBrowserCompatible: function () {\n\n\t\t\tconst getBrowserVersionInfo = function (userAgentString) {\n\t\t\t\t// Get user agent string and split it based on ' '. This will include some crap, but that will be stripped out.\n\t\t\t\tconst browserInfoItems = userAgentString.split(' ');\n\t\t\t\tconst browserVersionInfoItems = [];\n\n\t\t\t\t/* Regex to match 'BrowserIdentifier/MajorVersion.MinorVersion.PatchVersion.Whatever.Etc'.\n\t\t\t\t BrowserIdentifier and MajorVersion are matching groups for extraction. */\n\t\t\t\tconst browserVersionInfoRegex = /(\\w*)\\/(\\w+)[\\.\\w+]*/;\n\n\t\t\t\t// Convenience function to get major version based on browser identifier\n\t\t\t\tconst getMajorVersionForInfoItem = function (browserIdentifier) {\n\t\t\t\t\tconst browserVersionInfoItem = browserVersionInfoItems.find(item => item.identifier === browserIdentifier);\n\t\t\t\t\t// Return major version if found, undefined otherwise\n\t\t\t\t\treturn angular.isDefined(browserVersionInfoItem) ? browserVersionInfoItem.majorVersion : undefined;\n\t\t\t\t};\n\n\t\t\t\t// Remove crap and parse items of form according to regex, extracting browser identifier and major version\n\t\t\t\tbrowserInfoItems.forEach(browserInfoItem => {\n\t\t\t\t\tconst matches = browserVersionInfoRegex.exec(browserInfoItem);\n\t\t\t\t\tif (matches !== null) {\n\t\t\t\t\t\tbrowserVersionInfoItems.push({\n\t\t\t\t\t\t\tidentifier: matches[1].toLowerCase(),\n\t\t\t\t\t\t\tmajorVersion: matches[2]\n\t\t\t\t\t\t});\n\t\t\t\t\t}\n\t\t\t\t});\n\n\t\t\t\t// Cycle through browser compatibility list\n\t\t\t\tfor (let i = 0, ii = BROWSER_COMPATIBILITY_LIST.length; i < ii; i++) {\n\t\t\t\t\tconst browserInfo = BROWSER_COMPATIBILITY_LIST[i];\n\t\t\t\t\tfor (let j = 0, jj = browserInfo.userAgentNames.length; j < jj; j++) {\n\t\t\t\t\t\tlet browserVersionIdentifier = browserInfo.userAgentNames[j];\n\t\t\t\t\t\tif (browserVersionIdentifier === 'safari') {\n\t\t\t\t\t\t\tbrowserVersionIdentifier = 'version';\n\t\t\t\t\t\t}\n\t\t\t\t\t\tconst browserMajorVersion = getMajorVersionForInfoItem(browserVersionIdentifier);\n\t\t\t\t\t\tif (angular.isDefined(browserMajorVersion)) {\n\t\t\t\t\t\t\t/* Check for 'must not include' user agent names. For example, if 'opr' is in there\n\t\t\t\t\t\t\t somewhere, it's Opera, it ain't Chrome in spite of the presence of 'Chrome/x.y.z'\n\t\t\t\t\t\t\t elsewhere in the user agent string. */\n\t\t\t\t\t\t\tlet hasMustNotInclude = false;\n\t\t\t\t\t\t\t// If no 'userAgentsMustNotInclude' property for current browser info, do nothing\n\t\t\t\t\t\t\tif (angular.isArray(browserInfo.userAgentNamesMustNotInclude)) {\n\t\t\t\t\t\t\t\tbrowserInfo.userAgentNamesMustNotInclude.forEach(userAgentName => {\n\t\t\t\t\t\t\t\t\t// Tru-ify the flag when at least one 'must not include' user agent name is present\n\t\t\t\t\t\t\t\t\thasMustNotInclude |= browserVersionInfoItems.some(browserVersionInfoItem => browserVersionInfoItem.identifier === userAgentName);\n\t\t\t\t\t\t\t\t});\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\tif (!hasMustNotInclude) {\n\t\t\t\t\t\t\t\treturn {\n\t\t\t\t\t\t\t\t\tbrowserId: browserInfo.id,\n\t\t\t\t\t\t\t\t\tmajorVersion: browserMajorVersion\n\t\t\t\t\t\t\t\t};\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t};\n\n\t\t\t/* Get browser info for current browser. Put this in a try/catch for safety purposes. UserAgent is a bit of a free-for-all and parsing might fail.\n\t\t\t If this call fails, assume the browser can't be identified and is invalid */\n\t\t\tlet currentBrowserInfo;\n\t\t\ttry {\n\t\t\t\tcurrentBrowserInfo = getBrowserVersionInfo(navigator.userAgent);\n\t\t\t}\n\t\t\tcatch (error) {}\n\n\t\t\t// If found, check the version. Otherwise assume this isn't a compatible browser.\n\t\t\tlet browserCompatible = false;\n\t\t\tif (angular.isDefined(currentBrowserInfo)) {\n\n\t\t\t\t// Edge versions (pre-Chromium) need version mapping to browser version\n\t\t\t\tif (currentBrowserInfo.browserId === 'edge') {\n\t\t\t\t\t// https://en.wikipedia.org/wiki/Microsoft_Edge#Release_History\n\t\t\t\t\tconst edgeVersionMap = {\n\t\t\t\t\t\t'12': '20',\n\t\t\t\t\t\t'13': '25',\n\t\t\t\t\t\t'14': '38',\n\t\t\t\t\t\t'15': '40',\n\t\t\t\t\t\t'16': '41',\n\t\t\t\t\t\t'17': '42',\n\t\t\t\t\t\t'18': '44'\n\t\t\t\t\t};\n\t\t\t\t\tif (edgeVersionMap[currentBrowserInfo.majorVersion]) {\n\t\t\t\t\t\tcurrentBrowserInfo.majorVersion = edgeVersionMap[currentBrowserInfo.majorVersion];\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\tconst browserCompatibilityInfo = BROWSER_COMPATIBILITY_LIST.find(browserItem => browserItem.id === currentBrowserInfo.browserId);\n\t\t\t\tif (angular.isDefined(browserCompatibilityInfo)) {\n\t\t\t\t\t// The browser type is OK, but the version may not be ...\n\t\t\t\t\tbrowserCompatible = currentBrowserInfo.majorVersion >= browserCompatibilityInfo.minVersion;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn browserCompatible;\n\t\t},\n\t\tisDateUndefined: function (dateISO) {\n\t\t\t// Dates are 'undefined' if empty or set to '1900-01-01T00:00:00'\n\t\t\treturn angular.isUndefined(dateISO) || dateISO === '' || dateISO === '1900-01-01T00:00:00';\n\t\t},\n\t\tgetBureauIdByCompanyKey: function (companyKey) {\n\n\t\t\tswitch (companyKey) {\n\t\t\t\tcase 'fsb':\n\t\t\t\t\treturn ONBOARDING_BUREAUS.fsb;\n\t\t\t\tdefault:\n\t\t\t\t\treturn ONBOARDING_BUREAUS.paycircle;\n\t\t\t}\n\t\t},\n\t\tgetFileExtension: function (filename) {\n\t\t\tconst extensionStartIndex = filename.lastIndexOf('.');\n\t\t\tif (extensionStartIndex !== -1 && extensionStartIndex !== filename.length - 1) {\n\t\t\t\treturn filename.substr(extensionStartIndex + 1);\n\t\t\t}\n\t\t\telse {\n\t\t\t\treturn undefined;\n\t\t\t}\n \t\t},\n\t\tgetIsDemonstrationActiveByCompanyKey: function (companyKey) {\n\n\t\t\tswitch (companyKey) {\n\t\t\t\tcase 'fsb':\n\t\t\t\t\treturn true;\n\t\t\t\tdefault:\n\t\t\t\t\treturn true;\n\t\t\t}\n\t\t},\n\t\tgetIsWhitelabelByBureauKey: function (bureauKey) {\n\n\t\t\tswitch (parseInt(bureauKey)) {\n\t\t\t\tcase ONBOARDING_BUREAUS.fsb:\n\t\t\t\t\treturn true;\n\t\t\t\tdefault:\n\t\t\t\t\treturn false;\n\t\t\t}\n\t\t},\n\t\tgetIsWhitelabelByCompanyKey: function (companyKey) {\n\n\t\t\tswitch (companyKey) {\n\t\t\t\tcase 'fsb':\n\t\t\t\t\treturn true;\n\t\t\t\tdefault:\n\t\t\t\t\treturn false;\n\t\t\t}\n\t\t},\n\t\tgetKeysFromObject: function (object) {\n\n\t\t\treturn Object.keys(object);\n\t\t},\n\t\tgetLaterDateISO: function (date1ISO, date2ISO, date3ISO) {\n\n\t\t\tvar returnDate;\n\n\t\t\tif (date1ISO === '' || date1ISO === undefined || date2ISO === '' || date2ISO === undefined) {\n\t\t\t\tconsole.warn('utilities.getLaterDateISO: no date defined');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tif (date1ISO !== '' && date2ISO !== '') {\n\n\t\t\t\tvar date1Moment = moment(date1ISO);\n\t\t\t\tvar date2Moment = moment(date2ISO);\n\n\t\t\t\treturnDate = date1Moment.isAfter(date2Moment) ? date1ISO : date2ISO;\n\t\t\t}\n\n\t\t\tif (date3ISO !== '' && date3ISO !== undefined) {\n\n\t\t\t\tvar date3Moment = moment(date3ISO);\n\n\t\t\t\treturnDate = returnDate.isAfter(date3Moment) ? returnDate : date3Moment;\n\t\t\t}\n\n\t\t\treturn returnDate;\n\t\t},\n\t\tgetObjectFromArray: function(array, id, isMatchFnc) {\n\n\t\t\tvar arrayLength = array.length;\n\t\t\tvar i = 0;\n\n\t\t\tfor (i; i < arrayLength; i++) {\n\t\t\t\tvar arrayObj = array[i];\n\t\t\t\tif (isMatchFnc(arrayObj, id)) {\n\t\t\t\t\treturn arrayObj;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn null;\n\t\t},\n\t\tgetObjectFromArrayByKey: function (array, key) {\n\n\t\t\tvar arrayLength = array.length;\n\t\t\tvar i = 0;\n\n\t\t\tfor (i; i < arrayLength; i++) {\n\t\t\t\tvar arrayObj = array[i];\n\t\t\t\tif (key === arrayObj.key) {\n\t\t\t\t\treturn arrayObj;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn null;\n\t\t},\n\t\tgetObjectFromStorage: function (name, defaultObj) {\n\n\t\t\tlet storedObjectObj = JSON.parse(service.getFromStorage(name, null));\n\n\t\t\treturn angular.isObject(storedObjectObj) ? storedObjectObj : defaultObj;\n\t\t},\n\t\tgetPrimaryRole: function (roles) {\n\n\t\t\tif (roles.indexOf(USER_ROLES.paycircle) > -1) {\n\t\t\t\treturn USER_ROLES.paycircle;\n\t\t\t}\n\t\t\telse if (roles.indexOf(USER_ROLES.bureaumanager) > -1) {\n\t\t\t\treturn USER_ROLES.bureaumanager;\n\t\t\t}\n\t\t\telse if (roles.indexOf(USER_ROLES.bureau) > -1) {\n\t\t\t\treturn USER_ROLES.bureau;\n\t\t\t}\n\t\t\telse if (roles.indexOf(USER_ROLES.groupadmin) > -1) {\n\t\t\t\treturn USER_ROLES.groupadmin;\n\t\t\t}\n\t\t\telse if (roles.indexOf(USER_ROLES.groupuser) > -1) {\n\t\t\t\treturn USER_ROLES.groupuser;\n\t\t\t}\n\t\t\telse if (roles.indexOf(USER_ROLES.groupadminlite) > -1) {\n\t\t\t\treturn USER_ROLES.groupadminlite;\n\t\t\t}\n\t\t\telse if (roles.indexOf(USER_ROLES.companyadministrator) > -1) {\n\t\t\t\treturn USER_ROLES.companyadministrator;\n\t\t\t}\n\t\t\telse if (roles.indexOf(USER_ROLES.companyadministratorlite) > -1) {\n\t\t\t\treturn USER_ROLES.companyadministratorlite;\n\t\t\t}\n\t\t\telse if (roles.indexOf(USER_ROLES.departmentadmin) > -1) {\n\t\t\t\treturn USER_ROLES.departmentadmin;\n\t\t\t}\n\t\t\telse if (roles.indexOf(USER_ROLES.sme) > -1) {\n\t\t\t\treturn USER_ROLES.sme;\n\t\t\t}\n\t\t\telse {\n\t\t\t\tconsole.warn('Paycircle Warning: User does not have the correct role for this app');\n\t\t\t\treturn null;\n\t\t\t}\n\t\t},\n\n\t\tgetDifference: (startDateIso, endDateIso, format, alwaysPositive) => {\n\n\t\t\tfunction getDifferenceFormat (format) {\n\n\t\t\t\tswitch (format) {\n\t\t\t\t\tcase 'minutes':\n\t\t\t\t\t\treturn fromMoment.diff(toMoment, 'minutes');\n\t\t\t\t\tcase 'hours':\n\t\t\t\t\t\treturn fromMoment.diff(toMoment, 'minutes') / 60;\n\t\t\t\t\tcase 'months':\n\t\t\t\t\t\treturn fromMoment.diff(toMoment, 'months');\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tconst fromMoment = moment(startDateIso);\n\t\t\tconst toMoment = moment(endDateIso);\n\n\t\t\tconst differenceInt = getDifferenceFormat(format);\n\n\t\t\tif (alwaysPositive) {\n\t\t\t\treturn Math.abs(differenceInt);\n\t\t\t}\n\n\t\t\treturn differenceInt;\n\t\t},\n\t\tgetAppEnvironmentKey: function () {\n\n\t\t\t// Localhost\n\t\t\tif (service.isEnvironmentLocalhost) {\n\t\t\t\treturn 'localhost';\n\t\t\t}\n\n\t\t\t// Development\n\t\t\tif (service.isEnvironmentDevelopment) {\n\t\t\t\treturn 'development';\n\t\t\t}\n\n\t\t\t// Staging\n\t\t\tif (service.isEnvironmentStaging) {\n\t\t\t\treturn 'staging';\n\t\t\t}\n\n\t\t\t// Beta\n\t\t\tif (service.isEnvironmentBeta) {\n\t\t\t\treturn 'beta';\n\t\t\t}\n\n\t\t\t// Preproduction\n\t\t\tif (service.isEnvironmentPreProduction) {\n\t\t\t\treturn 'preproduction';\n\t\t\t}\n\n\t\t\treturn 'production';\n\t\t},\n\t\t// Get tax year start date for current date\n\t\tgetTaxYearStartDate: function () {\n\n\t\t\treturn moment(this.getTaxYearStartDateISO(moment())).format(config.dateFormatPrimary);\n\t\t},\n\t\t// Get tax year start date for specified moment date\n\t\tgetTaxYearStartDateISO: function (dateMoment) {\n\n\t\t\t// Copy the date moment before manipulating so parameter isn't affected\n\t\t\tvar startOfTaxYear = dateMoment.clone().month(3).date(6);\n\n\t\t\t// If in the current, go back a year\n\t\t\tif (startOfTaxYear.isAfter(dateMoment)) {\n\t\t\t\tstartOfTaxYear.subtract(1, 'years');\n\t\t\t}\n\n\t\t\treturn startOfTaxYear.format();\n\t\t},\n\t\t// Get text equivalent of number. Beyond 9, just return the number as string\n\t\tgetNumberText: function (number) {\n\n\t\t\tswitch (number) {\n\t\t\t\tcase 1: return 'one';\n\t\t\t\tcase 2: return 'two';\n\t\t\t\tcase 3: return 'three';\n\t\t\t\tcase 4: return 'four';\n\t\t\t\tcase 5: return 'five';\n\t\t\t\tcase 6: return 'six';\n\t\t\t\tcase 7: return 'seven';\n\t\t\t\tcase 8: return 'eight';\n\t\t\t\tcase 9: return 'nine';\n\t\t\t\tdefault: return Number(number).toString();\n\t\t\t}\n\t\t},\n\t\tgetRegistrationUrl: function (userId, agencyId, role) {\n\n\t\t\tvar roleId = '';\n\t\t\tvar registrationUrl = '';\n\n\t\t\tif (role === 'payrollworker') {\n\t\t\t\troleId = '5DE31B27-BDA4-47E8-A376-780861F184EC';\n\t\t\t\tregistrationUrl = 'https://my.paycircle.co.uk/#/user-registration';\n\t\t\t}\n\t\t\tif (role === 'companyadmin') {\n\t\t\t\troleId = '2C9D135E-E5A9-4FF8-A0AC-B45A16C05EB9';\n\t\t\t\tregistrationUrl = 'https://app.paycircle.co.uk/user-registration';\n\t\t\t}\n\t\t\tif (role === 'worker') {\n\t\t\t\troleId = '9A176943-A78D-4BC3-99CB-3CE7B8FA9AB2';\n\t\t\t\tregistrationUrl = 'https://my.paycircle.co.uk/#/user-registration';\n\t\t\t}\n\n\t\t\treturn registrationUrl + '/' + userId + '/' + agencyId + '/' + roleId;\n\t\t},\n\t\tgetResetPasswordMailType: function () {\n\n\t\t\tswitch (config.appKey) {\n\t\t\t\tcase 'user-portal':\n\t\t\t\t\treturn MAIL_TYPES.resetPasswordUserPortal;\n\t\t\t\tcase 'payroll':\n\t\t\t\t\treturn MAIL_TYPES.resetPasswordPayroll;\n\t\t\t\tdefault:\n\t\t\t\t\treturn MAIL_TYPES.resetPasswordUserPortal;\n\t\t\t}\n\t\t},\n\t\tgetRoleUrl: function (role) {\n\n\t\t\tif (role === undefined) {\n\t\t\t\treturn null;\n\t\t\t}\n\n\t\t\tswitch (role) {\n\t\t\t\tcase USER_ROLES.paycircle:\n\t\t\t\tcase USER_ROLES.bureau:\n\t\t\t\tcase USER_ROLES.bureaumanager:\n\t\t\t\tcase USER_ROLES.groupadmin:\n\t\t\t\tcase USER_ROLES.groupuser:\n\t\t\t\t\treturn 'dashboard';\n\t\t\t\tcase USER_ROLES.companyadmin:\n\t\t\t\tcase USER_ROLES.companyadministrator:\n\t\t\t\tcase USER_ROLES.payrollworker:\n\t\t\t\tcase USER_ROLES.sme:\n\t\t\t\t\treturn 'company-dashboard';\n\t\t\t\tcase USER_ROLES.companyadministratorlite:\n\t\t\t\t\treturn 'payroll.current-period.notes';\n\t\t\t\tcase USER_ROLES.departmentadmin:\n\t\t\t\t\treturn 'team.members';\n\t\t\t\tcase USER_ROLES.groupadminlite:\n\t\t\t\t\treturn 'companies';\n\t\t\t\tdefault:\n\t\t\t\t\treturn config.defaultPage;\n\t\t\t}\n\t\t},\n\t\tgetItemsFromStoredArray: (arrKey, guid) => {\n\n\t\t\tlet array = service.getStoredArray(arrKey);\n\n\t\t\tarray.forEach((arrayItem, index) => {\n\t\t\t\tarray[index] = arrayItem.replace(`-${guid}`, '');\n\t\t\t});\n\n\t\t\treturn array;\n\t\t},\n\t\tgetStoredArray: arrKey => {\n\n\t\t\tlet array = service.getFromStorage(arrKey);\n\n\t\t\treturn array ? array.split(',') : [];\n\t\t},\n\t\tgetMimeFormatFromDocumentName: documentName => {\n\t\t\treturn documentName.substr(documentName.lastIndexOf('.') + 1).toUpperCase();\n\t\t},\n\t\tgetFromStorage: function (name, defaultObj) {\n\n\t\t\tvar item = null;\n\n\t\t\t// Get from local storage, if available\n\t\t\tif (typeof(Storage) !== 'undefined') {\n\t\t\t\titem = localStorage.getItem(name);\n\t\t\t}\n\n\t\t\t// Fallback cookie storage\n\t\t\telse {\n\t\t\t\titem = service.readCookie(name);\n\t\t\t}\n\n\t\t\treturn item ? item : defaultObj;\n\t\t},\n\t\tgetTodaysDate: function () {\n\n\t\t\treturn moment().format(config.dateFormatPrimary);\n\t\t},\n\t\tgetToken: function () {\n\n\t\t\t// Local Storage\n\t\t\tif (typeof(Storage) !== 'undefined') {\n\t\t\t\tif (localStorage.getItem(config.tokenStorageName) !== 'undefined') {\n\t\t\t\t\treturn localStorage.getItem(config.tokenStorageName);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Cookie fallback\n\t\t\tif (service.readCookie(config.tokenStorageName)) {\n\t\t\t\treturn service.readCookie(config.tokenStorageName);\n\t\t\t}\n\n\t\t\treturn null;\n\t\t},\n\t\tgetUserGenderDescriptions: function (gender) {\n\n\t\t\t/*\n\t\t\ta: they, he, she\n\t\t\tb: their, his, her\n\t\t\tc: theirself, himself, herself\n\t\t\t*/\n\n\t\t\tvar genderDescriptions = {\n\t\t\t\ta: 'they',\n\t\t\t\tb: 'their',\n\t\t\t\tc: 'themselves'\n\t\t\t};\n\n\t\t\tgender = gender.toLowerCase();\n\n\t\t\t// Male\n\t\t\tif (service.isMale(gender)) {\n\t\t\t\tgenderDescriptions.a = 'he';\n\t\t\t\tgenderDescriptions.b = 'his';\n\t\t\t\tgenderDescriptions.c = 'himself';\n\t\t\t}\n\n\t\t\t// Female\n\t\t\telse if (service.isFemale(gender)) {\n\t\t\t\tgenderDescriptions.a = 'she';\n\t\t\t\tgenderDescriptions.b = 'her';\n\t\t\t\tgenderDescriptions.c = 'herself';\n\t\t\t}\n\n\t\t\treturn genderDescriptions;\n\t\t},\n\t\tgetMailToFromMessage: function (mailToObj) {\n\n\t\t\tvar returnMessage = 'mailto:' + mailToObj.toAddress;\n\t\t\treturnMessage += '?subject=' + mailToObj.subject;\n\t\t\treturnMessage += '&body=' + mailToObj.body;\n\n\t\t\treturn encodeURI(returnMessage);\n\t\t},\n\t\tgetRandomNumber: function (from, to) {\n\n\t\t\treturn Math.floor(Math.random() * (to + 1) + from);\n\t\t},\n\t\tgetWelcomeMessage: function (date, name) {\n\n\t\t\tvar a = moment(date);\n\t\t\tvar b = moment();\n\t\t\tvar diff = b.diff(a, 'days');\n\t\t\tvar message = '';\n\n\t\t\tname = name !== undefined ? ' ' + name : '';\n\n\t\t\tswitch (diff) {\n\t\t\t\tcase diff > 20 && diff < 50:\n\t\t\t\t\tmessage = 'Hey' + name + '. Good to see you again!';\n\t\t\t\t\tbreak;\n\t\t\t\tcase diff > 50:\n\t\t\t\t\tmessage = 'Welcome back! It\\'s been a while!';\n\t\t\t\t\tbreak;\n\t\t\t\tdefault:\n\t\t\t\t\tmessage = 'Hey' + name + '. Welcome back!';\n\t\t\t\t\tbreak;\n\t\t\t}\n\n\t\t\treturn message;\n\t\t},\n\n\t\tgoBack: () => {\n\n\t\t\t// Normal\n\t\t\tif (window.history.length > 1) {\n\t\t\t\twindow.history.back();\n\t\t\t}\n\n\t\t\t// Popup\n\t\t\telse {\n\t\t\t\twindow.close();\n\t\t\t}\n\t\t},\n\n\t\tgroupArray: function (array, groupSize) {\n\n\t\t\tif (array === undefined) {\n\t\t\t\tconsole.warn('utilities:groupArray - No array information to group.');\n\t\t\t\treturn [];\n\t\t\t}\n\n\t\t\tvar x;\n\t\t\tvar i = 0;\n\t\t\tvar c = -1;\n\t\t\tvar arrayLength = array.length;\n\t\t\tvar n = [];\n\n\t\t\tfor (i; i < arrayLength; i++) {\n\t\t\t\t(x = i % groupSize) ? n[c][x] = array[i] : n[++c] = [array[i]];\n\t\t\t}\n\n\t\t\treturn angular.copy(n);\n\t\t},\n\n\t\tgroupArrayByProperty: (array, propertyKey) => {\n\n\t\t\treturn array.reduce((rv, x) => {\n\t\t\t\t(rv[x[propertyKey]] = rv[x[propertyKey]] || []).push(x);\n\t\t\t\treturn rv;\n\t\t\t}, {});\n\t\t},\n\n\t\tguid: function () {\n\n\t\t\tvar d = new Date().getTime();\n\t\t\tif (window.performance && typeof window.performance.now === 'function') {\n\t\t\t\td += window.performance.now(); //use high-precision timer if available\n\t\t\t}\n\t\t\tvar uuid = 'xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx'.replace(/[xy]/g, function(c) {\n\t\t\t\tvar r = (d + Math.random()*16)%16 | 0;\n\t\t\t\td = Math.floor(d/16);\n\t\t\t\treturn (c==='x' ? r : (r&0x3|0x8)).toString(16);\n\t\t\t});\n\t\t\treturn uuid;\n\t\t},\n\n\t\t/**\n\t\t * This function will check the width of the element id that is in the DOM.\n\t\t * - true: has an x scroll\n\t\t * - false: no x scroll\n\t\t * @param {string} elmId : the DOM element id to test\n\t\t * @returns boolean\n\t\t */\n\t\thasScrollWidth: function (elmId) {\n\t\t\tconst elm = document.getElementById(elmId);\n\t\t\tconst hasOverflow = elm.scrollWidth > elm.clientWidth;\n\t\t\treturn hasOverflow;\n\t\t},\n\n\t\tisBusinessLogicError: function (response, config) {\n\n\t\t\treturn response === -1 || (response === '' && config.errorOnEmptyResponse);\n\t\t},\n\t\tisDebugging: () => {\n\n\t\t\t// To show full debugging, 'isInDebugMode' config option needs to be enabled and needs to be a development environment\n\t\t\treturn config.isInDebugMode && service.isDevelopment();\n\t\t},\n\t\tisDevelopment: function () {\n\n\t\t\treturn $location.$$host.indexOf('localhost') !== -1 || $location.$$host.indexOf('payrolldev') !== -1 || $location.$$host.indexOf('staging') !== -1 || $location.$$host.indexOf('demo') !== -1 || config.isInDebugMode;\n\t\t},\n\t\tisEmpty: function (obj) {\n\n\t\t\tvar hasOwnProperty = Object.prototype.hasOwnProperty;\n\n\t\t\t// null and undefined are \"empty\"\n\t\t\tif (obj === null) { return true; }\n\t\t\tif (obj === undefined) { return true; }\n\n\t\t\t// Assume if it has a length property with a non-zero value\n\t\t\t// that that property is correct.\n\t\t\tif (obj.length > 0) { return false; }\n\t\t\tif (obj.length === 0) { return true; }\n\n\t\t\t// Otherwise, does it have any properties of its own?\n\t\t\t// Note that this doesn't handle\n\t\t\t// toString and valueOf enumeration bugs in IE < 9\n\t\t\tfor (var key in obj) {\n\t\t\t\tif (hasOwnProperty.call(obj, key)) { return false; }\n\t\t\t}\n\n\t\t\treturn true;\n\t\t},\n\t\tisEmptyGuid: function (guid) {\n\n\t\t\treturn guid === config.guidEmpty;\n\t\t},\n\n\t\tisEnvironmentBeta: $location.host() === config.appSubdomains.beta + '.' + config.baseDomainName,\n\t\tisEnvironmentDevelopment: $location.host() === config.appSubdomains.development + '.' + config.baseDomainName,\n\t\tisEnvironmentLocalhost: $location.host() === config.appSubdomains.localhost,\n\t\tisEnvironmentPreProduction: $location.host() === config.appSubdomains.preproduction + '.' + config.baseDomainName,\n\t\tisEnvironmentProduction: $location.host() === config.appSubdomains.production + '.' + config.baseDomainName,\n\t\tisEnvironmentStaging: $location.host() === config.appSubdomains.staging + '.' + config.baseDomainName,\n\n\t\tisError: function (data, config) {\n\n\t\t\tif (data === undefined || data === true) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\tif (service.isBusinessLogicError(data, config)) {\n\t\t\t\treturn true;\n\t\t\t}\n\n\t\t\tif (data === '') {\n\t\t\t\tif (config !== undefined) {\n\n\t\t\t\t\tif (config.logOnEmptyResponse === undefined) {\n\t\t\t\t\t\tconsole.info(config.url + ' - Service call returned an empty string.');\n\t\t\t\t\t}\n\n\t\t\t\t\tif (config.errorOnEmptyResponse !== undefined && !config.errorOnEmptyResponse) {\n\t\t\t\t\t\treturn false;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\treturn true;\n\t\t\t}\n\n\t\t\t// Check if returned data object is a string that starts with 'ERROR'\n\t\t\tif (typeof data === 'string') {\n\n\t\t\t\tif (data.substring(0, 7) === '\"ERROR:') {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\t\tif (data.substring(0, 6) === 'ERROR:') {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\t\tif (data.substring(0, 5) === 'ERROR') {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn false;\n\t\t},\n\t\tisFemale: function (gender) {\n\n\t\t\tgender = gender !== undefined ? gender.toLowerCase() : gender;\n\n\t\t\treturn gender === 'f' || gender === 'female';\n\t\t},\n\t\tisFullScreenActive: () => {\n\t\t\treturn $document[0].fullscreenElement ? true : false;\n\t\t},\n\t\tisFullScreenEnabled: () => {\n\t\t\tif (document.documentElement.requestFullScreen) {\n\t\t\t\treturn true;\n\t\t\t}\n\t\t\telse if (document.documentElement.mozRequestFullScreen) {\n\t\t\t\treturn true;\n\t\t\t}\n\t\t\telse if (document.documentElement.webkitRequestFullScreen) {\n\t\t\t\treturn true;\n\t\t\t}\n\t\t\telse {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t},\n\t\tisFunction: function (functionToCheck) {\n\n\t\t\tvar getType = {};\n\n\t\t\treturn functionToCheck && getType.toString.call(functionToCheck) === '[object Function]';\n\t\t},\n\t\tisLoginPage: function (state) {\n\n\t\t\treturn state.name === 'login';\n\t\t},\n\t\tisMale: function (gender) {\n\t\t\tgender = gender !== undefined ? gender.toLowerCase() : gender;\n\n\t\t\treturn gender === 'm' || gender === 'male';\n\t\t},\n\t\tgetMediaType: function () {\n\n\t\t\tconst windowWidth = window.innerWidth;\n\n\t\t\t// Phone\n\t\t\tif (windowWidth <= MEDIA_TYPES_SIZES.phone) {\n\t\t\t\treturn MEDIA_TYPES.phone;\n\t\t\t}\n\n\t\t\t// Tablet\n\t\t\tif (windowWidth <= MEDIA_TYPES_SIZES.tablet) {\n\t\t\t\treturn MEDIA_TYPES.tablet;\n\t\t\t}\n\n\t\t\t// Laptop\n\t\t\tif (windowWidth <= MEDIA_TYPES_SIZES.laptop) {\n\t\t\t\treturn MEDIA_TYPES.laptop;\n\t\t\t}\n\n\t\t\t// Monitor\n\t\t\tif (windowWidth <= MEDIA_TYPES_SIZES.monitor) {\n\t\t\t\treturn MEDIA_TYPES.monitor;\n\t\t\t}\n\n\t\t\t// TV\n\t\t\treturn MEDIA_TYPES.tv;\n\t\t},\n\t\tisPopulatedGuid: guid => {\n\n\t\t\t// Guid is invalid format\n\t\t\tif (!service.isValidGuid(guid)) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\t// Guid is empty\n\t\t\tif (service.isEmptyGuid(guid)) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\treturn true;\n\t\t},\n\t\tisValidBureauKey: function (bureauKey) {\n\n\t\t\tswitch (bureauKey) {\n\t\t\t\tcase '0':\n\t\t\t\tcase '1':\n\t\t\t\t\treturn true;\n\t\t\t\tdefault:\n\t\t\t\t\treturn false;\n\t\t\t}\n\t\t},\n\t\tisValidCompanyKey: function (companyKey) {\n\n\t\t\tcompanyKey = String(companyKey);\n\t\t\tswitch (companyKey) {\n\t\t\t\tcase 'fsb':\n\t\t\t\tcase '1':\n\t\t\t\tcase 'paycircle':\n\t\t\t\tcase '0':\n\t\t\t\t\treturn true;\n\t\t\t\tdefault:\n\t\t\t\t\treturn false;\n\t\t\t}\n\t\t},\n\t\tisValidDate: function (date, format) {\n\t\t\tformat = format !== undefined ? format : REGEX.date;\n\t\t\treturn format.test(date);\n\t\t},\n\t\tisValidEmail: function (email) {\n\t\t\tvar regex = REGEX.email;\n\t\t\treturn regex.test(email);\n\t\t},\n\t\tisValidGender: function (gender) {\n\n\t\t\tif (!gender || gender === undefined || gender === '') {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\tif (gender !== 'Male' && gender !== 'Female') {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\treturn true;\n\t\t},\n\t\tisValidGuid: function (guid) {\n\t\t\tvar regex = REGEX.guid;\n\t\t\treturn regex.test(guid);\n\t\t},\n\t\tisValidIPv4Address: function (ipAddress) {\n\t\t\t// Convenience function to validate IP address by attempting to separate it\n\t\t\treturn (angular.isDefined(this.separateIPv4Address(ipAddress)));\n\t\t},\n\t\tisValidIPv4AddressPart: function (ipAddressPart) {\n\t\t\tif (isNaN(parseInt(ipAddressPart))) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t\telse {\n\t\t\t\tconst ipAddressNumPart = parseInt(ipAddressPart);\n\t\t\t\treturn ipAddressNumPart >=0 && ipAddressNumPart <= 255;\n\t\t\t}\n\t\t},\n\t\tisValidName: function (name) {\n\t\t\tvar regex = REGEX.lettersOnly;\n\t\t\treturn regex.test(name);\n\t\t},\n\t\tisValidNI: function (niNumber) {\n\t\t\tvar regex = REGEX.NI;\n\t\t\treturn regex.test(niNumber);\n\t\t},\n\t\tisValidPassword: function (password) {\n\n\t\t\tif (password === undefined || password === null) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\tif (password.length < 7) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\treturn true;\n\t\t},\n\t\tisValidPostcode: function (toCheck) {\n\n\t\t\t// Permitted letters depend upon their position in the postcode.\n\t\t\tvar alpha1 = '[abcdefghijklmnoprstuwyz]'; // Character 1\n\t\t\tvar alpha2 = '[abcdefghklmnopqrstuvwxy]'; // Character 2\n\t\t\tvar alpha3 = '[abcdefghjkpmnrstuvwxy]'; // Character 3\n\t\t\tvar alpha4 = '[abehmnprvwxy]'; // Character 4\n\t\t\tvar alpha5 = '[abdefghjlnpqrstuwxyz]'; // Character 5\n\t\t\tvar BFPOa5 = '[abdefghjlnpqrst]'; // BFPO alpha5\n\t\t\tvar BFPOa6 = '[abdefghjlnpqrstuwzyz]'; // BFPO alpha6\n\n\t\t\t// Array holds the regular expressions for the valid postcodes\n\t\t\tvar pcexp = [];\n\n\t\t\t// BFPO postcodes\n\t\t\tpcexp.push (new RegExp ('^(bf1)(\\\\s*)([0-6]{1}' + BFPOa5 + '{1}' + BFPOa6 + '{1})$','i'));\n\n\t\t\t// Expression for postcodes: AN NAA, ANN NAA, AAN NAA, and AANN NAA\n\t\t\tpcexp.push (new RegExp ('^(' + alpha1 + '{1}' + alpha2 + '?[0-9]{1,2})(\\\\s*)([0-9]{1}' + alpha5 + '{2})$','i'));\n\n\t\t\t// Expression for postcodes: ANA NAA\n\t\t\tpcexp.push (new RegExp ('^(' + alpha1 + '{1}[0-9]{1}' + alpha3 + '{1})(\\\\s*)([0-9]{1}' + alpha5 + '{2})$','i'));\n\n\t\t\t// Expression for postcodes: AANA NAA\n\t\t\tpcexp.push (new RegExp ('^(' + alpha1 + '{1}' + alpha2 + '{1}' + '?[0-9]{1}' + alpha4 +'{1})(\\\\s*)([0-9]{1}' + alpha5 + '{2})$','i'));\n\n\t\t\t// Exception for the special postcode GIR 0AA\n\t\t\tpcexp.push (/^(GIR)(\\s*)(0AA)$/i);\n\n\t\t\t// Standard BFPO numbers\n\t\t\tpcexp.push (/^(bfpo)(\\s*)([0-9]{1,4})$/i);\n\n\t\t\t// c/o BFPO numbers\n\t\t\tpcexp.push (/^(bfpo)(\\s*)(c\\/o\\s*[0-9]{1,3})$/i);\n\n\t\t\t// Overseas Territories\n\t\t\tpcexp.push (/^([A-Z]{4})(\\s*)(1ZZ)$/i);\n\n\t\t\t// Anguilla\n\t\t\tpcexp.push (/^(ai-2640)$/i);\n\n\t\t\t// Load up the string to check\n\t\t\tvar postCode = toCheck;\n\n\t\t\t// Assume we're not going to find a valid postcode\n\t\t\tvar valid = false;\n\n\t\t\t// Check the string against the types of post codes\n\t\t\tfor ( var i=0; i
' + key + '';\n\t\t\t\t\t\titer(obj[key]);\n\t\t\t\t\t} else {\n\t\t\t\t\t\thtml += '' + key + '
' + obj[key] + '
';\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\titer(json[0]);\n\n\t\t\treturn html;\n\t\t},\n\t\tjsonObjToHtml: function (json) {\n\n\t\t\tvar html = '';\n\n\t\t\tfunction iter (obj) {\n\t\t\t\tfor (var key in obj) {\n\t\t\t\t\tif (typeof(obj[key]) === 'object') {\n\t\t\t\t\t\thtml += '' + key + '
';\n\t\t\t\t\t\titer(obj[key]);\n\t\t\t\t\t} else {\n\t\t\t\t\t\thtml += '' + key + '' + obj[key] + '
';\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\titer(json);\n\n\t\t\treturn html;\n\t\t},\n\t\tlazyLoadScript: function (src, async) {\n\n\t\t\tvar s = document.createElement('script'); // use global document since Angular's $document is weak\n\t\t\tvar x = document.getElementsByTagName('script')[0];\n\n\t\t\ts.async = async === undefined;\n\t\t\ts.type = 'text/javascript';\n\t\t\ts.src = src;\n\t\t\tx.parentNode.insertBefore(s, x);\n\t\t},\n\t\t// Reference: https://stackoverflow.com/questions/5306680/move-an-array-element-from-one-array-position-to-another\n\t\tmoveItemInArray (arr, oldIndex, newIndex) {\n\n\t\t\tif (newIndex >= arr.length) {\n\n\t\t\t\tvar k = newIndex - arr.length + 1;\n\n\t\t\t\twhile (k--) {\n\t\t\t\t\tarr.push(undefined);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tarr.splice(newIndex, 0, arr.splice(oldIndex, 1)[0]);\n\n\t\t\treturn arr;\n\t\t},\n\t\toffsetDateForDST: function (dateISO) {\n\n\t\t\treturn moment(dateISO).isDST() ? moment(dateISO).add(1, 'h').format(config.dateFormatISO) : moment(dateISO).format(config.dateFormatISO);\n\t\t},\n\t\topenMailToFromObj: function (mailToObj) {\n\n\t\t\tvar mailToUri = service.getMailToFromMessage(mailToObj);\n\n\t\t\twindow.location.href = mailToUri;\n\t\t},\n\t\tpadZeroes: function (number, length) {\n\n\t\t\tvar resultString = '' + number;\n\n\t\t\twhile (resultString.length < length) {\n\t\t\t\tresultString = '0' + resultString;\n\t\t\t}\n\t\t\treturn resultString;\n\t\t},\n\t\tparseIsoDate: function (isoDate) {\n\n\t\t\t// If undefined set to todays date\n\t\t\tif (isoDate === undefined || isoDate === '' || !moment(isoDate).isValid()) {\n\n\t\t\t\tif (config.isInDebugMode) {\n\t\t\t\t\tconsole.warn('ISO date is not defined or invalid, setting as undefined');\n\t\t\t\t}\n\n\t\t\t\treturn undefined;\n\t\t\t}\n\n\t\t\t// Make sure date format is ISO string\n\t\t\tisoDate = moment(isoDate).format();\n\n\t\t\t// If valid ISO date, convert to JS date object\n\t\t\tif (isoDate.indexOf('T') > -1) {\n\t\t\t\tisoDate = isoDate.split('T')[0];\n\t\t\t}\n\n\t\t\tvar parts = isoDate.split('-');\n\t\t\tvar newDate = new Date(parts[0], parts[1]-1, parts[2]);\n\n\t\t\t// Get browser time\n\t\t\tnewDate.setTime(newDate.getTime());\n\n\t\t\treturn newDate;\n\t\t},\n\t\tpaycircleDecodeEmail: function (string) {\n\n\t\t\tstring = string.replace(/~/g, '+');\n\t\t\tstring = string.replace(/%20/g, '+');\n\t\t\tstring = string.replace(/ /g, '+');\n\n\t\t\treturn string;\n\t\t},\n\t\tprofilingEnd: (profileKey) => {\n\n\t\t\tif (service.isDevelopment()) {\n\t\t\t\tconsole.timeEnd(profileKey);\n\t\t\t}\n\t\t},\n\t\tprofilingStart: (profileKey) => {\n\n\t\t\tif (service.isDevelopment()) {\n\t\t\t\tconsole.time(profileKey);\n\t\t\t}\n\t\t},\n\t\treadCookie: function (name) {\n\n\t\t\tvar match = name + '=';\n\t\t\tvar cookieList = document.cookie.split(';');\n\t\t\tvar i;\n\n\t\t\tfor (i = 0; i < cookieList.length; i++) {\n\n\t\t\t\tvar cookie = cookieList[i];\n\n\t\t\t\twhile (cookie.charAt(0) === ' ') {\n\t\t\t\t\tcookie = cookie.substring(1, cookie.length);\n\t\t\t\t}\n\n\t\t\t\tif (cookie.indexOf(match) === 0) {\n\t\t\t\t\treturn cookie.substring(match.length, cookie.length);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn null;\n\t\t},\n\t\treloadPage: () => {\n\t\t\t$window.location.reload();\n\t\t},\n\t\t/**\n\t\t * Create a copy of an object with all decorators removed.\n\t\t * A decorator is identified as any property that doesn't begin with an uppercase letter.\n\t\t * @param {Object} obj - object from which to strip decorators\n\t\t * @returns - a copy of the object with decorators removed\n\t\t */\n\t\t removeDecorators: (obj) => {\n\t\t\t// If a simple type or null (typeof null === 'object'!), return it.\n\t\t\tif (typeof obj !== 'object' || obj === null) {\n\t\t\t\treturn obj;\n\t\t\t}\n\t\t\t// Create copy for populating\n\t\t\tlet objCopy = {};\n\t\t\t// Go through properties on object\n\t\t\tObject.keys(obj).forEach(propertyName => {\n\t\t\t\t// Get first character of property name\n\t\t\t\tconst initChar = propertyName[0];\n\t\t\t\t// Only retain the property in the copy if it begins with an uppercase letter\n\t\t\t\tif (initChar >= 'A' && initChar <= 'Z') {\n\t\t\t\t\t// Get the property value for convienience\n\t\t\t\t\tconst propertyValue = obj[propertyName];\n\t\t\t\t\t// Set property on copy depending on property value type\n\t\t\t\t\tif (Array.isArray(propertyValue)) {\n\t\t\t\t\t\t// It's an array, copy each item to a new array\n\t\t\t\t\t\tobjCopy[propertyName] = [];\n\t\t\t\t\t\tpropertyValue.forEach(item => {\n\t\t\t\t\t\t\t// Create copy of array item without decorators\n\t\t\t\t\t\t\tobjCopy[propertyName].push(service.removeDecorators(item));\n\t\t\t\t\t\t});\n\t\t\t\t\t}\n\t\t\t\t\telse if (typeof propertyValue === 'object') {\n\t\t\t\t\t\t// The property is another object. Create a copy of it without decorators\n\t\t\t\t\t\tobjCopy[propertyName] = service.removeDecorators(propertyValue);\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\t// Simple non-reference value, just assign\n\t\t\t\t\t\tobjCopy[propertyName] = propertyValue;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t});\n\t\t\treturn objCopy;\n\t\t},\n\t\tremoveDuplicatesFromArrayByObjectProperty: (myArr, propertyName) => {\n\n\t\t return myArr.filter((obj, pos, arr) => {\n\t\t return arr.map(mapObj => mapObj[propertyName]).indexOf(obj[propertyName]) === pos;\n\t\t });\n\t\t},\n\t\tremoveDuplicatesFromArrayOfStrings: array => {\n\t\t\treturn Array.from(new Set(array));\n\t\t},\n\t\tremoveFromStoredArray: (arrKey, itemKey, guid) => {\n\n\t\t\tlet array = service.getStoredArray(arrKey);\n\n\t\t\t// Find item\n\t\t\tconst itemIndex = array.findIndex(arrayItem => arrayItem === `${itemKey}-${guid}`);\n\n\t\t\t// Remove and reinstate in storage if found. If not found, nothing happens.\n\t\t\tif (itemIndex !== -1) {\n\t\t\t\tarray.splice(itemIndex, 1);\n\t\t\t\tservice.addToStorage(arrKey, array.join(','));\n\t\t\t}\n\n\t\t},\n\t\tremoveHyphens: function (str) {\n\n\t\t\treturn str.replace(/-/g, '');\n\t\t},\n\t\tremoveSpaces: function (str) {\n\n\t\t\treturn str.replace(/\\s/g, '');\n\t\t},\n\t\troundTo: function (n, digits) {\n\n\t\t\tvar negative = false;\n\n\t\t\t// Default digits\n\t\t\tif (digits === undefined) {\n\t\t\t\tdigits = 0;\n\t\t\t}\n\n\t\t\t// Negative numbers\n\t\t\tif (n < 0) {\n\t\t\t\tnegative = true;\n\t\t\t \tn = n * -1;\n\t\t\t}\n\n\t\t\tvar multiplicator = Math.pow(10, digits);\n\n\t\t\tn = parseFloat((n * multiplicator).toFixed(11));\n\t\t\tn = (Math.round(n) / multiplicator).toFixed(2);\n\n\t\t\tif (negative) {\n\t\t\t\tn = (n * -1).toFixed(2);\n\t\t\t}\n\n\t\t\treturn parseFloat(n);\n\t\t},\n\t\tseparateIPv4Address: function (ipAddress) {\n\n\t\t\t// Validate and split an IP address out into its constituent parts. Return nowt if it's invalid.\n\t\t\tif (!angular.isDefined(ipAddress) || ipAddress === null || !angular.isDefined(ipAddress.split)) {\n\t\t\t\t// No ip address or can't split it, no dice.\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tconst ipAddressParts = ipAddress.split('.');\n\t\t\tif (ipAddressParts.length !== 4) {\n\t\t\t\t// Needs four parts\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Each part needs to be valid\n\t\t\tfor (let i = 0, ii = ipAddressParts.length; i < ii; i++) {\n\t\t\t\tif (!this.isValidIPv4AddressPart(ipAddressParts[i])) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// All good.\n\t\t\treturn ipAddressParts;\n\t\t},\n\t\tserialiseObj: function (obj) {\n\n\t\t\tvar result = [];\n\n\t\t\tfor (var property in obj) {\n\t\t\t\tif (obj[property] && obj[property] !== undefined && obj[property] !== '') {\n\t\t\t\t\tresult.push(encodeURIComponent(property) + '=' + encodeURIComponent(obj[property]));\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn result.join('&');\n\t\t},\n\t\tsetAnyPropertiesToEmptyIfZero: function (obj) {\n\n\t\t\tfor (var key in obj) {\n\t\t\t\tif (obj.hasOwnProperty(key)) {\n\t\t\t\t\tobj[key] = obj[key] !== 0 ? obj[key] : '';\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn obj;\n\t\t},\n\t\tsetAnyPropertiesToZeroIfEmpty: function (obj) {\n\n\t\t\tfor (var key in obj) {\n\t\t\t\tif (obj.hasOwnProperty(key)) {\n\t\t\t\t\tobj[key] = obj[key] !== '' ? obj[key] : 0;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn obj;\n\t\t},\n\t\tsetAnyPropertiesToValueIfNull: (obj, value) => {\n\n\t\t\tfor (var key in obj) {\n\t\t\t\tif (obj.hasOwnProperty(key)) {\n\n\t\t\t\t\t// if array of objects then set those propterties too\n\t\t\t\t\tif (angular.isArray(obj[key])) {\n\t\t\t\t\t\tif (obj[key].length > 0 && angular.isObject(obj[key][0])) {\n\t\t\t\t\t\t\tfor (let arrayObj of obj[key]) {\n\t\t\t\t\t\t\t\tservice.setAnyPropertiesToValueIfNull(arrayObj, value);\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\n\t\t\t\t\t} else {\n\t\t\t\t\t\tobj[key] = obj[key] === null ? value : obj[key];\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn obj;\n\t\t},\n\t\tsetPropertiesValuesToEmptyIfZero: function (propertyObj, propertyKeysArr) {\n\n\t\t\tpropertyKeysArr.forEach(propertyKey => {\n\t\t\t\tpropertyObj[propertyKey] = service.setPropertyValueToEmptyIfZero(propertyObj[propertyKey]);\n\t\t\t});\n\t\t},\n\t\tsetPropertiesValuesToZeroIfEmpty: function (propertyObj, propertyKeysArr) {\n\n\t\t\tpropertyKeysArr.forEach(propertyKey => {\n\t\t\t\tpropertyObj[propertyKey] = service.setPropertyValueToZeroIfEmpty(propertyObj[propertyKey]);\n\t\t\t});\n\t\t},\n\t\tsetPropertiesValuesToZeroIfNull: function (propertyObj, propertyKeysArr) {\n\n\t\t\tpropertyKeysArr.forEach(propertyKey => {\n\t\t\t\tpropertyObj[propertyKey] = service.setPropertyValueToZeroIfNull(propertyObj[propertyKey]);\n\t\t\t});\n\t\t},\n\t\tsetPropertyValueToEmptyIfZero: function (propertyValue) {\n\n\t\t\treturn propertyValue === 0 ? '' : propertyValue;\n\t\t},\n\t\tsetPropertyValueToNullIfEmptyGuid: function (propertyValue) {\n\n\t\t\treturn propertyValue === config.guidEmpty ? null : propertyValue;\n\t\t},\n\t\tsetPropertyValueToNullIfEmptyString: function (propertyValue) {\n\n\t\t\treturn propertyValue === '' ? null : propertyValue;\n\t\t},\n\t\tsetPropertyValueToNullIfZero: function (propertyValue) {\n\n\t\t\treturn propertyValue === 0 ? null : propertyValue;\n\t\t},\n\t\tsetPropertyValueToZeroIfEmpty: function (propertyValue) {\n\n\t\t\treturn propertyValue === '' ? 0 : propertyValue;\n\t\t},\n\t\tsetPropertyValueToZeroIfNull: function (propertyValue) {\n\n\t\t\treturn propertyValue === null ? 0 : propertyValue;\n\t\t},\n\t\tshuffleArray: function (array) {\n\n\t\t\tvar m = array.length, t, i;\n\n\t\t\t// While there remain elements to shuffle\n\t\t\twhile (m) {\n\t\t\t\t// Pick a remaining element…\n\t\t\t\ti = Math.floor(Math.random() * m--);\n\n\t\t\t\t// And swap it with the current element.\n\t\t\t\tt = array[m];\n\t\t\t\tarray[m] = array[i];\n\t\t\t\tarray[i] = t;\n\t\t\t}\n\n\t\t\treturn array;\n\t\t},\n\t\tslugify: function (string) {\n\n\t\t\tif (!string) {\n\t\t\t\treturn '';\n\t\t\t}\n\n\t\t\t// Lowercase / trim\n\t\t\tvar slug = string.toLowerCase().trim();\n\n\t\t\t// Replace invalid chars with spaces\n\t\t\tslug = slug.replace(/[^a-z0-9\\s-]/g, ' ');\n\n\t\t\t// Replace multiple spaces or hyphens with a single hyphen\n\t\t\tslug = slug.replace(/[\\s-]+/g, '-');\n\n\t\t\treturn slug;\n\t\t},\n\t\t// Convert ' A string Like This ' to snake case, 'a-string-like-this'. (It gets trimmed too)\n\t\tsnakeCase: function (string) {\n\t\t\treturn string.toLowerCase().trim().split(' ').join('-');\n\t\t},\n\t\tstripError: function (error) {\n\n\t\t\t// Check if returned data object is a string that starts with 'ERROR'\n\t\t\tif (typeof error === 'string' && error.substring(0, 7) === '\"ERROR:') {\n\n\t\t\t\tif (error.substring(error.length - 1) === '\"') {\n\t\t\t\t\terror = error.substring(0, error.length - 1);\n\t\t\t\t}\n\n\t\t\t\treturn error.substring(8);\n\t\t\t}\n\t\t\tif (typeof error === 'string' && error.substring(0, 6) === 'ERROR:') {\n\t\t\t\treturn error.substring(7);\n\t\t\t}\n\t\t\tif (typeof error === 'string' && error.substring(0, 5) === 'ERROR') {\n\t\t\t\treturn error.substring(6);\n\t\t\t}\n\n\t\t\t// Return the error intact if it hasn't been fiddled with\n\t\t\treturn error;\n\t\t},\n\t\tstripCurrencySymbol: function (value) {\n\n\t\t\t// Check if returned data object is a string that starts with 'ERROR'\n\t\t\tif (typeof value === 'string' && value.substring(0, 1) === '£') {\n\n\t\t\t\tvalue = value.split();\n\t\t\t\treturn value[0];\n\n\t\t\t}\n\t\t},\n\t\ttoCamelCase: function (str) {\n\n\t\t\tif (!str || str === '' || str === undefined) {\n\t\t\t\treturn '';\n\t\t\t}\n\n\t\t\treturn str\n\t\t\t\t.replace(/\\s(.)/g, function($1) { return $1.toUpperCase(); })\n\t\t\t\t.replace(/\\s/g, '')\n\t\t\t\t.replace(/^(.)/, function($1) { return $1.toLowerCase(); });\n\t\t},\n\t\ttoggleBrowserFullScreen: element => {\n\n\t\t\telement = element || document.documentElement;\n\n\t\t\tif ((document.fullScreenElement && document.fullScreenElement !== null) || (!document.mozFullScreen && !document.webkitIsFullScreen)) {\n\t\t\t\tif (element.requestFullScreen) {\n\t\t\t\t\telement.requestFullScreen();\n\t\t\t\t}\n\t\t\t\telse if (element.mozRequestFullScreen) {\n\t\t\t\t\telement.mozRequestFullScreen();\n\t\t\t\t}\n\t\t\t\telse if (element.webkitRequestFullScreen) {\n\t\t\t\t\telement.webkitRequestFullScreen(Element.ALLOW_KEYBOARD_INPUT);\n\t\t\t\t}\n\t\t\t}\n\t\t\telse {\n\t\t\t\tif (document.cancelFullScreen) {\n\t\t\t\t\tdocument.cancelFullScreen();\n\t\t\t\t}\n\t\t\t\telse if (document.mozCancelFullScreen) {\n\t\t\t\t\tdocument.mozCancelFullScreen();\n\t\t\t\t}\n\t\t\t\telse if (document.webkitCancelFullScreen) {\n\t\t\t\t\tdocument.webkitCancelFullScreen();\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\t\ttokenise: function (data) {\n\n\t\t\tif (data === undefined || data === null) {\n\t\t\t\tdata = {};\n\t\t\t}\n\n\t\t\tangular.extend(data, {\n\t\t\t\t'AuthString': service.getToken()\n\t\t\t});\n\n\t\t\treturn data;\n\t\t},\n\t\ttruncate: (string, length, includeQuotes) => {\n\n\t\t\tif (angular.isUndefined(string)) {\n\t\t\t\treturn string;\n\t\t\t}\n\n\t\t\tif (string.length > length) {\n\t\t\t\tstring = `${string.slice(0, length)}…`;\n\t\t\t}\n\n\t\t\tif (includeQuotes) {\n\t\t\t\tstring = `“${string}”`;\n\t\t\t}\n\n\t\t\treturn string;\n\t\t},\n\t\tuserHasRole: function (user, roles) {\n\n\t\t\tif (!user) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\t// If multiple roles, only use primary role\n\t\t\tvar userPrimaryRole = service.getPrimaryRole(user.UserResponseRoles);\n\n\t\t\t// User has no roles assigned\n\t\t\tif (!userPrimaryRole) {\n\t\t\t\tconsole.warn('User has no roles assigned');\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\t// Make authorised roles an array if it's a string - future proofing\n\t\t\tif (!angular.isArray(roles)) {\n\t\t\t\troles = [roles];\n\t\t\t}\n\n\t\t\tvar noRoles = roles.length;\n\t\t\tvar i = 0;\n\n\t\t\tfor (i; i < noRoles; i++) {\n\n\t\t\t\t// All other roles (get roles from set user roles)\n\t\t\t\tif (roles[i] === userPrimaryRole) {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn false;\n\t\t},\n\t\ttoSentenceCase: function (str) {\n\t\t\t// Convert 'this sentence and so on and so forth' to 'This sentence and so on and so forth'\n\t\t\treturn str.charAt(0).toUpperCase() + str.substr(1);\n\t\t},\n\t\ttoTitleCase: function (str) {\n\t\t\treturn str.replace(/\\w\\S*/g, function(txt){return txt.charAt(0).toUpperCase() + txt.substr(1).toLowerCase();});\n\t\t},\n\t\t/* For embedding fixed descriptions (in Sentence case) into other text where the Sentence case needs to be undone.\n\t\t There might be a better name for this. All it does is loweer case the first character of a string. */\n\t\ttoUnsentenceCase: function (str) {\n\t\t\t// Convert 'This sentence AND SO ON and So Forth' to 'this sentence AND SO ON and So Forth'\n\t\t\treturn str.charAt(0).toLowerCase() + str.substr(1);\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\n/**\n * Service used for validation across the application\n */\nangular.module('paycircleApp')\n.service('validationService', ['config', 'REGEX', function (config, REGEX) {\n\n\tvar service = {\n\t\tisEmpty: function (obj) {\n\n\t\t\tvar hasOwnProperty = Object.prototype.hasOwnProperty;\n\n\t\t\t// null and undefined are \"empty\"\n\t\t\tif (obj === null) { return true; }\n\t\t\tif (obj === undefined) { return true; }\n\n\t\t\t// Assume if it has a length property with a non-zero value\n\t\t\t// that that property is correct.\n\t\t\tif (obj.length > 0) { return false; }\n\t\t\tif (obj.length === 0) { return true; }\n\n\t\t\t// Otherwise, does it have any properties of its own?\n\t\t\t// Note that this doesn't handle\n\t\t\t// toString and valueOf enumeration bugs in IE < 9\n\t\t\tfor (var key in obj) {\n\t\t\t\tif (hasOwnProperty.call(obj, key)) { return false; }\n\t\t\t}\n\n\t\t\treturn true;\n\t\t},\n\t\tisEmptyGuid: function (guid) {\n\n\t\t\treturn guid === config.guidEmpty;\n\t\t},\n\t\tisNotDefined: function (property) {\n\n\t\t\treturn property === '';\n\t\t},\n\t\tisValidDate: function (date) {\n\n\t\t\treturn REGEX.date.test(date);\n\t\t},\n\t\tisValidEmail: function (email) {\n\n\t\t\treturn REGEX.email.test(email);\n\t\t},\n\t\tisValidGender: function (gender) {\n\n\t\t\tif (!gender || gender === undefined || gender === '') {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\tswitch (gender) {\n\t\t\t\tcase 'Male':\n\t\t\t\tcase 'M':\n\t\t\t\tcase 'm':\n\t\t\t\tcase 'Female':\n\t\t\t\tcase 'F':\n\t\t\t\tcase 'f':\n\t\t\t\t\treturn true;\n\t\t\t\tdefault:\n\t\t\t\t\treturn false;\n\t\t\t}\n\t\t},\n\t\tisValidGuid: function (guid) {\n\n\t\t\treturn REGEX.guid.test(guid);\n\t\t},\n\t\tisValidLettersAndNumbers: function (value) {\n\n\t\t\treturn REGEX.lettersAndNumbers.test(value);\n\t\t},\n\t\tisValidName: function (name) {\n\n\t\t\treturn REGEX.name.test(name);\n\t\t},\n\t\tisValidNI: function (niNumber) {\n\n\t\t\treturn REGEX.NI.test(niNumber);\n\t\t},\n\t\tisValidPassword: function (password) {\n\n\t\t\treturn REGEX.paycirclePasswordWeak.test(password);\n\t\t},\n\t\tisValidPostcode: function (toCheck) {\n\n\t\t\t// Permitted letters depend upon their position in the postcode.\n\t\t\tvar alpha1 = '[abcdefghijklmnoprstuwyz]'; // Character 1\n\t\t\tvar alpha2 = '[abcdefghklmnopqrstuvwxy]'; // Character 2\n\t\t\tvar alpha3 = '[abcdefghjkpmnrstuvwxy]'; // Character 3\n\t\t\tvar alpha4 = '[abehmnprvwxy]'; // Character 4\n\t\t\tvar alpha5 = '[abdefghjlnpqrstuwxyz]'; // Character 5\n\t\t\tvar BFPOa5 = '[abdefghjlnpqrst]'; // BFPO alpha5\n\t\t\tvar BFPOa6 = '[abdefghjlnpqrstuwzyz]'; // BFPO alpha6\n\n\t\t\t// Array holds the regular expressions for the valid postcodes\n\t\t\tvar pcexp = [];\n\n\t\t\t// BFPO postcodes\n\t\t\tpcexp.push (new RegExp ('^(bf1)(\\\\s*)([0-6]{1}' + BFPOa5 + '{1}' + BFPOa6 + '{1})$','i'));\n\n\t\t\t// Expression for postcodes: AN NAA, ANN NAA, AAN NAA, and AANN NAA\n\t\t\tpcexp.push (new RegExp ('^(' + alpha1 + '{1}' + alpha2 + '?[0-9]{1,2})(\\\\s*)([0-9]{1}' + alpha5 + '{2})$','i'));\n\n\t\t\t// Expression for postcodes: ANA NAA\n\t\t\tpcexp.push (new RegExp ('^(' + alpha1 + '{1}[0-9]{1}' + alpha3 + '{1})(\\\\s*)([0-9]{1}' + alpha5 + '{2})$','i'));\n\n\t\t\t// Expression for postcodes: AANA NAA\n\t\t\tpcexp.push (new RegExp ('^(' + alpha1 + '{1}' + alpha2 + '{1}' + '?[0-9]{1}' + alpha4 +'{1})(\\\\s*)([0-9]{1}' + alpha5 + '{2})$','i'));\n\n\t\t\t// Exception for the special postcode GIR 0AA\n\t\t\tpcexp.push (/^(GIR)(\\s*)(0AA)$/i);\n\n\t\t\t// Standard BFPO numbers\n\t\t\tpcexp.push (/^(bfpo)(\\s*)([0-9]{1,4})$/i);\n\n\t\t\t// c/o BFPO numbers\n\t\t\tpcexp.push (/^(bfpo)(\\s*)(c\\/o\\s*[0-9]{1,3})$/i);\n\n\t\t\t// Overseas Territories\n\t\t\tpcexp.push (/^([A-Z]{4})(\\s*)(1ZZ)$/i);\n\n\t\t\t// Anguilla\n\t\t\tpcexp.push (/^(ai-2640)$/i);\n\n\t\t\t// Load up the string to check\n\t\t\tvar postCode = toCheck;\n\n\t\t\t// Assume we're not going to find a valid postcode\n\t\t\tvar valid = false;\n\n\t\t\t// Check the string against the types of post codes\n\t\t\tfor ( var i=0; i {\n\n\t\t\tif (!workflowTemplateEntryObj) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\tif ($rootScope.userHasRole([USER_ROLES.groupadminlite, USER_ROLES.companyadministratorlite])) {\n\t\t\t\treturn (workflowTemplateEntryObj.Number === 1);\n\t\t\t} else {\n\t\t\t\treturn (workflowTemplateEntryObj.Number === 1 || workflowTemplateEntryObj.Number === 2);\n\t\t\t}\n\n\t\t\treturn false;\n\t\t},\n\n\t\tisWorkflowActive: function (companyObj, workflowTemplatesArr) {\n\n\t\t\treturn companyObj.IsWorkflowEnabled && workflowTemplatesArr.length && workflowTemplatesArr[0].State === WORKFLOW_TEMPLATE_STATES.active;\n\t\t},\n\n\t\tdecorateWorkflowActivityLogForGrouping: function (workflowActivityLogArr) {\n\n\t\t\t/* This is all about enforcing a hierarchical like structure over a list, in order to display appropriate\n\t\t\t date dividers and item separators in the UI, whilst enabling the built-in search mechanism, which has to be\n\t\t\t applied over a flat list. Create a group ID for each entry, as well as metadata for presentation. */\n\t\t\tworkflowActivityLogArr.forEach(workflowActivityLogEntry => {\n\t\t\t\tworkflowActivityLogEntry.groupID = moment(workflowActivityLogEntry.LogDateISO).format('YYYYMMDD');\n\t\t\t\tworkflowActivityLogEntry.logMetadata = logService.getLogMetaForWorkflowStepLogEntry(workflowActivityLogEntry);\n\t\t\t});\n\n\t\t\t/* Decorate items with indicators for new group (i.e. a point where a date divider is required) and\n\t\t\t last of group, to allow distinct styling to be applied to those. */\n\t\t\tlet currentGroupName;\n\t\t\tlet previousItem;\n\t\t\tworkflowActivityLogArr.forEach(item => {\n\t\t\t\tlet newGroup = (!currentGroupName || currentGroupName !== item.groupID);\n\t\t\t\titem.newGroup = newGroup;\n\t\t\t\tif (newGroup) {\n\t\t\t\t\tcurrentGroupName = item.groupID;\n\t\t\t\t\tif (previousItem) {\n\t\t\t\t\t\tpreviousItem.lastOfGroup = newGroup;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\tpreviousItem = item;\n\t\t\t});\n\t\t\t/* The last thing of all should be considered the last of the group, but the above shennanigans\n\t\t\t won't detect that */\n\t\t\tpreviousItem.lastOfGroup = true;\n\t\t},\n\n\t\trefreshUserTasks: (agencyProfileId, userId) => {\n\n\t\t\t$rootScope.userTasks = null;\n\n\t\t\tconst getPayrollTasks = messageData.getMessagesForRecipient(agencyProfileId, userId);\n\t\t\tconst getWorkflowTasks = messageData.getWorkflowTemplateCurrentEntriesForUser(agencyProfileId);\n\n\t\t\treturn $q((onComplete, onError) => {\n\t\t\t\t$q.all([getPayrollTasks, getWorkflowTasks]).then(([payrollTasksArr, workflowTasksArr]) => {\n\n\t\t\t\t\tlet userTasksObj = {\n\t\t\t\t\t\tpayroll: payrollTasksArr,\n\t\t\t\t\t\tworkflow: workflowTasksArr,\n\t\t\t\t\t\tcount: payrollTasksArr.length + workflowTasksArr.length\n\t\t\t\t\t};\n\n\t\t\t\t\t$rootScope.userTasks = userTasksObj;\n\t\t\t\t\tservice.updateUserTasksCount();\n\n\t\t\t\t\tonComplete(userTasksObj);\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\t\t\t});\n\t\t},\n\n\t\tremoveStoredTasks: () => {\n\t\t\t$rootScope.userTasks = null;\n\t\t},\n\n\t\tupdateUserTasksCount: () => {\n\n\t\t\tlet userTasks = $rootScope.userTasks;\n\n\t\t\t// Count workflow tasks due today or overdue and payroll tasks that are incomplete\n\t\t\tlet dueCount = 0;\n\t\t\tdueCount += userTasks.payroll.reduce((count, task) => {\n\t\t\t\treturn (count + (task.IsComplete ? 0 : 1));\n\t\t\t}, 0);\n\t\t\tdueCount += userTasks.workflow.reduce((count, task) => {\n\t\t\t\treturn (count + ((task.IsOverdue || moment(task.DueDateISO).isSame(moment(), 'day')) ? 1 : 0));\n\t\t\t}, 0);\n\n\t\t\tuserTasks.dueCount = dueCount;\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\n/**\n * @ngdoc Wizard Service\n * @name paycircleApp.wizardService\n * @description\n * # Wizard Service\n */\nangular.module('paycircleApp')\n.service('wizardService', [\n\t'$q',\n\t'$rootScope',\n\t'teamData',\n\t'FORM_WIZARD_KEYS',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\tteamData,\n\t\tFORM_WIZARD_KEYS\n\t) {\n\n\tconst service = {\n\n\t\tgetRedundantCompanyPensionSetupForms: pensionObj => {\n\n\t\t\tif (pensionObj.IsGhostPension) {\n\t\t\t\treturn ['add-new-company-pension-provider', 'add-new-company-pension-settings', 'add-new-company-pension-groups'];\n\n\t\t\t} else {\n\t\t\t\treturn [];\n\t\t\t}\n\t\t},\n\n\t\tgetTeamMemberFinishedForm: formsArr => {\n\t\t\tformsArr.push(\n\t\t\t\t{\n\t\t\t\t\tformKey: 'finished-adding-team-member',\n\t\t\t\t\tstate: 0\n\t\t\t\t}\n\t\t\t);\n\t\t},\n\n\t\tgetTeamMemberInformation: formOptionsObj => {\n\n\t\t\tconst deferred = $q.defer();\n\n\t\t\t// Use object set at form wizard level\n\t\t\tif (angular.isObject(formOptionsObj.teamMemberInformation)) {\n\t\t\t\tdeferred.resolve(formOptionsObj.teamMemberInformation);\n\t\t\t}\n\n\t\t\t// Make call to service\n\t\t\telse {\n\n\t\t\t\tteamData.getTeamMemberInformation(formOptionsObj.userId, formOptionsObj.agencyProfileId).then(teamMemberObj => {\n\t\t\t\t\tdeferred.resolve(teamMemberObj);\n\t\t\t\t})\n\t\t\t\t.catch(error => {\n\t\t\t\t\tdeferred.reject(error);\n\t\t\t\t});\n\t\t\t}\n\n\t\t\treturn deferred.promise;\n\t\t},\n\n\t\tgetWizardLastFormIndex: wizardKey => {\n\n\t\t\tlet formsArray;\n\n\t\t\tswitch (wizardKey) {\n\n\t\t\t\tcase FORM_WIZARD_KEYS.companyPayroll:\n\t\t\t\t\tformsArray = service.getWizardCompanyPayrollForms();\n\t\t\t\t\tbreak;\n\t\t\t}\n\n\t\t\treturn formsArray.length - 1;\n\t\t},\n\n\t\t// Returns a list of forms for the company wizard\n\t\tgetWizardCompanyForms: () => {\n\n\t\t\t// Basic company forms (inc. payroll)\n\t\t\tconst forms = [\n\t\t\t\t{\n\t\t\t\t\tformKey: 'add-new-company',\n\t\t\t\t\tstate: 0\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tformKey: 'add-new-company-modules',\n\t\t\t\t\tstate: 0\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tformKey: 'add-new-company-payroll',\n\t\t\t\t\tstate: 0\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tformKey: 'add-new-company-pay-periods',\n\t\t\t\t\tstate: 0\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tformKey: 'add-new-company-additional-info',\n\t\t\t\t\tstate: 0\n\t\t\t\t}\n\t\t\t];\n\n\t\t\t// If CIS only, or Pension only, remove last form\n\t\t\tif (service.newCompany &&\n\t\t\t\t!service.newCompany.IsPayrollActive &&\n\t\t\t\t(\n\t\t\t\t\t(service.newCompany.IsCISActive && !service.newCompany.IsPensionActive) ||\n\t\t\t\t\t(!service.newCompany.IsCISActive && service.newCompany.IsPensionActive)\n\t\t\t\t)\n\t\t\t) {\n\t\t\t\tforms.pop();\n\t\t\t}\n\n\t\t\t// If pension module, but pension deferred, just include the pension ghost form, where the deferred option lives\n\t\t\tif (service.newCompany && service.newCompany.IsPensionActive) {\n\t\t\t\tforms.push(\n\t\t\t\t\t{\n\t\t\t\t\t\tformKey: 'add-new-company-pension-ghost',\n\t\t\t\t\t\tstate: 0\n\t\t\t\t\t}\n\t\t\t\t);\n\t\t\t\tif (!service.newCompany.isPensionSchemeSetupDeferred) {\n\t\t\t\t\tforms.push(\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'add-new-company-pension-provider',\n\t\t\t\t\t\t\tstate: 0\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'add-new-company-pension-automation',\n\t\t\t\t\t\t\tstate: 0\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'add-new-company-pension-staging',\n\t\t\t\t\t\t\tstate: 0\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'add-new-company-pension-settings',\n\t\t\t\t\t\t\tstate: 0\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'add-new-company-pension-postponement',\n\t\t\t\t\t\t\tstate: 0\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'add-new-company-pension-groups',\n\t\t\t\t\t\t\tstate: 0\n\t\t\t\t\t\t}\n\t\t\t\t\t);\n\t\t\t\t\t// Removed redundant pension setup forms (based on setup)\n\t\t\t\t\tconst unusedPensionWizardStepsArr = service.getRedundantCompanyPensionSetupForms(service.newPension);\n\t\t\t\t\tfor (let unusedStep of unusedPensionWizardStepsArr) {\n\t\t\t\t\t\tforms.splice(forms.findIndex(wizardStep => wizardStep.formKey === unusedStep), 1);\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Finished state\n\t\t\tforms.push(\n\t\t\t\t{\n\t\t\t\t\tformKey: 'finished-adding-new-company',\n\t\t\t\t\tstate: 0\n\t\t\t\t}\n\t\t\t);\n\n\t\t\treturn forms;\n\t\t},\n\n\t\t// Returns a list of forms for the company wizard\n\t\tgetWizardCompanyPayrollForms: () => {\n\n\t\t\t// Basic company forms (inc. payroll)\n\t\t\treturn [\n\t\t\t\t{\n\t\t\t\t\tformKey: 'company-settings-payroll-settings',\n\t\t\t\t\tstate: 0\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tformKey: 'company-settings-payslips',\n\t\t\t\t\tstate: 0\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tformKey: 'company-settings-support-contact',\n\t\t\t\t\tstate: 0\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tformKey: 'company-settings-work-durations',\n\t\t\t\t\tstate: 0\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tformKey: 'company-settings-calculation-method',\n\t\t\t\t\tstate: 0\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tformKey: 'company-settings-employer',\n\t\t\t\t\tstate: 0\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tformKey: 'company-settings-directors-ni',\n\t\t\t\t\tstate: 0\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tformKey: 'company-payroll-overview',\n\t\t\t\t\tstate: 0\n\t\t\t\t}\n\t\t\t];\n\t\t},\n\n\t\t// Returns list of forms for HR setup\n\t\tgetHRSetupWizardForms: () => {\n\t\t\treturn [\n\t\t\t\t{\n\t\t\t\t\tformKey: 'company-settings-holiday-policy',\n\t\t\t\t\tstate: 0\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tformKey: 'company-settings-sickness-policy',\n\t\t\t\t\tstate: 0\n\t\t\t\t}\n\t\t\t];\n\t\t},\n\n \t\t// Returns list of forms for team member setup\n\t\tgetWizardTeamMemberForms: function (formGroupKey, teamMemberObj, currentPayPeriodObj, teamMemberWizardPensionObj) {\n\n\t\t\tswitch (formGroupKey) {\n\n\t\t\t\tcase 'cis-company':\n\n\t\t\t\t\tconst cisCompanyFormsArr = [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'cis-company-details',\n\t\t\t\t\t\t\tstate: teamMemberObj.CISCompanyDetailsComplete ? 1 : 0\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'cis-company-contact',\n\t\t\t\t\t\t\tstate: teamMemberObj.CISCompanyContactComplete ? 1 : 0\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'payment-details',\n\t\t\t\t\t\t\tstate: teamMemberObj.BankSetupComplete ? 1 : 0\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'finished-adding-team-member',\n\t\t\t\t\t\t\tstate: 0\n\t\t\t\t\t\t}\n\t\t\t\t\t];\n\n\t\t\t\t\tservice.getTeamMemberFinishedForm(cisCompanyFormsArr);\n\n\t\t\t\t\treturn cisCompanyFormsArr;\n\n\t\t\t\tcase 'cis-subcontractor':\n\n\t\t\t\t\tconst cisSubcontractorFormsArr = [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'cis-business-type',\n\t\t\t\t\t\t\tstate: teamMemberObj.BusinessSetupComplete ? 1 : 0\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'cis-vat',\n\t\t\t\t\t\t\tstate: teamMemberObj.VATSetupComplete ? 1 : 0\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'cis-verification',\n\t\t\t\t\t\t\tstate: teamMemberObj.VerificationSetupComplete ? 1 : 0\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'finished-adding-team-member',\n\t\t\t\t\t\t\tstate: 0\n\t\t\t\t\t\t}\n\t\t\t\t\t];\n\n\t\t\t\t\tservice.getTeamMemberFinishedForm(cisSubcontractorFormsArr);\n\n\t\t\t\t\treturn cisSubcontractorFormsArr;\n\n\t\t\t\tcase 'personal':\n\n\t\t\t\t\tconst personalFormsArr = [];\n\n\t\t\t\t\tif (teamMemberObj !== undefined) { // Edit\n\t\t\t\t\t\tpersonalFormsArr.push(\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tformKey: 'personal',\n\t\t\t\t\t\t\t\tstate: teamMemberObj.PersonalSetupComplete ? 1 : 0\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tformKey: 'email-address',\n\t\t\t\t\t\t\t\tstate: teamMemberObj.EmailSetupComplete ? 1 : 0\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tformKey: 'address',\n\t\t\t\t\t\t\t\tstate: teamMemberObj.AddressSetupComplete ? 1 : 0\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tformKey: 'telephone',\n\t\t\t\t\t\t\t\tstate: teamMemberObj.TelephoneSetupComplete ? 1 : 0\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tformKey: 'payment-details',\n\t\t\t\t\t\t\t\tstate: teamMemberObj.BankSetupComplete ? 1 : 0\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t);\n\n\t\t\t\t\t} else { // Add\n\t\t\t\t\t\tpersonalFormsArr.push(\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tformKey: 'personal',\n\t\t\t\t\t\t\t\tstate: 0\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tformKey: 'email-address',\n\t\t\t\t\t\t\t\tstate: 0\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tformKey: 'address',\n\t\t\t\t\t\t\t\tstate: 0\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tformKey: 'telephone',\n\t\t\t\t\t\t\t\tstate: 0\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tformKey: 'payment-details',\n\t\t\t\t\t\t\t\tstate: 0\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t);\n\t\t\t\t\t}\n\n\t\t\t\t\tservice.getTeamMemberFinishedForm(personalFormsArr);\n\n\t\t\t\t\treturn personalFormsArr;\n\t\t\t\tcase 'employment':\n\n\t\t\t\t\tconst employmentFormsArr = [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'company-details',\n\t\t\t\t\t\t\tstate: teamMemberObj.CompanySetupComplete ? 1 : 0\n\t\t\t\t\t\t}\n\t\t\t\t\t];\n\n\t\t\t\t\tif (!teamMemberObj.Company.IsOffPayrollWorker) {\n\t\t\t\t\t\temploymentFormsArr.push(\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tformKey: 'pay-information',\n\t\t\t\t\t\t\t\tstate: teamMemberObj.SalarySetupComplete ? 1 : 0\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t);\n\t\t\t\t\t}\n\n\t\t\t\t\tif (teamMemberObj.Company.IsStarter) {\n\t\t\t\t\t\temploymentFormsArr.push(\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tformKey: 'starter-information',\n\t\t\t\t\t\t\t\tstate: teamMemberObj.StarterSetupComplete ? 1 : 0\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t);\n\t\t\t\t\t} else {\n\t\t\t\t\t\tif (currentPayPeriodObj.IsYTDInformationRequired) {\n\t\t\t\t\t\t\temploymentFormsArr.push(\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tformKey: 'payments-to-date',\n\t\t\t\t\t\t\t\t\tstate: teamMemberObj.YTDSetupComplete ? 1 : 0\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t);\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t\tif ((teamMemberObj.Company.IsStarter && teamMemberObj.Tax.IsP45Available) || !teamMemberObj.Company.IsStarter) {\n\t\t\t\t\t\temploymentFormsArr.push(\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tformKey: 'tax-status',\n\t\t\t\t\t\t\t\tstate: teamMemberObj.TaxSetupComplete ? 1 : 0\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t);\n\t\t\t\t\t}\n\n\t\t\t\t\tservice.getTeamMemberFinishedForm(employmentFormsArr);\n\n\t\t\t\t\treturn employmentFormsArr;\n\n\t\t\t\tcase 'ae-pension':\n\n\t\t\t\t\tconst aePensionFormsArr = [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'pension-team-scheme-ae',\n\t\t\t\t\t\t\tstate: teamMemberWizardPensionObj.PensionSetupComplete ? 1 : 0\n\t\t\t\t\t\t}\n\t\t\t\t\t];\n\n\t\t\t\t\tif (!teamMemberWizardPensionObj.IsGhostPension) {\n\n\t\t\t\t\t\taePensionFormsArr.push({\n\t\t\t\t\t\t\tformKey: 'pension-team-status',\n\t\t\t\t\t\t\tstate: teamMemberWizardPensionObj.PensionSetupComplete ? 1 : 0\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\t// Bands for pension policy based pension, groups otherwise\n\t\t\t\t\t\tif (teamMemberWizardPensionObj.UsePensionPolicy) {\n\t\t\t\t\t\t\taePensionFormsArr.push({\n\t\t\t\t\t\t\t\tformKey: 'pension-team-bands',\n\t\t\t\t\t\t\t\tstate: teamMemberWizardPensionObj.PensionGroupSetupComplete ? 1 : 0\n\t\t\t\t\t\t\t});\n\t\t\t\t\t\t}\n\t\t\t\t\t\telse {\n\t\t\t\t\t\t\taePensionFormsArr.push({\n\t\t\t\t\t\t\t\tformKey: 'pension-team-groups',\n\t\t\t\t\t\t\t\tstate: teamMemberWizardPensionObj.PensionGroupSetupComplete ? 1 : 0\n\t\t\t\t\t\t\t});\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\taePensionFormsArr.push({\n\t\t\t\t\t\t\tformKey: 'pension-team-contributions-ae',\n\t\t\t\t\t\t\tstate: teamMemberWizardPensionObj.PensionSetupComplete ? 1 : 0\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\tif (teamMemberWizardPensionObj.CanBeSalarySacrifice) {\n\t\t\t\t\t\t\taePensionFormsArr.push({\n\t\t\t\t\t\t\t\tformKey: 'pension-team-salary-sacrifice',\n\t\t\t\t\t\t\t\tstate: teamMemberWizardPensionObj.PensionSetupComplete ? 1 : 0\n\t\t\t\t\t\t\t});\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t\tservice.getTeamMemberFinishedForm(aePensionFormsArr);\n\n\t\t\t\t\treturn aePensionFormsArr;\n\n\t\t\t\tcase 'non-ae-pension':\n\n\t\t\t\t\tconst nonAePensionFormsArr = [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'pension-team-scheme-non-ae',\n\t\t\t\t\t\t\tstate: teamMemberWizardPensionObj.PensionSetupComplete ? 1 : 0\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tformKey: 'pension-team-contributions-non-ae',\n\t\t\t\t\t\t\tstate: teamMemberWizardPensionObj.PensionSetupComplete ? 1 : 0\n\t\t\t\t\t\t}\n\t\t\t\t\t];\n\n\t\t\t\t\tservice.getTeamMemberFinishedForm(nonAePensionFormsArr);\n\n\t\t\t\t\treturn nonAePensionFormsArr;\n\n\t\t\t\tdefault:\n\t\t\t\t\t$rootScope.paycircleMessage('Wizard Service: No form group key matched', 'error');\n\t\t\t}\n\t\t},\n\n\t\tresetCompany: function () {\n\n\t\t\tthis.newCompany = null;\n\t\t},\n\n\t\tresetPension: function () {\n\n\t\t\tthis.newPension = null;\n\t\t},\n\n\t\tsaveCompany: function (companyObj) {\n\n\t\t\tservice.newCompany = companyObj;\n\t\t},\n\n\t\tsavePension: function (pensionObj) {\n\n\t\t\tservice.newPension = pensionObj;\n\t\t},\n\n\t\t// The basic skeleton needed for the creation of companies\n\t\tnewCompany: null,\n\n\t\t// The basic skeleton of the pension object used to create a new company/pension\n\t\tnewPension: null\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('workPatternService', ['config', 'utilities', 'EMPLOYMENT_TYPES', 'PAY_PERIOD_TYPES', 'WORK_PATTERN_BASIS', 'WORK_PATTERN_DAY_TYPES', 'WORK_PATTERN_GROUPS', function (config, utilities, EMPLOYMENT_TYPES, PAY_PERIOD_TYPES, WORK_PATTERN_BASIS, WORK_PATTERN_DAY_TYPES, WORK_PATTERN_GROUPS) {\n\n\tvar service = {\n\n\t\tconvertDaysToWeeks: (workPatternDays) => {\n\n\t\t\treturn utilities.groupArray(workPatternDays, 7);\n\t\t},\n\n\t\tdecorateCompanyWorkPatterns: (companyWorkPatternsArray) => {\n\n\t\t\tcompanyWorkPatternsArray.forEach((workPatternObj) => {\n\t\t\t\tworkPatternObj = service.decorateWorkPattern(workPatternObj);\n\t\t\t});\n\n\t\t\treturn companyWorkPatternsArray;\n\t\t},\n\n\t\tdecorateTeamMemberWorkPattern: (workPatternObj) => {\n\n\t\t\tworkPatternObj = service.decorateWorkPattern(workPatternObj);\n\n\t\t\treturn workPatternObj;\n\t\t},\n\n\t\tdecorateTeamMemberWorkPatterns: (workPatternsArr) => {\n\n\t\t\tworkPatternsArr.forEach((workPatternObj) => {\n\t\t\t\tworkPatternObj = service.decorateWorkPattern(workPatternObj);\n\t\t\t});\n\n\t\t\treturn workPatternsArr;\n\t\t},\n\n\t\tdecorateWorkPattern: (workPatternObj) => {\n\n\t\t\tworkPatternObj.theme = service.getWorkPatternTheme(workPatternObj);\n\t\t\tworkPatternObj.weeks = service.convertDaysToWeeks(workPatternObj.Days);\n\n\t\t\tworkPatternObj = service.updateDays(workPatternObj);\n\n\t\t\treturn workPatternObj;\n\t\t},\n\n\t\tgenerateDaysForWeeks: (workPatternDays) => {\n\n\t\t\t// Make sure there are 7 days\n\t\t\twhile (workPatternDays.length % 7 > 0) {\n\t\t\t\tworkPatternDays.push(angular.copy(workPatternDays[0]));\n\t\t\t}\n\n\t\t\treturn workPatternDays;\n\t\t},\n\n\t\tgetCompanyWorkPatternsForEmploymentType: (companyWorkPatternsArr, employmentType) => {\n\n\t\t\tconst workPatternGroup = service.getWorkPatternGroupForEmploymentType(employmentType);\n\n\t\t\treturn angular.copy(companyWorkPatternsArr).filter((companyWorkPatternObj) => {\n\n\t\t\t\treturn companyWorkPatternObj.Group === workPatternGroup;\n\t\t\t});\n\t\t},\n\n\t\tgetDefaultWorkPatternForEmploymentType: (companyWorkPatternsArr, employmentType) => {\n\n\t\t\tconst workPatternsArr = service.getCompanyWorkPatternsForEmploymentType(companyWorkPatternsArr, employmentType);\n\n\t\t\treturn workPatternsArr[0];\n\t\t},\n\n\t\tgetDefaultWorkPatternsArrForEmploymentType: (companyWorkPatternsArr, employmentType) => {\n\n\t\t\tconst defaultWorkPatternObj = service.getDefaultWorkPatternForEmploymentType(companyWorkPatternsArr, employmentType);\n\n\t\t\treturn [defaultWorkPatternObj];\n\t\t},\n\n\t\tgetWorkPatternBasis: (workPatternObj) => {\n\n\t\t\tif (workPatternObj.Group === WORK_PATTERN_GROUPS.standard) {\n\t\t\t\treturn WORK_PATTERN_BASIS.weekly;\n\t\t\t}\n\n\t\t\treturn workPatternObj.Basis;\n\t\t},\n\n\t\tgetWorkPatternDatesForSalariedWorkPattern: (workPatternObj, currentPayPeriodObj) => {\n\n\t\t\tvar periodStartDateM = moment(currentPayPeriodObj.StartDateISO);\n\t\t\tvar periodEndDateM = moment(currentPayPeriodObj.EndDateISO);\n\t\t\tvar periodPayDateM = moment(currentPayPeriodObj.PayDateISO);\n\t\t\tvar dateIterator = moment(currentPayPeriodObj.StartDateISO);\n\n\t\t\tvar returnArr = [];\n\n\t\t\twhile (dateIterator.isBefore(periodEndDateM)) {\n\n\t\t\t\tvar dateObj = {\n\t\t\t\t\tdateISO: dateIterator.format(),\n\t\t\t\t\tdateTags: []\n\t\t\t\t};\n\n\t\t\t\t// Start date\n\t\t\t\tif (dateIterator.isSame(periodStartDateM, 'day')) {\n\t\t\t\t\tdateObj.dateTags.push('Start date');\n\t\t\t\t}\n\n\t\t\t\t// Pay date\n\t\t\t\tif (dateIterator.isSame(periodPayDateM, 'day')) {\n\t\t\t\t\tdateObj.dateTags.push('Pay date');\n\t\t\t\t}\n\n\t\t\t\t// End date\n\t\t\t\tif (dateIterator.isSame(periodEndDateM, 'day')) {\n\t\t\t\t\tdateObj.dateTags.push('End date');\n\t\t\t\t}\n\n\t\t\t\treturnArr.push(dateObj);\n\n\t\t\t\tdateIterator.add(1, 'day');\n\t\t\t}\n\n\t\t\treturn returnArr;\n\t\t},\n\n\t\tgetWorkPatternDatesForWorkPattern: (workPatternObj, currentPayPeriodObj) => {\n\n\t\t\t// Salary\n\t\t\tif (workPatternObj.Group === WORK_PATTERN_GROUPS.standard) {\n\t\t\t\treturn service.getWorkPatternDatesForSalariedWorkPattern(workPatternObj);\n\t\t\t}\n\n\t\t\t// Flexi\n\t\t\telse {\n\n\t\t\t\t// Weekly\n\t\t\t\tif (workPatternObj.Basis === WORK_PATTERN_BASIS.weekly) {\n\t\t\t\t\tconsole.info(currentPayPeriodObj);\n\t\t\t\t}\n\n\t\t\t\t// Daily\n\t\t\t\telse {\n\t\t\t\t\tconsole.info(currentPayPeriodObj);\n\t\t\t\t}\n\t\t\t}\n\t\t},\n\n\t\tgetWorkPatternGroupForEmploymentType: (employmentType) => {\n\n\t\t\treturn employmentType === EMPLOYMENT_TYPES.standard ? WORK_PATTERN_GROUPS.standard : WORK_PATTERN_GROUPS.nonStandard;\n\t\t},\n\n\t\tgetWorkPatternTheme: (workPatternObj) => {\n\n\t\t\treturn workPatternObj.Group === WORK_PATTERN_GROUPS.standard ? 'is-quarternary' : 'is-secondary';\n\t\t},\n\n\t\tindexDays: (workPatternDays) => {\n\n\t\t\tif (!workPatternDays.length) {\n\t\t\t\tconsole.error('No work pattern days are defined.');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Make sure each day has a unique DayNumber (index) value\n\t\t\tworkPatternDays.forEach((workPatternDayObj, index) => {\n\t\t\t\tworkPatternDayObj.DayNumber = index + 1;\n\t\t\t});\n\t\t},\n\n\t\tisWorkPatternsApplicable: (payPeriodObj) => {\n\n\t\t\t// Work patterns is not applicable to companies set up with quarterly, bi-annual & annual pay periods\n\t\t\tswitch (payPeriodObj.PeriodType) {\n\n\t\t\t\tcase PAY_PERIOD_TYPES.quarterly:\n\t\t\t\tcase PAY_PERIOD_TYPES.annually:\n\t\t\t\tcase PAY_PERIOD_TYPES.biannually:\n\n\t\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\treturn true;\n\t\t},\n\n\t\trecalculateTotals: (workPatternObj) => {\n\n\t\t\tlet updatedTotalHours = 0;\n\t\t\tlet updatedWorkingDays = 0;\n\t\t\tlet updatedNonWorkingDays = 0;\n\n\t\t\tworkPatternObj.Days.forEach(dayObj => {\n\n\t\t\t\tupdatedTotalHours += dayObj.DayType === WORK_PATTERN_DAY_TYPES.working ? dayObj.Hours : 0;\n\t\t\t\tupdatedWorkingDays += dayObj.DayType === WORK_PATTERN_DAY_TYPES.working ? 1 : 0;\n\t\t\t\tupdatedNonWorkingDays += dayObj.DayType === WORK_PATTERN_DAY_TYPES.nonWorking ? 1 : 0;\n\t\t\t});\n\n\t\t\tworkPatternObj.WorkingDays = updatedWorkingDays;\n\t\t\tworkPatternObj.NonWorkingDays = updatedNonWorkingDays;\n\n\t\t\t// Only update total hours if non-standard, otherwise it's manually defined\n\t\t\tif (workPatternObj.Group === WORK_PATTERN_GROUPS.nonStandard) {\n\t\t\t\tworkPatternObj.TotalHours = updatedTotalHours;\n\t\t\t}\n\t\t},\n\n\t\ttogglePatternBasis: (patternBasis) => {\n\n\t\t\treturn patternBasis === WORK_PATTERN_BASIS.weekly ? WORK_PATTERN_BASIS.daily : WORK_PATTERN_BASIS.weekly;\n\t\t},\n\n\t\tupdateDays: workPatternObj => {\n\n\t\t\t// Convert weeks into days when weekly pattern is used\n\t\t\tif (workPatternObj.Basis === WORK_PATTERN_BASIS.weekly) {\n\t\t\t\tworkPatternObj.Days = angular.copy(workPatternObj.weeks.flat(1));\n\t\t\t}\n\n\t\t\tservice.indexDays(workPatternObj.Days);\n\t\t\tservice.recalculateTotals(workPatternObj);\n\n\t\t\treturn workPatternObj;\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('agency', ['libraries', 'promise', function agency (libraries, promise) {\n\n\tconst lib = libraries.agency;\n\tlet service = {};\n\n\tconst agencyEmployer = {\n\n\t\tgetDashboardData: function (agencyProfileId) {\n\n\t\t\tconst url = lib + 'GetDashboardData';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyEmployerBUN: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetAgencyEmployerBUN';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\tconst configObj = {\n\t\t\t\terrorOnEmptyResponse: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj, configObj);\n\t\t},\n\t\tgetAgencyEmployers: function (agencyProfileId) {\n\n\t\t\tconst url = lib + 'GetAgencyEmployers';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise (url, data);\n\t\t},\n\t\tupdateAgencyEmployerBUN: (agencyProfileId, bun) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyEmployerBUN';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tBUN: bun\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t}\n\t};\n\n\tconst authentication = {\n\n\t\tgetCompanyAuthenticationDetails: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetCompanyAuthenticationDetails';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateCompanyAuthenticationDetails: authenticationDetails => {\n\n\t\t\tconst url = lib + 'UpdateCompanyAuthenticationDetails';\n\t\t\tconst dataObj = {\n\t\t\t\tAuthenticationDetails: authenticationDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateCompanyIdentityTwoFAPolicyConfirmationState: (agencyProfileId, identityConfirmTwoFAPolicyState) => {\n\t\t\tconst url = lib + 'UpdateCompanyIdentityTwoFAPolicyConfirmationState';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIsTwoFactorAuthenticationPolicyConfirmed: identityConfirmTwoFAPolicyState\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t}\n\n\t};\n\n\tconst departments = {\n\n\t\tcreateAgencyDepartment: (agencyProfileId, newAgencyDepartment) => {\n\n\t\t\tconst url = lib + 'CreateAgencyDepartment';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tNewAgencyDepartment: newAgencyDepartment\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tdeleteAgencyDepartment: (agencyDepartmentId) => {\n\n\t\t\tconst url = lib + 'DeleteAgencyDepartment';\n\t\t\tconst data = {\n\t\t\t\tAgencyDepartmentID: agencyDepartmentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyDepartmentMembers: (agencyProfileId, agencyDepartmentId) => {\n\n\t\t\tconst url = lib + 'GetAgencyDepartmentMembers';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyDepartmentID: agencyDepartmentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetAgencyDepartments: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetAgencyDepartments';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyDepartmentVisible: (agencyProfileId, agencyDepartmentId) => {\n\n\t\t\tconst url = lib + 'GetAgencyDepartmentVisible';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyDepartmentID: agencyDepartmentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetEmptyAgencyDepartment: () => {\n\n\t\t\tconst url = lib + 'GetEmptyAgencyDepartment';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tupdateAgencyDepartmentMembers: (agencyProfileId, members) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyDepartmentMembers';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMembers: members\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateAgencyDepartmentName: (agencyProfileId, agencyDepartment) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyDepartmentName';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyDepartment: agencyDepartment\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyDepartmentVisible: (agencyProfileId, departmentList) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyDepartmentVisible';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tDepartmentList: departmentList\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t}\n\t};\n\n\tconst goCardless = {\n\n\t\tcreateGoCardlessDirectDebit: function (agencyProfileId, newDirectDebitMandate) {\n\n\t\t\tconst url = lib + 'CreateGoCardlessDirectDebit';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tNewDirectDebitMandate: newDirectDebitMandate\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetCompanyDirectDebitMandate: function (agencyProfileId) {\n\n\t\t\tconst url = lib + 'GetCompanyDirectDebitMandate';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateCompanyGoCardlessDetails: function (agencyProfileId, updatedCompanyDDMandate) {\n\n\t\t\tconst url = lib + 'UpdateCompanyGoCardlessDetails';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedCompanyDDMandate: updatedCompanyDDMandate\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t}\n\t};\n\n\n\tconst hr = {\n\t\tdeleteHolidayDetail: function (userAgencyProfileHolidayID) {\n\n\t\t\tconst url = lib + 'DeleteHolidayDetail';\n\t\t\tconst data = {\n\t\t\t\tUserAgencyProfileHolidayID: userAgencyProfileHolidayID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteSicknessDetail: function (userAgencyProfileSicknessID) {\n\n\t\t\tconst url = lib + 'DeleteSicknessDetail';\n\t\t\tconst data = {\n\t\t\t\tUserAgencyProfileSicknessID: userAgencyProfileSicknessID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetEmptyHolidayDetail: function() {\n\n\t\t\tconst url = lib + 'GetEmptyHolidayDetail';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetEmptySicknessDetail: function () {\n\n\t\t\tconst url = lib + 'GetEmptySicknessDetail';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetHolidayPolicies: function (agencyProfileId) {\n\n\t\t\tconst url = lib + 'GetHolidayPolicies';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetHolidayPolicy: function (holidayPolicyId) {\n\n\t\t\tconst url = lib + 'GetHolidayPolicy';\n\t\t\tconst data = {\n\t\t\t\tHolidayPolicyID: holidayPolicyId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetHolidaySummary: function (agencyProfileId, userId) {\n\n\t\t\tconst url = lib + 'GetHolidaySummary';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetSicknessPolicies: function (agencyProfileId) {\n\n\t\t\tconst url = lib + 'GetSicknessPolicies';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetSicknessPolicy: function (sicknessPolicyId) {\n\n\t\t\tconst url = lib + 'GetSicknessPolicy';\n\t\t\tconst data = {\n\t\t\t\tSicknessPolicyID: sicknessPolicyId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetSicknessSummary: function (agencyProfileId, userId) {\n\n\t\t\tconst url = lib + 'GetSicknessSummary';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyProfileShowHolidayInPortal: function (agencyProfileId, showHoliday) {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfileShowHolidayInPortal';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tShowHoliday: showHoliday\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateHolidayPolicy: function (agencyProfileId, updatedHolidayPolicy) {\n\n\t\t\tconst url = lib + 'UpdateHolidayPolicy';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedHolidayPolicy: updatedHolidayPolicy\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateHolidayDetail: function (userId, agencyProfileId, updatedHolidayDetail) {\n\n\t\t\tconst url = lib + 'UpdateHolidayDetail';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedHolidayDetail: updatedHolidayDetail\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateSicknessDetail: function (userId, agencyProfileId, updatedSicknessDetail) {\n\n\t\t\tconst url = lib + 'UpdateSicknessDetail';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedSicknessDetail: updatedSicknessDetail\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateSicknessPolicy: function (agencyProfileId, updatedSicknessPolicy) {\n\n\t\t\tconst url = lib + 'UpdateSicknessPolicy';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedSicknessPolicy: updatedSicknessPolicy\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t}\n\t};\n\n\tconst imports = {\n\n\t\tgetAgencyProfileImportAutoComplete: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetAgencyProfileImportAutoComplete';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyProfileImportOrientationVertical: function (agencyProfileId) {\n\n\t\t\tconst url = lib + 'GetAgencyProfileImportOrientationVertical';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyProfileImportAutoComplete: (agencyProfileId, isImportAutoComplete) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfileImportAutoComplete';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tImportAutoComplete: isImportAutoComplete\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateCompanyImportOrientation: function (agencyProfileId, vertical) {\n\n\t\t\tconst url = lib + 'UpdateCompanyImportOrientation';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tVertical: vertical\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t}\n\n\t};\n\n\tconst payPeriod = {\n\t\tgetAgencyPayPeriodState: function (agencyPayPeriodId, agencyPayPeriodStateType) {\n\n\t\t\tconst url = lib + 'GetAgencyPayPeriodState';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyPayPeriodStateType: agencyPayPeriodStateType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetPayPeriodsForAdvancePeriods: function (agencyProfileId) {\n\n\t\t\tconst url = lib + 'GetPayPeriodsForAdvancePeriods';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyPayPeriodResetFailedState: function (agencyPayPeriodID) {\n\n\t\t\tconst url = lib + 'UpdateAgencyPayPeriodResetFailedState';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t}\n\t};\n\n\tconst profile = {\n\t\tgetNamesOfOtherCompaniesOnPAYEScheme: function (agencyProfileID, parentBureauAgencyProfileID, includeTargetProfile) {\n\n\t\t\tconst url = lib + 'GetNamesOfOtherCompaniesOnPAYEScheme';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileID,\n\t\t\t\tParentBureauAgencyProfileID: parentBureauAgencyProfileID,\n\t\t\t\tIncludeTargetProfile: includeTargetProfile\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyProfile: function (updatedAgency) {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfile';\n\t\t\tconst data = {\n\t\t\t\tUpdatedAgency: updatedAgency\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t}\n\t};\n\n\tservice = angular.extend(service, agencyEmployer);\n\tservice = angular.extend(service, authentication);\n\tservice = angular.extend(service, departments);\n\tservice = angular.extend(service, goCardless);\n\tservice = angular.extend(service, hr);\n\tservice = angular.extend(service, imports);\n\tservice = angular.extend(service, payPeriod);\n\tservice = angular.extend(service, profile);\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('base', [\n\t'config',\n\t'libraries',\n\t'promise',\n\t'user',\n\tfunction (\n\t\tconfig,\n\t\tlibraries,\n\t\tpromise,\n\t\tuser\n\t) {\n\n\tconst lib = libraries.base;\n\tconst service = {\n\t\tdeleteAgencyDocument: (agencyDocumentId) => {\n\n\t\t\tconst url = lib + 'DeleteAgencyDocument';\n\t\t\tconst data = {\n\t\t\t\tAgencyDocumentID: agencyDocumentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteAgencyLog: (agencyLogKey, userId) => {\n\n\t\t\tconst url = lib + 'DeleteAgencyLog';\n\t\t\tconst data = {\n\t\t\t\tAgencyLogKey: agencyLogKey,\n\t\t\t\tUserID: user.getUserId(userId)\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteDisbursement: disbursementId => {\n\n\t\t\tconst url = lib + 'DeleteDisbursement';\n\t\t\tconst data = {\n\t\t\t\tDisbursementID: disbursementId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdisconnectXero: agencyProfileID => {\n\n\t\t\tconst url = lib + 'DisconnectXero';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tduplicateAgencyDocument: (agencyDocumentId, documentTypeToCreateId) => {\n\n\t\t\tconst url = lib + 'DuplicateAgencyDocument';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyDocumentID: agencyDocumentId,\n\t\t\t\tDocumentTypeToCreateID: documentTypeToCreateId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetAgencyDocumentsForType: (agencyProfileId, agencyPayPeriodId, documentType) => {\n\n\t\t\tconst url = lib + 'GetAgencyDocumentsForType';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tDocumentType: documentType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyLogEntriesForArchivedEmployment: (agencyProfileId, userId, archivedEmploymentId) => {\n\n\t\t\tconst url = lib + 'GetAgencyLogEntriesForArchivedEmployment';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tArchivedEmploymentID: archivedEmploymentId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\n\t\t},\n\t\tgetAgencyLogEntriesForLogCategoryList: (agencyProfileId, userId, categoryIdList, dateFrom, dateTo) => {\n\n\t\t\tconst url = lib + 'GetAgencyLogEntriesForLogCategoryList';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tCategoryIDList: categoryIdList,\n\t\t\t\tDateFrom: dateFrom,\n\t\t\t\tDateTo: dateTo,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyLogEntriesForPension: (agencyProfileId, agencyEmployerPensionId) => {\n\n\t\t\tconst url = lib + 'GetAgencyLogEntriesForPension';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyLogTaxUpdates: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = lib + 'GetAgencyLogTaxUpdates';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetBankDetailsCompany: (agencyProfileId, agencyEmployerId) => {\n\n\t\t\tconst url = lib + 'GetBankDetailsCompany';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyEmployerID: agencyEmployerId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetBankFiles: () => {\n\n\t\t\tconst url = lib + 'GetBankFiles';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetCompanyDocument: agencyDocumentId => {\n\n\t\t\tconst url = lib + 'GetCompanyDocument';\n\t\t\tconst data = {\n\t\t\t\tAgencyDocumentID: agencyDocumentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetDisbursement: (agencyProfileId, disbursementId) => {\n\n\t\t\tconst url = lib + 'GetDisbursements';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tDisbursementID: disbursementId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetDisbursements: (agencyProfileId, disbursementId) => {\n\n\t\t\tconst url = lib + 'GetDisbursements';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tDisbursementID: disbursementId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetDisbursementsForPayElements: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetDisbursementsForPayElements';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetEmptyBankDetails: () => {\n\n\t\t\tconst url = lib + 'GetEmptyBankDetails';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetEmptyDisbursement: () => {\n\n\t\t\tconst url = lib + 'GetEmptyDisbursement';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetEmptyTeamMemberBank: () => {\n\n\t\t\tconst url = lib + 'GetEmptyTeamMemberBank';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetNationalInsuranceLetters: () => {\n\n\t\t\tconst url = lib + 'GetNationalInsuranceLetters';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetPayrollAgencyLogEntriesForDashboard: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetPayrollAgencyLogEntriesForDashboard';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetPensionAgencyLogEntriesForDashboard: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetPensionAgencyLogEntriesForDashboard';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPermissionRoleAsViewer: (agencyProfileId, userId) => {\n\n\t\t\tconst url = lib + 'GetPermissionRoleAsViewer';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetPermissionRoleDetail: (agencyProfileId, permissionRoleId, userId, roleType) => {\n\n\t\t\tconst url = lib + 'GetPermissionRoleDetail';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPermissionRoleID: permissionRoleId !== undefined ? permissionRoleId : config.guidEmpty,\n\t\t\t\tRoleType: roleType,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetPermissionRoles: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetPermissionRoles';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetSubmissionLogsForAgencyPayPeriod: (agencyProfileId, agencyPayPeriodId, includeDismissed, latestAttemptsOnly) => {\n\n\t\t\tconst url = lib + 'GetSubmissionLogsForAgencyPayPeriod';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIncludeDismissed: includeDismissed,\n\t\t\t\tLatestAttemptsOnly: latestAttemptsOnly\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetSubmissionLogsForEPSSubmission: (agencyProfileId, agencyPayPeriodId, includeDismissed, latestAttemptsOnly) => {\n\n\t\t\tconst url = lib + 'GetSubmissionLogsForEPSSubmission';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIncludeDismissed: includeDismissed,\n\t\t\t\tLatestAttemptsOnly: latestAttemptsOnly\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetSubmissionLogsForSupplementaryPayment: (agencyProfileId, agencyPayPeriodId, supplementaryPaymentId, includeDismissed, latestAttemptsOnly) => {\n\n\t\t\tconst url = lib + 'GetSubmissionLogsForSupplementaryPayment';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIncludeDismissed: includeDismissed,\n\t\t\t\tLatestAttemptsOnly: latestAttemptsOnly,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetSubmissionLogsForP11DbSubmission: (agencyProfileId, agencyPayPeriodId, p11DbSubmissionID, includeDismissed, latestAttemptsOnly) => {\n\n\t\t\tconst url = lib + 'GetSubmissionLogsForP11DbSubmission';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIncludeDismissed: includeDismissed,\n\t\t\t\tLatestAttemptsOnly: latestAttemptsOnly,\n\t\t\t\tP11DbSubmissionID: p11DbSubmissionID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetUserPayYTDHolidayAccrued: (agencyProfileId, userId) => {\n\n\t\t\tconst url = lib + 'GetUserPayYTDHolidayAccrued';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: user.getUserId(userId)\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUsersAgencyLogEntriesForDashboard: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetUsersAgencyLogEntriesForDashboard';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetXeroAccessToken: (agencyProfileId, code) => {\n\n\t\t\tconst url = lib + 'GetXeroAccessToken';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tCode: code\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetXeroAuthUrl: (agencyProfileId, companyName) => {\n\n\t\t\tconst url = lib + 'GetXeroAuthURL';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tCompanyName: companyName\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tisFeatureEnabled: (targetId, featureKey) => {\n\t\t\t\n\t\t\tconst url = lib + 'IsFeatureEnabled';\n\t\t\tconst data = {\n\t\t\t\tTargetID: targetId,\n\t\t\t\tFeatureKey: featureKey\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyDocumentName: (agencyDocumentId, name) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyDocumentName';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyDocumentID: agencyDocumentId,\n\t\t\t\tName: name,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateAgencyDocumentRowCounts: (agencyDocumentId, titleRowCount, footerRowCount) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyDocumentRowCounts';\n\t\t\tconst data = {\n\t\t\t\tAgencyDocumentID: agencyDocumentId,\n\t\t\t\tTitleRowCount: titleRowCount,\n\t\t\t\tFooterRowCount: footerRowCount\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyProfileCredentialTenantId: (agencyProfileId, tenantId, tenantName) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfileCredentialTenantID';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tTenantID: tenantId,\n\t\t\t\tTenantName: tenantName\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAlertArchived: (alertId, agencyLogId, archived) => {\n\n\t\t\tconst url = lib + 'UpdateAlertArchived';\n\t\t\tconst data = {\n\t\t\t\tAgencyLogID: agencyLogId,\n\t\t\t\tAlertID: alertId,\n\t\t\t\tArchived: archived\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateBankDetailsCompany: (agencyProfileId, agencyEmployerId, bankDetails, pensionDisbursements, hmrcDisbursement) => {\n\n\t\t\tconst url = lib + 'UpdateBankDetailsCompany';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyEmployerID: agencyEmployerId,\n\t\t\t\tBankDetails: bankDetails,\n\t\t\t\tHMRCDisbursement: hmrcDisbursement,\n\t\t\t\tPensionDisbursements: pensionDisbursements\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateDisbursement: (agencyProfileId, disbursementDetails) => {\n\n\t\t\tconst url = lib + 'UpdateDisbursement';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tDisbursementDetails: disbursementDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdatePeriodAlertsByTypeArchived: (alertTypeId, agencyPayPeriodId, archived) => {\n\n\t\t\tlet url = lib + 'UpdatePeriodAlertsByTypeArchived';\n\t\t\tlet data = {\n\t\t\t\tAlertTypeID: alertTypeId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tArchived: archived\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdatePermissionRoleDetail: (agencyProfileId, updatedRoleDetail, userId) => {\n\n\t\t\tconst url = lib + 'UpdatePermissionRoleDetail';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedRoleDetail: updatedRoleDetail,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateSubmissionLogEntryDismissed: (agencyProfileId, submissionLogEntryId) => {\n\n\t\t\tconst url = lib + 'UpdateSubmissionLogEntryDismissed';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSubmissionLogEntryID: submissionLogEntryId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateUserProfileAgencyProfilePermissionRole: (agencyProfileId, permissionRoleType, userId) => {\n\n\t\t\tconst url = lib + 'UpdateUserProfileAgencyProfilePermissionRole';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPermissionRoleType: permissionRoleType,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserProfileAgencyProfileVisible: (agencyProfileId, userId, visible) => {\n\n\t\t\tconst url = lib + 'UpdateUserProfileAgencyProfileVisible';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tVisible: visible\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateUserProfileAgencyProfileVisibleList: (agencyProfileId, userIdList, visible) => {\n\n\t\t\tconst url = lib + 'UpdateUserProfileAgencyProfileVisibleList';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserIDList: userIdList,\n\t\t\t\tVisible: visible\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t}\n\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('dataImport', ['config', 'libraries', 'promise', function dataImport (config, libraries, promise) {\n\n\tconst lib = libraries.importLib;\n\tconst service = {\n\n\t\tcancelPayElementImport: function (userImportOwner) {\n\n\t\t\tconst url = lib + 'CancelPayElementImport';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: userImportOwner\n\t\t\t};\n\t\t\tconst svcConfig = {\n\t\t\t\terrorOnEmptyResponse: false,\n\t\t\t\tlogOnEmptyResponse: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, svcConfig);\n\t\t},\n\t\tcancelUserImport: function (userImportOwner) {\n\n\t\t\tconst url = lib + 'CancelUserImport';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: userImportOwner\n\t\t\t};\n\t\t\tconst svcConfig = {\n\t\t\t\terrorOnEmptyResponse: false,\n\t\t\t\tlogOnEmptyResponse: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, svcConfig);\n\t\t},\n\t\tdeleteImportMapping: function (agencyProfileId, agencyDocumentTypeId, agencyDocumentId, importMappingId) {\n\n\t\t\tconst url = lib + 'DeleteImportMapping';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyDocumentTypeID: agencyDocumentTypeId,\n\t\t\t\tAgencyDocumentID: agencyDocumentId,\n\t\t\t\tImportMappingID: importMappingId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteImportMappingForCompanySettings: function (agencyProfileId, importMappingId) {\n\n\t\t\tconst url = lib + 'DeleteImportMapping';\n\t\t\tconst data = {\n\t\t\t\tAgencyDocumentID: config.guidEmpty,\n\t\t\t\tAgencyDocumentTypeID: config.guidEmpty,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tImportMappingID: importMappingId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteUserImportGroup: userImportGroupId => {\n\n\t\t\tconst url = lib + 'DeleteUserImportGroup';\n\t\t\tconst data = {\n\t\t\t\tUserImportGroupID: userImportGroupId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteUserPayElementImportGroup: function (userPayElementImportGroupId) {\n\n\t\t\tconst url = lib + 'DeleteUserPayElementImportGroup';\n\t\t\tconst data = {\n\t\t\t\tUserPayElementImportGroupID: userPayElementImportGroupId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgeneratePayElementImport (payElementImportOwnerId, labelText) {\n\n\t\t\tconst url = lib + 'GeneratePayElementImport';\n\t\t\tconst data = {\n\t\t\t\tPayElementImportOwnerID: payElementImportOwnerId,\n\t\t\t\tLabelText: labelText\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgenerateUserImport (agencyProfileId, agencyPayPeriodId, agencyDocumentId, mappingDetails, mappingType) {\n\n\t\t\tconst url = lib + 'GenerateUserImport';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyDocumentID: agencyDocumentId,\n\t\t\t\tMappingDetails: mappingDetails,\n\t\t\t\tMappingType: mappingType,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetImportMappingColumns: function (agencyDocumentTypeId) {\n\n\t\t\tconst url = lib + 'GetImportMappingColumns';\n\t\t\tconst data = {\n\t\t\t\tAgencyDocumentTypeID: agencyDocumentTypeId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetImportMappingColumns2: function (agencyProfileId, mappingType) {\n\n\t\t\tconst url = lib + 'GetImportMappingColumns2';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMappingType: mappingType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetImportMappingTemplates: function (agencyProfileId, mappingType) {\n\n\t\t\t// Set optional mappingType to -1 if not specified (to retrieve all templates)\n\t\t\tif (!angular.isDefined(mappingType)) {\n\t\t\t\tmappingType = -1;\n\t\t\t}\n\n\t\t\tconst url = lib + 'GetImportMappingTemplates';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMappingType: mappingType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetNumberOfUserImportsByOwner: function (userImportOwnerId) {\n\n\t\t\tconst url = lib + 'GetNumberOfUserImportsByOwner';\n\t\t\tconst data = {\n\t\t\t\tUserImportOwnerID: userImportOwnerId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetPayElementImportSummary: function (payElementImportOwnerId) {\n\n\t\t\tconst url = lib + 'GetPayElementImportSummary';\n\t\t\tconst data = {\n\t\t\t\tPayElementImportOwnerID: payElementImportOwnerId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetPayElementImportValidationResults: function (agencyPayPeriodId) {\n\n\t\t\tconst url = lib + 'GetPayElementImportValidationResults';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUserImportGroups: (agencyProfileId, agencyPayPeriodId, includeDeleted, teamImports, periodImports, importType) => {\n\n\t\t\tconst url = lib + 'GetUserImportGroups';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIncludeDeleted: includeDeleted,\n\t\t\t\tImportType: importType,\n\t\t\t\tPeriodImports: periodImports,\n\t\t\t\tTeamImports: teamImports\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUserImportGroupsForDocument: agencyDocumentId => {\n\n\t\t\tconst url = lib + 'GetUserImportGroupsForDocument';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyDocumentID: agencyDocumentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetUserImportGroupForUser: (agencyPayPeriodId, userId, importType) => {\n\n\t\t\tconst url = lib + 'GetUserImportGroupForUser';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tUserID: userId,\n\t\t\t\tImportType: importType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUserImportValidationResults: function (userImportOwnerId) {\n\n\t\t\tconst url = lib + 'GetUserImportValidationResults';\n\t\t\tconst data = {\n\t\t\t\tUserImportOwnerID: userImportOwnerId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUserPayElementImportGroups: function (agencyPayPeriodId, includeDeleted) {\n\n\t\t\tconst url = lib + 'GetUserPayElementImportGroups';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tIncludeDeleted: includeDeleted !== undefined ? includeDeleted : true\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\timportDataCheckFormat: function (agencyProfileId, agencyPayPeriodId, agencyDocumentTypeId, agencyDocumentId, mappingType, importMappingTemplateId) {\n\n\t\t\tconst url = lib + 'ImportDataCheckFormat';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyDocumentTypeID: agencyDocumentTypeId,\n\t\t\t\tAgencyDocumentID: agencyDocumentId,\n\t\t\t\tMappingType: mappingType,\n\t\t\t\tImportMappingTemplateID: importMappingTemplateId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\timportPayElementData: function (agencyProfileId, agencyPayPeriodId, agencyDocumentTypeId) {\n\n\t\t\tconst url = lib + 'ImportPayElementData';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyDocumentTypeID: agencyDocumentTypeId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tresetUserImportGroup: function (agencyProfileId, userImportGroupId, mappingType) {\n\n\t\t\tconst url = lib + 'ResetUserImportGroup';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserImportGroupID: userImportGroupId,\n\t\t\t\tMappingType: mappingType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tundoImport: function (agencyPayPeriodId) {\n\n\t\t\tconst url = lib + 'UndoImport';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\t\t\tconst config = {\n\t\t\t\terrorOnEmptyResponse: false,\n\t\t\t\tlogOnEmptyResponse: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, config);\n\t\t},\n\t\tupdateAgencyPayPeriodImportWorkerStatus: function (agencyPayPeriodId, submissionState) {\n\n\t\t\tconst url = lib + 'UpdateAgencyPayPeriodImportWorkerStatus';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tSubmissionState: submissionState\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyPayPeriodPayElementImportStatus: function (agencyPayPeriodId, submissionState) {\n\n\t\t\tconst url = lib + 'UpdateAgencyPayPeriodPayElementImportStatus';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tSubmissionState: submissionState\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateImport: function (importRows, userImportOwnerId) {\n\n\t\t\tconst url = lib + 'UpdateUserImport';\n\t\t\tconst data = {\n\t\t\t\tUserImports: importRows,\n\t\t\t\tUserImportOwnerID: userImportOwnerId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateImportMappingColumn: function (updatedImportMappingColumn) {\n\n\t\t\tconst url = lib + 'UpdateImportMappingColumn';\n\t\t\tconst data = {\n\t\t\t\tUpdatedImportMappingColumn: updatedImportMappingColumn\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateImportMappingColumnBulk: updatedImportMappingColumnList => {\n\n\t\t\tconst url = lib + 'UpdateImportMappingColumnBulk';\n\t\t\tconst data = {\n\t\t\t\tUpdatedImportMappingColumnList: updatedImportMappingColumnList\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateImportMappingFile: function (agencyProfileId, agencyPayPeriodId, agencyDocumentId, mapping, mappingType) {\n\n\t\t\tconst url = lib + 'UpdateImportMappingFile';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyDocumentID: agencyDocumentId,\n\t\t\t\tMapping: mapping,\n\t\t\t\tMappingType: mappingType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateImportMappingTemplate: function (agencyProfileId, agencyDocumentId, importMappingId, name, isDefault) {\n\n\t\t\tconst url = lib + 'UpdateImportMappingTemplate';\n\t\t\tconst data = {\n\t\t\t\tAgencyDocumentID: agencyDocumentId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tImportMappingID: importMappingId,\n\t\t\t\tName: name,\n\t\t\t\tDefault: isDefault\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateImportMappingTemplateDefault: function (agencyProfileId, importMappingId, mappingType, isDefault) {\n\n\t\t\tconst url = lib + 'UpdateImportMappingTemplateDefault';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tImportMappingID: importMappingId,\n\t\t\t\tMappingType: mappingType,\n\t\t\t\tDefault: isDefault\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateImportMappingTemplateWithColumns: function (agencyProfileId, agencyDocumentId, name, columns, importMappingId, isDefault, update) {\n\n\t\t\tconst url = lib + 'UpdateImportMappingTemplateWithColumns';\n\t\t\tconst data = {\n\t\t\t\tAgencyDocumentID: agencyDocumentId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tColumns: columns,\n\t\t\t\tDefault: isDefault,\n\t\t\t\tImportMappingID: importMappingId,\n\t\t\t\tName: name,\n\t\t\t\tUpdate: update\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdatePayElementImport: function (updatedPayElementImport) {\n\n\t\t\tconst url = lib + 'UpdatePayElementImport';\n\t\t\tconst data = {\n\t\t\t\tUpdatedPayElementImport: updatedPayElementImport\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdatePayElementImportStatus: function (updatedPayElementImport, status) {\n\n\t\t\tconst url = lib + 'UpdatePayElementImportStatus';\n\t\t\tconst data = {\n\t\t\t\tUpdatedPayElementImport: updatedPayElementImport,\n\t\t\t\tStatus: status\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserImportGroupState: (userImportGroupId, state) => {\n\n\t\t\tconst url = lib + 'UpdateUserImportGroupState';\n\t\t\tconst data = {\n\t\t\t\tUserImportGroupID: userImportGroupId,\n\t\t\t\tState: state\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserInImport: function (userImport, validationResultID) {\n\n\t\t\tconst url = lib + 'UpdateUserInImport';\n\t\t\tconst data = {\n\t\t\t\tUserImport: userImport,\n\t\t\t\tValidationResultID: validationResultID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateValidationResultIgnore: function (validationResultID, validationResultIgnore) {\n\n\t\t\tconst url = lib + 'IngoreValidationResult';\n\t\t\tconst data = {\n\t\t\t\tValidationResultID: validationResultID,\n\t\t\t\tValidationResultIgnore: validationResultIgnore\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tvalidatePayElementImport: function (validationResultOwnerId) {\n\n\t\t\tconst url = lib + 'ValidatePayElementImport';\n\t\t\tconst data = {\n\t\t\t\tValidationResultOwnerID: validationResultOwnerId\n\t\t\t};\n\t const config = {\n\t\t\t\terrorOnEmptyResponse: false,\n\t\t\t\tlogOnEmptyResponse: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, config);\n\t\t},\n\t\tvalidateUserImport: function (userImportOwnerId) {\n\n\t\t\tconst url = lib + 'ValidateUserImport';\n\t\t\tconst data = {\n\t\t\t\tUserImportOwnerID: userImportOwnerId\n\t\t\t};\n\t const config = {\n\t\t\t\terrorOnEmptyResponse: false,\n\t\t\t\tlogOnEmptyResponse: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, config);\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('payrollWorker', ['libraries', 'promise', function (libraries, promise) {\n\n\tconst lib = libraries.payrollWorker;\n\tconst service = {\n\n\t\tpayrollCreateReports: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = lib + 'PayrollCreateReports';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tpayrollCreatePayslips: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = lib + 'PayrollCreatePayslips';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tpayrollDataImport: function (agencyProfileId, agencyPayPeriodId, importType) {\n\n\t\t\tconst url = lib + 'PayrollDataImport';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tImportType: importType,\n\t\t\t\tAuthorisation: 'CHET'\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tpayrollMailP60s: (agencyProfileId, taxYear) => {\n\n\t\t\tconst url = lib + 'PayrollMailP60s';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tTaxYear: taxYear\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tpayrollMailPayslips: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = lib + 'PayrollMailPayslips';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tpayrollResubmitAE: function (agencyProfileId, agencyEmployerPensionId) {\n\n\t\t\tconst url = lib + 'PayrollResubmitAE';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tpayrollStartWorkerImport: function (agencyProfileId, agencyPayPeriodId, setInternalId) {\n\n\t\t\tconst url = lib + 'PayrollDataImport';\n\t\t\tconst importType = '816DBDCA-18A9-4233-AEC1-9D2F085328C2'; //AgencyDocumentType table, UserImport Guid\n\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tImportType: importType,\n\t\t\t\tAuthorisation: 'CHET',\n\t\t\t\tSetInternalID: setInternalId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tpayrollSubmitEYU: (agencyProfileId, agencyPayPeriodId, endOfYearUpdate) => {\n\n\t\t\tconst url = lib + 'PayrollSubmitEYU';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tEndOfYearUpdate: endOfYearUpdate\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tpayrollSubmitManualEPS: function (manualEpsId, agencyProfileId) {\n\n\t\t\tconst url = lib + 'PayrollSubmitManualEPS';\n\t\t\tconst data = {\n\t\t\t\tManualEPSID: manualEpsId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tpayrollSubmitSupplementaryPayment: function (agencyProfileId, supplementaryPaymentId) {\n\n\t\t\tconst url = lib + 'PayrollSubmitSupplementaryPayment';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tpayrollSubmitYearToDateFPS: (agencyProfileId, agencyPayPeriodId, endOfYearUpdate) => {\n\n\t\t\tconst url = lib + 'PayrollSubmitYearToDateFPS';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tEndOfYearUpdate: endOfYearUpdate\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t}\n\t};\n\n\treturn service;\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('postcodeLookup', [\n\t'$http',\n\t'$q',\n\t'config',\nfunction postcodeLookup (\n\t$http,\n\t$q,\n\tconfig\n) {\n\n\tvar service = {\n\n\t\tgetAddressFromPostcode: function (postcode) {\n\n\t\t\tvar url = 'https://api.ideal-postcodes.co.uk/v1/postcodes/' + postcode + '?api_key=' + config.idealPostcodesKey;\n\t\t\tvar options = {\n\t\t\t\twithCredentials: false,\n\t\t\t\tbroadcast:false\n\t\t\t};\n\t\t\tvar data = {\n\t\t\t\tbroadcast:false\n\t\t\t};\n\n\t\t\treturn $http.get(url, options, data);\n\t\t},\n\n\t\tgetAddressFromUrlPath: function (urlPath) {\n\n\t\t\treturn $q((resolve, reject) => {\n\t\t\t\tconst ipGetAddressUrl = `https://api.ideal-postcodes.co.uk${urlPath}?api_key=${config.idealPostcodesKey}`;\n\t\t\t\tconst options = {\n\t\t\t\t\twithCredentials: false\n\t\t\t\t};\n\t\t\t\t$http.get(ipGetAddressUrl, options).then(ipResponse => {\n\t\t\t\t\tresolve(ipResponse.data.result);\n\t\t\t\t})\n\t\t\t\t.catch(error => {\n\t\t\t\t\treject(error);\n\t\t\t\t});\n\t\t\t});\n\t\t},\n\n\t\tsearchForAddress: function (query) {\n\t\t\tvar url = 'https://api.ideal-postcodes.co.uk/v1/addresses?api_key=' + config.idealPostcodesKey + '&limit=' + config.idealLookupLimit + '&query=' + query;\n\t\t\tvar options = {\n\t\t\t\twithCredentials: false,\n\t\t\t\tbroadcast: false\n\t\t\t};\n\t\t\tvar data = {\n\t\t\t\tbroadcast: false\n\t\t\t};\n\n\t\t\treturn $http.get(url, options, data);\n\t\t},\n\n\t\tautoCompleteAddress: function (partialAddressSearchString) {\n\n\t\t\treturn $q((resolve, reject) => {\n\n\t\t\t\t// Ideal Postcodes autocomplete search https://docs.ideal-postcodes.co.uk/api#tag/Autocomplete\n\t\t\t\tconst ipAutocompleteUrl = `https://api.ideal-postcodes.co.uk/v1/autocomplete/addresses?api_key=${config.idealPostcodesKey}&limit=${config.idealLookupLimit}&query=${partialAddressSearchString}`;\n\t\t\t\tconst options = {\n\t\t\t\t\twithCredentials: false\n\t\t\t\t};\n\n\t\t\t\t$http.get(ipAutocompleteUrl, options).then(ipResponse => {\n\n\t\t\t\t\t// Transform results into list for search results. Separate each suggestion into two parts, the second being the locale and partial postcode\n\t\t\t\t\tconst addressResults = [];\n\t\t\t\t\tipResponse.data.result.hits.forEach(hit => {\n\t\t\t\t\t\t// Separate address parts\n\t\t\t\t\t\tconst addressParts = hit.suggestion.split(',');\n\t\t\t\t\t\tif (addressParts.length !== 0) {\n\t\t\t\t\t\t\t// Chop out spaces added between ', ' separators.\n\t\t\t\t\t\t\taddressParts.forEach(addressPart => addressPart.trim());\n\t\t\t\t\t\t\tlet addressInfo;\n\t\t\t\t\t\t\tlet localeInfo;\n\t\t\t\t\t\t\t// Addresses should typically have at least three parts, but just in case ...\n\t\t\t\t\t\t\tif (addressParts.length === 1) {\n\t\t\t\t\t\t\t\taddressInfo = addressParts[0];\n\t\t\t\t\t\t\t\tlocaleInfo = '-';\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\telse if (addressParts.length === 2) {\n\t\t\t\t\t\t\t\taddressInfo = addressParts[0];\n\t\t\t\t\t\t\t\tlocaleInfo = addressParts[1];\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\telse {\n\t\t\t\t\t\t\t\t// Address info is all but the last two items. Locale info is the last two items.\n\t\t\t\t\t\t\t\taddressInfo = addressParts.slice(0, -2).join(', ');\n\t\t\t\t\t\t\t\tlocaleInfo = addressParts.slice(-2).join(', ');\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\taddressResults.push({\n\t\t\t\t\t\t\t\taddressInfo,\n\t\t\t\t\t\t\t\tlocaleInfo,\n\t\t\t\t\t\t\t\tsuggestion: hit.suggestion,\n\t\t\t\t\t\t\t\turlPath: hit.urls.udprn\n\t\t\t\t\t\t\t});\n\t\t\t\t\t\t}\n\t\t\t\t\t});\n\t\t\t\t\tresolve(addressResults);\n\t\t\t\t})\n\t\t\t\t.catch(error => {\n\t\t\t\t\treject(error);\n\t\t\t\t});\n\t\t\t});\n\t\t}\n\t};\n\n\treturn service;\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('travel', [\n\t'libraries',\n\t'promise',\n\t'user',\nfunction (\n libraries,\n promise,\n user\n) {\n\n\tconst lib = libraries.travel;\n\tconst service = {\n\n\t\tdeleteTeamMemberAddress: function (addressId, agencyProfileId) {\n\t\t\tconst url = lib + 'DeleteTeamMemberAddress';\n\t\t\tconst data = {\n\t\t\t\tAddressID: addressId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberAddressDetail: userId => {\n\n\t\t\tconst url = lib + 'GetTeamMemberAddressDetail';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUserAddressRegister: userId => {\n\n\t\t\tconst url = lib + 'GetUserAddressRegister';\n\t\t\tconst data = {\n\t\t\t\tUserID: user.getUserId(userId)\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserAddress: (updatedAddress, userId, agencyProfileId, updatePercentComplete) => {\n\n\t\t\tconst url = lib + 'UpdateUserAddress';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedAddress: updatedAddress,\n\t\t\t\tUpdatePercentComplete: updatePercentComplete !== undefined ? updatePercentComplete : false,\n\t\t\t\tUserID: user.getUserId(userId)\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberAddress: (addressDetails, userId, agencyProfileId) => {\n\n\t\t\tconst url = lib + 'UpdateTeamMemberAddress';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tAddressDetails: addressDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('user', [\n\t'config',\n\t'libraries',\n\t'promise',\n\tfunction user (\n\t\tconfig,\n\t\tlibraries,\n\t\tpromise\n\t) {\n\n\tconst lib = libraries.user;\n\tconst service = {\n\n\t\tassessCanUndoBusinessCodeImport: function (agencyProfileId, userImportGroupID) {\n\t\t\t\n\t\t\tconst url = lib + 'AssessCanUndoBusinessCodeImport';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserImportGroupID: userImportGroupID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberHolidaySickness: function(userId, agencyProfileId) {\n\n\t\t\tconst url = lib + 'GetTeamMemberHolidaySickness';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUserAgencyProfileBusinessCodesForSalaryPolicyPost: function (userId, agencyProfileId, salaryPolicyPostId) {\n\n\t\t\tconst url = lib + 'GetUserAgencyProfileBusinessCodesForSalaryPolicyPost';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSalaryPolicyPostID: salaryPolicyPostId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUserId: function (userId) {\n\n\t\t\tif (userId !== undefined) {\n\t\t\t\treturn userId;\n\t\t\t}\n\n\t\t\treturn config.guidEmpty;\n\t\t},\n\t\tgetUserProfileExistsForNINumber: function (niNumber) {\n\n\t\t\tconst url = lib + 'GetUserProfileExistsForNINumber';\n\t\t\tconst data = {\n\t\t\t\tNINumber: niNumber\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberHolidaySickness: function(userId, agencyProfileId, details) {\n\n\t\t\tconst url = lib + 'UpdateTeamMemberHolidaySickness';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tDetails: details\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserAgencyProfileBusinessCodes: function (agencyProfileId, userBusinessCodes) {\n\n\t\t\tconst url = lib + 'UpdateUserAgencyProfileBusinessCodes';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserBusinessCodes: userBusinessCodes\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserAgencyProfileLeaveDetails: function(userId, agencyProfileId, leaveDateIso, leaveReason, leaveNote) {\n\n\t\t\tconst url = lib + 'UpdateUserAgencyProfileLeaveDetails';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tLeaveDateISO: leaveDateIso,\n\t\t\t\tLeaveReason: leaveReason,\n\t\t\t\tLeaveNote: leaveNote\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\n/**\n * @ngdoc service\n * @name paycircleApp.agency\n * @description\n * # agency\n * Service in the paycircleApp.\n */\nangular.module('paycircleApp')\n.service('userGuides', ['$http', function userGuides ($http) {\n\n\t//var lib = 'https://paycircle.co.uk/user-guide/';\n\tvar lib = 'http://localhost/paycircle/';\n\tvar service = {\n\n\t\t// Read\n\t\tgetUserGuide: function (slug) {\n\n\t\t\tvar config = {\n\t\t\t\twithCredentials: false\n\t\t\t};\n\t\t\tvar url = lib + slug + '/';\n\n\t\t\treturn $http.get(url, config);\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('companyData', [\n\t'config',\n\t'libraries',\n\t'promise',\n\tfunction (\n\t\tconfig,\n\t\tlibraries,\n\t\tpromise\n\t) {\n\n\tconst lib = libraries.agency;\n\n\tconst service = {\n\n\t\tassessCanReopenSkippedOrInactivePeriod: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = `${lib}AssessCanReopenSkippedOrInactivePeriod`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tassessCanRollbackAgencyPayPeriod: (agencyPayPeriodId) => {\n\n\t\t\tconst url = `${lib}AssessCanRollbackAgencyPayPeriod`;\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcheckActivationCode: (onboardingId, activationCode, email) => {\n\n\t\t\tconst url = lib + 'CheckActivationCode';\n\t\t\tconst data = {\n\t\t\t\tOnboardingID: onboardingId,\n\t\t\t\tActivationCode: activationCode,\n\t\t\t\tEmail: email\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateAgencyPayPeriods2: (agencyProfileId, periodDetails) => {\n\n\t\t\tconst url = lib + 'CreateAgencyPayPeriods2';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPeriodDetails: periodDetails\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateAgencyPayPeriodsPreview: (periodDetails) => {\n\n\t\t\tconst url = lib + 'CreateAgencyPayPeriodsPreview';\n\t\t\tconst data = {\n\t\t\t\tPeriodDetails: periodDetails\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateCompany: (setupDetails) => {\n\n\t\t\tconst url = lib + 'CreateCompany';\n\t\t\tconst data = {\n\t\t\t\tSetupDetails: setupDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateCompanyClone: agencyProfileId => {\n\n\t\t\tconst url = lib + 'CreateCompanyClone';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateOnboardingCompany: (agencyProfileId, companyName, forename, surname, emailAddress, delaySend, demonstration, telephone) => {\n\n\t\t\tconst url = lib + 'CreateOnboardingCompany';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tCompanyName: companyName,\n\t\t\t\tForename: forename,\n\t\t\t\tSurname: surname,\n\t\t\t\tEmailAddress: emailAddress,\n\t\t\t\tDelaySend: delaySend,\n\t\t\t\tDemonstration: demonstration,\n\t\t\t\tTelephone: telephone\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateOnboardingCompanyInvite: (bureau, emailAddress, demonstration) => {\n\n\t\t\tconst url = lib + 'CreateOnboardingCompanyInvite';\n\t\t\tconst data = {\n\t\t\t\tBureau: bureau,\n\t\t\t\tEmailAddress: emailAddress,\n\t\t\t\tDemonstration: demonstration\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateParentScheduledP60Notification: (agencyProfileId, taxYear, notificationDateIso, overwriteChildCompaniesSettings) => {\n\n\t\t\tconst url = lib + 'CreateParentScheduledP60Notification';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileParentID: agencyProfileId,\n\t\t\t\tTaxYear: taxYear,\n\t\t\t\tNotificationDateISO: notificationDateIso,\n\t\t\t\tOverwriteChildAgencies: overwriteChildCompaniesSettings\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tcreateScheduledP60Notification: (agencyProfileId, taxYear, notificationDateIso) => {\n\n\t\t\tconst url = lib + 'CreateScheduledP60Notification';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tTaxYear: taxYear,\n\t\t\t\tNotificationDateISO: notificationDateIso\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tdeleteAgencyProfile: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'DeleteAgencyProfile';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tdeleteAgencyProfileBLOBKey: (agencyProfileId, keyType) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfileBLOBKey'; // Uses alternative service call but hard codes BLOBKeyID\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tBLOBKeyID: config.guidEmpty,\n\t\t\t\tKeyType: keyType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tdeleteAgencyProfileDemo: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'DeleteAgencyProfileDemo';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tdeleteCompanyClone: agencyProfileId => {\n\n\t\t\tconst url = lib + 'DeleteCompanyClone';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tdeleteCurrency: (agencyProfileId, currencyId) => {\n\n\t\t\tconst url = lib + 'DeleteCurrency';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tCurrencyID: currencyId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tdeleteGroupCompany: (agencyProfileId, moveCompaniesToADifferentGroup, newAgencyProfileParentId) => {\n\n\t\t\tconst url = lib + 'DeleteGroupCompany';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMoveCompaniesToADifferentGroup: moveCompaniesToADifferentGroup,\n\t\t\t\tNewAgencyProfileParentID: newAgencyProfileParentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tdeletePolicy: (policyId) => {\n\n\t\t\tconst url = lib + 'DeletePolicy';\n\t\t\tconst data = {\n\t\t\t\tPolicyID: policyId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tdeletePolicyBand: (policyBandId) => {\n\n\t\t\tconst url = lib + 'DeletePolicyBand';\n\t\t\tconst data = {\n\t\t\t\tPolicyBandID: policyBandId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tdeletePolicyGrade: (policyGradeId) => {\n\n\t\t\tconst url = lib + 'DeletePolicyGrade';\n\t\t\tconst data = {\n\t\t\t\tPolicyGradeID: policyGradeId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tdeleteParentScheduledP60Notification: (agencyProfileParentID, scheduledDocumentNotificationId, overwriteChildCompaniesSettings) => {\n\n\t\t\tconst url = lib + 'DeleteParentScheduledP60Notification';\n\t\t\tconst dataObj = {\n\t\t\t\tScheduledDocumentNotificationID: scheduledDocumentNotificationId,\n\t\t\t\tAgencyProfileParentID: agencyProfileParentID,\n\t\t\t\tOverwriteChildAgencies: overwriteChildCompaniesSettings\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tdeleteScheduledP60Notification: (agencyProfileId, scheduledDocumentNotificationId) => {\n\n\t\t\tconst url = lib + 'DeleteScheduledP60Notification';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tScheduledDocumentNotificationID: scheduledDocumentNotificationId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tdeleteWorkPattern: (workPatternId) => {\n\n\t\t\tconst url = lib + 'DeleteWorkPattern';\n\t\t\tconst data = {\n\t\t\t\tWorkPatternID: workPatternId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyCustomerCode: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetAgencyCustomerCode';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyCustomerCodes: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetAgencyCustomerCodesForParent';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyDepartments: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetAgencyDepartments';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyEmployerInactivityDetails: agencyProfileId => {\n\n\t\t\tconst url = `${lib}GetAgencyEmployerInactivityDetails`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyEmployerNetPayCalculationDetails: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetAgencyEmployerNetPayCalculationDetails';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetAgencyProfileAgencyProfile: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetAgencyProfileAgencyProfile';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyProfileAgencyProfilesForChild: (agencyProfileId, interfaceType) => {\n\n\t\t\tconst url = lib + 'GetAgencyProfileAgencyProfilesForChild';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tInterfaceType: interfaceType !== undefined ? interfaceType : 0 // Defaults to everything\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyProfileAgencyProfilesForParent: (userId, agencyProfileId, interfaceType, archived, cloned) => {\n\n\t\t\tconst url = lib + 'GetAgencyProfileAgencyProfilesForParent';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tInterfaceType: interfaceType !== undefined ? interfaceType : 0, // Defaults to everything\n\t\t\t\tArchived: archived !== undefined ? archived : false,\n\t\t\t\tCloned: cloned\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyProfileCompanyDetails: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetAgencyProfileCompanyDetails';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n getAgencyProfileCompanyDetailsUser: (userId, authString) => {\n\n\t\t\tconst url = lib + 'GetAgencyProfileCompanyDetailsUser';\n\t\t\tconst data = {\n\t\t\t\tAuthString: authString,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyProfileCompanyInformationDetailed: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetAgencyProfileCompanyInformationDetailed';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyProfileCompanyOverview: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetAgencyProfileCompanyOverview';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyProfileEmployeePortalPermissionValue: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetAgencyProfileEmployeePortalPermissionValue';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyProfilePensionSettings: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetAgencyProfilePensionSettings';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAgencyProfilePostponementDates: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetAgencyProfilePostponementDates';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetCompanyClone: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetCompanyClone';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetCompanyIntegrationDetails: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetCompanyIntegrationDetails';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetOnboardingStats: (agencyProfileId, state) => {\n\n\t\t\tconst url = lib + 'GetOnboardingStats';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tState: state\n\t\t\t};\n\t\t\tconst svcConfig = {\n\t\t\t\tuseTestData: true\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, svcConfig);\n\t\t},\n\n\t\tgetCompanyTilesBACS: (agencyProfileId, state) => {\n\n\t\t\tconst url = lib + 'GetCompanyTilesBACS';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tState: state\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetCompanyCustomisation: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetCompanyCustomisation';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetCompanyCustomisationPublic: (agencyProfileId, bureau) => {\n\n\t\t\tconst url = lib + 'GetCompanyCustomisationPublic';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tBureau: bureau\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetCompanyCustomisationToUse: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetCompanyCustomisationToUse';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetCompanyInformationDynamic: (agencyProfileId, requestInt) => {\n\n\t\t\tconst url = lib + 'GetCompanyInformationDynamic';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tRequestInt: requestInt\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetCompanyInformationListForParentDynamic: (parentAgencyProfileId, requestInt) => {\n\n\t\t\tconst url = lib + 'GetCompanyInformationListForParentDynamic';\n\t\t\tconst data = {\n\t\t\t\tParentAgencyProfileID: parentAgencyProfileId,\n\t\t\t\tRequestInt: requestInt\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetCompanyModuleDetails: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetCompanyModuleDetails';\n\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetCompanyP32Management: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetCompanyP32Management';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetCurrencies: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetCurrencies';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetDashboardDataMinimum: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetDashboardDataMinimum';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetEmptyPolicyGrade: () => {\n\n\t\t\tconst url = lib + 'GetEmptyPolicyGrade';\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetEmptyCurrency: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetEmptyCurrency';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetFutureWorkPatterns: (agencyProfileId, userId) => {\n\n\t\t\tconst url = lib + 'GetFutureWorkPatterns';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPayrollsOnSamePAYEScheme: (agencyProfileId, parentBureauAgencyProfileID, includeTargetProfile) => {\n\n\t\t\tconst url = lib + 'GetPayrollsOnSamePAYEScheme';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tParentBureauAgencyProfileID: parentBureauAgencyProfileID,\n\t\t\t\tIncludeTargetProfile: includeTargetProfile\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPolicyGrades: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetPolicyGrades';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetQBAPayDateRanges: (payDate, payPeriodType) => {\n\n\t\t\tconst url = lib + 'GetQBAPayDateRanges';\n\t\t\tconst data = {\n\t\t\t\tPayDateISO: payDate,\n\t\t\t\tPayPeriodType: payPeriodType\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetWorkPattern: (workPatternId) => {\n\n\t\t\tconst url = lib + 'GetWorkPattern';\n\t\t\tconst data = {\n\t\t\t\tWorkPatternID: workPatternId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetWorkPatterns: (agencyProfileId, userId) => {\n\n\t\t\tconst url = lib + 'GetWorkPatterns';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetWorkPatternsForAgency: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetWorkPatternsForAgency';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetWorkPatternUsers: (workPatternId) => {\n\n\t\t\tconst url = lib + 'GetWorkPatternUsers';\n\t\t\tconst data = {\n\t\t\t\tWorkPatternID: workPatternId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetEmptyCompanySetup: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetEmptyCompanySetup';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetEmptyPolicy: () => {\n\n\t\t\tconst url = lib + 'GetEmptyPolicy';\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetEmptyPolicyBand: () => {\n\n\t\t\tconst url = lib + 'GetEmptyPolicyBand';\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetEmptyPolicyBandEntitlementPeriod: () => {\n\n\t\t\tconst url = lib + 'GetEmptyPolicyBandEntitlementPeriod';\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetEmptyWorkPattern: () => {\n\n\t\t\tconst url = lib + 'GetEmptyWorkPattern';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetOnboardingCompanies: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetOnboardingCompanies';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetOnboardingDashboard: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetOnboardingDashboard';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetOnboardingQuestions: (onboardingId) => {\n\n\t\t\tconst url = lib + 'GetOnboardingQuestions';\n\t\t\tconst data = {\n\t\t\t\tOnboardingID: onboardingId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetOnboardingTeamMembers: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetOnboardingTeamMembers';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetP60NotificationSettings: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetP60NotificationSettings';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetPAYEDetails: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetPAYEDetails';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPAYEDetailsPreview: (payDateIso) => {\n\n\t\t\tconst url = lib + 'GetPAYEDetailsPreview';\n\t\t\tconst data = {\n\t\t\t\tPayDateISO: payDateIso\n\t\t\t};\n\t\t\t\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPayPeriodCountsForDashboardView: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetPayPeriodCountsForDashboardView';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPayPeriodCountsForPeriodView: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = lib + 'GetPayPeriodCountsForPeriodView';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPayPeriodCountsForRunPayrollView: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = lib + 'GetPayPeriodCountsForRunPayrollView';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPayPeriodCountsForSettingsView: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetPayPeriodCountsForSettingsView';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPayPeriodMinimum: (agencyProfileId, previousPeriod) => {\n\n\t\t\tconst url = lib + 'GetPayPeriodMinimum';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPreviousPeriod: previousPeriod\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPolicy: (policyId) => {\n\n\t\t\tconst url = lib + 'GetPolicy';\n\t\t\tconst data = {\n\t\t\t\tPolicyID: policyId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPolicyBands: (policyId) => {\n\n\t\t\tconst url = lib + 'GetPolicyBands';\n\t\t\tconst data = {\n\t\t\t\tPolicyID: policyId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPolicyGroup: (agencyProfileId, policyGroupId) => {\n\n\t\t\tconst url = lib + 'GetPolicyGroup';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPolicyGroupID: policyGroupId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPolicyNameUnique: (agencyProfileId, policyName) => {\n\n\t\t\tconst url = lib + 'GetPolicyNameUnique';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPolicyName: policyName\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPolicies: (agencyProfileId, policyType, includeUpdates) => {\n\n\t\t\tconst url = lib + 'GetPolicies';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tType: policyType,\n\t\t\t\tIncludeUpdates: includeUpdates\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tsendInvitationMail: (onboardingId, agencyProfileParentId, includeToken) => {\n\n\t\t\tconst url = lib + 'SendInvitationMail';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileParentID: agencyProfileParentId, // 0 = paycircle or 1 = FSB\n\t\t\t\tOnboardingID: onboardingId\n\t\t\t};\n\t\t\tconst svcConfig = {\n\t\t\t\tincludeToken: includeToken !== undefined ? includeToken : false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, svcConfig);\n\t\t},\n\n\t\tsendInvitationMailInternal: (onboardingId, agencyProfileParentId) => {\n\n\t\t\tconst url = lib + 'SendInvitationMailInternal';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileParentID: agencyProfileParentId, // GUID\n\t\t\t\tOnboardingID: onboardingId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyCustomerCode: (agencyProfileId, agencyCustomerCode) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyCustomerCode';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyCustomerCode: agencyCustomerCode\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateAgencyCustomerCodes: (agencyProfileId, agencyCustomerCodes) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyCustomerCodes';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyCustomerCodes: agencyCustomerCodes\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\n\t\tupdateAgencyEmployerNetPayCalculationDetails: (agencyProfileId, calculationDetails) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyEmployerNetPayCalculationDetails';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tCalculationDetails: calculationDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateAgencyEmployerReferences: (employerDetails) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyEmployerReferences';\n\t\t\tconst data = {\n\t\t\t\tEmployerDetails: employerDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyEmployerStatusDetails: (employerDetails) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyEmployerStatusDetails';\n\t\t\tconst data = {\n\t\t\t\tEmployerDetails: employerDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyPayPeriodApprovedDate: (agencyPayPeriodId, reset) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyPayPeriodApprovedDate';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tReset: reset\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyPayPeriodCurrencyCheck: (agencyProfileId, agencyPayPeriodId, currencyCheck) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyPayPeriodCurrencyCheck';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tCurrencyCheck: currencyCheck\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateAgencyPayPeriodRollback: (agencyPayPeriodId) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyPayPeriodRollback';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyProfileAgencyProfiles: (agencyProfileIdList, agencyProfileParentId, remove) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfileAgencyProfiles';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileIDList: agencyProfileIdList,\n\t\t\t\tAgencyProfileParentID: agencyProfileParentId,\n\t\t\t\tRemove: remove\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyProfileAgencyProfile: (agencyProfileId, agencyProfileParentId, remove) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfileAgencyProfile';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyProfileParentID: agencyProfileParentId,\n\t\t\t\tRemove: remove\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyProfileCeasePAYEScheme: (agencyProfileId, dateToCancelIso, deleteCessationDetails) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfileCeasePAYEScheme';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tDateToCancelISO: dateToCancelIso,\n\t\t\t\tDeleteCessationDetails: deleteCessationDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateAgencyProfilePayslipAdditionalNoticeVisible: (agencyProfileId, additionalNoteVisible) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfilePayslipAdditionalNoticeVisible';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAdditionalNoteVisible: additionalNoteVisible\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateAgencyProfilePayslipPeriodVisible: (agencyProfileId, periodVisible) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfilePayslipPeriodVisible';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPeriodVisible: periodVisible\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateAgencyProfilePdfPayslipSorting: (agencyProfileId, businessCategorySorting, teamMemberSorting) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfilePDFPayslipSorting';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tBusinessCategorySorting: businessCategorySorting,\n\t\t\t\tTeamMemberSorting: teamMemberSorting\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyEmployerAutoApplyNICodeChanges: (agencyProfileId, autoApplyNiCode) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyEmployerAutoApplyNICodeChanges';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAutoApplyNICode: autoApplyNiCode\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateAgencyProfileEmployeePortalPermissionValue: (agencyProfileId, permissionValue) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfileEmployeePortalPermissionValue';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPermissionValue: permissionValue\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyEmployerAutoRun: (agencyProfileId, autoRun) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyEmployerAutoRun';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAutoRun: autoRun\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyEmployerDirectorNIStandard: (agencyProfileId, standardMethod) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyEmployerDirectorNIStandard';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tStandardMethod: standardMethod\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyEmployerDisableRTISubmissions: (agencyProfileId, rtiDisabled) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyEmployerDisableRTISubmissions';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tRTIDisabled: rtiDisabled\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateAgencyEmployerInactivity: (agencyProfileId, startPeriodId, endPeriodId) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyEmployerInactivity';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tStartPeriodID: startPeriodId,\n\t\t\t\tEndPeriodID: endPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyEmployerPayReferencePeriod: (agencyProfileId, referencePeriod) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyEmployerPayReferencePeriod';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tReferencePeriod: referencePeriod\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyEmployerPayslipDelivery: (agencyProfileId, payslipDelivery) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyEmployerPayslipDelivery';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPayslipDelivery: payslipDelivery\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyEmployerSkipped: (agencyProfileId, startPeriodId, endPeriodId) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyEmployerSkipped';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tStartPeriodID: startPeriodId,\n\t\t\t\tEndPeriodID: endPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyProfileArchive: (agencyProfileId, archive, reason) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfileArchive';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tArchive: archive,\n\t\t\t\tReason: reason\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyProfileIsPayDashboardEnabled: (agencyProfileId, isPayDashboardEnabled) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfileIsPayDashboardEnabled';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIsPayDashboardEnabled: isPayDashboardEnabled\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyProfileIsInTestMode: (agencyProfileId, isInTestMode) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfileIsInTestMode';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIsInTestMode: isInTestMode === undefined ? false : isInTestMode\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyProfileIsPayslipManagerSetupComplete: (agencyProfileId, isSetupComplete) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfileIsPayslipManagerSetupComplete';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIsSetupComplete: isSetupComplete\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateAgencyProfilePensionCommunicationSettings: (agencyProfileId, pensionCommunicationSettingsObj) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfilePensionCommunicationSettings';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPensionCommunicationSettings: pensionCommunicationSettingsObj\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateAgencyProfilePensionSubmissionSettings: (agencyProfileId, pensionSubmissionSettings) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfilePensionSubmissionSettings';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPensionSubmissionSettings: pensionSubmissionSettings\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyProfilePensionSupplementaryPaySettings: (agencyProfileId, pensionSupplementaryPaySettings) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyProfilePensionSupplementaryPaySettings';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPensionSupplementaryPaySettings: pensionSupplementaryPaySettings\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyEmployerPayrollBIK: (agencyProfileId, payrollBik, payrollBIKRegistrationDateISO) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyEmployerPayrollBIK';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPayrollBIK: payrollBik,\n\t\t\t\tPayrollBIKRegistrationDateISO: payrollBIKRegistrationDateISO\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateCompanyCustomisationBranding: (agencyProfileId, brandingDetails) => {\n\n\t\t\tconst url = lib + 'UpdateCompanyCustomisationBranding';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tBrandingDetails: brandingDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateCompanyCustomisationEmail: (agencyProfileId, emailDetails) => {\n\n\t\t\tconst url = lib + 'UpdateCompanyCustomisationEmail';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tEmailDetails: emailDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateCompanyCustomisationIntercom: (agencyProfileId, intercomDetails) => {\n\n\t\t\tconst url = lib + 'UpdateCompanyCustomisationIntercom';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIntercomDetails: intercomDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateCompanyCustomisationLogin: (agencyProfileId, loginDetails) => {\n\n\t\t\tconst url = lib + 'UpdateCompanyCustomisationLogin';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tLoginDetails: loginDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateCompanyCustomisationPayslip: (agencyProfileId, payslipDetails, contact) => {\n\n\t\t\tconst url = lib + 'UpdateCompanyCustomisationPayslip';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tContact: contact,\n\t\t\t\tPayslipDetails: payslipDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateCompanyInformationBasic: (companyDetails) => {\n\n\t\t\tconst url = lib + 'UpdateCompanyInformationBasic';\n\t\t\tconst data = {\n\t\t\t\tCompanyDetails: companyDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateCompanyModules: (agencyProfileID, companyDetails) => {\n\n\t\t\tconst url = lib + 'UpdateCompanyModules';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileID,\n\t\t\t\tCompanyDetails: companyDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateCompanyP32Management: companyP32Management => {\n\n\t\t\tconst url = lib + 'UpdateCompanyP32Management';\n\t\t\tconst dataObj = {\n\t\t\t\tCompanyP32Management: companyP32Management\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateCompanyPostponementDate: (agencyPayPeriodID) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyEmployerPostponementDate';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateCurrencies: (agencyProfileId, currencies) => {\n\n\t\t\tconst url = lib + 'UpdateCurrencies';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tCurrencies: currencies\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateAgencyEmployerEPSDisabled: (agencyProfileId, EPSDisabled) => {\n\n\t\t\tconst url = lib + 'UpdateAgencyEmployerEPSDisabled';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tEPSDisabled: EPSDisabled\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAgencyEmployerAutoApplyTaxRefund: (agencyProfileId, autoApplyTaxRefund) => {\n\n\t\t\tvar url = lib + 'UpdateAgencyEmployerAutoApplyTaxRefund';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAutoApplyTaxRefund: autoApplyTaxRefund\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateCompanyIntegrations: (agencyProfileId, integrationData) => {\n\n\t\t\tconst url = lib + 'UpdateCompanyIntegrations';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tCompanyIntegrations: {\n\t\t\t\t\tIsPayExperianIntegrationEnabled: integrationData.isPayExperianIntegrationEnabled,\n\t\t\t\t\tIsPeopleHRIntegrationEnabled: integrationData.isPeopleHRIntegrationEnabled\n\t\t\t\t}\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateIsGenderPayGapEnabled: (agencyProfileId, isGenderPayGapEnabled) => {\n\n\t\t\tconst url = lib + 'UpdateGenderPayGapReportingModule';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIsGenderPayGapReportingActive: isGenderPayGapEnabled\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateOnboardingActivationCode: (onboardingId, bureau) => {\n\n\t\t\tconst url = lib + 'UpdateOnboardingActivationCode';\n\t\t\tconst data = {\n\t\t\t\tOnboardingID: onboardingId,\n\t\t\t\tBureau: bureau\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateOnboardingCompany: (onboardingId, agencyProfileParentId, companyName, forename, surname, emailAddress, telephone, delaySend) => {\n\n\t\t\tconst url = lib + 'UpdateOnboardingCompany';\n\t\t\tconst data = {\n\t\t\t\tOnboardingID: onboardingId,\n\t\t\t\tAgencyProfileParentID: agencyProfileParentId,\n\t\t\t\tCompanyName: companyName,\n\t\t\t\tForename: forename,\n\t\t\t\tSurname: surname,\n\t\t\t\tEmailAddress: emailAddress,\n\t\t\t\tTelephone: telephone,\n\t\t\t\tDelaySend: delaySend\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateOnboardingGoLiveDate: (onboardingId, goLiveDateISO) => {\n\n\t\t\tconst url = lib + 'UpdateOnboardingGoLiveDate';\n\t\t\tconst data = {\n\t\t\t\tOnboardingID: onboardingId,\n\t\t\t\tGoLiveDateISO: goLiveDateISO\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateOnboardingQuestions: (onboardingQuestions) => {\n\n\t\t\tconst url = lib + 'UpdateOnboardingQuestions';\n\t\t\tconst data = {\n\t\t\t\tOnboardingQuestions: onboardingQuestions\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateOnboardingQuestionComplete: (onboardingQuestionID, complete) => {\n\n\t\t\tconst url = lib + 'UpdateOnboardingQuestionComplete';\n\t\t\tconst data = {\n\t\t\t\tOnboardingQuestionID: onboardingQuestionID,\n\t\t\t\tComplete: complete\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateOnboardingQuestionGroupComplete: (onboardingId, onboardingQuestionGroupId, complete) => {\n\n\t\t\tconst url = lib + 'UpdateOnboardingQuestionGroupComplete';\n\t\t\tconst data = {\n\t\t\t\tOnboardingID: onboardingId,\n\t\t\t\tOnboardingQuestionGroupID: onboardingQuestionGroupId,\n\t\t\t\tComplete: complete\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateOnboardingState: (onboardingId, agencyProfileID, onboardingState) => {\n\n\t\t\tconst url = lib + 'UpdateOnboardingState';\n\t\t\tconst data = {\n\t\t\t\tOnboardingID: onboardingId,\n\t\t\t\tAgencyProfileID: agencyProfileID,\n\t\t\t\tOnboardingState: onboardingState\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateOnboardingTeamComplete: (onboardingId, agencyProfileID, teamComplete) => {\n\n\t\t\tconst url = lib + 'UpdateOnboardingTeamComplete';\n\t\t\tconst data = {\n\t\t\t\tOnboardingID: onboardingId,\n\t\t\t\tAgencyProfileID: agencyProfileID,\n\t\t\t\tTeamComplete: teamComplete\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateOnboardingTrialExpiryDate: (onboardingId, agencyProfileId) => {\n\n\t\t\tconst url = lib + 'UpdateOnboardingTrialExpiryDate';\n\t\t\tconst data = {\n\t\t\t\tOnboardingID: onboardingId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdatePolicy: (agencyProfileId, updatedPolicy, duplicate) => {\n\n\t\t\tduplicate = angular.isUndefined(duplicate) ? false : duplicate;\n\n\t\t\tconst url = lib + 'UpdatePolicy';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedPolicy: updatedPolicy,\n\t\t\t\tDuplicate: duplicate\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdatePolicyGrade: (agencyProfileId, updatedPolicyGrade) => {\n\n\t\t\tconst url = lib + 'UpdatePolicyGrade';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedPolicyGrade: updatedPolicyGrade\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateParentScheduledP60NotificationDate: (agencyProfileParentID, scheduledDocumentNotificationId, notificationDateIso, overwriteChildCompaniesSettings) => {\n\n\t\t\tconst url = lib + 'UpdateParentScheduledP60NotificationDate';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileParentID: agencyProfileParentID,\n\t\t\t\tScheduledDocumentNotificationID: scheduledDocumentNotificationId,\n\t\t\t\tNotificationDateISO: notificationDateIso,\n\t\t\t\tOverwriteChildAgencies: overwriteChildCompaniesSettings\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateScheduledP60NotificationDate: (agencyProfileId, scheduledDocumentNotificationId, notificationDateIso) => {\n\n\t\t\tconst url = lib + 'UpdateScheduledP60NotificationDate';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tScheduledDocumentNotificationID: scheduledDocumentNotificationId,\n\t\t\t\tNotificationDateISO: notificationDateIso\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateWorkPatternForAgency: (agencyProfileId, pattern) => {\n\n\t\t\tconst url = lib + 'UpdateWorkPatternForAgency';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPattern: pattern\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateWorkPatterns: (agencyProfileId, updatedWorkPatterns, userId) => {\n\n\t\t\tconst url = lib + 'UpdateWorkPatterns';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedWorkPatterns: updatedWorkPatterns,\n\t\t\t\tUserID: userId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPayPeriodDetails: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetPayPeriodDetails';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPayPeriodDetails2: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetPayPeriodDetails2';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t}\n\t};\n\n\treturn service;\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('dataImportData', ['libraries', 'promise', function (libraries, promise) {\n\n\tvar lib\t= libraries.importLib;\n\tvar service = {\n\n\t\tcreateBureauCompany: function (companyName, playground) {\n\n\t\t\tvar url = lib + 'CreateBureauCompany';\n\t\t\tvar data = {\n\t\t\t\tCompanyName: companyName,\n\t\t\t\tPlayground: playground !== undefined ? playground : false // default to false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateGroupCompany: function (agencyProfileParentId, companyName) {\n\n\t\t\tvar url = lib + 'CreateGroupCompany';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileParentID: agencyProfileParentId,\n\t\t\t\tCompanyName: companyName\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreatePlayground: function (agencyProfileId, companyName) {\n\n\t\t\tvar url = lib + 'CreatePlayground';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tCompanyName: companyName\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAreHMRCCredentialsValid: (agencyProfileId, senderId, value) => {\n\n\t\t\tconst url = lib + 'GetAreHMRCCredentialsValid';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSenderID: senderId,\n\t\t\t\tValue: value\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetImportMappingColumns: function (agencyDocumentTypeId) {\n\n\t\t\tvar url = lib + 'GetImportMappingColumns';\n\t\t\tvar data = {\n\t\t\t\tAgencyDocumentTypeID: agencyDocumentTypeId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateImportMappingFile: function (agencyProfileId, agencyPayPeriodId, agencyDocumentId, mapping) {\n\n\t\t\tvar url = lib + 'UpdateImportMappingFile';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyDocumentID: agencyDocumentId,\n\t\t\t\tMapping: mapping\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('mailData', ['libraries', 'promise', function (libraries, promise) {\n\n\tvar lib = libraries.mail;\n\tvar service = {\n\n\t\tgetCompanyEmailSettings: function (agencyProfileId) {\n\n\t\t\tlet url = lib + 'GetCompanyEmailSettings';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetCompanyEmailFrameworkOptions: function (agencyProfileId) {\n\n\t\t\tlet url = lib + 'GetCompanyEmailFrameworkOptions';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetMailLog: function (mailLogId) {\n\n\t\t\tlet url = lib + 'GetMailLog';\n\t\t\tlet data = {\n\t\t\t\tMailLogKey: mailLogId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetMailLogSummariesForUser: function (userID, agencyProfileId) {\n\n\t\t\tlet url = lib + 'GetMailLogSummariesForUser';\n\t\t\tlet data = {\n\t\t\t\tUserID: userID,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetMailLogSummariesForAgency: function (agencyProfileId, agencyEmployerPensionId) {\n\n\t\t\tlet url = lib + 'GetMailLogSummariesForAgency';\n\t\t\tlet data = {\n\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetMailTemplate: function (mailTemplateId) {\n\n\t\t\tlet url = lib + 'GetMailTemplate';\n\t\t\tlet data = {\n\t\t\t\tMailTemplateID: mailTemplateId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetMailTemplateForMailType: function (mailTypeId) {\n\n\t\t\tlet url = lib + 'GetMailTemplateForMailType';\n\t\t\tlet data = {\n\t\t\t\tMailTypeID: mailTypeId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetTeamMemberPayslipNotes: function (userIds, agencyPayPeriodId, agencyProfileId) {\n\n\t\t\tvar url = lib + 'GetTeamMemberPayslipNotes';\n\t\t\tvar data = {\n\t\t\t\tUserIDs: userIds,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tsendMailTemplateForMailType: function (mailTypeId, userIDArray, agencyProfileId) {\n\n\t\t\tlet url = lib + 'SendMailTemplateForMailType';\n\t\t\tlet data = {\n\t\t\t\tMailTypeID: mailTypeId,\n\t\t\t\tUserIDList: userIDArray,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tOverrideAddress: ''\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tsendMailTemplateForMailTypeToUser: function (mailTypeId, userId, agencyProfileId) {\n\n\t\t\tvar userIdList = [];\n\t\t\tuserIdList.push(userId);\n\n\t\t\tlet url = lib + 'SendMailTemplateForMailType';\n\t\t\tlet data = {\n\t\t\t\tMailTypeID: mailTypeId,\n\t\t\t\tUserIDList: userIdList,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tOverrideAddress: ''\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateCompanyEmailSettings: function (agencyProfileId, updatedEmails) {\n\n\t\t\tlet url = lib + 'UpdateCompanyEmailSettings';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedEmails: updatedEmails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateCompanyEmailFramework: function (agencyProfileId, newCompanyEmailFramework) {\n\n\t\t\tlet url = lib + 'UpdateCompanyEmailFramework';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tNewCompanyEmailFramework: newCompanyEmailFramework\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateTeamMemberPayslipNotes: function (updatedPayslipNotes) {\n\n\t\t\tvar url = lib + 'UpdateTeamMemberPayslipNotes';\n\t\t\tvar data = {\n\t\t\t\tUpdatedPayslipNotes: updatedPayslipNotes\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('messageData', ['config', 'libraries', 'promise', function (config, libraries, promise) {\n\n\tconst lib = libraries.message;\n\n\treturn {\n\t\tcopyMessage: (agencyProfileId, messageId, messageType) => {\n\n\t\t\tlet url = `${lib}CopyMessage`;\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMessageID: messageId,\n\t\t\t\tMessageType: messageType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateMessage: (agencyProfileId, agencyPayPeriodId, newMessage, mentionList) => {\n\n\t\t\tconst url = `${lib}CreateMessage`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tNewMessage: newMessage,\n\t\t\t\tMentionList: mentionList\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetMessageNew: () => {\n\n\t\t\tconst url = `${lib}GetMessageNew`;\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetMessageCountsPolling: userId => {\n\n\t\t\tconst url = `${lib}GetMessageCountsPolling`;\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetMessagesForRecipient: (agencyProfileId, messageRecipientId) => {\n\n\t\t\tlet url = `${lib}GetMessagesForRecipient`;\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMessageRecipientID: messageRecipientId\n\t\t\t};\n\n\t\t\tlet config = {\n\t\t\t\tcancelRequestOnStateChange: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, config);\n\t\t},\n\n\t\tgetMessagesForPayPeriod: (agencyProfileId, agencyPayPeriodId, messageFormat) => {\n\n\t\t\tlet url = `${lib}GetMessagesForPayPeriod`;\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tMessageFormat: messageFormat\n\t\t\t};\n\n\t\t\tlet config = {\n\t\t\t\tcancelRequestOnStateChange: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, config);\n\t\t},\n\n\t\tgetMessageStatusCount: (agencyProfileId, messageStatus) => {\n\n\t\t\tlet url = `${lib}GetMessageStatusCount`;\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMessageStatus: messageStatus\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPensionLogEntriesForPeriod: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = `${lib}GetPensionLogEntriesForPeriod`;\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tcopyWorkflowTemplate: (agencyProfileId, workflowTemplateId, createTask) => {\n\n\t\t\tconst url = `${lib}CopyWorkflowTemplate`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tWorkflowTemplateID: workflowTemplateId,\n\t\t\t\tCreateTask: createTask\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tdeleteWorkflowTemplate: (agencyProfileId, workflowTemplateId) => {\n\n\t\t\tconst url = `${lib}DeleteWorkflowTemplate`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tWorkflowTemplateID: workflowTemplateId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetMessageMentionsNew: userId => {\n\n\t\t const url = `${lib}GetMessageMentionsNew`;\n\t\t const data = {\n\t\t UserID: userId\n\t\t };\n\n\t\t return promise.getPromise(url, data);\n\t\t},\n\n\t\tgetMessagesForAlert: userId => {\n\n\t\t\tconst url = `${lib}GetMessagesForAlert`;\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetMessagesForMention: (agencyProfileId, userId) => {\n\n\t\t const url = `${lib}GetMessagesForMention`;\n\t\t const data = {\n\t\t \tAgencyProfileID: agencyProfileId,\n\t\t UserID: userId\n\t\t };\n\n\t\t return promise.getPromise(url, data);\n\t\t},\n\n\t\tgetMessagesForUpdate: userId => {\n\n\t\t const url = `${lib}GetMessagesForUpdate`;\n\t\t const data = {\n\t\t UserID: userId\n\t\t };\n\n\t\t return promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPeriodAlerts: (agencyProfileId, payPeriodId, calculated) => {\n\n\t\t\tconst url = `${lib}GetPeriodAlerts`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPayPeriodID: payPeriodId,\n\t\t\t\tCalculated: calculated\n\t\t\t};\n\t\t\tconst config = {\n\t\t\t\tcancelRequestOnStateChange: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, config);\n\t\t},\n\n\t\tgetPeriodAlertCount: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = `${lib}GetPeriodAlertCount`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tCalculated: true\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetWorkflowLogEntries: (agencyProfileId) => {\n\n\t\t\tconst url = `${lib}GetWorkflowLogEntries`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetWorkflowOverview: (agencyProfileId) => {\n\n\t\t\tconst url = `${lib}GetWorkflowOverview`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetWorkflowTemplateCurrentEntries: (agencyProfileId) => {\n\n\t\t\tconst url = `${lib}GetWorkflowTemplateCurrentEntries`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetWorkflowTemplateCurrentEntriesForUser: (agencyProfileId) => {\n\n\t\t\tconst url = `${lib}GetWorkflowTemplateCurrentEntriesForUser`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetWorkflowTemplateEntryByState: (agencyProfileId, workflowTemplateId, state) => {\n\n\t\t\tconst url = `${lib}GetWorkflowTemplateEntryByState`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tWorkflowTemplateID: workflowTemplateId,\n\t\t\t\tState: state\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetWorkflowTemplates: (agencyProfileId, workflowTemplateId) => {\n\n\t\t\tconst url = `${lib}GetWorkflowTemplates`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tWorkflowTemplateID: workflowTemplateId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tmarkAllMentionsAsRead: (userId) => {\n\n\t\t\tconst url = `${lib}MarkAllMentionsAsRead`;\n\t\t\tconst data = {\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\n\t\t},\n\n\t\tmarkAllUpdatesAsRead: (userId) => {\n\n\t\t\tconst url = `${lib}MarkAllUpdatesAsRead`;\n\t\t\tconst data = {\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\n\t\t},\n\n\t\tmessageDocumentDelete: (agencyProfileId, agencyDocumentId) => {\n\n\t\t\tlet url = `${lib}MessageDocumentDelete`;\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyDocumentID: agencyDocumentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tmessageDocumentTransfer: (agencyProfileId, agencyPayPeriodId, agencyDocumentId, agencyDocumentTypeId) => {\n\n\t\t\tlet url = `${lib}MessageDocumentTransfer`;\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyDocumentID: agencyDocumentId,\n\t\t\t\tAgencyDocumentTypeID: agencyDocumentTypeId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateWorkflowTemplateChangesTableState: (agencyProfileId, changesTableState) => {\n\n\t\t\tconst url = `${lib}UpdateWorkflowTemplateChangesTableState`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tChangesTableState: changesTableState\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateWorkflowTemplateEntrySplashState: (workflowTemplateEntryId, state) => {\n\n\t\t\tconst url = `${lib}UpdateWorkflowTemplateEntrySplashState`;\n\t\t\tconst data = {\n\t\t\t\tWorkflowTemplateEntryID: workflowTemplateEntryId,\n\t\t\t\tState: state\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateWorkflowTemplateEntryState: (workflowTemplateEntryId, state) => {\n\n\t\t\tconst url = `${lib}UpdateWorkflowTemplateEntryState`;\n\t\t\tconst data = {\n\t\t\t\tWorkflowTemplateEntryID: workflowTemplateEntryId,\n\t\t\t\tState: state\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateMessage: updatedMessage => {\n\n\t\t\tlet url = `${lib}UpdateMessage`;\n\t\t\tlet data = {\n\t\t\t\tUpdatedMessage: updatedMessage\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateMessageStatus: (messageId, messageStatus) => {\n\n\t\t\tlet url = `${lib}UpdateMessageStatus`;\n\t\t\tlet data = {\n\t\t\t\tMessageID: messageId,\n\t\t\t\tMessageStatus: messageStatus\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateWorkflowTemplatePayrollLocked: (agencyProfileId, workflowTemplateId, isLocked) => {\n\n\t\t\tconst url = `${lib}UpdateWorkflowTemplatePayrollLocked`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t/* This could be undefined, so substitute it with an empty Guid. This API functio n can be called for companies\n\t\t\t\t that don't have workflow enabled. */\n\t\t\t\tWorkflowTemplateID: angular.isDefined(workflowTemplateId) ? workflowTemplateId : config.guidEmpty,\n\t\t\t\tIsLocked: isLocked\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateWorkflowTemplateEntry: (agencyProfileId, updatedWorkflowTemplateEntry) => {\n\n\t\t\tconst url = `${lib}UpdateWorkflowTemplateEntry`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedWorkflowTemplateEntry: updatedWorkflowTemplateEntry\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateWorkflowTemplateEntryActioner: (workflowTemplateEntryIdList, actionerId) => {\n\n\t\t\tconst url = `${lib}UpdateWorkflowTemplateEntryActioner`;\n\t\t\t// AgencyProfileID is ignored in this call: https://www.notion.so/paycircle/Workflow-My-Tasks-bfe5d5e89c2644c882a4ce28e230b5f0#6d6e54630f8149cdb274a277d6ac322a\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: config.guidEmpty,\n\t\t\t\tWorkflowTemplateEntryIDList: workflowTemplateEntryIdList,\n\t\t\t\tActionerID: actionerId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateWorkflowTemplateState: (workflowTemplateId, state) => {\n\n\t\t\tconst url = `${lib}UpdateWorkflowTemplateState`;\n\t\t\tconst data = {\n\t\t\t\tWorkflowTemplateID: workflowTemplateId,\n\t\t\t\tState: state\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateWorkflowTemplateQueried: (workflowTemplateId, isQueried) => {\n\n\t\t\tconst url = `${lib}UpdateWorkflowTemplateQueried`;\n\t\t\tconst data = {\n\t\t\t\tWorkflowTemplateID: workflowTemplateId,\n\t\t\t\tIsQueried: isQueried\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateWorkflowTemplateEntries: (agencyProfileId, updatedWorkflowTemplateEntries) => {\n\n\t\t\tconst url = `${lib}UpdateWorkflowTemplateEntries`;\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedWorkflowTemplateEntry: updatedWorkflowTemplateEntries\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateWorkflowTemplateOffsetType: (workflowTemplateId, offsetType) => {\n\n\t\t\tconst url = `${lib}UpdateWorkflowTemplateOffsetType`;\n\t\t\tconst dataObj = {\n\t\t\t\tWorkflowTemplateID: workflowTemplateId,\n\t\t\t\tOffsetType: offsetType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('payrollData', ['$q', 'config', 'libraries', 'promise', function ($q, config, libraries, promise) {\n\n\tconst libAgency\t\t\t= libraries.agency;\n\tconst libMessage\t\t= libraries.message;\n\tconst libPayroll\t\t= libraries.payroll;\n\tconst libPayrollWorker \t= libraries.payrollWorker;\n\tconst libUser\t\t\t= libraries.user;\n\n\tconst service = {\n\t\tcalculatePaymentScheduleGroup: scheduleGroup => {\n\n\t\t\tconst url = libPayroll + 'CalculatePaymentScheduleGroup';\n\t\t\tconst data = {\n\t\t\t\tScheduleGroup: scheduleGroup\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteAgencyAdjustmentGroup: agencyAdjustmentGroupId => {\n\n\t\t\tconst url = libPayroll + 'DeleteAgencyAdjustmentGroup';\n\t\t\tconst data = {\n\t\t\t\tAgencyAdjustmentGroupID: agencyAdjustmentGroupId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteAgencyAdjustmentGroupEntry: agencyAdjustmentGroupEntryId => {\n\n\t\t\tconst url = libPayroll + 'DeleteAgencyAdjustmentGroupEntry';\n\t\t\tconst data = {\n\t\t\t\tAgencyAdjustmentGroupEntryID: agencyAdjustmentGroupEntryId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteAgencyPaymentHistorical: agencyPaymentId => {\n\n\t\t\tconst url = libPayroll + 'DeleteAgencyPaymentHistorical';\n\t\t\tconst data = {\n\t\t\t\tAgencyPaymentID: agencyPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteLinkElement: (agencyProfileId, linkElementId) => {\n\n\t\t\tconst url = libPayroll + 'DeleteLinkElement';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tLinkElementID: linkElementId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteManualEPS: manualEpsId => {\n\n\t\t\tconst url = libPayroll + 'DeleteManualEPS';\n\t\t\tconst data = {\n\t\t\t\tManualEPSID: manualEpsId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteP11DbSubmission : (agencyProfileId, p11DbSubmissionId) => {\n\t\t\tconst url = libPayroll + 'DeleteP11DbSubmission';\n\t\t\tconst data = {\n\t\t\t\tP11DbSubmissionID:p11DbSubmissionId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeletePaymentScheduleGroup: (agencyProfileId, paymentScheduleGroupId, cancelledReason, benefitEndDateIso) => {\n\n\t\t\tconst url = libPayroll + 'DeletePaymentScheduleGroup';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPaymentScheduleGroupID: paymentScheduleGroupId,\n\t\t\t\tCancelledReason: cancelledReason,\n\t\t\t\tBenefitEndDateISO: benefitEndDateIso\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeletePolicyPay: (agencyProfileId, policyId) => {\n\n\t\t\tconst url = libPayroll + 'DeletePolicyPay';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPolicyID: policyId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteSalaryPolicy: (agencyProfileId, salaryPolicyId) => {\n\n\t\t\tconst url = libPayroll + 'DeleteSalaryPolicy';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSalaryPolicyID: salaryPolicyId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteSlackAccessToken: agencyProfileId => {\n\n\t\t\tconst url = libPayroll + 'DeleteSlackAccessToken';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteSupplementaryPayment: (agencyProfileId, supplementaryPaymentId) => {\n\n\t\t\tconst url = libPayroll + 'DeleteSupplementaryPayment';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteUserPayElement: (agencyProfileId, agencyPayPeriodId, userPayElementId, requestingUserId) => {\n\n\t\t\tconst url = libPayroll + 'DeleteUserPayElement';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tUserPayElementID: userPayElementId,\n\t\t\t\tRequestingUserID: requestingUserId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tcreateGoCardlessDirectDebit: (agencyProfileId, newDirectDebitMandate) => {\n\n\t\t\tconst url = libAgency + 'CreateGoCardlessDirectDebit';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tNewDirectDebitMandate: newDirectDebitMandate\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tcreateP11DbSubmission: (p11dSubmission, agencyProfileId) => {\n\t\t\tconst url = libPayroll + 'CreateP11DbSubmission';\n\t\t\tconst data = {\n\t\t\t\tP11DbSubmission: p11dSubmission,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyAdjustmentGroups: agencyProfileId => {\n\n\t\t\tconst url = libPayroll + 'GetAgencyAdjustmentGroups';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyAdjustmentGroupCombined: (agencyProfileId, includeAdminAccessEntries) => {\n\n\t\t\tconst url = libPayroll + 'GetAgencyAdjustmentGroupCombined';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIncludeAdminAccessEntries: includeAdminAccessEntries\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyAdjustmentGroupCombinedForDisbursements: agencyProfileId => {\n\n\t\t\tconst url = libPayroll + 'GetAgencyAdjustmentGroupCombinedForDisbursements';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyAdjustmentGroupCombinedForDisbursement: (agencyProfileID, disbursementID) => {\n\t\t\tconst url = libPayroll + 'GetAgencyAdjustmentGroupCombinedForDisbursement';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileID,\n\t\t\t\tDisbursementID: disbursementID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyAdjustmentGroupCombinedForJournal: agencyProfileId => {\n\n\t\t\tconst url = libPayroll + 'GetAgencyAdjustmentGroupCombinedForJournal';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyAdjustmentGroupCombinedForPension: (agencyProfileId, agencyEmployerPensionGroupId) => {\n\n\t\t\tconst url = libPayroll + 'GetAgencyAdjustmentGroupCombinedForPension';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyEmployerPensionGroupID: agencyEmployerPensionGroupId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyAdjustmentGroupCombinedForSupplementaryPayment: agencyProfileId => {\n\n\t\t\tconst url = libPayroll + 'GetAgencyAdjustmentGroupCombinedForSupplementaryPayment';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyAdjustmentGroup: agencyAdjustmentGroupId => {\n\n\t\t\tconst url = libPayroll + 'GetAgencyAdjustmentGroup';\n\t\t\tconst data = {\n\t\t\t\tAgencyAdjustmentGroupID: agencyAdjustmentGroupId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyAdjustmentGroupsForPension: (agencyProfileId, agencyEmployerPensionId) => {\n\n\t\t\tconst url = libPayroll + 'GetAgencyAdjustmentGroupsForPension';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyAdjustmentGroupsPackDetail: (agencyProfileId, agencyProfileParentId) => {\n\n\t\t\tconst url = libPayroll + 'GetAgencyAdjustmentGroupsPackDetail';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyProfileParentID: agencyProfileParentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyAdjustmentLabels: (agencyProfileId) => {\n\n\t\t\tconst url = libPayroll + 'GetAgencyAdjustmentLabels';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyEmployerPensionPeriodAlignment: (agencyProfileId, agencyEmployerPayPeriodId) => {\n\n\t\t\tconst url = libAgency + 'GetAgencyEmployerPensionPeriodAlignment';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyEmployerPayPeriodID: agencyEmployerPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetAgencyHasInProgressSupplementaryPayment: (agencyProfileId) => {\n\n\t\t\tconst url = libPayroll + 'GetAgencyHasInProgressSupplementaryPayment';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyPayment: agencyPaymentId => {\n\n\t\t\tconst url = libPayroll + 'GetAgencyPayment';\n\t\t\tconst data = {\n\t\t\t\tAgencyPaymentID: agencyPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyPaymentAdjustmentDetailList: (agencyProfileId, userId, agencyPayPeriodId) => {\n\n\t\t\tconst url = libPayroll + 'GetAgencyPaymentAdjustmentDetailList';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId, // Optional\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId // Optional\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyPaymentEmpty: () => {\n\n\t\t\tconst url = libPayroll + 'GetAgencyPaymentEmpty';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetAgencyPaymentsHistorical: agencyProfileId => {\n\n\t\t\tconst url = libPayroll + 'GetAgencyPaymentsHistorical';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAgencyPayPeriodState: (agencyPayPeriodId, agencyPayPeriodStateType) => {\n\n\t\t\tconst url = libAgency + 'GetAgencyPayPeriodState';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyPayPeriodStateType: agencyPayPeriodStateType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetBillingPayments: agencyProfileId => {\n\n\t\t\tconst url = libPayroll + 'GetBillingPayments';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetCarBenefit: (agencyProfileId, carBenefitId) => {\n\n\t\t\tconst url = libPayroll + 'GetCarBenefit';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tCarBenefitID: carBenefitId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetEmptyCarBenefit: () => {\n\n\t\t\tconst url = libPayroll + 'GetEmptyCarBenefit';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetEmptyHealthBenefit: () => {\n\n\t\t\tconst url = libPayroll + 'GetEmptyHealthBenefit';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\t\t\n\t\tgetEmptyEndOfYearUpdateNIDetail: () => {\n\n\t\t\tconst url = libPayroll + 'GetEmptyEndOfYearUpdateNIDetail';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetEmptySalaryPolicy: () => {\n\n\t\t\tconst url = libPayroll + 'GetEmptySalaryPolicy';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetEmptySupplementaryPayment: () => {\n\n\t\t\tconst url = libPayroll + 'GetEmptySupplementaryPayment';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetEmptyTeamMemberSalaryMinimum: () => {\n\n\t\t\tconst url = libPayroll + 'GetEmptyTeamMemberSalaryMinimum';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetEmptyUserPayElementDetail: agencyProfileId => {\n\n\t\t\tconst url = libPayroll + 'GetEmptyUserPayElementDetail';\n\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetEndOfYearUpdateForTaxYear: (agencyProfileId, agencyPayPeriodID, endOfYearUpdateType, userIdList) => {\n\n\t\t\tconst url = libPayroll + 'GetEndOfYearUpdateForTaxYear';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodID,\n\t\t\t\tEndOfYearUpdateType: endOfYearUpdateType,\n\t\t\t\tUserIDList: userIdList\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetEndOfYearUpdateState: (agencyProfileId, endOfYearUpdateId) => {\n\n\t\t\tconst url = libPayroll + 'GetEndOfYearUpdateState';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tEndOfYearUpdateID: endOfYearUpdateId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetFTEEquivalentDetails: (userId, agencyProfileId, salaryValue, contractedHours, contractedWeeks, policyId, policyHours, policyWeeks) => {\n\n\t\t\t// Default policyId to empty Guid\n\t\t\tif (angular.isUndefined(policyId)) {\n\t\t\t\tpolicyId = config.guidEmpty;\n\t\t\t}\n\n\t\t\tconst url = libPayroll + 'GetFTEEquivalentDetails';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSalaryValue: salaryValue,\n\t\t\t\tContractedHours: contractedHours,\n\t\t\t\tContractedWeeks: contractedWeeks,\n\t\t\t\tPolicyID: policyId,\n\t\t\t\tPolicyHours: policyHours,\n\t\t\t\tPolicyWeeks: policyWeeks\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetGrossForNetAdjustment: (agencyProfileId, agencyPayPeriodId, userId, net) => {\n\n\t\t\tconst url = libPayroll + 'GetGrossForNetAdjustment';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tUserID: userId,\n\t\t\t\tNet: net\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetHealthBenefit: (agencyProfileId, healthBenefitId) => {\n\n\t\t\tconst url = libPayroll + 'GetHealthBenefit';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tHealthBenefitID: healthBenefitId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetManualEPSForPeriod: agencyPayPeriodId => {\n\n\t\t\tconst url = libPayroll + 'GetManualEPSForPeriod';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetP11DbSubmissionFinaliseState: (agencyProfileId, p11DbSubmissionID) => {\n\n\t\t\tconst url = libPayroll + 'GetP11DbSubmissionFinaliseState';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tP11DbSubmissionID: p11DbSubmissionID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetP11DbSubmissionForAgencyPayPeriod: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = libPayroll + 'GetP11DbSubmissionForAgencyPayPeriod';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetP11DbSubmissionValidationWarnings: (agencyProfileId, agencyPayPeriodId, p11dbSubmissionId) => {\n\n\t\t\tconst url = libPayroll + 'GetP11DbSubmissionValidationError';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tP11DbSubmissionID: p11dbSubmissionId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetPaymentScheduleGroup: (agencyProfileId, paymentScheduleGroupId, userId) => {\n\n\t\t\tconst url = libPayroll + 'GetPaymentScheduleGroup';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPaymentScheduleGroupID: paymentScheduleGroupId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetCompanyDirectDebitMandate: agencyProfileId => {\n\n\t\t\tconst url = libAgency + 'GetCompanyDirectDebitMandate';\n\t\t\tconst config = {\n\t\t\t\tlogOnEmptyResponse: false\n\t\t\t};\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, config);\n\t\t},\n\t\tgetEmptyCompanyDirectDebitMandate: agencyProfileId => {\n\n\t\t\tconst url = libAgency + 'GetEmptyCompanyDirectDebitMandate';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetEmptyP11DbSubmission: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = libPayroll + 'GetEmptyP11DbSubmission';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetEmptyLinkElement: () => {\n\n\t\t\tconst url = libPayroll + 'GetEmptyLinkElement';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetFPSLateReasons: () => {\n\n\t\t\tconst url = libAgency + 'GetFpsLateReasons';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetHistoricalTaxPeriods: agencyProfileId => {\n\n\t\t\tconst url = libPayroll + 'GetHistoricalTaxPeriods';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetLinkElements: agencyProfileId => {\n\n\t\t\tconst url = libPayroll + 'GetLinkElements';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetManualEPSSubmissionState: manualEpsId => {\n\n\t\t\tconst url = libPayroll + 'GetManualEPSSubmissionState';\n\t\t\tconst data = {\n\t\t\t\tManualEPSID: manualEpsId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetPaymentScheduleTypes: (agencyProfileId, category) => {\n\n\t\t\tconst url = libPayroll + 'GetPaymentScheduleTypes';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tCategory: category\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetNextBillingPayment: agencyProfileId => {\n\n\t\t\tconst url = libPayroll + 'GetNextBillingPayment';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetNotesForPayPeriod: (agencyProfileId, payPeriodId) => {\n\n\t\t\tconst url = libMessage + 'GetNotesForPayPeriod';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPayPeriodID: payPeriodId\n\t\t\t};\n\n\t\t\tconst config = {\n\t\t\t\tuseTestData: true\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, config);\n\t\t},\n\t\tgetP11DbSubmission: (p11DbSubmissionID, agencyProfileID) => {\n\n\t\t\tconst url = libPayroll + 'GetP11DbSubmission';\n\t\t\tconst dataObj = {\n\t\t\t\tP11DbSubmissionID: p11DbSubmissionID,\n\t\t\t\tAgencyProfileID: agencyProfileID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetP11DbSubmissions: (agencyProfileId) => {\n\n\t\t\tconst url = libPayroll + 'GetP11DbSubmissionsForAgency';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetPayPeriod: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = libAgency + 'GetPayPeriod';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetPayPeriodForPeriodCount: (agencyProfileId, periodCount) => {\n\n\t\t\tconst url = libAgency + 'GetPayPeriodForPeriodCount';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPeriodCount: periodCount\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetPayPeriodSpecific: agencyPayPeriodId => {\n\n\t\t\tconst url = libAgency + 'GetPayPeriodSpecific';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetPayPeriodCISDeductions: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = libAgency + 'GetPayPeriodCISDeductions';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetPayPeriodCurrent: (agencyProfileId, allDetails) => {\n\n\t\t\tconst url = libAgency + 'GetPayPeriodCurrent';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAllDetails: allDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetPayPeriodMinimum: (agencyProfileId, previousPeriod) => {\n\n\t\t\tconst url = libAgency + 'GetPayPeriodMinimum';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPreviousPeriod: previousPeriod !== undefined ? previousPeriod : false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetPayPeriodPrevious: agencyProfileId => {\n\n\t\t\tconst url = libAgency + 'GetPayPeriodPrevious';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetPayPeriods: (agencyProfileId, payrollState) => {\n\n\t\t\tconst url = libAgency + 'GetPayPeriods';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPayrollState: payrollState\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetPayPeriodsForPayslipManager: agencyProfileId => {\n\n\t\t\tconst url = libAgency + 'GetPayPeriodsForPayslipManager';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetPayPeriodsHistory: agencyProfileId => {\n\n\t\t\tconst url = libAgency + 'GetPayPeriodsHistory';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetPayPeriodsMinimum: (agencyProfileId, startDateIso, isPayPeriodComplete, getPeriodsForTaxYear) => {\n\n\t\t\tconst url = libAgency + 'GetPayPeriodsMinimum';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tStartDateISO: startDateIso,\n\t\t\t\tIsPayPeriodComplete: isPayPeriodComplete,\n\t\t\t\tGetPeriodsForTaxYear: getPeriodsForTaxYear\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetSalaryFutureChanges: (agencyProfileId, userId) => {\n\n\t\t\tconst url = libPayroll + 'GetSalaryFutureChanges';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: angular.isDefined(userId) ? userId : config.guidEmpty,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetSalaryFutureChangesForPolicy: (agencyProfileId, policyId) => {\n\n\t\t\tconst url = libPayroll + 'GetSalaryFutureChangesForPolicy';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPolicyID: policyId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetSalaryPolicyBackpayDisplay: (agencyProfileId, userId, amount, salaryPolicyId, effectiveDateIso, proRatingType) => {\n\n\t\t\tconst url = libPayroll + 'GetSalaryPolicyBackpayDisplay';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tAmount: amount,\n\t\t\t\tSalaryPolicyID: salaryPolicyId,\n\t\t\t\tEffectiveDateISO: effectiveDateIso,\n\t\t\t\tProRatingType: proRatingType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetSalaryPolicyPostReferenceUnique: (agencyProfileId, userId, salaryPolicyPostReference) => {\n\n\t\t\tconst url = libPayroll + 'GetSalaryPolicyPostReferenceUnique';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSalaryPolicyPostReference: salaryPolicyPostReference,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetSalaryUnpaidLeave: (agencyProfileId, userId, agencyPayPeriodId, units) => {\n\n\t\t\tconst url = libPayroll + 'GetSalaryUnpaidLeave';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tUnits: units,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetSlackAuthoriseURI: agencyProfileId => {\n\n\t\t\tconst url = libPayroll + 'GetSlackAuthorizeUri';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetSupplementaryPaymentAgencyPaymentAdjustmentDetailList: (agencyProfileId, supplementaryPaymentId) => {\n\n\t\t\tconst url = libPayroll + 'GetSupplementaryPaymentAgencyPaymentAdjustmentDetailList';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetSupplementaryPayment: (agencyProfileId, supplementaryPaymentId) => {\n\n\t\t\tconst url = libPayroll + 'GetSupplementaryPayment';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetSupplementaryPaymentDisbursements: (agencyProfileId, supplementaryPaymentId) => {\n\n\t\t\tif (angular.isUndefined(supplementaryPaymentId)) {\n\t\t\t\treturn $q.resolve([]);\n\t\t\t}\n\n\t\t\tconst url = libPayroll + 'GetSupplementaryPaymentDisbursements';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetSupplementaryPaymentState: (agencyProfileId, supplementaryPaymentId) => {\n\n\t\t\tconst url = libPayroll + 'GetSupplementaryPaymentState';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetSupplementaryPaymentsForAgency: agencyProfileId => {\n\n\t\t\tconst url = libPayroll + 'GetSupplementaryPaymentsForAgency';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetSupplementaryPaymentsForAgencyPayPeriod: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = libPayroll + 'GetSupplementaryPaymentsForAgencyPayPeriod';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTasksForPayPeriod: (agencyProfileId, payPeriodId) => {\n\n\t\t\tconst url = libMessage + 'GetTasksForPayPeriod';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPayPeriodID: payPeriodId\n\t\t\t};\n\n\t\t\tconst config = {\n\t\t\t\tuseTestData: true\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, config);\n\t\t},\n\t\tgetTaxYearsForEndOfYearUpdate: (agencyProfileId, endOfYearUpdateType) => {\n\n\t\t\tconst url = libPayroll + 'GetTaxYearsForEndOfYearUpdate';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tEndOfYearUpdateType: endOfYearUpdateType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetTaxYearsForP11DbSubmission: agencyProfileId => {\n\t\t\tconst url = libPayroll + 'GetTaxYearsForP11DbSubmission';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetTeamMemberBackdatedNI: (userId, agencyProfileId, niCode, effectiveDateIso) => {\n\n\t\t\tconst url = libPayroll + 'GetTeamMemberBackdatedNI';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tNICode: niCode,\n\t\t\t\tEffectiveDateISO: effectiveDateIso\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberBackdatedNIForAdjustment: (userId, agencyProfileId, adjustmentId) => {\n\n\t\t\tconst url = libPayroll + 'GetTeamMemberBackdatedNIForAdjustment';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAdjustmentID: adjustmentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberBackdatedSalary: (userId, agencyProfileId, salaryYearly, effectiveDateISO, calculationMethod, proRatingType) => {\n\n\t\t\tconst url = libPayroll + 'GetTeamMemberBackdatedSalary';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSalaryYearly: salaryYearly,\n\t\t\t\tEffectiveDateISO: effectiveDateISO,\n\t\t\t\tCalculationMethod: calculationMethod,\n\t\t\t\tProRatingType: proRatingType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberBackdatedSalaryForAdjustment: (userId, agencyProfileId, adjustmentId) => {\n\n\t\t\tconst url = libPayroll + 'GetTeamMemberBackdatedSalaryForAdjustment';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAdjustmentID: adjustmentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberBackdatedSalaryNewStarter: (userId, agencyProfileId, salaryYearly, startDateIso, calculationMethod, proRatingType) => {\n\n\t\t\tconst url = libPayroll + 'GetTeamMemberBackdatedSalaryNewStarter';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSalaryYearly: salaryYearly,\n\t\t\t\tStartDateISO: startDateIso,\n\t\t\t\tCalculationMethod: calculationMethod,\n\t\t\t\tProRatingType: proRatingType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetTeamMemberPayroll: (agencyProfileId, userId, calculateTaxRefund) => {\n\n\t\t\tconst url = libUser + 'GetTeamMemberPayroll';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId !== undefined ? userId : config.guidEmpty,\n\t\t\t\tCalculateTaxRefund: calculateTaxRefund\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMembersPaymentHistory: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = libPayroll + 'GetTeamMembersPaymentHistory';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMembersPayroll: agencyProfileId => {\n\n\t\t\tconst url = libUser + 'GetTeamMembersPayroll';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberSalary: (agencyProfileId, userId, includeSalaryEffectiveBeforePeriod) => {\n\n\t\t\tconst url = libPayroll + 'GetTeamMemberSalary';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIncludeSalaryEffectiveBeforePeriod: angular.isUndefined(includeSalaryEffectiveBeforePeriod) ? true : includeSalaryEffectiveBeforePeriod,\n\t\t\t\tUserID: userId,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberSalaryForPeriod: (agencyProfileId, userId) => {\n\n\t\t\tconst url = libPayroll + 'GetTeamMemberSalaryForPeriod';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetTeamMemberSalaryFurloughed: (agencyProfileId, userId) => {\n\n\t\t\tconst url = libPayroll + 'GetTeamMemberSalaryFurloughed';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetTeamMemberSalariesForPeriod: (agencyProfileId, agencyPayPeriodId, userId) => {\n\n\t\t\tconst url = libPayroll + 'GetTeamMemberSalariesForPeriod';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberSalariesHourlyPaid: (agencyProfileId, userId, agencyPayPeriodId) => {\n\n\t\t\tconst url = libPayroll + 'GetTeamMemberSalariesHourlyPaid';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMembersWithNICodeUpdates: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = libPayroll + 'GetTeamMembersWithNICodeUpdates';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetReversedHmrcTaxUpdates: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = libPayroll + 'GetReversedHmrcTaxUpdates';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetTeamMemberTaxListForState: (agencyProfileId, state) => {\n\n\t\t\tconst url = libPayroll + 'GetTeamMemberTaxListForState';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tState: state\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetUserPayElementDetail: (agencyProfileId, userPayElementId) => {\n\n\t\t\tconst url = libPayroll + 'GetUserPayElementDetail';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserPayElementID: userPayElementId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetUserPayElements: (agencyProfileId, agencyPayPeriodId, userId, futureAdjustments, userImportGroupId, linkElements) => {\n\n\t\t\tconst url = libPayroll + 'GetUserPayElements';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tFutureAdjustments: futureAdjustments,\n\t\t\t\tLinkElements: linkElements,\n\t\t\t\tUserID: userId,\n\t\t\t\tUserImportGroupID: userImportGroupId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetUserPaymentsForDateRange: (userId, agencyProfileId, dateFrom, dateTo) => {\n\n\t\t\tconst url = libPayroll + 'GetUserPaymentsForDateRange';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tDateFrom: dateFrom,\n\t\t\t\tDateTo: dateTo,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUserPayPeriodDetails: (agencyProfileId, agencyPayPeriodId, userId) => {\n\n\t\t\tconst url = libPayroll + 'GetUserPayPeriodDetails';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTaxInfoForPeriod: (userId, agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = libPayroll + 'GetTaxInfoForPeriod';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\toverridePolicyPay: (agencyProfileId, updatedPolicy) => {\n\n\t\t\tconst url = libPayroll + 'OverridePolicyPay';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedPolicy: updatedPolicy\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\toverrideSalaryPolicy: (userId, agencyProfileId, annualSalaryPolicy) => {\n\n\t\t\tconst url = libPayroll + 'OverrideSalaryPolicy';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAnnualSalaryPolicy: annualSalaryPolicy\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tpayrollBulkRun: runDate => {\n\n\t\t\tconst url = libPayrollWorker + 'PayrollBulkRun';\n\t\t\tconst data = {\n\t\t\t\tRunDate: runDate\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tpayrollDPSImport: agencyProfileId => {\n\n\t\t\tconst url = libPayrollWorker + 'PayrollDPSImport';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tpayrollRunEasyEnrol: (agencyProfileId, agencyPayPeriodId, lateReason) => {\n\n\t\t\tconst url = libPayrollWorker + 'PayrollRunEasyEnrol';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tLateReason: lateReason\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tpayrollRunEasyEnrolBulk: (userId, companiesAndPeriods) => {\n\n\t\t\tconst url = libPayrollWorker + 'PayrollRunEasyEnrolBulk';\n\t\t\tconst dataObj = {\n\t\t\t\tUserId: userId,\n\t\t\t\tCompaniesAndPeriods: companiesAndPeriods\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tpayrollSubmitEPS: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tconst url = libPayrollWorker + 'PayrollSubmitEPS';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tpayrollSubmitP11Db: (agencyProfileId, p11DbSubmissionID) => {\n\n\t\t\tconst url = libPayrollWorker + 'PayrollSubmitP11Db';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tP11DbSubmissionID: p11DbSubmissionID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tpayrollVerifySubcontractors: (agencyProfileId, agencyPayPeriodId, specificUserId) => {\n\n\t\t\tconst url = libPayrollWorker + 'PayrollVerifySubcontractors';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tSpecificUserID: specificUserId,\n\t\t\t\tVerifyAll: false // Ready to implement bulk verification later on\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tpayrollSendPaymentsManual: () => {\n\n\t\t\tconst url = libPayroll + 'PayrollSendPaymentsManual';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\trecalculatePaymentSchedule: (paymentScheduleGroupId, newPayment, storeResult) => {\n\n\t\t\tconst url = libPayroll + 'RecalculatePaymentSchedule';\n\t\t\tconst data = {\n\t\t\t\tPaymentScheduleGroupID: paymentScheduleGroupId,\n\t\t\t\tNewPayment: newPayment,\n\t\t\t\tStoreResult: storeResult\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\trecalculatePaymentScheduleAllPeriods: (scheduleGroup, pauseCount, storeResult) => {\n\n\t\t\tconst url = libPayroll + 'RecalculatePaymentScheduleAllPeriods';\n\t\t\tconst data = {\n\t\t\t\tScheduleGroup: scheduleGroup,\n\t\t\t\tPauseCount: pauseCount,\n\t\t\t\tStoreResult: storeResult\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tretryPaycirclePayment: agencyProfileId => {\n\n\t\t\tconst url = libPayroll + 'RetryPaycirclePayment';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyAdjustmentGroup: updatedAgencyAdjustmentGroup => {\n\n\t\t\tconst url = libPayroll + 'UpdateAgencyAdjustmentGroup';\n\t\t\tconst data = {\n\t\t\t\tUpdatedAgencyAdjustmentGroup: updatedAgencyAdjustmentGroup\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyAdjustmentGroupEntry: (updatedAgencyAdjustmentGroupEntry, coreElement) => {\n\n\t\t\tconst url = libPayroll + 'UpdateAgencyAdjustmentGroupEntry';\n\t\t\tconst data = {\n\t\t\t\tCoreElement: coreElement,\n\t\t\t\tUpdatedAgencyAdjustmentGroupEntry: updatedAgencyAdjustmentGroupEntry\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyAdjustmentGroupEntryPension: (agencyProfileId, agencyEmployerPensionGroupId, updatedAgencyAdjustmentGroupEntry) => {\n\n\t\t\tconst url = libPayroll + 'UpdateAgencyAdjustmentGroupEntryPension';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyEmployerPensionGroupID: agencyEmployerPensionGroupId,\n\t\t\t\tUpdatedAgencyAdjustmentGroupEntry: updatedAgencyAdjustmentGroupEntry\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyAdjustmentGroupEntryVisible: elements => {\n\n\t\t\tconst url = libPayroll + 'UpdateAgencyAdjustmentGroupEntryVisible';\n\t\t\tconst data = {\n\t\t\t\tElements: elements\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyAdjustmentLabel: updatedAgencyAdjustmentLabel => {\n\n\t\t\tconst url = libPayroll + 'UpdateAgencyAdjustmentLabel';\n\t\t\tconst data = {\n\t\t\t\tUpdatedAgencyAdjustmentLabel: updatedAgencyAdjustmentLabel\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyPaymentHistorical: (agencyProfileId, agencyPayment) => {\n\n\t\t\tconst url = libPayroll + 'UpdateAgencyPaymentHistorical';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPayment: agencyPayment\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyPayPeriodCISDeductions: (agencyProfileId, agencyPayPeriodId, cisDeductions) => {\n\n\t\t\tconst url = libAgency + 'UpdateAgencyPayPeriodCISDeductions';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tCISDeductions: cisDeductions\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyPayPeriodPensionDates: (agencyProfileId, agencyPayPeriodId, pensionStartDate, pensionEndDate) => {\n\n\t\t\tconst url = libAgency + 'UpdateAgencyPayPeriodPensionDates';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPensionStartDateISO: pensionStartDate,\n\t\t\t\tPensionEndDateISO: pensionEndDate\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAgencyPayPeriodPayslipDate: (agencyPayPeriodId, payslipDate, payDate, bacsDate) => {\n\n\t\t\tconst url = libAgency + 'UpdateAgencyPayPeriodPayslipDate';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tPayslipDate: payslipDate,\n\t\t\t\tPayDate: payDate,\n\t\t\t\tBACSDate: bacsDate\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdatePensionPeriodAlignmentDetails: (agencyProfileId, agencyEmployerPayPeriodId, updatedPensionPeriodAlignmentDetails) => {\n\n\t\t\tconst url = libAgency + 'UpdatePensionPeriodAlignmentDetails';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyEmployerPayPeriodID: agencyEmployerPayPeriodId,\n\t\t\t\tUpdatedPensionPeriodAlignmentDetails: updatedPensionPeriodAlignmentDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateCarBenefit: (agencyProfileId, updatedCarBenefit) => {\n\n\t\t\tconst url = libPayroll + 'UpdateCarBenefit';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedCarBenefit: updatedCarBenefit\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateCarBenefitTotals: (agencyProfileId, updatedCarBenefit) => {\n\n\t\t\tconst url = libPayroll + 'UpdateCarBenefitTotals';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedCarBenefit: updatedCarBenefit\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateCompanyDirectDebitMandateBank: (agencyProfileId, updatedBankDetails) => {\n\n\t\t\tconst url = libAgency + 'UpdateCompanyDirectDebitMandateBank';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedBankDetails: updatedBankDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateCompanyGoCardlessDetails: (agencyProfileId, updatedDirectDebitMandate) => {\n\n\t\t\tconst url = libAgency + 'UpdateCompanyGoCardlessDetails';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedDirectDebitMandate: updatedDirectDebitMandate\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateCompanyNMWCalculationMethod: (agencyProfileId, nmwCalculationMethod) => {\n\n\t\t\tconst url = libPayroll + 'UpdateCompanyNMWCalculationMethod';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tNMWCalculationMethod: nmwCalculationMethod\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateCompanyMonthlyDisplayFormat: (agencyProfileId, displayFormat) => {\n\n\t\t\tconst url = libAgency + 'UpdateCompanyMonthlyDisplayFormat';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tDisplayFormat: displayFormat\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateCompanyWorkplacePatterns: (agencyProfileId, workHoursPerWeek, dayRateCalculationMethod, maximumWorkingDaysInMonth, calculatePatternOnYearlyBasis, workWeeksPerYear) => {\n\n\t\t\tconst url = libPayroll + 'UpdateCompanyWorkplacePatterns';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tWorkHoursPerWeek: workHoursPerWeek,\n\t\t\t\tDayRateCalculationMethod: dayRateCalculationMethod,\n\t\t\t\tMaximumWorkingDaysInMonth: maximumWorkingDaysInMonth,\n\t\t\t\tCalculatePatternOnYearlyBasis: calculatePatternOnYearlyBasis,\n\t\t\t\tWorkWeeksPerYear: workWeeksPerYear\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateGoCardlessDetailsBillingName: (agencyProfileId, billingName) => {\n\n\t\t\tconst url = libAgency + 'UpdateGoCardlessDetailsBillingName';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tBillingName: billingName\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateHealthBenefit: (agencyProfileId, updatedHealthBenefit) => {\n\n\t\t\tconst url = libPayroll + 'UpdateHealthBenefit';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedHealthBenefit: updatedHealthBenefit\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateHealthBenefitTotals: (agencyProfileId, updatedHealthBenefit) => {\n\n\t\t\tconst url = libPayroll + 'UpdateHealthBenefitTotals';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedHealthBenefit: updatedHealthBenefit\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateIsBillingEnabled: (agencyProfileId, isBillingEnabled) => {\n\n\t\t\tconst url = libAgency + 'UpdateIsBillingEnabled';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIsBillingEnabled: isBillingEnabled\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateLinkElement: (linkElementGroupId, updatedLinkElement) => {\n\n\t\t\tconst url = libPayroll + 'UpdateLinkElement';\n\t\t\tconst data = {\n\t\t\t\tLinkElementGroupID: linkElementGroupId,\n\t\t\t\tUpdatedLinkElement: updatedLinkElement\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateManualEPS: manualEps => {\n\n\t\t\tconst url = libPayroll + 'UpdateManualEPS';\n\t\t\tconst data = {\n\t\t\t\tManualEPS: manualEps\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateP11DbSubmission: (p11dSubmission, agencyProfileId) => {\n\t\t\tconst url = libPayroll + 'UpdateP11DbSubmission';\n\t\t\tconst data = {\n\t\t\t\tP11DbSubmission: p11dSubmission,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdatePaymentScheduleGroup: scheduleGroup => {\n\n\t\t\tconst url = libPayroll + 'UpdatePaymentScheduleGroup';\n\t\t\tconst data = {\n\t\t\t\tScheduleGroup: scheduleGroup\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdatePaymentScheduleGroupStart: paymentScheduleGroupId => {\n\n\t\t\tconst url = libPayroll + 'UpdatePaymentScheduleGroupStart';\n\t\t\tconst data = {\n\t\t\t\tPaymentScheduleGroupID: paymentScheduleGroupId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdatePaymentScheduleValue: (paymentScheduleId, value) => {\n\n\t\t\tconst url = libPayroll + 'UpdatePaymentScheduleValue';\n\t\t\tconst data = {\n\t\t\t\tPaymentScheduleID: paymentScheduleId,\n\t\t\t\tValue: value\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdatePayPolicy: (agencyProfileId, originalPolicyId, updatedPolicy) => {\n\n\t\t\tconst url = libPayroll + 'UpdatePayPolicy';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tOriginalPolicyID: originalPolicyId,\n\t\t\t\tUpdatedPolicy: updatedPolicy\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdatePolicy: function (agencyProfileId, updatedPolicy, duplicate) {\n\n\t\t\tduplicate = angular.isUndefined(duplicate) ? false : duplicate;\n\n\t\t\tconst url = libPayroll + 'UpdatePolicy';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedPolicy: updatedPolicy,\n\t\t\t\tDuplicate: duplicate\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateSalaryPolicy: (userId, agencyProfileId, annualSalaryPolicy, allowancePolicy) => {\n\n\t\t\tconst url = libPayroll + 'UpdateSalaryPolicy';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAnnualSalaryPolicy: annualSalaryPolicy,\n\t\t\t\tAllowancePolicy: allowancePolicy\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateSalaryPolicyIneffectiveDate: (agencyProfileId, salaryPolicyId, ineffectiveDateISO, isLeaving) => {\n\n\t\t\tconst url = libPayroll + 'UpdateSalaryPolicyIneffectiveDate';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSalaryPolicyID: salaryPolicyId,\n\t\t\t\tIneffectiveDateISO: ineffectiveDateISO,\n\t\t\t\tIsLeaving: isLeaving\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateSlackAccessToken: (agencyProfileId, slackAccessToken) => {\n\n\t\t\tconst url = libPayroll + 'UpdateSlackAccessToken';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSlackAccessToken: slackAccessToken\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateSupplementaryPayment: (agencyProfileId, supplementaryPayment) => {\n\n\t\t\tconst url = libPayroll + 'UpdateSupplementaryPayment';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPayment: supplementaryPayment\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateSupplementaryPaymentDisbursements: (agencyProfileId, supplementaryPaymentId, supplementaryPaymentDisbursements) => {\n\t\t\tconst url = libPayroll + 'UpdateSupplementaryPaymentDisbursements';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId,\n\t\t\t\tSupplementaryPaymentDisbursements: supplementaryPaymentDisbursements\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberSalaryForPeriod: (agencyProfileId, userId, salaryDetails, isSalaryOnlyForPeriod) => {\n\n\t\t\tconst url = libPayroll + 'UpdateTeamMemberSalaryForPeriod';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSalaryDetails: salaryDetails,\n\t\t\t\tIsSalaryOnlyForPeriod: isSalaryOnlyForPeriod,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberSalaryFurloughed: (agencyProfileId, userId, furloughedDetails, partTime) => {\n\n\t\t\tconst url = libPayroll + 'UpdateTeamMemberSalaryFurloughed';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tFurloughedDetails: furloughedDetails,\n\t\t\t\tPartTime: angular.isDefined(partTime) ? partTime : false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateTeamMemberSalaryFurloughedBulk: (agencyProfileId, userList, furloughStartDateIso, furloughEndDateIso, topUpAmount) => {\n\n\t\t\tconst url = libPayroll + 'UpdateTeamMemberSalaryFurloughedBulk';\n\t\t\tconst dataObj = {\n\t\t\t\tUserList: userList,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tFurloughStartDateISO: furloughStartDateIso,\n\t\t\t\tFurloughEndDateISO: furloughEndDateIso,\n\t\t\t\tTopUpAmount: topUpAmount\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateTeamMemberSalaryFurloughedCancel: (agencyProfileId, userId) => {\n\n\t\t\tconst url = libPayroll + 'UpdateTeamMemberSalaryFurloughedCancel';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateTeamMemberSalaryFurloughedInProgress: (agencyProfileId, userId, furloughedDetails) => {\n\n\t\t\tconst url = libPayroll + 'UpdateTeamMemberSalaryFurloughedInProgress';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tFurloughedDetails: furloughedDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateTeamMembersNICodes: (agencyProfileId, userNiCodeChanges) => {\n\n\t\t\tconst url = libPayroll + 'UpdateTeamMembersNICodes';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserNICodeChanges: userNiCodeChanges\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateTeamMemberTaxListForState: (agencyProfileId, taxList) => {\n\n\t\t\tconst url = libPayroll + 'UpdateTeamMemberTaxListForState';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tTaxList: taxList\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserPayElements: (agencyProfileId, agencyPayPeriodId, updatedElements) => {\n\n\t\t\tconst url = libPayroll + 'UpdateUserPayElements';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tUpdatedElements: updatedElements\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserPayElementsBulk: (agencyProfileId, agencyPayPeriodId, element, workerList) => {\n\n\t\t\tconst url = libPayroll + 'UpdateUserPayElementsBulk';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tElement: element,\n\t\t\t\tWorkerList: workerList\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserPayElementsForImportGroup: (agencyProfileId, agencyPayPeriodId, updatedElements, userImportGroupId) => {\n\n\t\t\tconst url = libPayroll + 'UpdateUserPayElementsForImportGroup';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tUpdatedElements: updatedElements,\n\t\t\t\tUserImportGroupID: userImportGroupId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserPayElementsUnitsBulk: updatedElements => {\n\n\t\t\tconst url = libPayroll + 'UpdateUserPayElementsUnitsBulk';\n\t\t\tconst data = {\n\t\t\t\tUpdatedElements: updatedElements\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserPayPeriodDetails: (agencyProfileId, agencyPayPeriodId, periodDetails) => {\n\n\t\t\tconst url = libPayroll + 'UpdateUserPayPeriodDetails';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tPeriodDetails: periodDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserTaxInfoStarterDetails: (userId, agencyProfileId, previousPay, previousTax, leaveDateISO, starterDeclaration) => {\n\n\t\t\tconst url = libPayroll + 'UpdateUserTaxInfoStarterDetails';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPreviousPay: previousPay,\n\t\t\t\tPreviousTax: previousTax,\n\t\t\t\tLeaveDateISO: leaveDateISO,\n\t\t\t\tStarterDeclaration: starterDeclaration\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t}\n\t};\n\n\treturn service;\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n\t.service('pensionData', ['libraries', 'promise', function (libraries, promise) {\n\n\t\tconst lib = libraries.pension;\n\t\tconst libAgency = libraries.agency;\n\t\tconst libImport = libraries.importLib;\n\t\tconst libPayroll = libraries.payroll;\n\t\tconst libUser = libraries.user;\n\n\t\tconst service = {\n\n\t\t\tcreateAgencyEmployerPension: (agencyProfileId, agencyProfileParentId, updatedAgencyEmployerPension, agencyEmployerPensionId) => {\n\n\t\t\t\tconst url = lib + 'CreateAgencyEmployerPension';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tUpdatedAgencyEmployerPension: updatedAgencyEmployerPension,\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyProfileParentID: agencyProfileParentId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tdeletePensionForAgency: (agencyProfileId, agencyEmployerPensionId) => {\n\n\t\t\t\tconst url = libPayroll + 'DeletePensionForAgency';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetAgencyEmployerPensionDetails: (agencyProfileId, agencyEmployerPensionId) => {\n\n\t\t\t\tconst url = lib + 'GetAgencyEmployerPensionDetails';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetAgencyEmployerPensionSummaries: agencyProfileId => {\n\n\t\t\t\tconst url = libAgency + 'GetAgencyEmployerPensionSummaries';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetAgencyEmployerPensionSummary: (agencyProfileId, agencyEmployerPensionId) => {\n\n\t\t\t\tconst url = libAgency + 'GetAgencyEmployerPensionSummary';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetAreNestCredentialsValid: (agencyProfileId, agencyEmployerPensionId, senderId, value) => {\n\n\t\t\t\tconst url = libImport + 'GetAreNestCredentialsValid';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tSenderID: senderId,\n\t\t\t\t\tValue: value\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetEmptyPensionSetup: (agencyProfileId, agencyEmployerPensionId) => {\n\n\t\t\t\tconst url = libAgency + 'GetEmptyPensionSetup';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetPensionDashboardData: agencyProfileId => {\n\n\t\t\t\tconst url = libAgency + 'GetPensionDashboardData';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetPensionDetailsForAgency: agencyProfileId => {\n\n\t\t\t\tconst url = libAgency + 'GetPensionDetailsForAgency';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetPensionForAgency: (agencyProfileId, agencyEmployerPensionId) => {\n\n\t\t\t\tconst url = libAgency + 'GetPensionForAgency';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetPensionGroupsForAgency: (agencyProfileId, agencyEmployerPensionId, userId) => {\n\n\t\t\t\tconst url = lib + 'GetPensionGroupsForAgency';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tUserID: userId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetPensionPostponementForPension: (agencyProfileId, agencyEmployerPensionId) => {\n\n\t\t\t\tconst url = libAgency + 'GetPensionPostponementForPension';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetPensionProviderDetails: agencyProfileId => {\n\n\t\t\t\tconst url = lib + 'GetPensionProviderDetails';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetPensionsForAgency: agencyProfileId => {\n\n\t\t\t\tconst url = libAgency + 'GetPensionsForAgency';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetPensionsForTeamMember: (userId, agencyProfileId, includeInactive) => {\n\n\t\t\t\tconst url = libUser + 'GetPensionsForTeamMember';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tIncludeInactive: includeInactive,\n\t\t\t\t\tUserID: userId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetPeoplesPensionAuthoriseURI: (agencyProfileId, agencyEmployerPensionId, employerReference) => {\n\n\t\t\t\tconst url = libImport + 'GetPeoplesPensionAuthoriseURI';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tEmployerReference: employerReference\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetSmartPensionAuthoriseURI: (agencyProfileId, agencyEmployerPensionId, role) => {\n\n\t\t\t\tconst url = libImport + 'GetSmartPensionAuthoriseURI';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tRole: role\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetTeamMemberPension: (agencyProfileId, agencyEmployerPensionId, userId, salaryPolicyPostId) => {\n\n\t\t\t\tconst url = lib + 'GetTeamMemberPension';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tUserID: userId,\n\t\t\t\t\tSalaryPolicyPostID: salaryPolicyPostId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetTeamMemberPensionPaymentHistory: (agencyProfileId, userId) => {\n\n\t\t\t\tconst url = libPayroll + 'GetTeamMemberPensionPaymentHistory';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tUserID: userId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetTeamMembersNotInPension: (agencyProfileId, agencyEmployerPensionId) => {\n\n\t\t\t\tconst url = libUser + 'GetTeamMembersNotInPension';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetUserAgencyProfilesForWorkplacePension: (agencyProfileId, agencyEmployerPensionId) => {\n\n\t\t\t\tconst url = libUser + 'GetUserAgencyProfilesForWorkplacePension';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetUserAgencyProfileForWorkplacePension: (agencyProfileId, agencyEmployerPensionId, userId) => {\n\n\t\t\t\tconst url = libUser + 'GetUserAgencyProfileForWorkplacePension';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tUserID: userId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tgetValidPostponementSettingsLength: payPeriodType => {\n\n\t\t\t\tconst url = libAgency + 'GetValidPostponementSettingsLength';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tPayPeriodType: payPeriodType\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tisValidNestEmployerReference: employerReference => {\n\n\t\t\t\tconst url = libAgency + 'IsValidNestEmployerReference';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tEmployerReference: employerReference\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tisValidPensionDates: (agencyProfileId, agencyPayPeriodId, payPeriodType, pensionStartDate, pensionEndDate) => {\n\n\t\t\t\tconst url = libAgency + 'IsValidPensionDates';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\t\tPayPeriodType: payPeriodType,\n\t\t\t\t\tPensionStartDateISO: pensionStartDate,\n\t\t\t\t\tPensionEndDateISO: pensionEndDate,\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tisValidReenrolmentDate: (agencyProfileId, stagingDateIso, reenrolmentDateISO, reenrolmentCompletionDateISO, payPeriodDateISO, payPeriodType) => {\n\n\t\t\t\tconst url = libAgency + 'IsValidReenrolmentDate';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tPayPeriodDateISO: payPeriodDateISO,\n\t\t\t\t\tPayPeriodType: payPeriodType,\n\t\t\t\t\tReenrolmentCompletionDateISO: reenrolmentCompletionDateISO,\n\t\t\t\t\tReenrolmentDateISO: reenrolmentDateISO,\n\t\t\t\t\tStagingDateISO: stagingDateIso\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tupdateAgencyPayPeriodPensionDateOffset: (agencyProfileId, hasPensionDateOffset, isBeforePeriodDate, pensionDateOffset) => {\n\n\t\t\t\tconst url = libAgency + 'UpdateAgencyPayPeriodPensionDateOffset';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tHasPensionDateOffset: hasPensionDateOffset,\n\t\t\t\t\tIsBeforePeriodDate: isBeforePeriodDate,\n\t\t\t\t\tPensionDateOffset: pensionDateOffset,\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tisValidReenrolmentDatePreview: (stagingDateIso, reenrolmentDateISO, reenrolmentCompletionDateISO, payPeriodDateISO, payPeriodType) => {\n\n\t\t\t\tconst url = libAgency + 'IsValidReenrolmentDatePreview';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tPayPeriodDateISO: payPeriodDateISO,\n\t\t\t\t\tPayPeriodType: payPeriodType,\n\t\t\t\t\tReenrolmentCompletionDateISO: reenrolmentCompletionDateISO,\n\t\t\t\t\tReenrolmentDateISO: reenrolmentDateISO,\n\t\t\t\t\tStagingDateISO: stagingDateIso\n\t\t\t\t};\n\t\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tupdatePensionAutomationDetails: (agencyProfileId, agencyEmployerPensionId, updatedPensionAutomationDetails) => {\n\n\t\t\t\tconst url = lib + 'UpdatePensionAutomationDetails';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tUpdatedPensionAutomationDetails: updatedPensionAutomationDetails\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tupdatePensionGroupDetails: (agencyProfileId, agencyEmployerPensionId, updatedPensionGroupDetails) => {\n\n\t\t\t\tconst url = lib + 'UpdatePensionGroupDetails';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tUpdatedPensionGroupDetails: updatedPensionGroupDetails\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tupdatePensionManualSubmission: (agencyProfileId, agencyEmployerPensionId) => {\n\n\t\t\t\tconst url = lib + 'UpdatePensionManualSubmission';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tupdatePensionPostponementDetails: (agencyProfileId, agencyEmployerPensionId, updatedPensionPostponementDetails) => {\n\n\t\t\t\tconst url = libPayroll + 'UpdatePensionPostponementDetails';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tUpdatedPensionPostponementDetails: updatedPensionPostponementDetails\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tupdatePensionProviderDetails: (agencyProfileId, agencyEmployerPensionId, updatedPensionProviderDetails) => {\n\n\t\t\t\tconst url = lib + 'UpdatePensionProviderDetails';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tUpdatedPensionProviderDetails: updatedPensionProviderDetails\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tupdatePensionSettingDetails: (agencyProfileId, agencyEmployerPensionId, updatedPensionSettingDetails) => {\n\n\t\t\t\tconst url = lib + 'UpdatePensionSettingDetails';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tUpdatedPensionSettingDetails: updatedPensionSettingDetails\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tupdatePensionStagingDetails: (agencyProfileId, agencyEmployerPensionId, updatedPensionStagingDetails) => {\n\n\t\t\t\tconst url = lib + 'UpdatePensionStagingDetails';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tUpdatedPensionStagingDetails: updatedPensionStagingDetails\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tupdatePeoplesPensionAccessToken: (agencyProfileId, accessToken, agencyEmployerPensionId) => {\n\n\t\t\t\tconst url = libImport + 'UpdatePeoplesPensionAccessToken';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAccessToken: accessToken,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t};\n\t\t\t\tconst svcConfigObj = {\n\t\t\t\t\terrorOnEmptyResponse: false,\n\t\t\t\t\tlogOnEmptyResponse: false\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj, svcConfigObj);\n\t\t\t},\n\n\t\t\tupdateSmartPensionAccessToken: (agencyProfileId, accessToken, agencyEmployerPensionId) => {\n\n\t\t\t\tconst url = libImport + 'UpdateSmartPensionAccessToken';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tAccessToken: accessToken,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t};\n\t\t\t\tconst svcConfigObj = {\n\t\t\t\t\terrorOnEmptyResponse: false,\n\t\t\t\t\tlogOnEmptyResponse: false\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj, svcConfigObj);\n\t\t\t},\n\n\t\t\tupdateTeamMemberInPension: (agencyProfileId, agencyEmployerPensionId, userId, isInPension, salaryPolicyPostId) => {\n\n\t\t\t\tconst url = libUser + 'UpdateTeamMemberInPension';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tIsInPension: isInPension,\n\t\t\t\t\tUserID: userId,\n\t\t\t\t\tSalaryPolicyPostID: salaryPolicyPostId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tupdateTeamMemberPension: (teamMemberPension, userId, agencyProfileId) => {\n\n\t\t\t\tconst url = libUser + 'UpdateTeamMemberPension';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tUserID: userId,\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tUpdatedTeamMemberPension: teamMemberPension\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tupdateTeamMemberPensionArchived: (agencyProfileId, agencyEmployerPensionId, userId, isArchived, salaryPolicyPostId) => {\n\n\t\t\t\tconst url = libUser + 'UpdateTeamMemberPensionArchived';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tIsArchived: isArchived,\n\t\t\t\t\tUserID: userId,\n\t\t\t\t\tSalaryPolicyPostID: salaryPolicyPostId\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tupdateTeamMemberPensionContributions: (teamMemberPension, userId, agencyProfileId) => {\n\n\t\t\t\tconst url = lib + 'UpdateTeamMemberPensionContributions';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tUserID: userId,\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tUpdatedTeamMemberPension: teamMemberPension\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tupdateTeamMemberPensionPostpone: (agencyProfileId, userId, updatedTeamMemberPension) => {\n\n\t\t\t\tconst url = libUser + 'UpdateTeamMemberPensionPostpone';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tUserID: userId,\n\t\t\t\t\tUpdatedTeamMemberPension: updatedTeamMemberPension\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t},\n\n\t\t\tupdateTeamMembersInPension: (agencyProfileId, userIds, agencyEmployerPensionId, isInPension) => {\n\n\t\t\t\tconst url = libUser + 'UpdateTeamMembersInPension';\n\t\t\t\tconst dataObj = {\n\t\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\t\tUserIDs: userIds,\n\t\t\t\t\tAgencyEmployerPensionID: agencyEmployerPensionId,\n\t\t\t\t\tIsInPension: isInPension\n\t\t\t\t};\n\n\t\t\t\treturn promise.getPromise(url, dataObj);\n\t\t\t}\n\n\t\t};\n\n\t\treturn service;\n\n\t}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('reportData', [\n\t'dataTransfer',\n\t'libraries',\n\t'promise',\n\tfunction (\n\t\tdataTransfer,\n\t\tlibraries,\n\t\tpromise\n\t) {\n\n\tconst lib = libraries.report;\n\n\tconst service = {\n\n\t\taddReportTemplatesToGroup: (reportTemplateGroupId, reportTemplates, agencyProfileId) => {\n\n\t\t\tlet url = lib + 'AddReportTemplatesToGroup';\n\t\t\tlet data = {\n\t\t\t\tReportTemplateGroupID: reportTemplateGroupId,\n\t\t\t\tReportTemplates: reportTemplates,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tassignReportTemplateGroup: (agencyProfileId, reportTemplateGroup) => {\n\n\t\t\tlet url = lib + 'AssignReportTemplateGroup';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tReportTemplateGroup: reportTemplateGroup\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateAlertReportDownload: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tlet url = lib + 'CreateAlertReportDownload';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tCalculated: true\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateBACSDownloadFile: (agencyProfileId, agencyDocumentIds) => {\n\n\t\t\tconst url = lib + 'CreateBACSDownloadFile';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyDocumentIDs: agencyDocumentIds\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tcreateGenderPayGapReport: (agencyProfileId, reportName, snapshotDateIso) => {\n\n\t\t\tconst url = lib + 'CreateGenderPayGapReport';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tReportName: reportName,\n\t\t\t\tSnapshotDateISO: snapshotDateIso\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateNominalCodeReportDownload: function (agencyProfileId) {\n\n\t\t\tvar url = lib + 'CreateNominalCodeReportDownload';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreatePermissionsReportDownload: agencyProfileId => {\n\n\t\t\tlet url = lib + 'CreatePermissionsReportDownload';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateReportTemplate: (agencyProfileId, reportTemplateObj, reportTemplateFilterObj) => {\n\n\t\t\tlet url = lib + 'CreateReportTemplate';\n\t\t\tlet data = {\n\t\t\t\tReportTemplate: reportTemplateObj,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tReportTemplateFilter: reportTemplateFilterObj\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateReportTemplateCollectionZIPFile: (agencyPayPeriodId, reportTemplateCollectionType) => {\n\n\t\t\tconst url = lib + 'CreateReportTemplateCollectionZIPFile';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tReportTemplateCollectionType: reportTemplateCollectionType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tcreateReportTemplateGroup: (agencyProfileId, reportTemplateGroup) => {\n\n\t\t\tlet url = lib + 'CreateReportTemplateGroup';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tReportTemplateGroup: reportTemplateGroup\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateSupplementaryPaymentReports: (agencyProfileId, supplementaryPaymentId) => {\n\n\t\t\tconst url = lib + 'CreateSupplementaryPaymentReports';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tcreateUserDocumentZipDownload: (agencyProfileId, userIds, userDocumentTypeId, agencyPayPeriodFromId, agencyPayPeriodToId, password) => {\n\n\t\t\tconst url = lib + 'CreateUserDocumentZipDownload';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyPayPeriodFromID: agencyPayPeriodFromId,\n\t\t\t\tAgencyPayPeriodToID: agencyPayPeriodToId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPassword: password,\n\t\t\t\tUserDocumentTypeId: userDocumentTypeId,\n\t\t\t\tUserIDs: userIds\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tdeleteGenderPayGapReport: (agencyProfileId, genderPayGapReportId) => {\n\n\t\t\tconst url = lib + 'DeleteGenderPayGapReport';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tGenderPayGapReportID: genderPayGapReportId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tdeleteReportTemplate: (reportTemplateId, agencyProfileId) => {\n\n\t\t\tlet url = lib + 'DeleteReportTemplate';\n\t\t\tlet data = {\n\t\t\t\tReportTemplateID: reportTemplateId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tdeleteReportTemplateGroup: (agencyProfileId, reportTemplateGroupObj) => {\n\n\t\t\tlet url = lib + 'DeleteReportTemplateGroup';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tReportTemplateGroupID: reportTemplateGroupObj.ReportTemplateGroupID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tduplicateReportTemplateGroup: (agencyProfileId, reportTemplateGroup) => {\n\n\t\t\tlet url = lib + 'DuplicateReportTemplateGroup';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tReportTemplateGroup: reportTemplateGroup\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgenerateTestPaymentFile: (agencyProfileId, companyBank, payeeBank, bacsDateIso, bankFileId) => {\n\n\t\t\tconst url = lib + 'GenerateTestPaymentFile';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tCompanyBank: companyBank,\n\t\t\t\tPayeeBank: payeeBank,\n\t\t\t\tBACSDateISO: bacsDateIso,\n\t\t\t\tBankFileID: bankFileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAccessFinancialsNominalCategories: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetAccessFinancialsNominalCategories';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetAccessFinancialsJournalCodePreview: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetAccessFinancialsJournalCodePreview';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateAccessFinancialsNominalCategoryMappings: (agencyProfileId, nominalCategories) => {\n\n\t\t\tconst url = lib + 'UpdateAccessFinancialsNominalCategoryMappings';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tNominalCategories: nominalCategories\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetBulkDocumentDownloadDetails: (agencyProfileId, userIds) => {\n\n\t\t\tconst url = lib + 'GetBulkDocumentDownloadDetails';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserIDs: userIds\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetBusinessCategoryListForAgency: (agencyProfileId, getUnallocatedCode) => {\n\n\t\t\tvar url = lib + 'GetBusinessCategoryListForAgency';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tGetUnallocatedCode: getUnallocatedCode\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetBACSDownloads: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetBACSDownloads';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetDocumentRegenerationDetails: (agencyProfileId, userId) => {\n\t\t\tlet url = `${lib}GetDocumentRegenerationDetails`;\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetEmptyBusinessCategory: function () {\n\n\t\t\tvar url = lib + 'GetEmptyBusinessCategory';\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetEmptyBusinessCode: function () {\n\n\t\t\tvar url = lib + 'GetEmptyBusinessCode';\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetEmptyNominalCode: function () {\n\n\t\t\tvar url = lib + 'GetEmptyNominalCode';\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetEmptyNominalCodeOverride: function () {\n\n\t\t\tconst url = lib + 'GetEmptyNominalCodeOverride';\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetEmptyNominalEntry: function () {\n\n\t\t\tvar url = lib + 'GetEmptyNominalEntry';\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetIsXeroFeatureBetaCustomer: agencyProfileId => {\n\n\t\t\tvar url = lib + 'GetIsXeroFeatureBetaCustomer';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetJournalCodeFormatForAgency: agencyProfileId => {\n\n\t\t\tvar url = lib + 'GetJournalCodeFormatForAgency';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetJournalFrameworkForAgency: function (agencyProfileId) {\n\n\t\t\tvar url = lib + 'GetJournalFrameworkForAgency';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetJournalFrameworkOptionsForAgency: function (agencyProfileId) {\n\n\t\t\tvar url = lib + 'GetJournalFrameworkOptionsForAgency';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetJournalDataPreview: (agencyProfileId, agencyPayPeriodId, supplementaryPaymentId, journalPostId) => {\n\n\t\t\tconst url = lib + 'GetJournalDataPreview';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tJournalPostID: journalPostId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetJournalPostHistory: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetJournalPostHistory';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetActiveJournalPost: (agencyProfileId, agencyPayPeriodId, supplementaryPaymentId) => {\n\n\t\t\tconst url = lib + 'GetActiveJournalPost';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetEmptyReportTemplate: () => {\n\n\t\t\tlet url = lib + 'GetEmptyReportTemplate';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetEmptyReportTemplateCollectionEntry: () => {\n\n\t\t\tconst url = lib + 'GetEmptyReportTemplateCollectionEntry';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetEmptyReportTemplateFilter: () => {\n\n\t\t\tconst url = lib + 'GetEmptyReportTemplateFilter';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetEmptyReportTemplateFilterClause: () => {\n\n\t\t\tconst url = lib + 'GetEmptyReportTemplateFilterClause';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetEmptyReportTemplateFilterGroup: () => {\n\n\t\t\tconst url = lib + 'GetEmptyReportTemplateFilterGroup';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetEmptyReportTemplateGroup: () => {\n\n\t\t\tlet url = lib + 'GetEmptyReportTemplateGroup';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetNominalCodeListForAgency: function (agencyProfileId) {\n\n\t\t\tvar url = lib + 'GetNominalCodeListForAgency';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetNominalCodeListForBusinessCode: (agencyProfileId, businessCodeId) => {\n\n\t\t\tconst url = lib + 'GetNominalCodeListForBusinessCode';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tBusinessCodeID: businessCodeId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetNominalCodeOverridesForBusinessCode: (agencyProfileId, businessCodeId) => {\n\n\t\t\tconst url = lib + 'GetNominalCodeOverridesForBusinessCode';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tBusinessCodeID: businessCodeId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPayrollComparisonReport: (agencyProfileId, comparisonAgencyPayPeriodId) => {\n\n\t\t\tlet url = lib + 'GetPayrollComparisonReport';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tComparisonAgencyPayPeriodID: comparisonAgencyPayPeriodId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetPayrollReportsMailReportTemplateCollection: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetPayrollReportsMailReportTemplateCollection';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetPeriodReportsDownloadReportTemplateCollection: agencyPayPeriodID => {\n\n\t\t\tconst url = lib + 'GetPeriodReportsDownloadReportTemplateCollection';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetReportRequestOptions: (agencyProfileId, reportTemplateId, reportTemplate, agencyPayPeriodId, supplementaryPaymentId, journalPostId) => {\n\n\t\t\tconst url = lib + 'GetReportRequestOptions';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tReportTemplateID: reportTemplateId,\n\t\t\t\tReportTemplate: reportTemplate,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId,\n\t\t\t\tJournalPostID: journalPostId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetRTISubmissionReports: (agencyProfileId, agencyPayPeriodId, supplementaryPaymentId, p11dbSubmissionId, rtiSubmissionReportType) => {\n\n\t\t\tconst url = lib + 'GetRTISubmissionReports';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId,\n\t\t\t\tP11DbSubmissionID: p11dbSubmissionId,\n\t\t\t\tRTISubmissionReportType: rtiSubmissionReportType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetSOXReport: (agencyProfileId, agencyPayPeriodId) => {\n\n\t\t\tlet url = lib + 'GetSOXReport';\n\t\t\tlet data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetSupplementaryPaymentReports: (agencyProfileId, supplementaryPaymentId) => {\n\n\t\t\tlet url = lib + 'GetSupplementaryPaymentReports';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetCustomReport: reportRequest => {\n\n\t\t\tconst url = lib + 'GetCustomReport';\n\t\t\tconst data = {\n\t\t\t\tReportRequest: reportRequest\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetCustomReports: (agencyProfileId, agencyPayPeriodId, supplementaryPaymentId) => {\n\n\t\t\tconst url = lib + 'GetCustomReports';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetClassicReport: reportRequest => {\n\n\t\t\tconst url = lib + 'GetClassicReport';\n\t\t\tconst data = {\n\t\t\t\tReportRequest: reportRequest\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetClassicReports: (agencyProfileId, agencyPayPeriodId, supplementaryPaymentId) => {\n\n\t\t\tconst url = lib + 'GetClassicReports';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetGenderPayGapAnalytics: (agencyProfileId, genderPayGapReportId) => {\n\n\t\t\tconst url = lib + 'GetGenderPayGapAnalytics';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tGenderPayGapReportID: genderPayGapReportId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetGenderPayGapAnalyticsForReportParent: (agencyProfileId, genderPayGapReportId) => {\n\n\t\t\tconst url = lib + 'GetGenderPayGapAnalyticsForReportParent';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tGenderPayGapReportID: genderPayGapReportId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetGenderPayGapPayElementSettings: (agencyProfileId, genderPayGapReportId) => {\n\n\t\t\tconst url = lib + 'GetGenderPayGapPayElementSettings';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tGenderPayGapReportID: genderPayGapReportId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetGenderPayGapReport: (agencyProfileId, genderPayGapReportId) => {\n\n\t\t\tconst url = lib + 'GetGenderPayGapReport';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tGenderPayGapReportID: genderPayGapReportId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetGenderPayGapReportsForAgency: (agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetGenderPayGapReportsForAgency';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetGenderPayGapReportsForAgencyParent: (agencyProfileId, snapshotDateIso) => {\n\n\t\t\tconst url = lib + 'GetGenderPayGapReportsForAgencyParent';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSnapshotDateISO: snapshotDateIso\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetGenderPayGapUsers: (agencyProfileId, genderPayGapReportId) => {\n\n\t\t\tconst url = lib + 'GetGenderPayGapUsers';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tGenderPayGapReportID: genderPayGapReportId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetReport: (agencyProfileId, agencyDocumentId, agencyPayPeriodId, reportTemplateId, supplementaryPaymentId) => {\n\n\t\t\tconst url = lib + 'GetReport';\n\t\t\tconst data = {\n\t\t\t\tAgencyDocumentID: agencyDocumentId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tReportTemplateID: reportTemplateId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetReportForJournalDataPreview: (agencyProfileId, agencyPayPeriodId, supplementaryPaymentId) => {\n\n\t\t\tconst url = lib + 'GetReportForJournalDataPreview';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetReports: (agencyProfileId, agencyPayPeriodId, supplementaryPaymentId) => {\n\n\t\t\tconst url = lib + 'GetReports';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetReportTemplate: (reportTemplateId, includeColumnDetails) => {\n\n\t\t\tlet url = lib + 'GetReportTemplate';\n\t\t\tlet data = {\n\t\t\t\tReportTemplateID: reportTemplateId,\n\t\t\t\tIncludeColumnDetails: includeColumnDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetReportTemplateCategories: agencyProfileId => {\n\n\t\t\tlet url = lib + 'GetReportTemplateCategories';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetReportTemplateFilter: reportTemplateId => {\n\n\t\t\tconst url = lib + 'GetReportTemplateFilter';\n\t\t\tconst dataObj = {\n\t\t\t\tReportTemplateID: reportTemplateId\n\t\t\t};\n\n\t\t\tconst configObj = {\n\t\t\t\terrorOnEmptyResponse: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj, configObj);\n\t\t},\n\n\t\tgetReportTemplateFilterClauseComponents: () => {\n\n\t\t\tconst url = lib + 'GetReportTemplateFilterClauseComponents';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetReportTemplateFormatTypes: () => {\n\n\t\t\tconst url = lib + 'GetReportTemplateFormatTypes';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetReportTemplateGroup: reportTemplateGroupId => {\n\n\t\t\tlet url = lib + 'GetReportTemplateGroup';\n\t\t\tlet data = {\n\t\t\t\tReportTemplateGroupID: reportTemplateGroupId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetReportTemplateGroupInheritors: (agencyProfileId, reportTemplateGroupId) => {\n\n\t\t\tconst url = lib + 'GetReportTemplateGroupInheritors';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tReportTemplateGroupID: reportTemplateGroupId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetReportTemplateGroups: (agencyProfileId, reportTemplateGroupId) => {\n\n\t\t\tlet url = lib + 'GetReportTemplateGroups';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tReportTemplateGroupID: reportTemplateGroupId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetReportTemplates: (agencyProfileId, reportTemplateGroupId, includeColumnDetails) => {\n\n\t\t\tlet url = lib + 'GetReportTemplates';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tReportTemplateGroupID: reportTemplateGroupId,\n\t\t\t\tIncludeColumnDetails: includeColumnDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetReportTemplatesForAgencyPayPeriod: (agencyPayPeriodId, includeColumnDetails, hideInvisibleReports, includeClassicReports) => {\n\n\t\t\tconst url = lib + 'GetReportTemplatesForAgencyPayPeriod';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tIncludeColumnDetails: includeColumnDetails,\n\t\t\t\tHideInvisibleReports: hideInvisibleReports,\n\t\t\t\tIncludeClassicReports: includeClassicReports\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetReportTemplatesForAgencyProfile: (agencyProfileId, includeColumnDetails, hideInvisibleReports, includeClassicReports) => {\n\n\t\t\tconst url = lib + 'GetReportTemplatesForAgencyProfile';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIncludeColumnDetails: includeColumnDetails,\n\t\t\t\tHideInvisibleReports: hideInvisibleReports,\n\t\t\t\tIncludeClassicReports: includeClassicReports\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetReportTemplatesForReporting: agencyProfileId => {\n\n\t\t\tlet url = lib + 'GetReportTemplatesForReporting';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetReportTemplatesForSupplementaryPayment: (agencyProfileId, supplementaryPaymentId) => {\n\n\t\t\tconst url = lib + 'GetReportTemplatesForSupplementaryPayment';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tpayrollRegenerateBACS: (agencyProfileId, agencyDocumentId) => {\n\n\t\t\tlet url = `${lib}PayrollRegenerateBACS`;\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyDocumentID: agencyDocumentId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tpayrollRegenerateP45: (agencyProfileId, userId) => {\n\n\t\t\tlet url = `${lib}PayrollRegenerateP45`;\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tpayrollRegenerateP60: (agencyProfileId, userId) => {\n\n\t\t\tlet url = `${lib}PayrollRegenerateP60`;\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tpayrollRegeneratePayslip: (agencyProfileId, userId, payPeriodFromGuid, payPeriodToGuid) => {\n\n\t\t\tlet url = `${lib}PayrollRegeneratePaySlip`;\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodFrom: payPeriodFromGuid,\n\t\t\t\tAgencyPayPeriodTo: payPeriodToGuid,\n\t\t\t\tUserID: userId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tpayrollUpdateLeaveDateAndRegenerateP45: (agencyProfileId, userId, leaveDateISO, leaveReason, leaveNote, leaveSubmitted, leaveSubmit, noP45Generation, overrideLeaveSubmitted) => {\n\n\t\t\tlet url = lib + 'PayrollUpdateLeaveDateAndRegenerateP45';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tLeaveDateISO: leaveDateISO,\n\t\t\t\tLeaveNote: leaveNote,\n\t\t\t\tLeaveReason: leaveReason,\n\t\t\t\tLeaveSubmit: leaveSubmit,\n\t\t\t\tLeaveSubmitted: angular.isUndefined(leaveSubmitted) ? false : leaveSubmitted,\n\t\t\t\tNoP45Generation: angular.isUndefined(noP45Generation) ? true : noP45Generation,\n\t\t\t\tOverrideLeaveSubmitted: angular.isUndefined(overrideLeaveSubmitted) ? false : overrideLeaveSubmitted,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAccountingIntegrationConnection: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetAccountingIntegrationConnection';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetXeroConnection: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetXeroConnection';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAccessFinancialsConnection: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetAccessFinancialsConnection';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tcreateAccessFinancialsConnection: agencyProfileId => {\n\n\t\t\tconst url = lib + 'CreateAccessFinancialsConnection';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAccessFinancialsTenants: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetAccessFinancialsTenants';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAccessFinancialsInstance: (agencyProfileId, tenantId, tenantName) => {\n\n\t\t\tconst url = lib + 'UpdateAccessFinancialsInstance';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tTenantID: tenantId,\n\t\t\t\tTenantName: tenantName\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tdeleteAccessFinancialsConnection: agencyProfileId => {\n\n\t\t\tconst url = lib + 'DeleteAccessFinancialsConnection';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tpostJournal: (agencyProfileId, agencyPayPeriodId, supplementaryPaymentId, submitAsFinal) => {\n\n\t\t\tconst url = lib + 'PostJournal';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSubmitAsFinal: submitAsFinal,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tremoveReportTemplatesFromGroup: (reportTemplateGroupId, reportTemplates, agencyProfileId) => {\n\n\t\t\tlet url = lib + 'RemoveReportTemplatesFromGroup';\n\t\t\tlet data = {\n\t\t\t\tReportTemplateGroupID: reportTemplateGroupId,\n\t\t\t\tReportTemplates: reportTemplates,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateBACSDownloadStates: (agencyProfileId, bacsDownloads, agencyDocumentState) => {\n\n\t\t\tconst url = lib + 'UpdateBACSDownloadStates';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tBACSDownloads: bacsDownloads,\n\t\t\t\tAgencyDocumentState: agencyDocumentState\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateBusinessCategory: function (agencyProfileId, businessCategory) {\n\n\t\t\tvar url = lib + 'UpdateBusinessCategory';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tBusinessCategory: businessCategory\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateBusinessCategoriesDefaultCodeValue: function (agencyProfileId, businessCategories) {\n\n\t\t\tvar url = lib + 'UpdateBusinessCategoriesDefaultCodeValue';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tBusinessCategories: businessCategories\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateBusinessCategoryOrder(agencyProfileId, businessCategories) {\n\n\t\t\tvar url = lib + 'UpdateBusinessCategoryOrder';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tBusinessCategories: businessCategories\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateGenderPayGapReport: (agencyProfileId, genderPayGapReport) => {\n\n\t\t\tconst url = lib + 'UpdateGenderPayGapReport';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tGenderPayGapReport: genderPayGapReport\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateGenderPayGapReportCreationComplete: (agencyProfileId, genderPayGapReportId, creationComplete) => {\n\n\t\t\tconst url = lib + 'UpdateGenderPayGapReportCreationComplete';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tGenderPayGapReportID: genderPayGapReportId,\n\t\t\t\tCreationComplete: creationComplete\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateGenderPayGapPayElementSettings: (agencyProfileId, genderPayGapReportId, payElementSettings) => {\n\n\t\t\tconst url = lib + 'UpdateGenderPayGapPayElementSettings';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tGenderPayGapReportID: genderPayGapReportId,\n\t\t\t\tPayElementSettings: payElementSettings\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateGenderPayGapUsers: (agencyProfileId, genderPayGapReportId, users) => {\n\n\t\t\tconst url = lib + 'UpdateGenderPayGapUsers';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tGenderPayGapReportID: genderPayGapReportId,\n\t\t\t\tUsers: users\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateJournalCodeFormat: (agencyProfileId, journalCodeFormat) => {\n\n\t\t\tconst url = lib + 'UpdateJournalCodeFormat';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tJournalCodeFormat: journalCodeFormat\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateJournalFrameworkDetails: function (agencyProfileId, journalFramework) {\n\n\t\t\tvar url = lib + 'UpdateJournalFrameworkDetails';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedJournalFramework: journalFramework\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateJournalFrameworkForAgency: function (agencyProfileId, journalFramework) {\n\n\t\t\tvar url = lib + 'UpdateJournalFrameworkForAgency';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tNewJournalFramework: journalFramework\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateJournalPost: (agencyProfileId, journalPost) => {\n\n\t\t\tconst url = lib + 'UpdateJournalPost';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tJournalPost: journalPost\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateNominalCodeList: function (agencyProfileId, nominalCodeList) {\n\n\t\t\tvar url = lib + 'UpdateNominalCodeList';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tNominalCodeList: nominalCodeList\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateNominalCodeOverrides: (agencyProfileId, nominalCodeOverrides) => {\n\n\t\t\tconst url = lib + 'UpdateNominalCodeOverrides';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tNominalCodeOverrides: nominalCodeOverrides\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateNominalCodeOverridesEnabled: (agencyProfileId, businessCategoryId) => {\n\n\t\t\tconst url = lib + 'UpdateNominalCodeOverridesEnabled';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tBusinessCategoryID: businessCategoryId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateNominalEntryList: function (agencyProfileId, nominalEntryList) {\n\n\t\t\tvar url = lib + 'UpdateNominalEntryList';\n\t\t\tvar data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tNominalEntryList: nominalEntryList\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateReportTemplate: (agencyProfileId, reportTemplateObj, reportTemplateFilterObj) => {\n\n\t\t\tlet url = lib + 'UpdateReportTemplate';\n\t\t\tlet data = {\n\t\t\t\tReportTemplate: reportTemplateObj,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tReportTemplateFilter: reportTemplateFilterObj\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateReportTemplateCollection: reportTemplateCollection => {\n\n\t\t\tconst url = lib + 'UpdateReportTemplateCollection';\n\t\t\tconst dataObj = {\n\t\t\t\tReportTemplateCollection: reportTemplateCollection\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateReportTemplateFilter: reportTemplateFilterObj => {\n\n\t\t\tconst url = lib + 'UpdateReportTemplateFilter';\n\t\t\tconst dataObj = {\n\t\t\t\tReportTemplateFilter: reportTemplateFilterObj\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateReportTemplateGroup: (agencyProfileId, reportTemplateGroup) => {\n\n\t\t\tlet url = lib + 'UpdateReportTemplateGroup';\n\t\t\tlet data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tReportTemplateGroup: reportTemplateGroup\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateReportTemplateVisibilityDetailsForPack: (agencyProfileId, reportTemplateGroupId, reportTemplates) => {\n\n\t\t\tlet url = lib + 'UpdateReportTemplateVisibilityDetailsForPack';\n\t\t\tlet data = {\n\t\t\t\tReportTemplateGroupID: reportTemplateGroupId,\n\t\t\t\tReportTemplates: reportTemplates,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.service('securityData', [\n\t'libraries',\n\t'promise',\n\tfunction (\n\t\tlibraries,\n\t\tpromise\n\t) {\n\n\tconst lib = libraries.security;\n\n\tconst service = {\n\n\t\tauthoriseUserForMigration: (credentials) => {\n\t\t\tconst url = lib + 'AuthoriseUserForMigration';\n\t\t\tconst dataObj = {\n\t\t\t\tUserName: credentials.username,\n\t\t\t\tPassword: credentials.password\n\t\t\t};\n\t\t\tconst config = {\n\t\t\t\tasync: false,\n\t\t\t\tcheckUserSessionOnFail: false,\n\t\t\t\thasTestData: false,\n\t\t\t\tretries: 0\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj, config);\n\t\t},\n\n\t\tcreatePasswordRequest: (username, redirectToPayPortal) => {\n\n\t\t\tconst url = lib + 'CreatePasswordRequest2';\n\t\t\tconst dataObj = {\n\t\t\t\tRedirectToPayPortal: redirectToPayPortal,\n\t\t\t\tUsername: username\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tcreatePasswordRequestInternal: (userId, email, redirectToPayPortal) => {\n\n\t\t\tconst url = lib + 'CreatePasswordRequestInternal';\n\t\t\tconst dataObj = {\n\t\t\t\tEmail: email,\n\t\t\t\tRedirectToPayPortal: redirectToPayPortal,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tcreateSharedSecret: (userId, authString) => {\n\n\t\t\tconst url = lib + 'CreateSharedSecret';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAuthString: authString\n\t\t\t};\n\n\t\t\tconst configObj = {\n\t\t\t\tincludeToken: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj, configObj);\n\t\t},\n\n\t\tcreateUsernameRequestInternal: (userId, email, redirectToPayPortal) => {\n\n\t\t\tconst url = lib + 'CreateUsernameRequestInternal';\n\t\t\tconst dataObj = {\n\t\t\t\tEmail: email,\n\t\t\t\tRedirectToPayPortal: redirectToPayPortal,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tdeleteIPAddress: ipAddressId => {\n\n\t\t\tconst url = lib + 'DeleteIPAddress';\n\t\t\tconst dataObj = {\n\t\t\t\tIPAddressID: ipAddressId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetIPAddressEmpty: () => {\n\n\t\t\tconst url = lib + 'GetIPAddressEmpty';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tgetIPAddresses: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetIPAddresses';\n\t\t\tconst dataObj = {\n\t\t\t\tOwnerID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetOIDCUrl: (userEmail) => {\n\n\t\t\tconst url = lib + 'GetOIDCURL';\n\t\t\tconst data = {\n\t\t\t\tUserEmail: userEmail\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetOIDCIDExists: (agencyProfileId, userId, ssoId) => {\n\n\t\t\tconst url = lib + 'GetOIDCIDExists';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSSOID: ssoId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetSigninStartType: (userNameOrEmail) => {\n\t\t\tconst url = lib + 'GetSignInStartType';\n\t\t\tconst data = {\n\t\t\t\tUserNameOrEmail: userNameOrEmail,\n\t\t\t};\n\t\t\tconst configObj = {\n\t\t\t\tincludeToken: false,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, configObj);\n\t\t},\n\t\tgetTeamMemberAdminAccounts: (agencyProfileId, mentionsUserid) => {\n\n\t\t\tconst url = lib + 'GetTeamMemberAdminAccounts';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMentionsUserID: mentionsUserid\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberAndAccountInformation: function (userId, agencyProfileId) {\n\n\t\t\tconst url = lib + 'GetTeamMemberAndAccountInformation';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUserRegistrationSummary: (userId, agencyProfileId) => {\n\n\t\t\tconst url = lib + 'GetUserRegistrationSummary';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tHasIdentityMigratedUserProfile: (userId) => {\n\n\t\t\tconst url = lib + 'HasIdentityMigratedUserProfile';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tsigninStart: (userNameOrEmail, hasIdentityAccount) => {\n\n\t\t\tconst url = lib + 'SigninStart';\n\t\t\tconst data = {\n\t\t\t\tUserNameOrEmail: userNameOrEmail,\n\t\t\t\tHasExistingIdentityAccount: hasIdentityAccount\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tsignInAfterTimeout: (emailAddress) => {\n\n\t\t\tconst url = lib + 'SignInAfterTimeout';\n\t\t\tconst data = {\n\t\t\t\tEmailAddress: emailAddress\n\t\t\t};\n\t\t\tconst configObj = {\n\t\t\t\tincludeToken: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, configObj);\n\t\t},\n\t\tisUserLoggedIn: () => {\n\n\t\t\tconst url = lib + 'IsSignedIn';\n\t\t\tconst dataObj = null;\n\t\t\tconst config = {\n\t\t\t\tasync: false,\n\t\t\t\thasTestData: false,\n\t\t\t\tlogOnEmptyResponse: false,\n\t\t\t\tcheckUserSessionOnFail: false,\n\t\t\t\tretries: 0\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj, config);\n\t\t},\n\n\t\tisUserLoggedInMinimal: () => {\n\n\t\t\tconst url = lib + 'IsUserLoggedInMinimal';\n\t\t\tconst dataObj = null;\n\t\t\tconst config = {\n\t\t\t\tasync: false,\n\t\t\t\thasTestData: false,\n\t\t\t\tlogOnEmptyResponse: false,\n\t\t\t\tcheckUserSessionOnFail: false,\n\t\t\t\tretries: 0\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj, config);\n\t\t},\n\n\t\tinviteUserToRegister: userId => {\n\n\t\t\tconst url = lib + 'inviteUserToRegister';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetAccountMinimalList: userId => {\n\n\t\t\tconst url = lib + 'GetAccountMinimalList';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tgetSwitchAccountMinimalList: userId => {\n\n\t\t\tconst url = lib + 'GetSwitchAccountMinimalList';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tlinkAccounts: (userId, linkedAccountUsername, linkedAccountPassword) => {\n\n\t\t\tconst url = lib + 'LinkAccounts';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tLinkedAccountUsername: linkedAccountUsername,\n\t\t\t\tLinkedAccountPassword: linkedAccountPassword\n\t\t\t};\n\n\t\t\tconst configObj = {\n\t\t\t\tretries: 0\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, configObj);\n\t\t},\n\n\t\tlinkAccountToUserProfileAndSignIn : (code, state, nonce) => {\n\t\t\tconst url = lib + 'LinkAccountToUserProfileAndSignIn';\n\t\t\tconst data = {\n\t\t\t\t\tCode: code,\n\t\t\t\t\tState: state,\n\t\t\t\t\tNonce: nonce\n\t\t\t};\n\t\t\tconst configObj = {\n\t\t\t\t\tincludeToken: false,\n\t\t\t\t\tretries: 0\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data, configObj);\n\t\t},\n\t\tonboardingConversion: agencyProfileId => {\n\n\t\t\tconst url = lib + 'OnboardingConversion';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tonboardingRegistration: (company, autoLogin) => {\n\n\t\t\tconst url = lib + 'OnboardingRegistration';\n\t\t\tconst dataObj = {\n\t\t\t\tCompany: company,\n\t\t\t\tAutoLogin: autoLogin\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tonboardingToFirstPeriod: agencyProfileId => {\n\n\t\t\tconst url = lib + 'OnboardingToFirstPeriod';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\treset2fa: (agencyProfileId, userId) => {\n\n\t\t\tconst url = lib + 'Reset2FA';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tresetLoginAttemptCount: (agencyProfileId, userId) => {\n\n\t\t\tconst url = lib + 'ResetLoginAttemptCount';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\trequestRegistration: (userID, agencyProfileID) => {\n\t\t\tconst url = lib + 'RequestRegistration';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userID,\n\t\t\t\tAgencyProfileID: agencyProfileID\n\t\t\t};\n\n\t\t\tconst configObj = {\n\t\t\t\tretries: 0\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj, configObj);\n\t\t},\n\t\tsendInvitationMailExternal: (agencyProfileId, emailAddress, fullName, role, telephone, ssoId) => {\n\n\t\t\tconst url = lib + 'SendInvitationMailExternal';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tEmailAddress: emailAddress,\n\t\t\t\tFullName: fullName,\n\t\t\t\tRole: role,\n\t\t\t\tTelephone: telephone,\n\t\t\t\tSSOID: ssoId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tsendRegistrationEmailForSsoAdmin: (userID, agencyProfileID) => {\n\t\t\tconst url = lib + 'SendRegistrationEmailForSsoAdmin';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileID,\n\t\t\t\tUserID: userID,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tsendInvitationMailInternal: function (userID, agencyProfileID, emailAddress, role) {\n\n\t\t\tconst url = lib + 'SendInvitationMailInternal';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userID,\n\t\t\t\tAgencyProfileID: agencyProfileID,\n\t\t\t\tEmailAddress: emailAddress,\n\t\t\t\tRole: role\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tsendInvitationMailInternalBulk: (agencyProfileId, userList) => {\n\n\t\t\tconst url = lib + 'SendInvitationMailInternalBulk';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserList: userList\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tswitchProfile: (switchUserId) => {\n\n\t\t\tconst url = lib + 'SwitchProfile';\n\t\t\tconst dataObj = {\n\t\t\t\tSwitchUserID: switchUserId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tunlinkAccounts: (userId, linkedAccountUserId) => {\n\n\t\t\tconst url = lib + 'UnlinkAccounts';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tLinkedAccountUserID: linkedAccountUserId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\t\n\t\tunlinkAccessAccount: (userID, agencyProfileID) => {\n\n\t\t\tconst url = lib + 'unlinkAccessAccount';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userID,\n\t\t\t\tAgencyProfileID: agencyProfileID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateIPAddresses: (agencyProfileId, ipAddresses) => {\n\n\t\t\tconst url = lib + 'UpdateIPAddresses';\n\t\t\tconst dataObj = {\n\t\t\t\tOwnerID: agencyProfileId,\n\t\t\t\tIPList: ipAddresses\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateIPAddressAdmins: adminList => {\n\n\t\t\tconst url = lib + 'UpdateIPAddressAdmins';\n\t\t\tconst dataObj = {\n\t\t\t\tAdminList: adminList\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateAccountUsername: (userId, password, oldUsername, newUsername) => {\n\n\t\t\tconst url = lib + 'UpdateAccountUsername';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tPassword: password,\n\t\t\t\tOldUsername: oldUsername,\n\t\t\t\tNewUsername: newUsername\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAccountPassword: (userId, password, newPassword) => {\n\n\t\t\tconst url = lib + 'UpdateAccountPassword';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tPassword: password,\n\t\t\t\tNewPassword: newPassword\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateAccountRecoveryEmailAddress: (userId, password, oldRecoveryEmailAddress, newRecoveryEmailAddress) => {\n\n\t\t\tconst url = lib + 'UpdateAccountRecoveryEmailAddress';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tPassword: password,\n\t\t\t\tOldRecoveryEmailAddress: oldRecoveryEmailAddress,\n\t\t\t\tNewRecoveryEmailAddress: newRecoveryEmailAddress\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tuserChangePassword: (userId, passwordOld, passwordNew) => {\n\n\t\t\tconst url = lib + 'UserChangePassword';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tPasswordOld : passwordOld,\n\t\t\t\tPasswordNew : passwordNew\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tuserChangePasswordByEmail: (username, password, hashedKey) => {\n\n\t\t\tconst url = lib + 'UserChangePasswordByEmail2';\n\t\t\tconst dataObj = {\n\t\t\t\tUsername: username,\n\t\t\t\tPasswordNew: password,\n\t\t\t\tHashedKey: hashedKey\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tuserLogin: credentials => {\n\n\t\t\tconst url = lib + 'UserLogin2';\n\t\t\tconst dataObj = {\n\t\t\t\tUserName: credentials.username,\n\t\t\t\tUserPassword: credentials.password\n\t\t\t};\n\t\t\tconst config = {\n\t\t\t\tasync: false,\n\t\t\t\tcheckUserSessionOnFail: false,\n\t\t\t\terrorOnEmptyResponse: false,\n\t\t\t\thasTestData: false,\n\t\t\t\tretries: 0\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj, config);\n\t\t},\n\n\t\tuserLoginSSO: function (agencyProfileId, oidcSystem, token) {\n\n\t\t\tconst url = lib + 'UserLoginSSO3';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSystem: oidcSystem,\n\t\t\t\tToken: token\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\t// SignIn\n\t\tsignIn: function (code, state, nonce) {\n\n\t\t\tconst url = lib + 'SignIn';\n\t\t\tconst data = {\n\t\t\t\tCode: code,\n\t\t\t\tState: state,\n\t\t\t\tNonce: nonce\n\t\t\t};\n\t\t\tconst configObj = {\n\t\t\t\tincludeToken: false,\n\t\t\t\tretries: 0\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, configObj);\n\t\t},\n\n\t\tverifyUserCredentials: function (userID, password) {\n\n\t\t\tconst url = lib + 'VerifyUserCredentials';\n\t\t\tconst data = {\n\t\t\t\tUserID: userID,\n\t\t\t\tPassword: password\n\t\t\t};\n\t\t\tconst configObj = {\n\t\t\t\tincludeToken: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, configObj);\n\t\t},\n\n\t\tverifyAccountCode: function (accountID, code) {\n\n\t\t\tconst url = lib + 'VerifyAccountCode';\n\t\t\tconst data = {\n\t\t\t\tAccountID: accountID,\n\t\t\t\tCode: code\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tmigrateUser: function (userID, emailAddress) {\n\n\t\t\tconst url = lib + 'MigrateUser';\n\t\t\tconst data = {\n\t\t\t\tUserID: userID,\n\t\t\t\tEmailAddress: emailAddress\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tstartAccountVerification: function (accountID) {\n\t\t\tconst url = lib + 'StartAccountVerification';\n\t\t\tconst data = {\n\t\t\t\tAccountID: accountID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetUserAccountSettingsUrl: function () {\n\n\t\t\tconst url = lib + 'GetUserAccountSettingsUrl';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\n\t\tsignOut: () => {\n\n\t\t\tconst url = lib + 'SignOut';\n\t\t\tconst config = {\n\t\t\t\thasTestData: false,\n\t\t\t\tretries: 0,\n\t\t\t\tcheckUserSessionOnFail: false\n\t\t\t};\n\t\t\tconst dataObj = null;\n\n\t\t\treturn promise.getPromise(url, dataObj, config);\n\t\t},\n\n\t\tuserUnregister: (agencyProfileId, userId) => {\n\n\t\t\tconst url = lib + 'UserUnregister';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tvalidate2FA: (userId, totp, authString) => {\n\n\t\t\tconst url = lib + 'Validate2FA';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tTOTP: totp,\n\t\t\t\tAuthString: authString\n\t\t\t};\n\n\t\t\tconst configObj = {\n\t\t\t\tincludeToken: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj, configObj);\n\t\t}\n\t};\n\n\treturn service;\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('supportData', [\n\t'$http',\n\t'$q',\n\t'libraries',\n\t'supportService',\n\t'utilities',\nfunction (\n\t$http,\n\t$q,\n\tlibraries,\n\tsupportService,\n\tutilities\n) {\n\n\tconst wordPressAPI = libraries.wordPressAPI;\n\tconst paycircleWordPressAPI = libraries.paycircleWordPressAPI;\n\n\t/*\n\t\tCache some of this stuff. Little point repeatedly getting them as they're going to be reasonably static,\n\t\tand will update in any case every time the app is relaunched.\n\t */\n\t// Help and support categories and tags\n\tlet supportCategories;\n\tlet helpAndSupportTags;\n\n\t// 'latest' and 'popular' articles\n\tlet popularSupportArticles;\n\tlet latestSupportArticleGroups;\n\n\tconst service = {\n\n\t\tgetLatestSupportArticlesGrouped: () => {\n\t\t\t// Get latest support articles if the cached copy doesn't exist.\n\t\t\tif (angular.isUndefined(latestSupportArticleGroups)) {\n\t\t\t\t/* Use the custom Paycircle WordPress API to get latest posts. Latest posts are marked as 'latest'\n\t\t\t\t and have an expiry date, when they stop being classed as 'latest' */\n\t\t\t\treturn service.getWordPressData(paycircleWordPressAPI + 'support/latest').then(supportArticlesArr => {\n\t\t\t\t latestSupportArticleGroups = supportService.groupAndSortSupportArticlesByLastUpdated(supportArticlesArr);\n\t\t\t\t\treturn latestSupportArticleGroups;\n\t\t\t\t});\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Return promise-wrapped latest support articles\n\t\t\t\treturn $q.when(latestSupportArticleGroups);\n\t\t\t}\n\t\t},\n\n\t\tgetPopularSupportArticles: () => {\n\t\t\t// Get popular support articles if the cached copy doesn't exist\n\t\t\tif (angular.isUndefined(popularSupportArticles)) {\n\t\t\t\t/* Use the custom Paycircle WordPress API to get popular posts. Popular posts are current marked\n\t\t\t\t as 'popular', until there's a better way of doing this. You'd think you could just ask WordPress\n\t\t\t\t to provide most-read posts. That sounds like quite an easy thing to do. Hmmm. */\n\t\t\t\treturn service.getWordPressData(paycircleWordPressAPI + 'support/popular').then(supportArticlesArr => {\n\t\t\t\t\tpopularSupportArticles = supportService.sortSupportArticles(supportArticlesArr);\n\t\t\t\t\treturn popularSupportArticles;\n\t\t\t\t});\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Return promise-wrapped popular support articles\n\t\t\t\treturn $q.when(popularSupportArticles);\n\t\t\t}\n\t\t},\n\n\t\tgetSupportArticlesForTags: (tagSlugs) => {\n\n\t\t\t// Join the slugs for the API request\n\t\t\tconst tagList = tagSlugs.join();\n\t\t\t// Use the custom Paycircle WordPress API to get article info\n\t\t\treturn service.getWordPressData(paycircleWordPressAPI + `support/tag/${tagList}`).then(supportArticlesArr => {\n\t\t\t\treturn supportService.sortSupportArticles(supportArticlesArr);\n\t\t\t});\n\t\t},\n\n\t\tgetSupportArticlesForCategory: (categorySlug) => {\n\n\t\t\t// Use the custom Paycircle WordPress API to get article info\n\t\t\treturn service.getWordPressData(paycircleWordPressAPI + `support/category/${categorySlug}?per_page=200`).then(supportArticlesArr => {\n\t\t\t\treturn supportService.sortSupportArticles(supportArticlesArr);\n\t\t\t});\n\t\t},\n\n\t\tgetSupportArticleByKey: (articleKey) => {\n\n\t\t\t// This should return a singleton array, so just pluck out the first and only article in it\n\t\t\treturn service.getWordPressData(paycircleWordPressAPI + `support/post/${articleKey}`).then(articleObjs => articleObjs[0]);\n\t\t},\n\n\t\tsearchSupportArticles: (searchTerms) => {\n\n\t\t\t// Use the custom Paycircle WordPress API to get article info\n\t\t\treturn service.getWordPressData(paycircleWordPressAPI + `support/search/${searchTerms}`).then(supportArticlesArr => {\n\t\t\t\t// The search API does the sorting here\n\t\t\t\treturn supportArticlesArr;\n\t\t\t});\n\t\t},\n\n\t\tsearchSupportArticlesForCategory: (categorySlug, searchTerms) => {\n\n\t\t\t// Use custom Paycircle WordPress API to search articles within a specific category\n\t\t\treturn service.getWordPressData(paycircleWordPressAPI + `support/search-category/${categorySlug}/${searchTerms}`).then(supportArticlesArr => {\n\t\t\t\treturn supportService.sortSupportArticles(supportArticlesArr);\n\t\t\t});\n\t\t},\n\n\t\tgetAllCategories: () => {\n\t\t\t// Get all support article categories if the cached copy doesn't exist, otherwise return the promise-wrapped cached copy\n\t\t\tif (!angular.isDefined(supportCategories)) {\n\t\t\t\t/* Note the 'per-page' attribute. WordPress doesn't like giving up too much information unless you ask it to.\n\t\t\t\t This'll be OK as long as there are never more than 100 categories. */\n\t\t\t\treturn service.getWordPressData(wordPressAPI + 'support_type', { parent: 0, per_page: 100 }).then(categoriesArr => {\n\t\t\t\t\t// Sex up the categories\n\t\t\t\t\tsupportCategories = supportService.decorateSupportCategories(categoriesArr);\n\t\t\t\t\treturn supportCategories;\n\t\t\t\t});\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Return promise-wrapped cached value\n\t\t\t\treturn $q.when(supportCategories);\n\t\t\t}\n\t\t},\n\n\t\tgetAllTags: () => {\n\t\t\t// Get all support article tags if the cached copy doesn't exist, otherwise return the promise-wrapped cached copy\n\t\t\tif (!angular.isDefined(helpAndSupportTags)) {\n\t\t\t\treturn service.getWordPressData(wordPressAPI + 'tags', { per_page: 100 }).then(tagsArr => {\n\t\t\t\t\t/* Transform categories as returned by the WordPress Rest API into something a little more palatable, removing\n\t\t\t\t\t some of the seemingly irrelevant crap that it returns */\n\t\t\t\t\thelpAndSupportTags = [];\n\t\t\t\t\ttagsArr.forEach(tag => {\n\t\t\t\t\t\thelpAndSupportTags.push({\n\t\t\t\t\t\t\tdescription: tag.description,\n\t\t\t\t\t\t\tid: tag.id,\n\t\t\t\t\t\t\tname: tag.name,\n\t\t\t\t\t\t\tslug: tag.slug\n\t\t\t\t\t\t});\n\t\t\t\t\t});\n\t\t\t\t\treturn helpAndSupportTags;\n\t\t\t\t});\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Return promise-wrapped cached value\n\t\t\t\treturn $q.when(helpAndSupportTags);\n\t\t\t}\n\t\t},\n\n\t\tgetSupportArticle: (articleId, paramsObj) => {\n\n\t\t\treturn service.getWordPressData(wordPressAPI + `support/${articleId}`, paramsObj);\n\t\t},\n\n\t\tgetSupportGuidesForTags: (tagSlugs) => {\n\t\t\t// Get the tag IDs for the tag slugs, get the guides for the tag IDs\n\t\t\treturn service.getTags(tagSlugs).then(tagList => {\n\t\t\t\tconst tagIdsForSearch = tagList.map(tag => tag.id).join();\n\t\t\t\treturn service.getWordPressData(wordPressAPI + 'guides', { tags: tagIdsForSearch }).then(supportGuidesArr => {\n\t\t\t\t\treturn supportService.normaliseSupportGuides(supportGuidesArr);\n\t\t\t\t});\n\t\t\t});\n\t\t},\n\n\t\tgetSupportArticleCategory: (categoryId, paramsObj) => {\n\n\t\t\treturn service.getWordPressData(wordPressAPI + `support_type/${categoryId}`, paramsObj);\n\t\t},\n\n\t\t/* Get an array of tags corresponding to a set of tag slugs. Returns a promise, since it could\n\t\t (at least in principle) be called before the set of help and support tags has been retrieved from\n\t\t WordPress. */\n\t\tgetTags: (tagSlugs) => {\n\t\t\treturn service.getAllTags().then(helpAndSupportTags => {\n\t\t\t\tlet tagPropertyValues = [];\n\t\t\t\ttagSlugs.forEach(tagSlug => {\n\t\t\t\t\tlet tag = helpAndSupportTags.find(helpAndSupportTag => {\n\t\t\t\t\t\t// Compare case-insensitive, just to add a little kindness and flexibility here\n\t\t\t\t\t\treturn helpAndSupportTag.slug.toLowerCase() === tagSlug.toLowerCase();\n\t\t\t\t\t});\n\t\t\t\t\tif (tag) {\n\t\t\t\t\t\ttagPropertyValues.push(tag);\n\t\t\t\t\t}\n\t\t\t\t});\n\t\t\t\treturn tagPropertyValues;\n\t\t\t});\n\t\t},\n\n\t\tgetWordPressData: (url, dataObj) => {\n\n\t\t\tconst config = {\n\t\t\t\tmethod: 'GET',\n\t\t\t\turl: angular.isDefined(dataObj) ? `${url}?${utilities.serialiseObj(dataObj)}` : url,\n\t\t\t};\n\t\t\tlet deferred = $q.defer();\n\n\t\t\t/* Temporarily remove Session ID if it's there (otherwise multiple concurrent requests here could\n\t\t\t obliterate it). WordPress doesn't like SessionID; we get CORS complaints. */\n\t\t\tconst sessionId = $http.defaults.headers.common.SessionID;\n\t\t\tif (angular.isDefined(sessionId)) {\n\t\t\t\t$http.defaults.headers.common.SessionID = undefined;\n\t\t\t}\n\n\t\t\t$http(config).then(responseObj => {\n\t\t\t\tdeferred.resolve(responseObj.data);\n\t\t\t})\n\t\t\t.catch(errorObj => {\n\t\t\t\tdeferred.reject(errorObj);\n\t\t\t})\n\t\t\t.finally(() => {\n\t\t\t\t// Restore session ID if it was obliterated in the first place\n\t\t\t\tif (angular.isDefined(sessionId)) {\n\t\t\t\t\t$http.defaults.headers.common.SessionID = sessionId;\n\t\t\t\t}\n\t\t\t});\n\n\t\t\treturn deferred.promise;\n\t\t}\n\t};\n\n\treturn service;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.service('teamData', [\n 'libraries',\n 'promise',\nfunction (\n libraries,\n promise\n) {\n\n\tconst libBase = libraries.base;\n\tconst libUser = libraries.user;\n\tconst libPayroll = libraries.payroll;\n\tconst libIntegration = libraries.integration;\n\n\tconst service = {\n\n\t\tautoMapIncomingEmployees: function (agencyProfileId) {\n\n\t\t\tconst url = libIntegration + 'AutoMapIncomingEmployees';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tcancelAttachmentOrder: function (attachmentOrderId, cancelledReasonState) {\n\n\t\t\tconst url = libPayroll + 'CancelAttachmentOrder';\n\t\t\tconst data = {\n\t\t\t\tAttachmentOrderID: attachmentOrderId,\n\t\t\t\tCancelledReasonState: cancelledReasonState,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tcreateAttachmentOfEarnings: function (userId, agencyProfileId, agencyPayPeriodId, aoe) {\n\n\t\t\tconst url = libPayroll + 'UpdateAttachmentOrderDetails';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tUpdatedOrderDetails: aoe\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tcreateNewTeamMember: function (agencyProfileID, niNumber, forename, middlename, surname, male, dob, isStarter, isSubcontractor, utr, cisDetails, cisCompanyAddress, title, isOffPayrollWorker) {\n\n\t\t\tconst url = libUser + 'CreateNewTeamMember';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileID,\n\t\t\t\tCISCompanyAddress: cisCompanyAddress,\n\t\t\t\tNewCISDetails: cisDetails,\n\t\t\t\tDOB: dob,\n\t\t\t\tForename: forename,\n\t\t\t\tIsStarter: isStarter,\n\t\t\t\tMale: male,\n\t\t\t\tMiddlename: middlename,\n\t\t\t\tNINumber: niNumber,\n\t\t\t\tSurname: surname,\n\t\t\t\tIsOffPayrollWorker: isOffPayrollWorker,\n\t\t\t\tIsSubcontractor: isSubcontractor,\n\t\t\t\tUTR: utr,\n\t\t\t\tTitle: title\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteAttachmentOrder: function (aoeId) {\n\n\t\t\tconst url = libPayroll + 'DeleteAttachmentOrder';\n\t\t\tconst data = {\n\t\t\t\tAttachmentOrderID: aoeId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteInternalMapping: function (agencyProfileId) {\n\n\t\t\tconst url = libIntegration + 'DeleteInternalMapping';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\tconst config = {\n\t\t\t\terrorOnEmptyResponse: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, config);\n\t\t},\n\t\tdeleteTeamMemberAdmin: function (userId, agencyProfileId) {\n\n\t\t\tconst url = libUser + 'DeleteTeamMemberAdmin';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteTeamMemberStatutoryPay: function (scheduleId) {\n\n\t\t\tconst url = libUser + 'DeleteTeamMemberSchedulePayments';\n\t\t\tconst data = {\n\t\t\t\tScheduleID: scheduleId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteUserDocument: (agencyDocumentId, agencyProfileId) => {\n\n\t\t\tconst url = libBase + 'DeleteUserDocument';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyDocumentID: agencyDocumentId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tdeleteUserProfile: function (userId, agencyProfileId) {\n\n\t\t\tconst url = libUser + 'DeleteUserProfile';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteUserProfiles: (agencyProfileId, userIds) => {\n\n\t\t\tconst url = libUser + 'DeleteUserProfiles';\n\t\t\tconst data = {\n\t\t\t\tUserIDs: userIds,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\temployeeMappingExport: function (agencyProfileId) {\n\n\t\t\tconst url = libIntegration + 'EmployeeMappingExport';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\temployeeMappingImport: function (agencyProfileId, fileName, contentType, content) {\n\n\t\t\tconst url = libIntegration + 'EmployeeMappingImport';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tImportFile: {\n\t\t\t\t\tFileName: fileName,\n\t\t\t\t\tContentType: contentType,\n\t\t\t\t\t// content must be base64\n\t\t\t\t\tContent: content \n\t\t\t\t\t}\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tfullEventCleanup: function (agencyProfileId) {\n\n\t\t\tconst url = libIntegration + 'FullEventCleanup';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\tconst config = {\n\t\t\t\terrorOnEmptyResponse: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, config);\n\t\t},\n\t\tgenerateInternalMapping: function (agencyProfileId) {\n\n\t\t\tconst url = libIntegration + 'GenerateInternalMapping';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\tconst config = {\n\t\t\t\terrorOnEmptyResponse: false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, config);\n\t\t},\n\t\tgetAgeRange: function (dateOfBirth, gender, agencyProfileID) {\n\n \tconst url = libUser + 'GetAgeRange';\n \tconst data = {\n \tDOBISO: dateOfBirth,\n \tGender: gender,\n \tAgencyProfileID: agencyProfileID\n \t};\n\t\t\t\n\t\t \treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAllUserDocumentsForArchivedEmployment: (userId, agencyProfileId, archivedEmploymentId, returnAll) => {\n\n\t\t\tconst url = libBase + 'GetAllUserDocumentsForArchivedEmployment';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tArchivedEmploymentID: archivedEmploymentId,\n\t\t\t\tReturnAll: returnAll !== undefined ? returnAll : false, // Returns both Actual & Hypo\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tgetAllUserDocuments: function (userId, agencyProfileId, returnAll) {\n\n\t\t\tconst url = libBase + 'GetAllUserDocuments';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tReturnAll: returnAll !== undefined ? returnAll : false // Returns both Actual & Hypo\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAttachmentOrderDetails: function (aoeId) {\n\n\t\t\tconst url = libPayroll + 'GetAttachmentOrderDetails';\n\t\t\tconst data = {\n\t\t\t\tAttachmentOrderID: aoeId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAttachmentOrderInformation: function (userId, agencyProfileId) {\n\n\t\t\tconst url = libPayroll + 'GetAttachmentOrderInformation';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAttachmentOrderPaymentHistory: function (attachmentOrderId) {\n\n\t\t\tconst url = libPayroll + 'GetAttachmentOrderPaymentHistory';\n\t\t\tconst data = {\n\t\t\t\tAttachmentOrderID: attachmentOrderId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAttachmentOrderTypes: function () {\n\n\t\t\tconst url = libPayroll + 'GetAttachmentOrderTypes';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetCancelledReasonDetails: function () {\n\n\t\t\tconst url = libPayroll + 'GetCancelledReasonDetails';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetEmployeeMappingReport: function (agencyProfileId) {\n\n\t\t\tconst url = libIntegration + 'GetEmployeeMappingReport';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetIncomingEmployeesReport: function (agencyProfileId) {\n\n\t\t\tconst url = libIntegration + 'GetIncomingEmployeesReport';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetIntegrationEvents: function (agencyProfileId) {\n\n\t\t\tconst url = libIntegration + 'GetIntegrationEvents';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetIntegrationEvent: function (agencyProfileId, messageId) {\n\n\t\t\tconst url = libIntegration + 'GetIntegrationEvent';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMessageID: messageId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetIntegrationServiceStatus: function (agencyProfileId) {\n\n\t\t\tconst url = libIntegration + 'GetIntegrationServiceStatus';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tretryIntegrationEvent: function (agencyProfileId, messageId) {\n\n\t\t\tconst url = libIntegration + 'RetryIntegrationEvent';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMessageID: messageId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tretryMultipleIntegrationEvents: function (agencyProfileId, messageIds) {\n\n\t\t\tconst url = libIntegration + 'RetryMultipleIntegrationEvents';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMessageIDs: messageIds\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetRetriedEvents : function (agencyProfileId, messageIds) {\n\n\t\t\tconst url = libIntegration + 'GetRetriedEvents';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMessageIDs: messageIds\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberCISCompanyDetails: function (agencyProfileId, userId) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberCISCompanyDetails';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberCompanyDetails: function (userId, agencyProfileId) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberCompanyDetails';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberContact: function (agencyProfileId, userId) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberContact';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetSalaryForPeriodsCalculation: (userId, agencyProfileId, salaryValue, salaryIntervalType, proRating) => {\n\n\t\t\tconst url = libPayroll + 'GetSalaryForPeriodsCalculation';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSalaryValue: salaryValue,\n\t\t\t\t// Platform calls it SalaryPeriodType. But it's of type SalaryIntervalType.\n\t\t\t\tSalaryPeriodType: salaryIntervalType,\n\t\t\t\tProRating: proRating\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetTeamMemberAdmins: (agencyProfileId, mentionsUserid) => {\n\n\t\t\tconst url = libUser + 'GetTeamMemberAdmins';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMentionsUserID: mentionsUserid\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberAdminsExtended: (agencyProfileId, permissionType, restrictVisibility, excludeDepartmentAdmin) => {\n\n\t\t\tconst url = libUser + 'GetTeamMemberAdminsExtended';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPermissionType: angular.isDefined(permissionType) ? permissionType : 0,\n\t\t\t\tRestrictVisibility: restrictVisibility,\n\t\t\t\tExcludeDepartmentAdmin: excludeDepartmentAdmin\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetTeamMemberAdminsVisibility: function (agencyProfileId, agencyProfileIDVisibility) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberAdminsVisibility';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyProfileIDVisibility: agencyProfileIDVisibility\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetTeamMemberCompanyContinuousEmployment: (userId, agencyProfileId) => {\n\n\t\t\tconst url = libUser + 'GetTeamMemberCompanyContinuousEmployment';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetTeamMemberCompanyWorkplaceInformation: (userId, agencyProfileId) => {\n\n\t\t\tconst url = libUser + 'GetTeamMemberCompanyWorkplaceInformation ';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetTeamMemberCompletionState: function (agencyProfileId) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberCompletionState';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberInformation: function (userId, agencyProfileId) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberInformation';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberInformationForArchivedEmployment: (userId, agencyProfileId, archivedEmploymentId) => {\n\n\t\t\tconst url = libUser + 'GetTeamMemberInformationForArchivedEmployment';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tArchivedEmploymentID: archivedEmploymentId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetTeamMemberPayInformation: function (userId, agencyProfileId) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberPayInformation';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberMaternityAdvanceFundingDetailsForSchedule: function (scheduleId, userId) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberMaternityAdvanceFundingDetailsForSchedule';\n\t\t\tconst data = {\n\t\t\t\tScheduleID: scheduleId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberMaternityPay: function (userId, agencyProfileId, scheduleId) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberMaternityPay';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tScheduleID: scheduleId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberMaternityDates: function (userId, agencyProfileId, maternityPay) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberMaternityDates';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMaternityPay: maternityPay\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberMaternitySalaryPayments: function (userId, agencyProfileId, maternityPay) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberMaternitySalaryPayments';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMaternityPay: maternityPay\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberMaternitySchedulePayments: function (userId, agencyProfileId, maternityPay) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberMaternitySchedulePayments';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMaternityPay: maternityPay\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberMaternitySchedulePaymentsForSchedule: function (scheduleId) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberMaternitySchedulePaymentsForSchedule';\n\t\t\tconst data = {\n\t\t\t\tScheduleID: scheduleId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberPaternityPay: function (userId, agencyProfileId, scheduleId) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberPaternityPay';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tScheduleID: scheduleId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberPaternityDates: function (userId, agencyProfileId, paternityPay) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberPaternityDates';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPaternityPay: paternityPay\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberPaternitySalaryPayments: function (userId, agencyProfileId, paternityPay) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberPaternitySalaryPayments';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPaternityPay: paternityPay\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberPaternitySchedulePayments: function (userId, agencyProfileId, paternityPay) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberPaternitySchedulePayments';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPaternityPay: paternityPay\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberPaternitySchedulePaymentsForSchedule: function (scheduleId) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberPaternitySchedulePaymentsForSchedule';\n\t\t\tconst data = {\n\t\t\t\tScheduleID: scheduleId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberRegisteredAdmins: agencyProfileId => {\n \n\t\t\tconst url = libUser + 'GetTeamMemberRegisteredAdmins';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetTeamMembersForArchivedEmployments: agencyProfileId => {\n\n\t\t\tconst url = libUser + 'GetTeamMembersForArchivedEmployments';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetTeamMembers: function (agencyProfileId, leavers) {\n\n\t\t\tconst url = libUser + 'GetTeamMembers';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tLeavers: leavers\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberMaternityDetailsBroughtForward: function (userId, agencyProfileId, maternityPay) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberMaternityDetailsBroughtForward';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMaternityPay: maternityPay\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberPaternityDetailsBroughtForward: function (userId, agencyProfileId, paternityPay) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberPaternityDetailsBroughtForward';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPaternityPay: paternityPay\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberSicknessDates: (agencyProfileId, userId, sicknessPay) => {\n\n\t\t\tconst url = libUser + 'GetTeamMemberSicknessDates';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tSicknessPay: sicknessPay\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetTeamMemberSicknessDetailsBroughtForward: function (userId, agencyProfileId, sicknessPay) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberSicknessDetailsBroughtForward';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSicknessPay: sicknessPay\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberSicknessPay: function (userId, agencyProfileId, scheduleId) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberSicknessPay';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tScheduleID: scheduleId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberSicknessSalaryPayments: function (userId, agencyProfileId, sicknessPay) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberSicknessSalaryPayments';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSicknessPay: sicknessPay\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberSicknessSchedulePayments: function (userId, agencyProfileId, sicknessPay) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberSicknessSchedulePayments';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSicknessPay: sicknessPay\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberSicknessSchedulePaymentsForSchedule: function (scheduleId) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberSicknessSchedulePaymentsForSchedule';\n\t\t\tconst data = {\n\t\t\t\tScheduleID: scheduleId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberStatutoryPay: function (userId, agencyProfileId, futurePayments) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberStatutoryPay';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tFuturePayments: futurePayments !== undefined ? futurePayments : false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUserAccruedHolidayPay: (userId, agencyProfileId) => {\n\n\t\t\tconst url = libUser + 'GetUserAccruedHolidayPay';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tgetUserAgencyProfileForAgencyNoBankDetails: function (agencyProfileId) {\n\n\t\t\tconst url = libUser + 'GetUserAgencyProfileForAgencyNoBankDetails';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUserAgencyProfileForAgencyTeamMember: function(userId, agencyProfileId){\n\n\t\t\tconst url = libUser + 'GetUserAgencyProfileForAgencyTeamMember';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUserAgencyProfileForAgencyTeamMemberMinimum: function (userId, agencyProfileId, email) {\n\n\t\t\tconst url = libUser + 'GetUserAgencyProfileForAgencyTeamMemberMinimum';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tEmail: email\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUserAgencyProfilesForAgencyTeamMemberMinimum: function (agencyProfileId, includeLeavers, ignoreFutureStarters, ignoreAdmins, includeIncomplete, includeBackpay, userId) {\n\n\t\t\tconst url = libUser + 'GetUserAgencyProfilesForAgencyTeamMemberMinimum';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tIncludeBackpay: includeBackpay,\n\t\t\t\tIncludeIncomplete: includeIncomplete,\n\t\t\t\tIncludeLeavers: includeLeavers,\n\t\t\t\tIgnoreAdmins: ignoreAdmins,\n\t\t\t\tIgnoreFutureStarters: ignoreFutureStarters,\n\n\t\t\t\t// UserID is optional. If specified this should return a single profile. Check for undefined, empty string and null.\n\t\t\t\tUserID: userId ? userId : undefined\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tmappedEmployeeBulkExportMappingEventsCleanUp: function (agencyProfileId) {\n\n\t\t\tconst url = libIntegration + 'MappedEmployeeBulkExportMappingEventsCleanUp';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserAgencyProfileLeaveDate: function (leaveDateISO, userId, agencyProfileId) {\n\n\t\t\tconst url = libUser + 'UpdateUserAgencyProfileLeaveDate';\n\t\t\tconst data = {\n\t\t\t\tLeaveDateISO: leaveDateISO,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserAgencyProfileLeaveDateNoP45: function (leaveDateISO, userId, agencyProfileId) {\n\n\t\t\tconst url = libUser + 'UpdateUserAgencyProfileLeaveDateNoP45';\n\t\t\tconst data = {\n\t\t\t\tLeaveDateISO: leaveDateISO,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tsaveTeamMemberAdoptionPay: function (userId, agencyProfileId, adoptionPay) {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberAdoptionSchedulePayments';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAdoptionPay: adoptionPay\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberIncludeInRTI: (userId, agencyProfileId, excludedFromRti) => {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberIncludeInRTI';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tExcludeFromRTI: excludedFromRti,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateTeamMemberMaternitySchedulePayments: function (userId, agencyProfileId, maternityPay) {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberMaternitySchedulePayments';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tMaternityPay: maternityPay,\n\t\t\t\tReason: maternityPay.updateReason ? maternityPay.updateReason : 0\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberNINumber: (newNINumber, userId, agencyProfileId) => {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberNINumber';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tNewNINumber: newNINumber\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateTeamMemberPaternitySchedulePayments: function (userId, agencyProfileId, paternityPay, reason) {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberPaternitySchedulePayments';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPaternityPay: paternityPay,\n\t\t\t\tReason: reason\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberSicknessSchedulePayments: (userId, agencyProfileId, sicknessPay, reason) => {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberSicknessSchedulePayments';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tReason: reason,\n\t\t\t\tSicknessPay: sicknessPay\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tsaveTeamMemberPermissions: function (teamMemberPermissions, userId) {\n\n\t\t\t/*\n\t\t\t{\n\t\t\t\tAgencyProfilePermissions: 99\n\t\t\t};\n\t\t\t*/\n\n\t\t\tconst url = libUser + 'saveTeamMemberPermissions';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tPermissions: teamMemberPermissions\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateAttachmentOrderPaused: (attachmentOrderId, paused) => {\n\n\t\t\tconst url = libPayroll + 'UpdateAttachmentOrderPaused';\n\t\t\tconst dataObj = {\n\t\t\t\tAttachmentOrderID: attachmentOrderId,\n\t\t\t\tPaused: paused\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateSalaryRates: (agencyProfileId, agencyPayPeriodId, rateDetailsArr) => {\n\n\t\t\tconst url = libPayroll + 'UpdateSalaryRates';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tRateDetails: rateDetailsArr\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateTeamMemberMaternityScheduleInProgress: function (agencyProfileId, userId, maternityPayObj, agencyPayPeriodId, reason) {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberMaternityScheduleInProgress';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tMaternityPay: maternityPayObj,\n\t\t\t\tReason: reason\n\t\t\t};\n\t\t\t// Add agency pay period ID only if it's been specified\n\t\t\tif (agencyPayPeriodId) {\n\t\t\t\tdata['AgencyPayPeriodID'] = agencyPayPeriodId;\n\t\t\t}\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberMaternityScheduleInProgressReset: function (agencyProfileId, userId, scheduleId) {\n\t\t\tconst url = libUser + 'UpdateTeamMemberMaternityScheduleInProgressReset';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tScheduleID: scheduleId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberPaternityScheduleInProgress: (agencyProfileId, userId, paternityPayObj, agencyPayPeriodId, reason) => {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberPaternityScheduleInProgress';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tPaternityPay: paternityPayObj,\n\t\t\t\tReason: reason\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberPaternityScheduleInProgressReset: (agencyProfileId, userId, scheduleId) => {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberPaternityScheduleInProgressReset';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tScheduleID: scheduleId\n\t\t\t};\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberSicknessScheduleInProgressReset: (agencyProfileId, userId, scheduleId) => {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberSicknessScheduleInProgressReset';\n\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tScheduleID: scheduleId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateTeamMemberBank: function (bankDetails, userId, agencyProfileId) {\n\n\t\t\tconst url = libBase + 'UpdateTeamMemberBank';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tUpdatedBank: bankDetails,\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberCompany: function (companyDetails, userId, agencyProfileId) {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberCompany';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tCompanyDetails: companyDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberCompanyContinuousEmployment: (userId, agencyProfileId, continuousEmploymentDetailsObj) => {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberCompanyContinuousEmployment';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tContinuousEmploymentDetails: continuousEmploymentDetailsObj\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateTeamMemberCompanyWorkplaceInformation: (userId, agencyProfileId, workplaceInformationDetailsObj) => {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberCompanyWorkplaceInformation';\n\t\t\tconst dataObj = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tWorkplaceInformationDetails: workplaceInformationDetailsObj\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateTeamMemberPersonal: function (teamMemberPersonal, userId, agencyProfileId) {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberPersonal';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPersonalDetails: teamMemberPersonal\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberSalary: function (salaryDetails, userId, agencyProfileId, agencyPayPeriodId, updateBackpay) {\n\n\t\t\tconst url = libPayroll + 'UpdateTeamMemberSalary';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSalaryDetails: salaryDetails,\n\t\t\t\tUpdateBackpay: updateBackpay !== undefined ? updateBackpay : false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberPayInformation: function (payInformationDetails, userId, agencyProfileId, agencyPayPeriodId, updateBackpay) {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberPayInformation';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tPayInformationDetails: payInformationDetails,\n\t\t\t\tUpdateBackpay: updateBackpay !== undefined ? updateBackpay : false\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\n\t\tupdateTeamMemberSicknessScheduleInProgress: (agencyProfileId, userId, sicknessPayObj, reason) => {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberSicknessScheduleInProgress';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tSicknessPay: sicknessPayObj,\n\t\t\t\tReason: reason\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\n\t\tupdateTeamMemberTax: function (taxDetails, userId, agencyProfileId) {\n\n\t\t\tconst url = libPayroll + 'UpdateTeamMemberTax';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tUpdatedTaxInfoTeamMember: taxDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberTaxExisting: function (taxDetails, userId, agencyProfileId) {\n\n\t\t\tconst url = libPayroll + 'UpdateTeamMemberTaxExisting';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tUpdatedTaxInfoTeamMember: taxDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberYTD: function (ytd, userId, agencyProfileID) {\n\n\t\t\tconst url = libBase + 'UpdateTeamMemberYTD';\n\t\t\tconst data = {\n\t\t\t\tYTDDetails: ytd,\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileID\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberYTDWithNICalculation: function (ytd, userId, agencyProfileID, hasYTDNILELs) {\n\n\t\t\tconst url = libPayroll + 'UpdateTeamMemberYTDWithNICalculation';\n\t\t\tconst data = {\n\t\t\t\tYTDDetails: ytd,\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileID,\n\t\t\t\tHasYTDNILELs: hasYTDNILELs\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserContactEmail: function (email, dummyEmail, userId, agencyProfileID) {\n\n\t\t\tconst url = libBase + 'UpdateUserContactEmail';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileID,\n\t\t\t\tContactEmail: email,\n\t\t\t\tContactDummyEmail: dummyEmail\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserDocument: (agencyProfileId, updatedDocument) => {\n\n\t\t\tconst url = libBase + 'UpdateUserDocument';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedDocument: updatedDocument\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateUserPayPeriodOverride: function (agencyPayPeriodID, userId, override) {\n\n\t\t\tconst url = libUser + 'UpdateUserPayPeriodOverride';\n\t\t\tconst data = {\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodID,\n\t\t\t\tUserID: userId,\n\t\t\t\tOverride: override\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserProfileNINumber: function (newNINumber, userId, agencyProfileId) {\n\n\t\t\tconst url = libUser + 'UpdateUserProfileNINumber';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tNewNINumber: newNINumber\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberMaternityAdvanceFunding: function (agencyProfileId, userId, advanceFunding) {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberMaternityAdvanceFunding';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAdvanceFunding: advanceFunding,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberCISBusiness: function (userId, agencyProfileId, cisDetails) {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberCISBusiness';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedCISDetails: cisDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberCISCompanyContact: function (agencyProfileId, userId, contactDetails) {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberCISCompanyContact';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tContactDetails: contactDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberCISCompanyDetails: function (agencyProfileId, userId, companyDetails) {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberCISCompanyDetails';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedCompanyDetails: companyDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberCISDetails: function (userId, agencyProfileId, cisDetails) {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberCISDetails';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedCISDetails: cisDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberCISVAT: function (userId, agencyProfileId, cisDetails) {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberCISVAT';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedCISDetails: cisDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberCISVerification: function (userId, agencyProfileId, cisDetails) {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberCISVerification';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUpdatedCISDetails: cisDetails\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberEmploymentType: function (userId, agencyProfileId, employmentType) {\n\n\t\t\tconst url = libUser + 'UpdateTeamMemberEmploymentType';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tEmploymentType: employmentType\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberCISDetails: function (userId, agencyProfileId) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberCISDetails';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tAgencyProfileID : agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberPayrollDetailed: function (agencyProfileId , agencyPayPeriodId, userId) {\n\n\t\t\tconst url = libUser + 'GetTeamMemberPayrollDetailed';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t}\n\n\t};\n\n\treturn service;\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.service('userData', ['libraries', 'promise', function (libraries, promise) {\n\n\tconst lib = libraries.user;\n\n\tconst service = {\n\t\tassessIsValidPayrollMove: function (userId, oldAgencyProfileId, newAgencyProfileId) {\n\n\t\t\tconst url = lib + 'AssessIsValidPayrollMove';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tOldAgencyProfileID: oldAgencyProfileId,\n\t\t\t\tNewAgencyProfileID: newAgencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tassessIsValidCancelPayrollMove: function (userId, agencyProfileId) {\n\n\t\t\tconst url = lib + 'AssessIsValidCancelPayrollMove';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tcancelUserAgencyProfileRestart: (agencyProfileId, userId) => {\n\n\t\t\tconst url = lib + 'CancelUserAgencyProfileRestart';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tcancelUserPayrollMove: (userId, agencyProfileId) => {\n\n\t\t\tconst url = lib + 'CancelUserPayrollMove';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tdeleteUserTaxUpdate: (agencyProfileId, userId, userTaxInfoId) => {\n\n\t\t\tconst url = lib + 'DeleteUserTaxUpdate';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tUserTaxInfoID: userTaxInfoId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetAllTeamMemberContactsExternal: agencyProfileId => {\n\n\t\t\tconst url = lib + 'GetAllTeamMemberContactsExternal';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetBusinessCodeMembers: (agencyProfileId, businessCategoryId, businessCodeId) => {\n\n\t\t\tconst url = lib + 'GetBusinessCodeMembers';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tBusinessCategoryID: businessCategoryId,\n\t\t\t\tBusinessCodeID: businessCodeId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetCISSubmissionState: function (agencyProfileId, userId) {\n\n\t\t\tconst url = lib + 'GetCISSubmissionState';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetCompanyFastSearch: function (agencyProfileId) {\n\n\t\t\tconst url = lib + 'GetCompanyFastSearch';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetCompanyTurboSearch: (agencyProfileId, searchCriteria) => {\n\n\t\t\tconst url = lib + 'GetCompanyTurboSearch';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSearchCriteria: searchCriteria\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetEmptyBusinessCodeMember: () => {\n\n\t\t\tconst url = lib + 'GetEmptyBusinessCodeMember';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetEmptyTeamMemberContact: function () {\n\n\t\t\tconst url = lib + 'GetEmptyTeamMemberContact';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetEmptyUserAgencyProfileBusinessCode () {\n\n\t\t\tconst url = lib + 'GetEmptyUserAgencyProfileBusinessCode';\n\n\t\t\treturn promise.getPromise(url);\n\t\t},\n\t\tgetTeamMemberContactsExternal: function (agencyProfileId, categories) {\n\n\t\t\tconst url = lib + 'GetTeamMemberContactsExternal';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tCategories: categories\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberFastSearch: function (agencyProfileId) {\n\n\t\t\tconst url = lib + 'GetTeamMemberFastSearch';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberTurboSearch: (agencyProfileId, searchCriteria) => {\n\n\t\t\tconst url = lib + 'GetTeamMemberTurboSearch';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSearchCriteria: searchCriteria\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMembersForMovedPayrolls: function (agencyProfileId) {\n\n\t\t\tconst url = lib + 'GetTeamMembersForMovedPayrolls';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberIncomplete: function (agencyProfileId) {\n\n\t\t\tconst url = lib + 'GetTeamMemberIncomplete';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberMaternityDetailsForAdvanceFunding: function (agencyProfileId, userId, maternityPay) {\n\n\t\t\tconst url = lib + 'GetTeamMemberMaternityDetailsForAdvanceFunding';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tMaternityPay: maternityPay\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberPayment: (agencyProfileId, userId, agencyPayPeriodId, userPaymentId, authString) => {\n\n\t\t\tconst url = lib + 'GetTeamMemberPayment';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tUserPaymentID: userPaymentId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId,\n\t\t\t\tAuthString: authString\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberPayStatement: (agencyProfileId, userId, agencyPayPeriodId, userPaymentId) => {\n\n\t\t\tconst url = lib + 'GetTeamMemberPayStatement';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tUserPaymentID: userPaymentId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberPersonal: function (agencyProfileId, userId) {\n\n\t\t\tconst url = lib + 'GetTeamMemberPersonal';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberSupplementaryPayment: (userId, agencyProfileId, supplementaryPaymentId, userDocumentTypeId) => {\n\n\t\t\tconst url = lib + 'GetTeamMemberSupplementaryPayment';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId,\n\t\t\t\tUserDocumentTypeID: userDocumentTypeId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberSupplementaryPayStatement: (userId, agencyProfileId, supplementaryPaymentId, userDocumentTypeId) => {\n\n\t\t\tconst url = lib + 'GetTeamMemberSupplementaryPayStatement';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tSupplementaryPaymentID: supplementaryPaymentId,\n\t\t\t\tUserDocumentTypeID: userDocumentTypeId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetTeamMemberWorkPatterns: function (workPatternId) {\n\n\t\t\tconst url = lib + 'GetTeamMemberWorkPatterns';\n\t\t\tconst data = {\n\t\t\t\tWorkPatternID: workPatternId\n\t\t\t};\n\t\t\tconst config = {\n\t\t\t\tuseTestData: true\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data, config);\n\t\t},\n\t\tgetUsernameExists: function (username, contactId, userId) {\n\n\t\t\tconst url = lib + 'GetUsernameExists';\n\t\t\tconst data = {\n\t\t\t\tUsername: username,\n\t\t\t\tContactID: contactId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUserTaxUpdates: function (agencyProfileId, userId) {\n\n\t\t\tconst url = lib + 'GetUserTaxUpdates';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tgetUserTaxUpdatesForPeriod: function (agencyProfileId, agencyPayPeriodId) {\n\n\t\t\tconst url = lib + 'GetUserTaxUpdatesForPeriod';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAgencyPayPeriodID: agencyPayPeriodId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateBusinessCodeMembers: (agencyProfileId, ExistingBusinessCodeId, businessCategoryId, businessCodeMembers) => {\n\n\t\t\tconst url = lib + 'UpdateBusinessCodeMembers';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tExistingBusinessCodeID: ExistingBusinessCodeId,\n\t\t\t\tBusinessCategoryID: businessCategoryId,\n\t\t\t\tBusinessCodeMembers: businessCodeMembers\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateBusinessCodeMembersForBusinessCategory: (agencyProfileId, businessCategoryId, businessCodeMembers) => {\n\n\t\t\tconst url = lib + 'UpdateBusinessCodeMembersForBusinessCategory';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tBusinessCategoryID: businessCategoryId,\n\t\t\t\tBusinessCodeMembers: businessCodeMembers\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateTeamMemberAdminMentions: (agencyProfileId, userId, adminsArr) => {\n\n\t\t\tconst url = lib + 'UpdateTeamMemberAdminMentions';\n\t\t\tconst dataObj = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tAdmins: adminsArr,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, dataObj);\n\t\t},\n\t\tupdateTeamMemberContactsExternalP32Mail: function (agencyProfileId, externalContacts, removal) {\n\n\t\t\tconst url = lib + 'UpdateTeamMemberContactsExternalP32Mail';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tExternalContacts: externalContacts,\n\t\t\t\tRemoval: removal\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberContactsExternalPayrollMail: function (agencyProfileId, externalContacts, removal) {\n\n\t\t\tconst url = lib + 'UpdateTeamMemberContactsExternalPayrollMail';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tExternalContacts: externalContacts,\n\t\t\t\tRemoval: removal\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateTeamMemberSchedulePaymentsProRatingMethod: (paymentScheduleGroupId, proRatingMethod) => {\n\n\t\t\tconst url = lib + 'UpdateTeamMemberSchedulePaymentsProRatingMethod';\n\t\t\tconst data = {\n\t\t\t\tPaymentScheduleGroupID: paymentScheduleGroupId,\n\t\t\t\tProRatingMethod: proRatingMethod\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserAgencyProfilesAdvancePeriods: (agencyProfileId, userIds, advance, advancePeriodCount) => {\n\n\t\t\t// If being called for a single user, make sure it's passed in as an array\n\t\t\tif (!angular.isArray(userIds)) {\n\t\t\t\tuserIds = [userIds];\n\t\t\t}\n\n\t\t\tconst url = lib + 'UpdateUserAgencyProfilesAdvancePeriods';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserIDs: userIds,\n\t\t\t\tAdvance: advance,\n\t\t\t\tAdvancePeriodCount: advancePeriodCount\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserAgencyProfileExcludeFromPayroll: function (agencyProfileId, userId, excludeFromPayroll) {\n\n\t\t\tconst url = lib + 'UpdateUserAgencyProfileExcludeFromPayroll';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tExcludeFromPayroll: excludeFromPayroll\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserAgencyProfilesOnHold: (agencyProfileId, userIds, onHold, onHoldPeriodCount) => {\n\n\t\t\tconst url = lib + 'UpdateUserAgencyProfilesOnHold';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserIDs: userIds,\n\t\t\t\tOnHold: onHold,\n\t\t\t\tOnHoldPeriodCount: onHoldPeriodCount\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserAgencyProfileRestart: function (agencyProfileId, userId) {\n\n\t\t\tconst url = lib + 'UpdateUserAgencyProfileRestart';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserAgencyProfileTaxRefund: function (agencyProfileId, userId, taxRefund) {\n\n\t\t\tconst url = lib + 'UpdateUserAgencyProfileTaxRefund';\n\t\t\tconst data = {\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\t\t\t\tUserID: userId,\n\t\t\t\tTaxRefund: taxRefund\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tupdateUserProfileIsInPlaygroundMode: function (userId, isInPlaygroundMode) {\n\n\t\t\tconst url = lib + 'UpdateUserProfileIsInPlaygroundMode';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tIsInPlaygroundMode: isInPlaygroundMode\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t\tuserPayrollMove: function (userId, oldAgencyProfileId, newAgencyProfileId) {\n\t\t\tconst url = lib + 'UserPayrollMove';\n\t\t\tconst data = {\n\t\t\t\tUserID: userId,\n\t\t\t\tOldAgencyProfileID: oldAgencyProfileId,\n\t\t\t\tNewAgencyProfileID: newAgencyProfileId\n\t\t\t};\n\n\t\t\treturn promise.getPromise(url, data);\n\t\t},\n\t};\n\n\treturn service;\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('capitalise', function () {\n\treturn {\n\t\trequire: 'ngModel',\n\t\tlink: function(scope, element, attrs, modelCtrl) {\n\n\t\t\tfunction capitalise (inputValue) {\n\n\t\t\t\tif (inputValue === undefined) {\n\t\t\t\t\tinputValue = '';\n\t\t\t\t}\n\n\t\t\t\tvar capitalised = inputValue.toUpperCase();\n\n\t\t\t\tif (capitalised !== inputValue) {\n\t\t\t\t\tmodelCtrl.$setViewValue(capitalised);\n\t\t\t\t\tmodelCtrl.$render();\n\t\t\t\t}\n\t\t\t\treturn capitalised;\n\t\t\t}\n\t\t\t\n\t\t\tmodelCtrl.$parsers.push(capitalise);\n\t\t\tcapitalise(scope[attrs.ngModel]); // capitalise initial value\n\t\t}\n\t};\n});\n\n/* globals $ */\n'use strict';\n\nangular.module('paycircleApp')\n.directive('clickAnywhereButHere', ['$document', function ($document) {\n\treturn {\n\t\tlink: function postLink (scope, element, attrs) {\n\n\t\t\tvar onClick = function (event) {\n\t\t\t\tvar isChild = $(element).has(event.target).length > 0;\n\t\t\t\tvar isSelf = element[0] === event.target;\n\t\t\t\tvar isInside = isChild || isSelf;\n\n\t\t\t\tif (!isInside) {\n\t\t\t\t\tscope.$applyAsync(attrs.clickAnywhereButHere);\n\t\t\t\t}\n\t\t\t};\n\n\t\t\tscope.$watch(attrs.isActive, function(newValue, oldValue) {\n\t\t\t\tif (newValue !== oldValue && newValue === true) {\n\t\t\t\t\t$document.bind('click', onClick);\n\t\t\t\t}\n\t\t\t\telse if (newValue !== oldValue && newValue === false) {\n\t\t\t\t\t$document.unbind('click', onClick);\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\t};\n}]);\n\n'use strict';\n\n/**\n * @ngdoc directive\n * @name paycircleApp.directive:decimal-mask\n * @description\n * # Parses the input into a float and formats it to the specified number of decimal places, only accepts numbers\n */\nangular.module('paycircleApp')\n\t.directive('decimalMask', ['$filter', function ($filter) {\n\t\treturn {\n\t\t\trequire: 'ngModel',\n\t\t\trestrict: 'A',\n\t\t\tscope: {\n\t\t\t\tdecimals: '@decimalPlaces',\n\t\t\t\tmax: '@?',\n\t\t\t\tallowZero: ''\n\t\t\t},\n\t\t\tlink: function (scope, element, attrs, ngModelCtrl) {\n\t\t\t\tlet decimalCount = parseInt(scope.decimals, 10);\n\t\t\t\tlet maxValue = parseFloat(scope.max || 100);\n\t\t\t\tlet zeroAllowed = scope.allowZero || true;\n\n\t\t\t\tfunction setViewValue() {\n\n\t\t\t\t\tif (angular.isUndefined(ngModelCtrl.$modelValue) || isNaN(ngModelCtrl.$modelValue)) {\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\n\t\t\t\t\tconst formatted = $filter('number')(parseFloat(ngModelCtrl.$modelValue), decimalCount);\n\n\t\t\t\t\tngModelCtrl.$setViewValue(formatted);\n\t\t\t\t\tngModelCtrl.$render();\n\t\t\t\t}\n\n\t\t\t\tfunction validateDecimal (modelValue, viewValue) {\n\n\t\t\t\t\tconst value = modelValue || viewValue;\n\n\t\t\t\t\treturn value !== parseFloat(0).toFixed(decimalCount);\n\t\t\t\t}\n\n\t\t\t\tif (zeroAllowed) {\n\t\t\t\t\tngModelCtrl.$validators.decimalValidator = validateDecimal;\n\t\t\t\t}\n\t\t\t\n\t\t\t\tngModelCtrl.$parsers.push(function (inputValue) {\n\n\t\t\t\t\tif (inputValue === null) {\n\t\t\t\t\t\treturn null;\n\t\t\t\t\t}\n\n\t\t\t\t\tvar transformedInput = inputValue.toString().replace(/[^0-9.]/g, '');\n\n\t\t\t\t\tif (transformedInput > maxValue) {\n\t\t\t\t\t\ttransformedInput = parseFloat(maxValue).toFixed(decimalCount);\n\t\t\t\t\t}\n\n\t\t\t\t\tif (transformedInput !== inputValue.toString()) {\n\t\t\t\t\t\tngModelCtrl.$setViewValue(transformedInput);\n\t\t\t\t\t\tngModelCtrl.$render();\n\t\t\t\t\t}\n\n\t\t\t\t\treturn transformedInput;\n\t\t\t\t});\n\n\t\t\t\tngModelCtrl.$formatters.push(function (inputValue) {\n\t\t\t\t\tif (angular.isUndefined(inputValue) || isNaN(inputValue)) {\n\t\t\t\t\t\treturn inputValue;\n\t\t\t\t\t}\n\n\t\t\t\t\treturn $filter('number')(inputValue, decimalCount);\n\t\t\t\t});\n\n\t\t\t\telement.bind('blur', function () {\n\n\t\t\t\t\tsetViewValue();\n\t\t\t\t});\n\n\t\t\t\tattrs.$observe('decimal-places', function (decimals) {\n\n\t\t\t\t\tdecimalCount = parseInt(decimals, 10) || decimalCount;\n\n\t\t\t\t\tsetViewValue();\n\t\t\t\t});\n\t\t\t}\n\t\t};\n\n\t}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('draggable', [function () {\n\treturn {\n\t\tscope: {\n\t\t\tdrop: '&', // parent\n\t\t\titemData: '='\n\t\t},\n\t\tlink: function ($scope, element) {\n\n\t\t\t// this gives us the native JS object\n\t\t\tvar el = element[0];\n\n\t\t\tel.draggable = true;\n\n\t\t\tel.addEventListener('dragstart', function (event) {\n\n\t\t\t\tevent.dataTransfer.effectAllowed = 'move';\n\t\t\t\tevent.dataTransfer.setData('text/plain', JSON.stringify($scope.itemData));\n\t\t\t\t\n\t\t\t\tthis.classList.add('dragging');\n\n\t\t\t\treturn false;\n\t\t\t}, false);\n\n\t\t\tel.addEventListener('dragend', function () {\n\t\t\t\t\n\t\t\t\tthis.classList.remove('dragging');\n\n\t\t\t\treturn false;\n\t\t\t}, false);\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('droppable', [function () {\n\treturn {\n\t\tscope: {\n\t\t\tdataTypeKey: '@', // text || html || json || url\n\t\t\tonDrop: '=', // parent\n\t\t\titemData: '=',\n\t\t\titemMetaData: '=?' // Optional Meta data object\n\t\t},\n\t\tlink: function ($scope, element) {\n\n\t\t\tvar dataType;\n\t\t\tvar dataTypeKey;\n\n\t\t\tswitch (dataTypeKey) {\n\t\t\t\tcase 'json':\n\t\t\t\t\tdataType = 'application/json';\n\t\t\t\t\tbreak;\n\t\t\t\tcase 'html':\n\t\t\t\t\tdataType = 'text/html';\n\t\t\t\t\tbreak;\n\t\t\t\tcase 'url':\n\t\t\t\t\tdataType = 'text/uri-list';\n\t\t\t\t\tbreak;\n\t\t\t\tdefault:\n\t\t\t\t\tdataType = 'text/plain';\n\t\t\t}\n\n\t\t\t// again we need the native object\n\t\t\tvar el = element[0];\n\n\t\t\tel.addEventListener('dragover', function (event) {\n\t\t\t\tevent.dataTransfer.dropEffect = 'dragmove'; // allows us to drop\n\t\t\t\tif (event.preventDefault) {\n\t\t\t\t\tevent.preventDefault();\n\t\t\t\t}\n\t\t\t\tthis.classList.add('dragover');\n\t\t\t\treturn false;\n\t\t\t}, false);\n\t\t\t\n\t\t\tel.addEventListener('dragenter', function () {\n\t\t\t\tthis.classList.add('dragover');\n\t\t\t\treturn false;\n\t\t\t}, false);\n\n\t\t\tel.addEventListener('dragleave', function () {\n\t\t\t\tthis.classList.remove('dragover');\n\t\t\t\treturn false;\n\t\t\t}, false);\n\n\t\t\tel.addEventListener('drop', function (event) {\n\t\t\t\t \n\t\t\t\t// Stops some browsers from redirecting.\n\t\t\t\tif (event.stopPropagation) {\n\t\t\t\t\tevent.stopPropagation();\n\t\t\t\t}\n\n\t\t\t\tthis.classList.remove('dragover');\n\n\t\t\t\tvar dropData = JSON.parse(event.dataTransfer.getData('text/plain'));\n\n\t\t\t\t// call the drop passed drop function\n\t\t\t\t$scope.onDrop(dropData, $scope.itemData, $scope.itemMetaData);\n\n\t\t\t\treturn false;\n\t\t\t}, false);\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$provide', function ($provide) {\n\n\t$provide.decorator('growl', [\n\t\t'$delegate',\n\t\t'$sanitize',\n\t\tfunction growlDecorator(\n\t\t\t$delegate,\n\t\t\t$sanitize\n\t\t) {\n\n\t\tconst warning = $delegate.warning;\n\t\tconst error = $delegate.error;\n\t\tconst info = $delegate.info;\n\t\tconst success = $delegate.success;\n\t\tconst general = $delegate.general;\n\n\t\tfunction sanitizedWarning(text, config) {\n\t\t\ttext = $sanitize(text);\n\t\t\twarning.apply($delegate, [text, config]);\n\t\t}\n\n\t\tfunction sanitizedError(text, config) {\n\t\t\ttext = $sanitize(text);\n\t\t\terror.apply($delegate, [text, config]);\n\t\t}\n\n\t\tfunction sanitizedInfo(text, config) {\n\t\t\ttext = $sanitize(text);\n\t\t\tinfo.apply($delegate, [text, config]);\n\t\t}\n\n\t\tfunction sanitizedSuccess(text, config) {\n\t\t\ttext = $sanitize(text);\n\t\t\tsuccess.apply($delegate, [text, config]);\n\t\t}\n\n\t\tfunction sanitizedGeneral(text, config) {\n\t\t\ttext = $sanitize(text);\n\t\t\tgeneral.apply($delegate, [text, config]);\n\t\t}\n\n\t\t$delegate.warning = sanitizedWarning;\n\t\t$delegate.error = sanitizedError;\n\t\t$delegate.info = sanitizedInfo;\n\t\t$delegate.success = sanitizedSuccess;\n\t\t$delegate.general = sanitizedGeneral;\n\n\t\treturn $delegate;\n\t}]);\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.directive('infoTooltip', [function () {\n\treturn {\n\t\trestrict: 'A',\n\t\ttemplateUrl: 'scripts/directives/templates/info-tooltip.html',\n\t\tscope: {\n\t\t\ttooltipPosition: '=',\n\t\t\ttooltipInfoSource: '<',\n\t\t\ttooltipInfoType: '@'\n\t\t},\n\t\ttransclude: true,\n\t\tlink: function ($scope) {\n\n\t\t\t$scope.position = $scope.tooltipPosition ? $scope.tooltipPosition : undefined;\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('errorField', ['$compile', function ($compile) {\n\treturn {\n\t\trestrict: 'A',\n\t\trequire: 'ngModel',\n\t\tscope: {\n\t\t\terrorMessages: '<',\n\t\t\terrorPosition: '@?'\n\t\t},\n\t\tlink: function($scope, $element, $attrs, ngModel) {\n\n\t\t\tconst errorMessagesObj = $scope.errorMessages;\n\t\t\tlet errorMessageKeysArr;\n\t\t\tlet tooltipElement;\n\n\t\t\tfunction appendTooltipNextToInput (tooltipText) {\n\t\t\t\ttooltipElement = getGetTooltip(tooltipText);\n\t\t\t\t$element[0].classList.add('has-error-tooltip');\n\t\t $element.parent().append(tooltipElement);\n\t\t\t}\n\n\t\t\tfunction checkForErrors () {\n\n\t\t\t\tif (errorMessagesObj && Object.keys(ngModel.$error).length > 0) {\n\t\t\t\t\tcheckIfErrorsHaveMessagesSet();\n\n\t\t\t\t} else if (angular.isDefined(tooltipElement)) {\n\t\t\t\t\thideErrors();\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction checkIfErrorsHaveMessagesSet () {\n\n\t\t\t\tfor (let errorMessageKey of errorMessageKeysArr) {\n\t\t\t\t\tif (ngModel.$error[errorMessageKey]) {\n\t\t\t\t\t\tsetupTooltip(errorMessagesObj[errorMessageKey]);\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction getGetTooltip (tooltipText) {\n\t\t\t\treturn $compile( `` )( $scope );\n\t\t\t}\n\n\t\t\tfunction hideErrors () {\n\t\t\t\ttooltipElement[0].remove();\n\t\t\t\t$element[0].classList.remove('has-error-tooltip');\n\t\t\t}\n\n\t\t\tfunction init () {\n\n\t\t\t\tif (angular.isDefined(errorMessagesObj)) {\n\n\t\t\t\t\terrorMessageKeysArr = Object.keys(errorMessagesObj);\n\n\t\t\t\t\t// When ngModel value is empty (for required)\n\t\t\t\t\t$element.on('blur', checkForErrors);\n\n\t\t\t\t\t// When ngModel changes\n\t\t\t\t\tngModel.$viewChangeListeners.push(checkForErrors);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction setupTooltip (tooltipText) {\n\n\t\t\t\tif (angular.isDefined(tooltipElement)) {\n\t\t\t\t\thideErrors();\n\t\t\t\t\tappendTooltipNextToInput(tooltipText);\n\n\t\t\t\t} else {\n\t\t\t\t\tappendTooltipNextToInput(tooltipText);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tinit();\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('listSort', ['$timeout', function ($timeout) {\n\treturn {\n\t\tscope: {\n\t\t\tlistData: '=',\n\t\t\tlistItemId: '@'\n\t\t},\n\t\tlink: function ($scope, listElement) {\n\n\t\t\tconst list = listElement[0];\n\t\t\tconst GHOST_CLASS = 'is-ghost';\n\t\t\tconst SORTING_CLASS = 'is-sorting';\n\t\t\tconst LIST_ELEMENT = 'LI';\n\t\t\tconst ITEM_ID = $scope.listItemId;\n\t\t\tlet selectedListItem;\n\t\t\tlet ghostListItem;\n\t\t\tlet commentElement;\n\n\t\t\tfunction init () {\n\n\t\t\t\tlet dragImage = new Image();\n\t\t\t\tdragImage.src = '../../images/header-drag.png';\n\n\t\t\t\tlist.addEventListener('dragstart', function (event) {\n\n\t\t\t\t\tselectedListItem = event.target;\n\n\t\t\t\t\tcommentElement = selectedListItem.nextSibling;\n\n\t\t\t\t\tevent.dataTransfer.setData('text', selectedListItem.innerText);\n\t\t\t\t\tevent.dataTransfer.setDragImage(dragImage, 10, 18);\n\t\t\t\t\tevent.dataTransfer.effectAllowed = 'move';\n\n\t\t\t\t\tlist.addEventListener('dragover', onDragOver, false);\n\t\t\t\t\tlist.addEventListener('dragend', onDragEnd, false);\n\n\t\t\t\t\t// Place ghost item at original position\n\t\t\t\t\tghostListItem = selectedListItem.cloneNode(true);\n\t\t\t\t\tghostListItem.classList.add(GHOST_CLASS);\n\t\t\t\t\tlist.insertBefore(ghostListItem, selectedListItem.nextSibling);\n\n\t\t\t\t\t$timeout(function () {\n\t\t\t\t\t\tselectedListItem.classList.remove('fadeInFast'); // remove animate class to fix flashing when sorting\n\t\t\t\t\t\tselectedListItem.classList.add(SORTING_CLASS);\n\t\t\t\t\t}, 0);\n\n\t\t\t }, false);\n\t\t\t}\n\n\t\t\tfunction onDragEnd (event) {\n\n\t\t\t\tevent.preventDefault();\n\n\t\t\t\tghostListItem.remove();\n\n\t\t\t\tselectedListItem.classList.remove(SORTING_CLASS);\n\t\t\t\tlist.removeEventListener('dragover', onDragOver, false);\n\t\t\t\tlist.removeEventListener('dragend', onDragEnd, false);\n\n\t\t\t\t// Update list array\n\t\t\t\tupdateListData();\n\t\t\t}\n\n\t\t\tfunction onDragOver (event) {\n\n\t\t\t\tevent.preventDefault();\n\t\t\t\tevent.dataTransfer.dropEffect = 'move';\n\n\t\t\t\tlet hoveredOverListItem = event.target;\n\n\t\t\t\t// When dragging a list item, place the element above or below the list item it's currently hovered over\n\t\t\t\tif (hoveredOverListItem && hoveredOverListItem !== selectedListItem && hoveredOverListItem.nodeName === LIST_ELEMENT) {\n\t\t\t\t\tlet rect = hoveredOverListItem.getBoundingClientRect();\n\t\t\t\t\tlet next = (event.clientY - rect.top)/(rect.bottom - rect.top) > 0.5;\n\n\t\t\t\t\tlist.insertBefore(selectedListItem, next && hoveredOverListItem.nextSibling || hoveredOverListItem);\n\t\t\t\t\tlist.insertBefore(commentElement, selectedListItem.nextSibling);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction updateListData () {\n\n\t\t\t\tlet newItemIndex = Array.from(list.children).findIndex(listItemObj => listItemObj.getAttribute('list-item-id') === selectedListItem.getAttribute('list-item-id'));\n\t\t\t\tlet oldItemIndex = $scope.listData.findIndex(listItemObj => listItemObj[ITEM_ID] === selectedListItem.getAttribute('list-item-id'));\n\n\t\t\t\t$scope.listData.splice(newItemIndex, 0, $scope.listData.splice(oldItemIndex, 1)[0]);\n\t\t\t\t$scope.$apply();\n\t\t\t\t$scope.$digest();\n\t\t\t}\n\n\t\t\tinit();\n\t\t}\n\t};\n}]);\n\n'use strict';\n\n/**\n * @ngdoc directive\n * @name paycircleApp.directive:next-input\n * @description\n * # Moves onto next input field when valid\n */\nangular.module('paycircleApp')\n.directive('nextInput', [function () {\n\treturn {\n\t\trestrict: 'A',\n\t\trequire: 'ngModel',\n\t\tlink: function ($scope, $element, $attrs, $ngModel) {\n\n\t\t\tconst forwardTargetId = $attrs.niForwardTarget;\n\t\t\tconst backwardTargetId = $attrs.niBackwardTarget;\n\n\t\t\t$scope.$watch(function () {\n\t\t\t\treturn $ngModel.$modelValue;\n\t\t\t}, function (newValue, oldValue) {\n\n\t\t\t\tif (newValue !== oldValue) {\n\n\t\t\t\t\tconst isDirty = $ngModel.$dirty;\n\t\t\t\t\tconst isValid = $attrs.required ? $ngModel.$valid : $ngModel.$viewValue.length === parseInt($attrs.maxlength);\n\n\t\t\t\t\tif (isDirty && isValid) {\n\n\t\t\t\t\t\tif (angular.isDefined(forwardTargetId)) {\n\t\t\t\t\t\t\tconst forwardTargetElement = angular.element(document.getElementById(forwardTargetId));\n\n\t\t\t\t\t\t\tif (forwardTargetElement.length === 1) {\n\t\t\t\t\t\t\t\tforwardTargetElement[0].focus();\n\t\t\t\t\t\t\t}\n\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\tconst nextinput = $element.next('input');\n\n\t\t\t\t\t\t\tif (nextinput.length === 1) {\n\t\t\t\t\t\t\t\tnextinput[0].focus();\n\t\t\t\t\t\t\t}\n\n\t\t\t\t\t\t}\n\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t});\n\n\t\t\t$element.on('beforeinput', function (event) {\n\n\t\t\t\tif (event.inputType === 'deleteContentBackward' && !$element[0].value.length) {\n\n\t\t\t\t\tif (angular.isDefined(backwardTargetId)) {\n\t\t\t\t\t\tconst backwardTargetElement = angular.element(document.getElementById(backwardTargetId));\n\n\t\t\t\t\t\tif (backwardTargetElement.length === 1) {\n\t\t\t\t\t\t\tbackwardTargetElement[0].focus();\n\t\t\t\t\t\t}\n\n\t\t\t\t\t} else {\n\t\t\t\t\t\tconst prevInput = angular.element($element[0].previousElementSibling);\n\n\t\t\t\t\t\tif (prevInput.length === 1) {\n\t\t\t\t\t\t\tprevInput[0].focus();\n\t\t\t\t\t\t}\n\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('payslipNotes', [\n\t'growl',\n\t'$sanitize',\n\t'KEY_CODES',\n\t'PAYSLIP_NOTE_OPTIONS',\n\tfunction (\n\t\tgrowl,\n\t\t$sanitize,\n\t\tKEY_CODES,\n\t\tPAYSLIP_NOTE_OPTIONS\n\t) {\n\n\treturn {\n\t\trestrict: 'A',\n\t\trequire: 'ngModel',\n\t\tscope: {\n\t\t\tpayslipNotesOptions: '='\n\t\t},\n\t\tlink: function (scope, element, attrs, ngModel) {\n\n\t\t\tvar tagCount = 0;\n\n\t\t\tfunction addTagToPayslipNote (tag, theme) {\n\n\t\t\t\tclearDefaultPayslipNote();\n\t\t\t\tvar oldPayslipNote = scope.payslipNotesOptions.teamMember.payslipNote;\n\t\t\t\tvar position = scope.payslipNotesOptions.input.currentPosition;\n\t\t\t\tvar tagId = moment().valueOf();\n\t\t\t\tvar html;\n\n\t\t\t\tif (getLengthOfPayslipNote(oldPayslipNote) > scope.payslipNotesOptions.input.maxLength) {\n\t\t\t\t\tscope.payslipNotesOptions.teamMember.isValid = false;\n\t\t\t\t\treturn;\n\t\t\t\t} else {\n\t\t\t\t\tscope.payslipNotesOptions.teamMember.isValid = true;\n\t\t\t\t}\n\n\t\t\t\tswitch (theme) {\n\t\t\t\t\tcase 'emojis':\n\t\t\t\t\tcase 'emoji':\n\t\t\t\t\t\tif (theme === 'emojis') {\n\t\t\t\t\t\t\ttag = {\n\t\t\t\t\t\t\t\toptionLabel: tag.char,\n\t\t\t\t\t\t\t\toptionOutput: tag.code\n\t\t\t\t\t\t\t};\n\t\t\t\t\t\t}\n\t\t\t\t\t\thtml = tag.optionLabel;\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase 'tag':\n\t\t\t\t\t\thtml = '' + tag.optionLabel + '
';\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase 'pill':\n\t\t\t\t\t\thtml = '' + tag.optionLabel + ' ';\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\n\t\t\t\tscope.payslipNotesOptions.teamMember.payslipNote = [oldPayslipNote.slice(0, position), html, oldPayslipNote.slice(position)].join('');\n\n\t\t\t\tsetTimeout(function() {\n\n\t\t\t\t\tvar containedTags = element[0].children;\n\n\t\t\t\t\tif (containedTags.length > 0 && tagCount !== containedTags.length) {\n\t\t\t\t\t\tvar latestTag;\n\t\t\t\t\t\tfor (var i = containedTags.length - 1; i >= 0; i--) {\n\t\t\t\t\t\t\tif (parseInt(containedTags[i].id) === tagId) {\n\t\t\t\t\t\t\t\tlatestTag = containedTags[i];\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t\ttagCount = containedTags.length;\n\n\t\t\t\t\t\tplaceCursorAfterTag(latestTag);\n\n\t\t\t\t\t\ttagCount = containedTags.length;\n\t\t\t\t\t}\n\t\t\t\t\tupdateLastPosition();\n\t\t\t\t},0);\n\t\t\t}\n\n\t\t\tfunction clearDefaultPayslipNote () {\n\n\t\t\t\tif (scope.payslipNotesOptions.teamMember.hasDefault) {\n\t\t\t\t\tscope.payslipNotesOptions.teamMember.payslipNote = '';\n\t\t\t\t\tscope.payslipNotesOptions.teamMember.hasDefault = false;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction getLengthOfPayslipNote (message) {\n\n\t\t\t\tmessage = $sanitize(message);\n\n\t\t\t\t// Remove tags from message\n\t\t\t\tmessage = message.replace(//g, '');\n\t\t\t\tmessage = message.replace(//g, '');\n\t\t\t\tmessage = message.replace(/<\\/span>/g, '');\n\t\t\t\tvar numberOFEmojis = (message.match(//g, '');\n\n\t\t\t\t// Remove html surrounding emojis\n\t\t\t\tmessage = stripHTMLFromPayslipNote(message);\n\t\t\t\treturn message.length+numberOFEmojis;\n\t\t\t}\n\n\t\t\tfunction placeCursorAfterTag (tag) {\n\n\t\t\t\telement[0].focus();\n\t\t\t\tvar tagRange = document.createRange();\n\t\t\t\tif (tag) {\n\t\t\t\t\ttagRange.setStartAfter(tag);\n\t\t\t\t\ttagRange.collapse(true);\n\t\t\t\t} else {\n\t\t\t tagRange.selectNodeContents(element[0]);\n\t\t\t tagRange.collapse(false);\n\t\t\t\t}\n\t\t\t\tvar inputSelection = window.getSelection();\n\t\t\t\tinputSelection.removeAllRanges();\n\t\t\t\tinputSelection.addRange(tagRange);\n\t\t\t}\n\n\t\t\tfunction stripHTMLFromPayslipNote (message) {\n\n\t\t\t\tmessage = $sanitize(message);\n\n\t\t\t\tvar tempArea = document.createElement('DIV');\n\t\t\t\ttempArea.innerHTML = message;\n\t\t\t\tmessage = tempArea.textContent || tempArea.innerText || '';\n\t\t\t\tmessage = message.replace(' ', ' ');\n\t\t\t\tmessage = message.replace(/ /g, '\\u00a0');\n\t\t\t\treturn message;\n\t\t\t}\n\n\t\t\tfunction updateLastPosition () {\n\n\t\t\t\tif (window.getSelection && window.getSelection().getRangeAt) {\n\n\t\t\t\t\tvar selectedObj = window.getSelection();\n\t\t\t\t\tvar childNodes;\n\n\t\t\t\t\tif (selectedObj.anchorNode.nodeType === 1) {\n\t\t\t\t\t\tchildNodes = selectedObj.anchorNode.childNodes;\n\t\t\t\t\t} else {\n\t\t\t\t\t\tchildNodes = selectedObj.anchorNode.parentNode.childNodes;\n\t\t\t\t\t}\n\n\t\t\t\t\tvar range = window.getSelection().getRangeAt(0);\n\t\t\t\t\tvar rangeCount = 0;\n\n\t\t\t\t\tfor (var i = 0; i < childNodes.length; i++) {\n\t\t\t\t\t\tif (childNodes[i] === selectedObj.anchorNode) {\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t}\n\t\t\t\t\t\tif (childNodes[i].outerHTML) {\n\t\t\t\t\t\t\trangeCount += childNodes[i].outerHTML.length;\n\t\t\t\t\t\t} else if (childNodes[i].nodeType === 3) {\n\t\t\t\t\t\t\trangeCount += childNodes[i].textContent.length;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t\tscope.payslipNotesOptions.input.currentPosition = range.startOffset + rangeCount;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tngModel.$render = function () {\n\n\t\t\t\tvar payslipNote = ngModel.$viewValue;\n\t\t\t if (payslipNote && payslipNote.length > 1) {\n\t\t\t \tfor (var x = 0; x < payslipNote.split('{{').length+1; x++) {\n\t\t\t\t \tfor (var i = 0; i < PAYSLIP_NOTE_OPTIONS.tags.length; i++) {\n\t\t\t\t \t\tvar tagId = moment().valueOf();\n\t\t\t\t \t\tvar html = '' + PAYSLIP_NOTE_OPTIONS.tags[i].optionLabel + '
';\n\t\t\t\t\t payslipNote = payslipNote.replace(new RegExp('\\{\\{(?:\\\\s+)?(' + PAYSLIP_NOTE_OPTIONS.tags[i].optionOutput + ')(?:\\\\s+)?\\}\\}'), html);\n\t\t\t\t \t}\n\t\t\t \t}\n\t\t\t\t}\n\t\t\t\telement.html($sanitize(payslipNote) || '');\n\t\t\t};\n\n\t\t\tscope.$on('payslip-notes-added-tag', function (event, options) {\n\n\t\t\t\taddTagToPayslipNote(options.tag, options.theme);\n\t\t\t});\n\n\t\t\telement.bind('input paste', function (event) {\n\n\t\t\t\tvar lengthOfMessage = getLengthOfPayslipNote(element[0].textContent);\n\t\t\t\tif (lengthOfMessage > scope.payslipNotesOptions.input.maxLength) {\n\t\t\t\t\tscope.payslipNotesOptions.teamMember.isValid = false;\n\t\t\t\t\tif (event.which !== 8) {\n\t\t\t\t\t\tevent.preventDefault();\n\t\t\t\t\t}\n\t\t\t\t} else {\n\t\t\t\t\tscope.payslipNotesOptions.teamMember.isValid = true;\n\t\t\t\t\tscope.payslipNotesOptions.teamMember.payslipNote = $sanitize(element.html());\n\t\t\t\t\tif (event.which !== 8) {\n\t\t\t\t\t\tscope.payslipNotesOptions.input.currentPosition++;\n\t\t\t\t\t} else {\n\t\t\t\t\t\tscope.payslipNotesOptions.input.currentPosition--;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t});\n\n\t\t\telement.bind('keydown', function (event) {\n\n\t\t\t\tconst allowedKeys = [\n\t\t\t\t\tKEY_CODES.enter,\n\t\t\t\t\tKEY_CODES.leftArrow,\n\t\t\t\t\tKEY_CODES.upArrow,\n\t\t\t\t\tKEY_CODES.rightArrow,\n\t\t\t\t\tKEY_CODES.downArrow,\n\t\t\t\t];\n\t\t\t\t\n\t\t\t\tif (allowedKeys.includes(event.which)) {\n\t\t\t\t\tupdateLastPosition();\n\t\t\t\t}\n\t\t\t});\n\n\t\t\telement.bind('click', function (event) {\n\n\t\t\t\tif (event.srcElement.dataset.type === 'tag') {\n\t\t\t\t\tplaceCursorAfterTag(event.srcElement);\n\n\t\t\t\t} else {\n\t\t\t\t\tclearDefaultPayslipNote();\n\t\t\t\t\tupdateLastPosition();\n\t\t\t\t}\n\t\t\t});\n\n\t\t\tscope.$watch('payslipNotesOptions.formState', function (formState) {\n\n\t\t\t\tif (formState === 'menu') {\n\t\t\t\t\telement[0].focus();\n\t\t\t\t\tplaceCursorAfterTag(false);\n\t\t\t\t\tclearDefaultPayslipNote();\n\t\t\t\t\tupdateLastPosition();\n\t\t\t\t}\n\t\t\t}, true);\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('pcKeypress', ['KEY_CODES', function (KEY_CODES) {\n\n\treturn {\n\t\trestrict: 'A',\n\t\tlink: function ($scope, $element, $attrs) {\n\n\t\t\tif (!angular.isDefined($attrs.pcKeypressKey)) {\n\t\t\t\tconsole.error('pc-keypress-key=\"\" needs to be defined to enable keypress');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tif (!angular.isDefined($attrs.pcKeypressAction)) {\n\t\t\t\tconsole.error('pc-keypress-action=\"\" needs to be defined to enable keypress');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tvar keyCode = KEY_CODES[$attrs.pcKeypressKey];\n\n\t\t\tif (!angular.isDefined(keyCode)) {\n\t\t\t\tconsole.error('Key code provided was not recognised');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t$element.bind('keydown keypress', function (event) {\n\n\t\t\t\tif (event.which === keyCode) {\n\t\t\t\t\t\n\t\t\t\t\tevent.preventDefault();\n\n\t\t\t\t\t$scope.$apply(function () {\n\t $scope.$eval($attrs.pcKeypressAction);\n\t });\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\t};\n}]);\n'use strict';\n\n/**\n * Exact same definition as ngSwitchWhen except for the link fn to allow expressions to be used\n */\nangular.module('paycircleApp')\n.directive('pcSwitchWhen', function () {\n\n\treturn {\n\t\tpriority: 1200,\n\t\ttransclude: 'element',\n\t\trequire: '^ngSwitch',\n\t\tlink: function (scope, element, attrs, ctrl, $transclude) {\n\n\t\t\tvar caseStms = scope.$eval(attrs.pcSwitchWhen);\n\n\t\t\tcaseStms = angular.isArray(caseStms) ? caseStms : [caseStms];\n\n\t\t\tangular.forEach(caseStms, function (caseStm) {\n\t\t\t\tcaseStm = '!' + caseStm;\n\t\t\t\tctrl.cases[caseStm] = ctrl.cases[caseStm] || [];\n\t\t\t\tctrl.cases[caseStm].push({ transclude: $transclude, element: element });\n\t\t\t});\n\t\t}\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('selectOnClick', ['$timeout', function($timeout) {\n return {\n link: function (scope, element) {\n \telement.bind('click', function () {\n $timeout(function(){\n \telement[0].select();\n },0);\n });\n }\n };\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('tooltip', [function () {\n\treturn {\n\t\trestrict: 'A',\n\t\ttemplateUrl: 'scripts/directives/templates/tooltip.html',\n\t\tscope: {\n\t\t\ttooltipIcon: '@?',\n\t\t\ttooltipIconTheme: '@?',\n\t\t\ttooltipPosition: '@',\n\t\t\ttooltipText: '@',\n\t\t\ttooltipTheme: '@'\n\t\t},\n\t\ttransclude: true,\n\t\tlink: function ($scope) {\n\t\t\t// TODO: move to components\n\t\t\t$scope.position = $scope.tooltipPosition ? $scope.tooltipPosition : undefined;\n\t\t\t$scope.tooltipText = $scope.tooltipText.replace('
', '/n');\n\t\t}\n\t};\n}]);\n\n'use strict';\n\n/**\n * @ngdoc directive\n * @name paycircleApp.directive:pc-inert\n * @description angularjs directive wrapper for inert.\n * When inert is set, child elements are unable to receive focus via mouse or keyboard. Used typically in conjunction with\n * an overlay to ensure background elements aren't interactive.\n */\nangular.module('paycircleApp')\n.directive('pcInert', [\n\tfunction () {\n\n\treturn {\n\t\trestrict: 'A',\n\t\tlink: function ($scope, $element, $attrs) {\n\n\t\t\t// Watch pcInert expression and add / remove inert attribute on element as required\n\t\t\t$scope.$watch($attrs.pcInert, (setInert) => {\n\t\t\t\tif (setInert) {\n\t\t\t\t\t$element.attr('inert', true);\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\t$element.removeAttr('inert');\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\t};\n}]);\n\n'use strict';\n\n/**\n * @ngdoc directive\n * @name paycircleApp.directive:comparedto\n * @description\n * Directive: compared-to.\n * Validate one field value against another. Optionally specify compared-to-mode (as one of the COMPARED_TO_MODES values) as follows:\n * checkEqual - ensure fields have the same values. Default.\n * checkNotEqual - ensure fields have different values.\n */\nangular.module('paycircleApp')\n\n.constant('COMPARED_TO_MODES', {\n\tcheckEqual: 'checkEqual',\n\tcheckNotEqual: 'checkNotEqual'\n})\n\n.directive('comparedTo', [\n\t'COMPARED_TO_MODES',\nfunction(\n\tCOMPARED_TO_MODES\n) {\n return {\n\t\trequire: 'ngModel',\n\t\tscope: {\n\t\t\tcomparedTo: '=',\n\t\t\tcomparedToMode: '=?'\n\t\t},\n\t\tlink: function ($scope, _element, _attrs, $ctrl) {\n\n\t\t\tif (angular.isUndefined($scope.comparedToMode)) {\n\t\t\t\t$scope.comparedToMode = COMPARED_TO_MODES.checkEqual;\n\t\t\t}\n\n\t\t\tfunction compareValues (value1, value2, returnValue) {\n\n\t\t\t\t// Do check based on mode\n\t\t\t\tlet compareToCheck;\n\t\t\t\tif ($scope.comparedToMode === COMPARED_TO_MODES.checkEqual) {\n\t\t\t\t\tcompareToCheck = value1 === value2;\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\tcompareToCheck = value1 !== value2;\n\t\t\t\t}\n\n\t\t\t\t$ctrl.$setValidity('comparison', compareToCheck);\n\t\t\t\t/* There can be a lingering parse error when inputs match. This happens when the comparison input is\n\t\t\t\t\tchanged to not match the original, then the original updated to be the same. Smells like a bug.\n\t\t\t\t\tSince, as long as the input matches, the comparison field *has* to be valid by virtue of any input\n\t\t\t\t\trestictions on the other field, this should be OK. */\n\t\t\t\tif (compareToCheck) {\n\t\t\t\t\t$ctrl.$setValidity('parse', true);\n\t\t\t\t}\n\t\t\t\treturn returnValue;\n\t\t\t}\n\n\t\t\t// Allow empty compared-to for conditional comparison. If empty, no comparison.\n\t\t\tif (angular.isDefined($scope.comparedTo)) {\n\n\t\t\t\t$ctrl.$parsers.push(function (viewValue) {\n\n\t\t\t\t\treturn compareValues(viewValue, $scope.comparedTo, viewValue);\n\t\t\t\t});\n\n\t\t\t\t$scope.$watch('comparedTo', function (newValue, oldValue) {\n\n\t\t\t\t\tif (newValue !== oldValue) {\n\n\t\t\t\t\t\tcompareValues(newValue, $ctrl.$viewValue, $ctrl.$viewValue);\n\t\t\t\t\t}\n\t\t\t\t});\n\t\t\t}\n\t\t}\n };\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.directive('date', ['config', 'REGEX', function (config, REGEX) {\n\treturn {\n\t\trequire: 'ngModel',\n\t\tlink: function (scope, elm, attrs, ctrl) {\n\t\t\tctrl.$validators.date = function (modelValue) {\n\n\t\t\t\tvar date = moment(modelValue, config.dateFormatPrimary);\n\n\t\t\t\t// // Ignore empty values\n\t\t\t\t// if (modelValue === undefined || modelValue === '') {\n\t\t\t\t// \treturn true;\n\t\t\t\t// }\n\n\t\t\t\t// // Consider empty models to be valid\n\t\t\t\t// if (!date.isValid()) {\n\t\t\t\t// \treturn false;\n\t\t\t\t// }\n\n\t\t\t\t// Regex pattern matching\n\t\t\t\tif (!REGEX.date.test(date._i)) {\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\n\t\t\t\t// // Minimum date\n\t\t\t\t// if (scope.mindate !== undefined && scope.mindate !== '') {\n\n\t\t\t\t// \tvar minDate = moment(scope.mindate, config.dateFormatPrimary);\n\n\t\t\t\t// \tif (minDate.isValid() && date.isBefore(minDate)) {\n\t\t\t\t// \t\treturn false;\n\t\t\t\t// \t}\n\t\t\t\t// }\n\n\t\t\t\t// // Maximum date\n\t\t\t\t// if (scope.maxdate !== undefined && scope.maxdate !== '') {\n\n\t\t\t\t// \tvar maxDate = moment(scope.maxdate, config.dateFormatPrimary);\n\n\t\t\t\t// \tif (maxDate.isValid() && date.isAfter(maxDate)) {\n\t\t\t\t// \t\treturn false;\n\t\t\t\t// \t}\n\t\t\t\t// }\n\n\t\t\t\treturn true;\n\t\t\t};\n\t\t}\n\t};\n}]);\n'use strict';\n\n/**\n * Directive: disable-autocomplete\n * Use: disable-autocomplete or disable-autocomplete=\"true\" to disable autocomplete.\n * \t\tdisable-autocomplete=\"false\" to enable autocomplete.\n */\nangular.module('paycircleApp')\n.directive('disableAutocomplete', [\n\t'utilities',\nfunction (\n\tutilities\n) {\n\treturn {\n\n\t\tlink: function ($scope, $element, $attrs) {\n\n\t\t\t// Get disable-autocomplete attribute value\n\t\t\tconst disableAutocomplete = $scope.$eval($attrs.disableAutocomplete);\n\t\t\t// Get disable-autocomplete input type attribute value\n\t\t\tconst disableAutocompleteInputType = $attrs.type;\n\n\t\t\t/* If set, generate a unique autocomplete attribute, which should ensure the field isn't auto-filled.\n\t\t\t Otherwise turn autocomplete on. */\n\t\t\tlet disableAutocompleteAttr = '';\n\t\t\t// disable-autocomplete can be used without a value, which equates to 'true'\n\t\t\tif (angular.isUndefined(disableAutocomplete) || disableAutocomplete) {\n\t\t\t\tif (disableAutocompleteInputType === 'password') {\n\t\t\t\t\tdisableAutocompleteAttr = 'new-password';\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\tdisableAutocompleteAttr = `nope-${utilities.guid()}`;\n\t\t\t\t}\n\t\t\t}\n\t\t\telse {\n\t\t\t\tdisableAutocompleteAttr = 'on';\n\t\t\t}\n\n\t\t\t// Set autocomplate attribute on element\n\t\t\t$element.attr('autocomplete', disableAutocompleteAttr);\n\t\t}\n\t};\n}]);\n'use strict';\n\n/**\n * @ngdoc directive\n * @name paycircleApp.directive:postcode\n * @description\n * # postcode\n */\nangular.module('paycircleApp')\n.directive('postcode', ['utilities', function (utilities) {\n\treturn {\n\t\trequire: 'ngModel',\n\t\tlink: function (scope, elm, attrs, ctrl) {\n\n\t\t\tctrl.$validators.postcode = function (modelValue) {\n\t\t\t\t\n\t\t\t\t// Consider empty models to be valid\n\t\t\t\tif (ctrl.$isEmpty(modelValue)) {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\n\t\t\t\t// Is it a valid postcode?\n\t\t\t\tif (!utilities.isValidPostcode(modelValue)) {\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\n\t\t\t\treturn true;\n\t\t\t};\n\t\t}\n\t};\n}]);\n'use strict';\n\n/**\n * @ngdoc directive\n * @name paycircleApp.directive:niexists\n * @description\n * # niexists\n */\nangular.module('paycircleApp')\n.directive('niexists', ['$q', 'config', 'user', function ($q, config, user) {\n\treturn {\n\t\trequire: 'ngModel',\n\t\tlink: function (scope, elm, attrs, ngModel) {\n\n\t\t\t/*\n\t\t\tscope.$watch('contact', function(newVal) {\n\n\t\t\t\tif (newVal.contactNINumberA && newVal.contactNINumberB && newVal.contactNINumberC) {\n\t\t\t \t\tnewVal.ContactNINumber = newVal.contactNINumberA + newVal.contactNINumberB + newVal.contactNINumberC;\n\t\t\t \t}\n\t\t\t}, true);\n\t\t\t*/\n\n\t\t\tngModel.$asyncValidators.niexists = function (modelValue) {\n\n\t\t\t\tvar currentUserId = attrs.userid;\n\n\t\t\t\tif (ngModel.$isEmpty(modelValue)) {\n\t\t\t\t\treturn $q.when();\n\t\t\t\t}\n\n\t\t\t\tvar def = $q.defer();\n\n\t\t\t\t// Allow for testing\n\t\t\t\tif (modelValue === 'AB123456C') {\n\t\t\t\t\tdef.resolve();\n\t\t\t\t\treturn def.promise;\n\t\t\t\t}\n\n\t\t\t\tuser.getUserProfileExistsForNINumber(modelValue).then(function (niUserId) {\n\n\t\t\t\t\tif (currentUserId && (currentUserId === niUserId || niUserId === config.guidEmpty)) {\n\t\t\t\t\t\tdef.resolve();\n\t\t\t\t\t} else {\n\t\t\t\t\t\tdef.reject();\n\t\t\t\t\t}\n\t\t\t\t});\n\n\t\t\t\treturn def.promise;\n\t\t\t};\n\t\t}\n\t};\n}]);\n\n'use strict';\n\n/**\n * Attribute directive: not-empty-guid\n * Add to any input element or custom component bound to a model to ensure that an empty guid\n * isn't valid input. This is typically useful when an empty guid is returned by the API that\n * effectively represents a null value. Inputs marked as 'required' will behave as if an empty\n * guid is valid. This directive circumvents that problem. e.g:\n *\n * \t\n * \t...\n * \n */\nangular.module('paycircleApp')\n.directive('notEmptyGuid', [\n\t'config',\nfunction (\n\tconfig\n) {\n\treturn {\n\t\trequire: 'ngModel',\n\t\tlink: function (_scope, _element, _attrs, ctrl) {\n\n\t\t\tctrl.$validators.notemptyguid = function (modelValue) {\n\n\t\t\t\tif (modelValue === config.guidEmpty) {\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\n\t\t\t\treturn true;\n\t\t\t};\n\t\t}\n\t};\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.directive('notzero', [function () {\n\treturn {\n\t\trequire: 'ngModel',\n\t\tlink: function (scope, elm, attrs, ctrl) {\n\t\t\tctrl.$validators.notzero = function (modelValue) {\n\n\t\t\t\tif (modelValue === 0) {\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\n\t\t\t\treturn true;\n\t\t\t};\n\t\t}\n\t};\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n\n.constant('POLICY_NAME_EXISTS', 'policy-name-exists')\n\n.directive('policyNameExists', [\n\t'$q',\n\t'$timeout',\n\t'companyData',\n\t'POLICY_NAME_EXISTS',\nfunction (\n\t$q,\n\t$timeout,\n\tcompanyData,\n\tPOLICY_NAME_EXISTS\n) {\n\n\treturn {\n\t\trequire: 'ngModel',\n\t\tlink: function (scope, _element, attrs, modelCtrl) {\n\n\t\t\tmodelCtrl.$asyncValidators.policynameexists = function (policyName) {\n\n\t\t\t\tconst agencyProfileId = scope.$eval(attrs.policyNameExistsAgencyProfileId);\n\n\t\t\t\t// Keep reference to the original value, so 'changing' back to the original is OK\n\t\t\t\tif (!modelCtrl.originalPolicyName) {\n\t\t\t\t\tmodelCtrl.originalPolicyName = scope.$eval(attrs.policyNameExistsOriginal);\n\t\t\t\t}\n\n\t\t\t\treturn $q((resolve, reject) => {\n\n\t\t\t\t\t// If original matches current, that's OK\n\t\t\t\t\tif (policyName === modelCtrl.originalPolicyName) {\n\t\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t\tmodelCtrl.$setValidity(POLICY_NAME_EXISTS, true);\n\t\t\t\t\t\t}, 0);\n\t\t\t\t\t\tresolve();\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\t// Use API to check existence of policy name\n\t\t\t\t\t\tcompanyData.getPolicyNameUnique(agencyProfileId, policyName).then(policyNameUnique => {\n\n\t\t\t\t\t\t\tif (policyNameUnique) {\n\t\t\t\t\t\t\t\t// Set valid on field and resolve\n\t\t\t\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t\t\t\tmodelCtrl.$setValidity(POLICY_NAME_EXISTS, true);\n\t\t\t\t\t\t\t\t}, 0);\n\t\t\t\t\t\t\t\tresolve();\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\telse {\n\t\t\t\t\t\t\t\t// Set invalid on field and reject\n\t\t\t\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t\t\t\tmodelCtrl.$setValidity(POLICY_NAME_EXISTS, false);\n\t\t\t\t\t\t\t\t}, 0);\n\t\t\t\t\t\t\t\treject();\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t});\n\t\t\t\t\t}\n\t\t\t\t});\n\t\t\t};\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.constant('POST_IDENTIFIER_UNIQUE', 'post-identifier-unique')\n\n.directive('postIdentifierUnique', [\n\t'$q',\n\t'$timeout',\n\t'payrollData',\n\t'POST_IDENTIFIER_UNIQUE',\nfunction (\n\t$q,\n\t$timeout,\n\tpayrollData,\n\tPOST_IDENTIFIER_UNIQUE\n) {\n\n\treturn {\n\t\trequire: 'ngModel',\n\t\tlink: function (scope, _element, attrs, modelCtrl) {\n\n\t\t\tmodelCtrl.$asyncValidators.postidentifierunique = function (postIdentifier) {\n\n\t\t\t\tconst agencyProfileId = scope.$eval(attrs.postIdentifierUniqueAgencyProfileId);\n\t\t\t\tconst userId = scope.$eval(attrs.postIdentifierUniqueUserId);\n\n\t\t\t\t// Keep reference to the original value, so 'changing' back to the original is OK\n\t\t\t\tif (!modelCtrl.originalPostIdentifierUnique) {\n\t\t\t\t\tmodelCtrl.originalPostIdentifierUnique = scope.$eval(attrs.postIdentifierUniqueOriginal);\n\t\t\t\t}\n\n\t\t\t\t// Disable form\n\t\t\t\t$timeout(() => {\n\t\t\t\t\tmodelCtrl.$setValidity(POST_IDENTIFIER_UNIQUE, false);\n\t\t\t\t}, 0);\n\n\t\t\t\treturn $q((resolve, reject) => {\n\n\t\t\t\t\t// If original matches current, that's OK\n\t\t\t\t\tif (postIdentifier === modelCtrl.originalPostIdentifierUnique || postIdentifier === '') {\n\t\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t\tmodelCtrl.$setValidity(POST_IDENTIFIER_UNIQUE, true);\n\t\t\t\t\t\t}, 0);\n\t\t\t\t\t\tresolve();\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\n\t\t\t\t\t\t// Use API to check existence of policy name\n\t\t\t\t\t\tpayrollData.getSalaryPolicyPostReferenceUnique(agencyProfileId, userId, postIdentifier)\n\t\t\t\t\t\t\t.then(postIdentifierUnique => {\n\n\t\t\t\t\t\t\t\tif (postIdentifierUnique) {\n\t\t\t\t\t\t\t\t\t// Set valid on field and resolve\n\t\t\t\t\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t\t\t\t\tmodelCtrl.$setValidity(POST_IDENTIFIER_UNIQUE, true);\n\t\t\t\t\t\t\t\t\t}, 0);\n\t\t\t\t\t\t\t\t\tresolve();\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\telse {\n\t\t\t\t\t\t\t\t\t// Set invalid on field and reject\n\t\t\t\t\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t\t\t\t\tmodelCtrl.$setValidity(POST_IDENTIFIER_UNIQUE, false);\n\t\t\t\t\t\t\t\t\t}, 0);\n\t\t\t\t\t\t\t\t\treject();\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t});\n\t\t\t\t\t}\n\t\t\t\t});\n\t\t\t};\n\t\t}\n\t};\n}]);\n\n'use strict';\n\n\nangular.module('paycircleApp')\n.directive('ssoidExists', [\n\t'$q',\n\t'$timeout',\n\t'config',\n\t'securityData',\nfunction (\n\t$q,\n\t$timeout,\n\tconfig,\n\tsecurityData\n) {\n\n\treturn {\n\t\trequire: 'ngModel',\n\t\tlink: function (scope, _element, attrs, ngModelCtrl) {\n\n\t\t\tngModelCtrl.$asyncValidators.ssoidexists = function (ssoId) {\n\n\t\t\t\tconst userId = angular.isDefined(attrs.ssoidExistsUserId) ? config.guidEmpty : scope.$eval(attrs.ssoidExistsUserId);\n\t\t\t\tconst agencyProfileId = scope.$eval(attrs.ssoidExistsAgencyProfileId);\n\t\t\t\tconst originalSsoId = scope.$eval(attrs.ssoidExistsOriginal);\n\n\t\t\t\t// Keep hold of the original value for comparison\n\t\t\t\tif (!ngModelCtrl.originalValue) {\n\t\t\t\t\tngModelCtrl.originalValue = originalSsoId;\n\t\t\t\t}\n\n\t\t\t\t// Ignore if the 'new' SSO ID is the same as the original\n\t\t\t\tif (ssoId === ngModelCtrl.originalValue) {\n\t\t\t\t\treturn $q.when();\n\t\t\t\t}\n\n\t\t\t\tconst deferred = $q.defer();\n\n\t\t\t\tsecurityData.getOIDCIDExists(agencyProfileId, userId, ssoId).then(ssoidExists => {\n\n\t\t\t\t\tif (ssoidExists === 0) {\n\t\t\t\t\t\t// Set valid on field and resolve\n\t\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t\tngModelCtrl.$setValidity('ssoid-exists', true);\n\t\t\t\t\t\t}, 0);\n\t\t\t\t\t\tdeferred.resolve();\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\t// Set invalid on field and reject\n\t\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t\tngModelCtrl.$setValidity('ssoid-exists', false);\n\t\t\t\t\t\t}, 0);\n\t\t\t\t\t\tdeferred.reject();\n\t\t\t\t\t}\n\t\t\t\t});\n\n\t\t\t\treturn deferred.promise;\n\t\t\t};\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('usernameexists', ['$q', 'userData', function ($q, userData) {\n\treturn {\n\t\trequire: 'ngModel',\n\t\tlink: function (scope, elm, attrs, ctrl) {\n\t\t\tctrl.$asyncValidators.usernameexists = function (username) {\n\n\t\t\t\tvar contactId \t\t\t= scope.$eval(attrs.usernameexistsId);\n\t\t\t\tvar originalUsername \t= scope.$eval(attrs.usernameexistsOriginal);\n\t\t\t\tvar userId \t\t\t\t= scope.$eval(attrs.usernameexistsUserId);\n\n\t\t\t\t// Ignore if empty email\n\t\t\t\tif (ctrl.$isEmpty(username)) {\n\t\t\t\t\treturn $q.when();\n\t\t\t\t}\n\n\t\t\t\t// Update stored original value\n\t\t\t\tif (!ctrl.originalValue) {\n\t\t\t\t\tctrl.originalValue = originalUsername;\n\t\t\t\t}\n\n\t\t\t\t// Ignore if same as the original email\n\t\t\t\tif (username === ctrl.originalValue) {\n\t\t\t\t\treturn $q.when();\n\t\t\t\t}\n\n\t\t\t\tvar def = $q.defer();\n\n\t\t\t\tuserData.getUsernameExists(username, contactId, userId).then(function (isUsernameInUse) {\n\n\t\t\t\t\t// Username already in use\n\t\t\t\t\tif (isUsernameInUse) {\n\t\t\t\t\t\tdef.reject();\n\t\t\t\t\t}\n\n\t\t\t\t\telse {\n\t\t\t\t\t\tdef.resolve();\n\t\t\t\t\t}\n\t\t\t\t});\n\n\t\t\t\treturn def.promise;\n\t\t\t};\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.constant('USERNAME_CHECK_TYPES', {\n\tfailOnUsernameExists: 'failOnUsernameExists',\n\tfailOnUsernameNotExists: 'failOnUsernameNotExists'\n})\n\n.directive('usernameCheck', [\n\t'$q',\n\t'userData',\n\t'USERNAME_CHECK_TYPES',\nfunction (\n\t$q,\n\tuserData,\n\tUSERNAME_CHECK_TYPES\n) {\n\treturn {\n\t\trequire: 'ngModel',\n\t\tscope: {\n\t\t\t/*\n\t\t\t *\tusername-check-type: One of USER_NAME_CHECK_TYPES:\n\t\t\t *\t\tfailOnUsernameExists: Valdation fails if the username exists.\n\t\t\t *\t\tfailOnUsernameNotExists: Validation fails if the username doesn't exist.\n\t\t\t * Optional, defaults to failOnUsernameExists.\n\t\t\t */\n\t\t\tusernameCheckType: ''\n\t\t},\n\t\tlink: ($scope, _element, _attrs, $ngModelCtrl) => {\n\t\t\t$ngModelCtrl.$asyncValidators.usernameCheck = (username) => {\n\n\t\t\t\t// Ignore if empty username\n\t\t\t\tif ($ngModelCtrl.$isEmpty(username)) {\n\t\t\t\t\treturn $q.when();\n\t\t\t\t}\n\n\t\t\t\t// Update stored previous value to shortcut check, attach to model controller\n\t\t\t\tif (!$ngModelCtrl.originalUsername) {\n\t\t\t\t\t$ngModelCtrl.originalUsername = username;\n\t\t\t\t}\n\n\t\t\t\t// Ignore if same as the previous\n\t\t\t\tif (username === $ngModelCtrl.originalUsername) {\n\t\t\t\t\treturn $q.when();\n\t\t\t\t}\n\n\t\t\t\treturn $q((resolve, reject) => {\n\t\t\t\t\tuserData.getUsernameExists(\n\t\t\t\t\t\tusername\n\t\t\t\t\t)\n\t\t\t\t\t.then(usernameExists => {\n\t\t\t\t\t\t// Resolve / reject based on whether username exists + check type\n\t\t\t\t\t\tif (usernameExists) {\n\t\t\t\t\t\t\t$scope.usernameCheckType === USERNAME_CHECK_TYPES.failOnUsernameNotExists ? resolve() : reject();\n\t\t\t\t\t\t}\n\t\t\t\t\t\telse {\n\t\t\t\t\t\t\t$scope.usernameCheckType === USERNAME_CHECK_TYPES.failOnUsernameNotExists ? reject() : resolve();\n\t\t\t\t\t\t}\n\t\t\t\t\t});\n\t\t\t\t});\n\t\t\t};\n\t\t}\n\t};\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.filter('adjustmentGroupEntryDescription', [function () {\n\n\treturn function (adjustmentGroupEntryObj) {\n\n\t\tif (adjustmentGroupEntryObj.IsSalarySacrifice) {\n\t\t\treturn 'Salary Sacrifice';\n\t\t}\n\n\t\treturn `${adjustmentGroupEntryObj.Taxable ? 'Taxable' : 'Non-taxable'} ${adjustmentGroupEntryObj.IsDeduction ? 'deduction' : 'addition'}`;\n\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('adjustmentValue', [\n\t'$filter',\n\tfunction (\n\t\t$filter\n\t) {\n\n\treturn function (adjustmentObj, adjustmentOptionsObj, monetiseOptionsObj) {\n\n\t\tconst FILTER_OPTIONS = angular.extend({\n\t\t\tIS_OVERRIDE_APPLICABLE: true\n\t\t}, adjustmentOptionsObj);\n\n\t\t// Unify response objects (Payroll > Current Period & Supplementary Pay Runs)\n\t\tfunction unifyAdjustmentObj (adjustmentObj) {\n\n\t\t\t// Deduction\n\t\t\tif (angular.isDefined(adjustmentObj.AdjustmentDeduction)) {\n\t\t\t\tadjustmentObj.Deduction = adjustmentObj.AdjustmentDeduction;\n\t\t\t}\n\n\t\t\t// Value\n\t\t\tif (angular.isDefined(adjustmentObj.AdjustmentValue)) {\n\t\t\t\tadjustmentObj.Value = adjustmentObj.AdjustmentValue;\n\t\t\t}\n\t\t}\n\n\t\tunifyAdjustmentObj(adjustmentObj);\n\n\t\tconst monetisedValue = $filter('monetise')(adjustmentObj.Value, null, null, monetiseOptionsObj);\n\t\tconst monetisedRecurringValue = $filter('monetise')(adjustmentObj.RecurringValue, null, null, monetiseOptionsObj);\n\t\tconst prefix = adjustmentObj.Deduction ? '-' : '+';\n\n\t\tif (FILTER_OPTIONS.IS_OVERRIDE_APPLICABLE && adjustmentObj.IsPeriodOverride) {\n\t\t\treturn `${prefix}${monetisedRecurringValue}`;\n\t\t}\n\n\t\treturn `${prefix}${monetisedValue}`;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('adjustmentValueTypeCalculation', ['$filter', 'config', 'utilities', 'ADJUSTMENT_VALUE_TYPES', function ($filter, config, utilities, ADJUSTMENT_VALUE_TYPES) {\n\treturn function (adjustmentObj, adjustmentOptionsObj, monetiseOptionsObj) {\n\n\t\tconst FILTER_OPTIONS = angular.extend({\n\t\t\tIS_OVERRIDE_APPLICABLE: true\n\t\t}, adjustmentOptionsObj);\n\n\t\tfunction getCurrencyConversionString (adjustmentObj) {\n\n\t\t\tif (!adjustmentObj.AdjustmentHasCurrency) {\n\t\t\t\treturn '';\n\t\t\t}\n\n\t\t\t// Unit based\n\t\t\tswitch (adjustmentObj.ValueType) {\n\t\t\t\tcase ADJUSTMENT_VALUE_TYPES.percentage:\n\t\t\t\tcase ADJUSTMENT_VALUE_TYPES.unit:\n\t\t\t\t\treturn ` (${adjustmentObj.AdjustmentForeignUnitValue} ${adjustmentObj.AdjustmentCurrencyLabel} Ex. ${adjustmentObj.AdjustmentCurrencyValue})`;\n\t\t\t}\n\n\t\t\t// Everything else\n\t\t\treturn ` (${adjustmentObj.AdjustmentForeignValue} ${adjustmentObj.AdjustmentCurrencyLabel} Ex. ${adjustmentObj.AdjustmentCurrencyValue})`;\n\t\t}\n\n\t\t// Unify response objects (Payroll > Current Period & Supplementary Pay Runs)\n\t\tfunction unifyAdjustmentObj (adjustmentObj) {\n\n\t\t\t// Units\n\t\t\tif (angular.isDefined(adjustmentObj.AdjustmentUnits)) {\n\t\t\t\tadjustmentObj.Units = adjustmentObj.AdjustmentUnits;\n\t\t\t}\n\n\t\t\t// Unit value\n\t\t\tif (angular.isDefined(adjustmentObj.AdjustmentUnitValue)) {\n\t\t\t\tadjustmentObj.UnitValue = adjustmentObj.AdjustmentUnitValue;\n\t\t\t}\n\n\t\t\t// Unit value multiplier\n\t\t\tif (angular.isDefined(adjustmentObj.AdjustmentUnitValueMultiplier)) {\n\t\t\t\tadjustmentObj.UnitValueMultiplier = adjustmentObj.AdjustmentUnitValueMultiplier;\n\t\t\t}\n\n\t\t\t// Net to gross\n\t\t\tif (angular.isDefined(adjustmentObj.AdjustmentNetToGross)) {\n\t\t\t\tadjustmentObj.NetToGross = adjustmentObj.AdjustmentNetToGross;\n\t\t\t}\n\t\t}\n\n\t\tunifyAdjustmentObj(adjustmentObj);\n\n\t\tconst isPeriodOverride = FILTER_OPTIONS.IS_OVERRIDE_APPLICABLE && adjustmentObj.IsPeriodOverride;\n\t\tconst monetisedUnitValue = $filter('monetise')(adjustmentObj.UnitValue, config.precision.salaryRates, null, monetiseOptionsObj);\n\t\tconst monetisedRecurringUnitValue = $filter('monetise')(adjustmentObj.RecurringUnitValue, config.precision.salaryRates, null, monetiseOptionsObj);\n\t\tconst currencyConversionString = getCurrencyConversionString(adjustmentObj);\n\n\t\tswitch (adjustmentObj.ValueType) {\n\n\t\t\t// Absolute\n\t\t\tcase ADJUSTMENT_VALUE_TYPES.absolute: {\n\n\t\t\t\t// Net to Gross\n\t\t\t\tif (adjustmentObj.NetToGross) {\n\t\t\t\t\treturn `(Net)${currencyConversionString}`;\n\t\t\t\t}\n\n\t\t\t\treturn currencyConversionString;\n\t\t\t}\n\n\t\t\t// Percentage\n\t\t\tcase ADJUSTMENT_VALUE_TYPES.percentage: {\n\n\t\t\t\tif (isPeriodOverride) {\n\t\t\t\t\treturn `(${adjustmentObj.RecurringUnits}% x ${monetisedRecurringUnitValue}${currencyConversionString})`;\n\t\t\t\t}\n\n\t\t\t\treturn `(${adjustmentObj.Units}% x ${monetisedUnitValue}${currencyConversionString})`;\n\t\t\t}\n\n\t\t\t// Unit\n\t\t\tcase ADJUSTMENT_VALUE_TYPES.unit: {\n\n\t\t\t\tif (isPeriodOverride) {\n\t\t\t\t\treturn `(${adjustmentObj.RecurringUnits} x ${monetisedRecurringUnitValue})`;\n\t\t\t\t}\n\n\t\t\t\treturn (adjustmentObj.Units > 0 && adjustmentObj.UnitValue > 0) ?`(${adjustmentObj.Units} x ${monetisedUnitValue}${currencyConversionString})` : '' ;\n\t\t\t}\n\n\t\t\t// Linked\n\t\t\tcase ADJUSTMENT_VALUE_TYPES.linked: {\n\n\t\t\t\tif (isPeriodOverride) {\n\t\t\t\t\treturn `(${adjustmentObj.RecurringUnits} @ ${monetisedRecurringUnitValue} x ${adjustmentObj.RecurringUnitValueMultiplier})`;\n\t\t\t\t}\n\n\t\t\t\treturn `(${adjustmentObj.Units} @ ${monetisedUnitValue} x ${adjustmentObj.UnitValueMultiplier}${currencyConversionString})`;\n\t\t\t}\n\t\t}\n\n\t\treturn '';\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('bacsDisbursementPaymentDescription', ['disbursementService', function (disbursementService) {\n\treturn function (disbursementObj, isSummary) {\n\n\t\treturn disbursementService.getBACSPaymentTypeDescription(disbursementObj, isSummary);\n\t};\n}]);\n\n'use strict';\n\n/**\n * Descriptor for backdated salary calculation method\n * Used in both pay information form, when applying backdated salary adjustments and when editing the applied adjustment in the adjustments list\n * Note: The calculation method value comes from 3 subtly different properties:\n * \n * Pay Information form:\n * \t- CalculationMethod\n * \t- StarterCalculationMethod\n * \n * Backdated salary form:\n * \t- BackdatedSalaryCalculationMethod\n * \n **/\n\nangular.module('paycircleApp')\n.filter('backdatedSalaryCalculationDescription', [\n\t'BACKDATED_SALARY_CALCULATION_METHODS',\n\tfunction (\n\t\tBACKDATED_SALARY_CALCULATION_METHODS\n\t) {\n\n\treturn function (calculationMethod, isNewStarter, forename) {\n\n\t\t// Default to false\n\t\tisNewStarter = angular.isDefined(isNewStarter) ? isNewStarter : false;\n\n\t\t// New starter\n\t\tif (isNewStarter) {\n\n\t\t\tswitch (calculationMethod) {\n\n\t\t\t\t// Apply to current period\n\t\t\t\tcase BACKDATED_SALARY_CALCULATION_METHODS.applyToCurrentPeriod: {\n\t\t\t\t\treturn 'Calculations will be applied to the current period only, and added to your current period as a gross adjustment.';\n\t\t\t\t}\n\n\t\t\t\t// Apply as backdated calculation\n\t\t\t\tcase BACKDATED_SALARY_CALCULATION_METHODS.applyAsBackdatedCalculation: {\n\t\t\t\t\treturn 'Calculations will be applied to all affected pay periods, and added to your current period as a gross adjustment.';\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t// Active profile\n\t\tswitch (calculationMethod) {\n\n\t\t\t// Apply to current period\n\t\t\tcase BACKDATED_SALARY_CALCULATION_METHODS.applyToCurrentPeriod: {\n\t\t\t\treturn 'The backdated correction will be added to your current period as a gross adjustment.';\n\t\t\t}\n\n\t\t\t// Apply as backdated calculation\n\t\t\tcase BACKDATED_SALARY_CALCULATION_METHODS.applyAsBackdatedCalculation: {\n\t\t\t\treturn `The backdated correction will alter ${forename}’s year to date position, and will be added to your current period as a net adjustment.`;\n\t\t\t}\n\t\t}\n\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('bacsIncludedPaymentsDescription', ['$filter', 'BACS_PAYMENT_TYPES', function ($filter, BACS_PAYMENT_TYPES) {\n\treturn function (bacsIncludedPaymentsKey) {\n\n\t\tlet descriptions = [];\n\t\tlet pensionCount = 0;\n\n\t\tif ($filter('bitwiseCompare')(bacsIncludedPaymentsKey, BACS_PAYMENT_TYPES.aoe)) { descriptions.push('AoE orders'); }\n\t\tif ($filter('bitwiseCompare')(bacsIncludedPaymentsKey, BACS_PAYMENT_TYPES.childcare)) { descriptions.push('Childcare vouchers'); }\n\t\tif ($filter('bitwiseCompare')(bacsIncludedPaymentsKey, BACS_PAYMENT_TYPES.hmrc)) { descriptions.push('HMRC'); }\n\n\t\tif ($filter('bitwiseCompare')(bacsIncludedPaymentsKey, BACS_PAYMENT_TYPES.pension1)) { pensionCount++; }\n\t\tif ($filter('bitwiseCompare')(bacsIncludedPaymentsKey, BACS_PAYMENT_TYPES.pension2)) { pensionCount++; }\n\t\tif ($filter('bitwiseCompare')(bacsIncludedPaymentsKey, BACS_PAYMENT_TYPES.pension3)) { pensionCount++; }\n\n\t\tif (pensionCount === 1) {\n\t\t\tdescriptions.push('Pension');\n\t\t} else if (pensionCount > 1) {\n\t\t\tdescriptions.push('Pensions');\n\t\t}\n\n\t\tif (descriptions.length) {\n\t\t\treturn descriptions.join(', ');\n\t\t}\n\n\t\treturn 'None';\n\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('bankFileFormatDescription', ['BANK_FILE_FORMATS', function (BANK_FILE_FORMATS) {\n\treturn function (bankFileFormatKey) {\n\n\t\tswitch (bankFileFormatKey) {\n\t\t\tcase BANK_FILE_FORMATS.bacs:\n\t\t\t\treturn 'BACS';\n\t\t\tcase BANK_FILE_FORMATS.fps:\n\t\t\t\treturn 'FPS';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('bankLogoUrl', [\n\t'BANK_IDS',\n\tfunction (\n\t\tBANK_IDS\n\t) {\n\n\treturn function (bankFileId) {\n\n\t\tconst bankLogoFolder = 'images/logo/banks';\n\n\t\tswitch (bankFileId) {\n\t\t\tcase BANK_IDS.access:\n\t\t\tcase BANK_IDS.bacsBureau:\n\t\t\t\treturn `${bankLogoFolder}/BacsBureau-300_196.png`;\n\t\t\tcase BANK_IDS.bancoSabadell:\n\t\t\t\treturn `${bankLogoFolder}/BancoSabadell-300_196.png`;\n\t\t\tcase BANK_IDS.bankline:\n\t\t\t\treturn `${bankLogoFolder}/NatWest-300_196.png`;\n\t\t\tcase BANK_IDS.bankOfAmericaMerrillLynch:\n\t\t\t\treturn `${bankLogoFolder}/BankOfAmericaMerrillLynch-300_196.png`;\n\t\t\tcase BANK_IDS.bankOfIreland:\n\t\t\t\treturn `${bankLogoFolder}/BankOfIreland-300_196.png`;\n\t\t\tcase BANK_IDS.bankOfScotland:\n\t\t\t\treturn `${bankLogoFolder}/BankOfScotland-300_196.png`;\n\t\t\tcase BANK_IDS.barclays:\n\t\t\t\treturn `${bankLogoFolder}/Barclays-300_196.png`;\n\t\t\tcase BANK_IDS.citiDirect:\n\t\t\t\treturn `${bankLogoFolder}/CitiDirect-300_196.png`;\n\t\t\tcase BANK_IDS.cooperative:\n\t\t\t\treturn `${bankLogoFolder}/Cooperative-300_196.png`;\n\t\t\tcase BANK_IDS.coutts:\n\t\t\t\treturn `${bankLogoFolder}/Coutts-300_196.png`;\n\t\t\tcase BANK_IDS.credec:\n\t\t\t\treturn `${bankLogoFolder}/Credec-300_196.png`;\n\t\t\tcase BANK_IDS.globalAch:\n\t\t\t\treturn `${bankLogoFolder}/GlobalACH-300_196.png`;\n\t\t\tcase BANK_IDS.hsbc:\n\t\t\tcase BANK_IDS.hsbcLowValue:\n\t\t\t\treturn `${bankLogoFolder}/HSBC-300_196.png`;\n\t\t\tcase BANK_IDS.lloyds:\n\t\t\tcase BANK_IDS.lloydsAscii:\n\t\t\t\treturn `${bankLogoFolder}/Lloyds-300_196.png`;\n\t\t\tcase BANK_IDS.metroCsv:\n\t\t\tcase BANK_IDS.metroTxt:\n\t\t\t\treturn `${bankLogoFolder}/Metro-300_196.png`;\n\t\t\tcase BANK_IDS.modulr:\n\t\t\t\treturn `${bankLogoFolder}/Modulr-300_196.png`;\n\t\t\tcase BANK_IDS.natwest:\n\t\t\tcase BANK_IDS.natwestAdHoc:\n\t\t\t\treturn `${bankLogoFolder}/NatWest-300_196.png`;\n case BANK_IDS.openBanking:\n return `${bankLogoFolder}/OpenBanking-300_196.png`;\n\t\t\tcase BANK_IDS.paygate:\n\t\t\t\treturn `${bankLogoFolder}/Paygate-300_196.png`;\n\t\t\tcase BANK_IDS.rbs:\n\t\t\t\treturn `${bankLogoFolder}/RBS-300_196.png`;\n\t\t\tcase BANK_IDS.santander:\n return `${bankLogoFolder}/Santander-300_196.png`;\n case BANK_IDS.telleroo:\n \treturn `${bankLogoFolder}/Telleroo-300_196.png`;\n\t\t\tcase BANK_IDS.ulsterBank:\n return `${bankLogoFolder}/UlsterBank-300_196.png`;\n case BANK_IDS.yorkshireBank:\n return `${bankLogoFolder}/YorkshireBank-300_196.png`;\n case BANK_IDS.handelsbanken:\n \treturn `${bankLogoFolder}/Handelsbanken-300_196.png`;\n\t\t\tdefault:\n\t\t\t\treturn `images/graphics/empty.png`;\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.filter('yesNo', function () {\n\n\treturn boolean => {\n\n\t\tif (boolean) {\n\t\t\treturn 'Yes';\n\t\t}\n\n\t\treturn 'No';\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('bitwiseCompare', function () {\n\treturn (value, compareValue) => (value & compareValue) > 0;\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('businessCategoryPlural', [function () {\n\n\treturn function (businessCategoryName) {\n\n\t\tswitch (businessCategoryName) {\n\t\t\tcase 'Branch':\n\t\t\t\treturn 'branches';\n\t\t}\n\n\t\treturn `${businessCategoryName}s`;\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('businessCategorySortByDescription', [\n\t'BUSINESS_CATEGORY_SORT_BY_OPTIONS',\n\tfunction (\n\t\tBUSINESS_CATEGORY_SORT_BY_OPTIONS\n\t) {\n\n\treturn function (sortByKey) {\n\n\t\tconst sortByDescriptionObj = BUSINESS_CATEGORY_SORT_BY_OPTIONS.find(sortByOption => sortByOption.id === sortByKey);\n\n\t\tif (!angular.isObject(sortByDescriptionObj)) {\n\t\t\tthrow('businessCategorySortByDescription: Unable to match sort by ID');\n\t\t}\n\n\t\treturn sortByDescriptionObj.name;\n\t};\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.filter('businessSectorDescription', ['BUSINESS_SECTORS', function (BUSINESS_SECTORS) {\n\treturn function (businessSector) {\n\n\t\tswitch (businessSector) {\n\t\t\tcase BUSINESS_SECTORS.agriculture:\n\t\t\t\treturn 'Employer is in the agriculture sector';\n\t\t\tcase BUSINESS_SECTORS.fisheriesAqua:\n\t\t\t\treturn 'Employer is in the fisheries and aquaculture sector';\n\t\t\tcase BUSINESS_SECTORS.roadTransport:\n\t\t\t\treturn 'Employer is in the road transport sector';\n\t\t\tcase BUSINESS_SECTORS.industrial:\n\t\t\t\treturn 'Employer is in the industrial sector';\n\t\t\tcase BUSINESS_SECTORS.none:\n\t\t\t\treturn 'State aid rules do not apply to Employer';\n\t\t}\n\n\t\treturn 'Undefined';\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('cacheBust', [\n\t'config',\n\tfunction (\n\t\tconfig\n\t) {\n\n\t\treturn function (urlString) {\n\n\t\t\tif (\n\t\t\t\t!config.isCacheBustEnabled ||\n\t\t\t\t!urlString ||\n\t\t\t\turlString === '' ||\n\t\t\t\turlString === undefined\n\t\t\t) {\n\t\t\t\treturn urlString;\n\t\t\t}\n\n\t\t\t// Adjust query separator if search query already exists in string\n\t\t\tconst urlConstruct = new URL(urlString);\n\t\t\tlet querySeparator = '?';\n\t\t\tif (urlConstruct && urlConstruct.search) {\n\t\t\t\tquerySeparator = '&';\n\t\t\t}\n\n\t\t\treturn urlString + querySeparator + new Date().getTime();\n\t\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('calculationMethodDescription', ['CALCULATION_METHODS', function (CALCULATION_METHODS) {\n\treturn function (calculationMethodId) {\n\n\t\tconst calculationMethodObj = CALCULATION_METHODS.find(calculationMethodObj => calculationMethodObj.key === calculationMethodId);\n\n\t\treturn calculationMethodObj ? calculationMethodObj.description : 'Unknown';\n\t};\n}]);\n\n'use strict';\n\n/**\n * @ngdoc filter\n * @name paycircleApp.filter:capitalise\n * @function\n * @description Takes a string and capitalises the first character\n * # capitalise\n * Filter in the paycircleApp.\n */\nangular.module('paycircleApp')\n.filter('capitalise', [function () {\n\treturn function (str) {\n\t\treturn str.replace(/\\w\\S*/g, function(txt){return txt.charAt(0).toUpperCase() + txt.substr(1).toLowerCase();});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('cemify', [function () {\n\treturn function (theme) {\n\n\t\tswitch (theme) {\n\t\t\tcase 'primary':\n\t\t\t\treturn 'is-primary';\n\t\t\tcase 'primary-light':\n\t\t\t\treturn 'is-primary-light';\n\t\t\tcase 'secondary':\n\t\t\t\treturn 'is-secondary';\n\t\t\tcase 'tertiary':\n\t\t\t\treturn 'is-tertiary';\n\t\t\tcase 'quarternary':\n\t\t\t\treturn 'is-quarternary';\n\t\t\tcase 'greyscale':\n\t\t\t\treturn 'is-greyscale';\n\t\t\tcase 'positive':\n\t\t\t\treturn 'is-positive';\n\t\t\tcase 'indifferent':\n\t\t\t\treturn 'is-indifferent';\n\t\t\tcase 'assertive':\n\t\t\t\treturn 'is-assertive';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('checkEmpty', ['config', function (config) {\n\treturn function (property, text) {\n\n\t\tif (property === '') {\n\t\t\treturn text !== undefined ? text : config.defaultEmptyText;\n\t\t}\n\n\t\treturn property;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('cisBusinessType', ['BUSINESS_TYPES', function (BUSINESS_TYPES) {\n\n\treturn function (cisBusinessTypeId) {\n\n\t\tswitch (cisBusinessTypeId) {\n\t\t\tcase BUSINESS_TYPES.soletrader:\n\t\t\t\treturn 'Sole Trader';\n\t\t\tcase BUSINESS_TYPES.partnership:\n\t\t\t\treturn 'Partnership';\n\t\t\tcase BUSINESS_TYPES.trust:\n\t\t\t\treturn 'Trust';\n\t\t\tcase BUSINESS_TYPES.company:\n\t\t\t\treturn 'Limited Company';\n\t\t}\n\t};\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.filter('companyDetails', ['applicationService', 'companyService', 'COMPANY_STATES', function (applicationService, companyService, COMPANY_STATES) {\n\n\treturn function (companyObj, isPaycircleUser, isCompanyLiteAdmin) {\n\n\t\tconst isPayrollCompany = companyService.isPayrollCompany(companyObj);\n\n\t\tangular.extend(companyObj, {\n\t\t\tcompanyType: companyService.getCompanyTypeByInterfaceType(companyObj.CompanyType),\n\t\t\tisBillingEnabled: (companyObj.IsBillingEnabled && companyObj.State === COMPANY_STATES.live) || (companyObj.AgencyProfileDummy && isPaycircleUser),\n\t\t\tisPayrollCompany: isPayrollCompany,\n\t\t\tisIntegrationsEnabled: isPayrollCompany && companyObj.State === COMPANY_STATES.live,\n\t\t\tngHref: {\n\t\t\t\tpayroll: applicationService.getNgHrefForCompany(companyObj, 'payroll', isCompanyLiteAdmin)\n\t\t\t}\n\t\t});\n\n\t\treturn companyObj;\n\t};\n}]);\n\n'use strict';\n\n/**\n * @description Takes a customisation object and cachebusts the logo urls\n */\nangular.module('paycircleApp')\n.filter('customisation', ['$filter', function ($filter) {\n\treturn function (customisationObj) {\n\n\t\tcustomisationObj.Login.LogoURL = $filter('cacheBust')(customisationObj.Login.LogoURL);\n\t\tcustomisationObj.Emails.LogoURL = $filter('cacheBust')(customisationObj.Emails.LogoURL);\n\t\tcustomisationObj.LogoUrls.Icon = $filter('cacheBust')(customisationObj.LogoUrls.Icon);\n\t\tcustomisationObj.Payslips.LogoURL = $filter('cacheBust')(customisationObj.Payslips.LogoURL);\n\t\tcustomisationObj.SideBar.LogoURL = $filter('cacheBust')(customisationObj.SideBar.LogoURL);\n\n\t\treturn customisationObj;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('desymbolise', function () {\n\n\treturn function (value) {\n\n\t\tif (!value) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Replace % with string\n\t\tvalue = value.replace(/[%]/g, 'percent');\n\n\t\t// Remove brackets ()\n\t\tvalue = value.replace(/[()]/g, '');\n\n\t\treturn value;\n\t};\n});\n'use strict';\n\nangular.module('paycircleApp')\n.filter('docDeadlineDate', [function () {\n\n\treturn function (pensionStartDateIso) {\n\n\t\tvar pensionStartDateMoment = moment(pensionStartDateIso);\n\n\t\treturn pensionStartDateMoment.add(5, 'months').format();\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.filter('agenextbirthday', function () {\n\treturn function (date) {\n\n\t\tif (!date || date === undefined) {\n\t\t\treturn 'unknown';\n\t\t}\n\n\t\tvar dateFrom = moment(date).endOf('day'); // Date\n\t\tvar dateTo = moment().endOf('day'); // today\n\t\tvar differenceInYears = dateTo.diff(dateFrom, 'years');\n\n\t\treturn differenceInYears > 0 ? differenceInYears + 1 : null;\n\t};\n});\n\n'use strict';\n\n/**\n * @ngdoc filter\n * @name paycircleApp.filter:calendar\n * @function\n * @description Takes a date and passes it through moment.js to output a calendar format. E.g. Today, Tomorrow\n * # calendar\n * Filter in the paycircleApp.\n */\nangular.module('paycircleApp')\n.filter('calendar', ['config', function (config) {\n\treturn function (date) {\n\t\treturn moment(date, config.dateFormatPrimary).calendar();\n\t};\n}]);\n\n'use strict';\n\n/**\n * @ngdoc filter\n * @name paycircleApp.filter:dateformat\n * @function\n * @description Takes a date in ISO format yyyy-MM-DDTHH:MM:SS and can output in various formats\n * # custom\n * Filter in the paycircleApp.\n */\nangular.module('paycircleApp')\n.filter('dateformat', function () {\n\treturn function (date, format, customFormat) {\n\n\t\tif (date === '' || date === undefined || !date) {\n\t\t\treturn '';\n\t\t}\n\n\t\tvar momentDate = moment(date);\n\n\t\tif (format === 'custom') {\n\t\t\treturn momentDate.format(customFormat);\n\t\t}\n\n\t\tswitch (format) {\n\t\t\tcase 'calendar':\n\t\t\t\treturn momentDate.calendar();\n\t\t\tcase 'dateTime':\n\t\t\t\treturn momentDate.format('DD/MM/YY [ at ] h:mma');\n\t\t\tcase 'dateTimeAlt':\n\t\t\t\treturn momentDate.format('ddd D MMM [at] HH:mm');\n\t\t\tcase 'day':\n\t\t\t\treturn momentDate.format('D');\n\t\t\tcase 'dayOfMonth':\n\t\t\t\treturn momentDate.format('ddd');\n\t\t\tcase 'dayMonth':\n\t\t\t\treturn momentDate.format('D MMM');\n\t\t\tcase 'dayMonthFull':\n\t\t\t\treturn momentDate.format('D MMMM');\n\t\t\tcase 'dayFullMonth':\n\t\t\t\treturn momentDate.format('ddd Do MMM');\n\t\t\tcase 'dayMonthYear':\n\t\t\t\treturn momentDate.format('D MMM YYYY');\n\t\t\tcase 'fromNow':\n\t\t\t\treturn momentDate.fromNow(customFormat !== undefined ? customFormat : false);\n\t\t\tcase 'full':\n\t\t\t\treturn momentDate.format('D MMMM YYYY');\n\t\t\tcase 'longWithShortMonth':\n\t\t\t\treturn momentDate.format('dddd Do MMM YYYY');\n\t\t\tcase 'long':\n\t\t\t\treturn momentDate.format('dddd Do MMMM, YYYY');\n\t\t\tcase 'monthDate':\n\t\t\t\treturn momentDate.format('MMM D');\n\t\t\tcase 'monthYear':\n\t\t\t\treturn momentDate.format('MMMM YYYY');\n\t\t\tcase 'numeric':\n return momentDate.format('DD/MM/YYYY');\n case 'numericShortYear':\n\t\t\t\treturn momentDate.format('DD/MM/YY');\n case 'ordinal':\n \treturn momentDate.format('Do');\n\t\t\tcase 'shortReadable':\n\t\t\t\treturn momentDate.format('Do MMM YYYY');\n\t\t\tcase 'time':\n\t\t\t\treturn momentDate.format('h.mma');\n\t\t\tcase 'timeDate':\n\t\t\t\treturn momentDate.format('h.mma [ on ] D MMM YYYY');\n\t\t\tcase 'timeDate24':\n\t\t\t\treturn momentDate.format('HH:mm [ on ] D MMM YYYY');\n\t\t\tcase 'timeDayDate':\n\t\t\t\treturn momentDate.format('h:mma [on] ddd D MMM, YYYY');\n\t\t\tcase 'unix':\n\t\t\t\treturn momentDate.format('x');\n\t\t\tdefault:\n\t\t\t\treturn momentDate.format('D MMM YYYY');\n\t\t}\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('datetimeformat', function () {\n\treturn function (date, format, customFormat) {\n\n\t\tvar momentDate = moment(date);\n\n\t\tif (format === 'custom') {\n\t\t\treturn momentDate.format(customFormat);\n\t\t}\n\n\t\tswitch (format) {\n\t\t\tcase 'fromNow':\n\t\t\t\treturn momentDate.fromNow();\n\t\t\tcase 'time12':\n\t\t\t\treturn momentDate.format('h:mma');\n\t\t\tcase 'long':\n\t\t\t\treturn momentDate.format('ddd D MMM @ HH:mm');\n\t\t\tcase 'long-alt':\n\t\t\t\treturn momentDate.format('D MMM [at] HH:mm');\n\t\t\tcase 'readable':\n\t\t\t\treturn momentDate.format('HH:mm on D MMM YYYY');\n\t\t\tcase 'detailed':\n\t\t\t\treturn momentDate.format('h:mma on ddd D MMM, YYYY');\n\t\t\tdefault:\n\t\t\t\treturn momentDate.format('dddd Do MMMM, YYYY @ h:mma');\n\t\t}\n\t};\n});\n\n'use strict';\n\n/**\n * @ngdoc filter\n * @name paycircleApp.filter:day\n * @function\n * @description Takes a date and passes it through moment.js to output a day format. E.g. Today, Tomorrow\n * # day\n * Filter in the paycircleApp.\n */\nangular.module('paycircleApp')\n.filter('day', ['config', function (config) {\n\treturn function (date) {\n\t\treturn moment(date, config.dateFormatPrimary).format('D');\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('dayByIndex', function () {\n\treturn function (index) {\n\n\t\tconst DAY_LABELS = {\n\t\t\t0: 'Mon',\n\t\t\t1: 'Tue',\n\t\t\t2: 'Wed',\n\t\t\t3: 'Thu',\n\t\t\t4: 'Fri',\n\t\t\t5: 'Sat',\n\t\t\t6: 'Sun'\n\t\t};\n\n\t\treturn DAY_LABELS[index];\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.filter('daysaway', function () {\n\treturn function (dateTo, dateFrom) {\n\n\t\tvar a = moment(dateTo).endOf('day'); // Date to\n\t\tvar b = dateFrom !== undefined ? moment(dateFrom).startOf('day') : moment().startOf('day'); // Date from\n\n\t\treturn a.diff(b, 'days');\n\t};\n});\n'use strict';\n\n/**\n * @ngdoc filter\n * @name paycircleApp.filter:days\n * @function\n * @description Takes a date and returns the difference between now and then by days/weeks/months/years\n * # days\n * Filter in the paycircleApp.\n */\nangular.module('paycircleApp')\n\n.filter('diff', ['config', function (config) {\n\treturn function (dateTo, dateFrom, type) {\n\t\t\n\t\tvar a = dateFrom !== undefined ? moment(dateFrom, config.dateFormatPrimary).startOf('day') : moment().startOf('day'); // Now\n\t\tvar b = moment(dateTo, config.dateFormatPrimary).endOf('day'); // Date\n\n\t\ttype = type !== undefined ? type : 'days'; // Default to days\n\n\t\treturn b.diff(a, type);\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('duration', ['dateService', function (dateService) {\n\n\treturn function (minutes, useFullLabel) {\n\n\t\tconst durationObj = dateService.getDurationDetailFromMinutes(minutes);\n\n\t\tfunction getLabelForTimePeriod (timePeriod, value) {\n\n\t\t\tif (value === 0) {\n\t\t\t\treturn '';\n\t\t\t}\n\n\t\t\tswitch (timePeriod) {\n\t\t\t\tcase 'days':\n\t\t\t\t\treturn `${value} ${useFullLabel ? `day${value > 1 ? 's' : ''}` : 'd'}`;\n\n\t\t\t\tcase 'hours':\n\t\t\t\t\treturn `${value} ${useFullLabel ? `hour${value > 1 ? 's' : ''}` : 'h'}`;\n\n\t\t\t\tcase 'minutes':\n\t\t\t\t\treturn `${value} ${useFullLabel ? `minute${value > 1 ? 's' : ''}` : 'm'}`;\n\t\t\t}\n\t\t}\n\n\t\treturn `${getLabelForTimePeriod('days', durationObj.days)} ${getLabelForTimePeriod('hours', durationObj.hours)} ${getLabelForTimePeriod('minutes', durationObj.minutes)}`;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('isoUnix', ['config', function () {\n\treturn function (date) {\n\t\treturn moment(date).format('x');\n\t};\n}]);\n\n'use strict';\n\n\nangular.module('paycircleApp')\n.filter('period', ['PAY_PERIOD_TYPES', function (PAY_PERIOD_TYPES) {\n\treturn function (date, periodType) {\n\n\t\tdate = moment(date);\n\t\tswitch (periodType) {\n\t\t\tcase PAY_PERIOD_TYPES.weekly:\n\t\t\t\tdate.add(1, 'w');\n\t\t\t\tbreak;\n\t\t\tcase PAY_PERIOD_TYPES.fortnightly:\n\t\t\t\tdate.add(2, 'w');\n\t\t\t\tbreak;\n\t\t\tcase PAY_PERIOD_TYPES.fourweekly:\n\t\t\t\tdate.add(4, 'w');\n\t\t\t\tbreak;\n\t\t\tcase PAY_PERIOD_TYPES.monthly:\n\t\t\t\tdate.add(1, 'M');\n\t\t\t\tbreak;\n\t\t\tcase PAY_PERIOD_TYPES.quarterly:\n\t\t\t\tdate.add(3, 'M');\n\t\t\t\tbreak;\n\t\t\tcase PAY_PERIOD_TYPES.annually:\n\t\t\t\tdate.add(1, 'Y');\n\t\t\t\tbreak;\n\t\t\tcase PAY_PERIOD_TYPES.biannually:\n\t\t\t\tdate.add(6, 'M');\n\t\t\t\tbreak;\n\t\t}\n\n\t\treturn date.subtract(1, 'days').format();\n\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('simple', ['config', function (config) {\n\treturn function (date, isoFormat) {\n\t\treturn isoFormat ? moment(date).format('D MMM YYYY') : moment(date, config.dateFormatPrimary).format('D MMM YYYY');\n\t};\n}]);\n\n'use strict';\n\n/**\n * @ngdoc filter\n * @name paycircleApp.filter:calendar\n * @function\n * @description Takes a date and passes it through moment.js to output a unix (milliseconds) format - good for sorting by date\n * # unix\n * Filter in the paycircleApp.\n */\nangular.module('paycircleApp')\n.filter('unix', ['config', function (config) {\n\treturn function (date) {\n\t\treturn moment(date, config.dateFormatPrimary).format('x');\n\t};\n}]);\n\n'use strict';\n\n// Accepts an ISO date and returns the difference from now in years (e.g. age)\nangular.module('paycircleApp')\n\n.filter('yearsold', function () {\n\treturn function (date) {\n\n\t\tif (!date || date === undefined) {\n\t\t\treturn 'unknown';\n\t\t}\n\n\t\tvar dateFrom = moment(date).endOf('day'); // Date\n\t\tvar dateTo = moment().startOf('day'); // today\n\t\tvar differenceInYears = dateTo.diff(dateFrom, 'years');\n\n\t\treturn differenceInYears > 0 ? differenceInYears : null;\n\t};\n});\n\n'use strict';\n\n/**\n * @ngdoc filter\n * @name paycircleApp.filter:abbrNum\n * @function\n * @description\n * # Abbreviates a number to a set number of decimal places - E.g. 10000.00 --> 10k\n * Filter in the paycircleApp.\n */\nangular.module('paycircleApp')\n.filter('abbrNum', [function () {\n\n\treturn function (number, decPlaces) {\n\n\t\tdecPlaces = decPlaces !== undefined ? decPlaces : 2;\n\n\t\t// 2 decimal places => 100, 3 => 1000, etc\n\t\tdecPlaces = Math.pow(10,decPlaces);\n\n\t\t// Enumerate number abbreviations\n\t\tvar abbrev = [ 'k', 'm', 'b', 't' ];\n\n\t\t// Go through the array backwards, so we do the largest first\n\t\tfor (var i = abbrev.length-1; i >= 0; i--) {\n\n\t\t\t// Convert array index to \"1000\", \"1000000\", etc\n\t\t\tvar size = Math.pow(10,(i+1)*3);\n\n\t\t\t// If the number is bigger or equal do the abbreviation\n\t\t\tif (size <= number) {\n\t\t\t\t // Here, we multiply by decPlaces, round, and then divide by decPlaces.\n\t\t\t\t // This gives us nice rounding to a particular decimal place.\n\t\t\t\t number = Math.floor(number*decPlaces/size)/decPlaces;\n\n\t\t\t\t // Handle special case where we round up to the next abbreviation\n\t\t\t\t if ((number === 1000) && (i < abbrev.length - 1)) {\n\t\t\t\t\t number = 1;\n\t\t\t\t\t i++;\n\t\t\t\t }\n\n\t\t\t\t // Add the letter for the abbreviation\n\t\t\t\t number += abbrev[i];\n\n\t\t\t\t // We are done... stop\n\t\t\t\t break;\n\t\t\t}\n\t\t}\n\n\t\treturn number;\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('decimalise', ['utilities', function (utilities) {\n\n\treturn function (number, precision) {\n\n\t\tif (angular.isUndefined(precision)) {\n\t\t\tprecision = 2;\n\t\t}\n\t\treturn utilities.decimalize(number, precision);\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('formatDecimal', [\n\t'utilities',\nfunction (\n\tutilities\n) {\n\n\t/**\n\t * @param {number} number - number to format\n\t * @param {number} precision - number of decimal places to show. Optional, defaults to 2.\n\t * @param {boolean} hideMantissaInsignificant - hide insignificant digits in the mantissa part of the decimal. Optional,\n\t * defaults to false.\n\t * @param {boolean} applyDefaultCurrencyPrefix - apply default currency prefix (£). Optional. Defaults to false.\n\t */\n\treturn function (number, precision, hideMantissaInsignificant, applyDefaultCurrencyPrefix) {\n\n\t\tif (angular.isUndefined(precision)) {\n\t\t\tprecision = 2;\n\t\t}\n\t\tif (angular.isUndefined(hideMantissaInsignificant)) {\n\t\t\thideMantissaInsignificant = false;\n\t\t}\n\t\tlet prefix = '';\n\t\tif (applyDefaultCurrencyPrefix) {\n\t\t\tprefix = '£';\n\t\t}\n\n\t\t// Behaviour documented in utilities.formatNumber\n\t\treturn `${prefix}${utilities.formatDecimal(number, precision, hideMantissaInsignificant)}`;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('fixedLength', function () {\n\treturn function (n, len) {\n\n\t\tvar num = parseInt(n, 10);\n\n\t\tlen = parseInt(len, 10);\n\n\t\tif (isNaN(num) || isNaN(len)) {\n\t\t\treturn n;\n\t\t}\n\n\t\tnum = '' + num;\n\n\t\twhile (num.length < len) {\n\t\t\tnum = '0' + num;\n\t\t}\n\n\t\treturn num;\n\t};\n});\n'use strict';\n\nangular.module('paycircleApp')\n.filter('monetise', [\n\t'utilities',\n\tfunction (\n\t\tutilities\n\t) {\n\treturn function (input, round, format, monetiseOptionsObj) {\n\n\t\tconst DEFAULT_CURRENCY_LABEL = '£';\n\n\t\tconst FILTER_OPTIONS = {\n\t\t\tCURRENCY_LABEL: monetiseOptionsObj && monetiseOptionsObj.CURRENCY_LABEL ? monetiseOptionsObj.CURRENCY_LABEL : DEFAULT_CURRENCY_LABEL,\n\t\t\tCURRENCY_VALUE: monetiseOptionsObj && monetiseOptionsObj.CURRENCY_VALUE ? monetiseOptionsObj.CURRENCY_VALUE : null,\n\t\t\tHIDE_CURRENCY_LABEL: monetiseOptionsObj && monetiseOptionsObj.HIDE_CURRENCY_LABEL ? monetiseOptionsObj.HIDE_CURRENCY_LABEL : false\n\t\t};\n\n\t\t// Attach space after custom label\n\t\tif (FILTER_OPTIONS.CURRENCY_LABEL !== DEFAULT_CURRENCY_LABEL) {\n\t\t\tFILTER_OPTIONS.CURRENCY_LABEL = FILTER_OPTIONS.CURRENCY_LABEL + ' ';\n\t\t}\n\n\t\t// Currency conversion\n\t\tif (FILTER_OPTIONS.CURRENCY_VALUE) {\n\t\t\tinput = input / FILTER_OPTIONS.CURRENCY_VALUE;\n\t\t}\n\n\t\t// Hide current label (false by default)\n\t\tif (FILTER_OPTIONS.HIDE_CURRENCY_LABEL) {\n\t\t\tFILTER_OPTIONS.CURRENCY_LABEL = '';\n\t\t}\n\n\t\tswitch (format) {\n\t\t\tcase 'signed': {\n\t\t\t\tlet prefix = '';\n\t\t\t\tif (input < 0) {\n\t\t\t\t\tprefix = '-';\n\t\t\t\t}\n\t\t\t\telse if (input > 0) {\n\t\t\t\t\tprefix = '+';\n\t\t\t\t}\n\n\t\t\t\treturn `${prefix}${FILTER_OPTIONS.CURRENCY_LABEL}${utilities.decimalize(Math.abs(input), round)}`;\n\t\t\t}\n\t\t\tdefault:\n\t\t\t\treturn `${FILTER_OPTIONS.CURRENCY_LABEL}${utilities.decimalize(input, round)}`;\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('monetisedown', ['utilities', function (utilities) {\n\treturn function (input) {\n\t\treturn '£' + utilities.decimalize(input, 'down');\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('positive', [function () {\n\treturn function(value) {\n\t\tif (!value) {\n\t\t\treturn 0;\n\t\t}\n\n\t\treturn Math.abs(value);\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('companyTypeDescription', ['INTERFACE_TYPES', function (INTERFACE_TYPES) {\n\treturn function (companyTypeId) {\n\n\t\tswitch (companyTypeId) {\n\t\t\tcase INTERFACE_TYPES.agency:\n\t\t\t\treturn 'agency';\n\t\t\tcase INTERFACE_TYPES.bureau:\n\t\t\t\treturn 'bureau';\n\t\t\tcase INTERFACE_TYPES.group:\n\t\t\t\treturn 'group';\n\t\t\tdefault:\n\t\t\t\treturn 'company';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('documentTypeLabel', ['DOCUMENT_TYPES', function (DOCUMENT_TYPES) {\n\treturn function (documentType) {\n\n\t\tswitch (documentType) {\n\t\t\tcase DOCUMENT_TYPES.payslipManagerFullRun:\n\t\t\tcase DOCUMENT_TYPES.payslipManagerSupplementaryRun:\n\t\t\t\treturn 'XML';\n\t\t\tdefault:\n\t\t\t\treturn 'CSV';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('earningsLimitDisregardDescription', ['PENSION_GROUP_EARNINGS_LIMITS', function (PENSION_GROUP_EARNINGS_LIMITS) {\n\treturn function (bankFileFormatKey) {\n\n\t\tswitch (bankFileFormatKey) {\n\t\t\tcase PENSION_GROUP_EARNINGS_LIMITS.notSet:\n\t\t\t\treturn 'Not set';\n\t\t\tcase PENSION_GROUP_EARNINGS_LIMITS.lowerEarningsLimit:\n\t\t\t\treturn 'Lower earnings limit disregarded';\n\t\t\tcase PENSION_GROUP_EARNINGS_LIMITS.upperEarningsLimit:\n\t\t\t\treturn 'Upper earnings limit disregarded';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('emojify', ['REGEX', function (REGEX) {\n\n\tconst EMOJI_PREFIX = 'emoji';\n\tconst EMOJI_BRACKET = '%';\n\tconst EMOJI_SPLIT = ',';\n\n\tfunction convertUnicodeToCharacter (unicodeString) {\n\t\treturn String.fromCodePoint(parseInt(unicodeString, 16));\n\t}\n\n\tfunction convertCharacterToUnicode (character) {\n\t\treturn character.codePointAt().toString(16);\n\t}\n\n\tfunction convertStringIntoEmojiString (string) {\n\t\treturn EMOJI_PREFIX + EMOJI_BRACKET + string + EMOJI_BRACKET;\n\t}\n\n\tfunction getEmojiFromUnicode (unicodeString) {\n\n\t\tif (unicodeString.split(' ').length > 1) {\n\n\t\t\tlet codeString = [];\n\n\t\t\tfor (let emojiCode of unicodeString.split(' ')) {\n\t\t\t\tcodeString.push(parseInt(emojiCode, 16));\n\t\t\t}\n\n\t\t\treturn String.fromCodePoint(...codeString);\n\n\t\t} else {\n\t\t\treturn String.fromCodePoint(parseInt(unicodeString.replace(/ /g, '-'), 16));\n\t\t}\n\t}\n\n\tfunction replaceEmojisWithEmojiString (string) { // Returns string from emoji. Eg \"🙂\" => emoji%1f642% and \"👩👩👧\" => emoji%1f469,200d,1f469,200d,1f467%\n\n\t\tlet emojiArray = string.match(REGEX.emojis);\n\n\t\tif (!emojiArray || !emojiArray.length) {\n\t\t\treturn string;\n\t\t}\n\n\t\tfor (let emoji of emojiArray) {\n\n\t\t\tif (emoji.length <= 2) { // If emoji is single character, eg: \"🙂\"\n\n\t\t\t\t// Convert emoji to unicode\n\t\t\t\tlet emojiUnicode = convertCharacterToUnicode(emoji);\n\n\t\t\t\t// Replace emoji in string with wrapped unicode. Eg: emoji%1f642%\n\t\t\t\tstring = string.replace(emoji, convertStringIntoEmojiString(emojiUnicode));\n\n\t\t\t} else { // If emoji is group, eg: \"👩👩👧\"\n\n\t\t\t\tlet emojiUnicodeArr = [];\n\n\t\t\t\t// Split emoji group out into separate emojis and convert each one to unicode. Eg: \"👩👩👧\" => [\"1f469\", \"200d\", \"1f469\", \"200d\", \"1f467\"]\n \t\t\t\tfor (let emojiUnicode of emoji) {\n\t\t\t\t\temojiUnicodeArr.push(convertCharacterToUnicode(emojiUnicode));\n\t\t\t\t}\n\n\t\t\t\t// Replace emoji in string with wrapped unicode. Eg: emoji%1f469,200d,1f469,200d,1f467%\n\t\t\t\tstring = string.replace(emoji, convertStringIntoEmojiString(emojiUnicodeArr.join(EMOJI_SPLIT)));\n\t\t\t}\n\n\t\t}\n\n\t\treturn string;\n\t}\n\n \tfunction replaceEmojiStringsWithEmojis (string) { // Returns string from emoji. Eg emoji%1f642% => \"🙂\" and emoji%1f469,200d,1f469,200d,1f467% => \"👩👩👧\"\n\n \t\tif (!string.length || !string.includes(EMOJI_PREFIX+EMOJI_BRACKET)) {\n \t\t\treturn string;\n \t\t}\n\n \t\t// Create regex to find emoji strings in string using prefix and brackets\n \t\tlet regex = new RegExp(`${EMOJI_PREFIX}\\\\${EMOJI_BRACKET}+([\\A-Za-z0-9,\\s]+)${EMOJI_BRACKET}`, 'g');\n\n \t\tfor (let emojiString of string.match(regex)) {\n\n \t\t\t// Remove prefix and brackers from string\n \t\t\tlet emojiUnicodeString = emojiString.replace(EMOJI_PREFIX, '').replace(new RegExp (EMOJI_BRACKET, 'g'), '');\n\n \t\t\tif (emojiUnicodeString.indexOf(EMOJI_SPLIT) === -1) { // If emoji is single character, eg: \"🙂\"\n\n \t\t\t\t// Convert unicode to emoji\n\t \t\t\tlet emoji = convertUnicodeToCharacter(emojiUnicodeString);\n\n\t \t\t\t// Replace emoji string with emoji\n\t \t\t\tstring = string.replace(emojiString, emoji);\n\n \t\t\t} else { // If emoji is group, eg: \"👩👩👧\"\n\n \t\t\t\t// Convert string of unicode characters to array\n \t\t\t\tlet emojiUnicodeArr = emojiUnicodeString.split(EMOJI_SPLIT);\n\n \t\t\t\t// Convert each unicode item in array to an emoji\n \t\t\t\temojiUnicodeArr.forEach((emojiUnicode, index) => {\n \t\t\t\t\temojiUnicodeArr[index] = convertUnicodeToCharacter(emojiUnicode);\n \t\t\t\t});\n\n \t\t\t\t// Combine emojis to create group emoji. Eg: [\"👨\", \"\", \"👩\", \"\", \"👧\"] => \"👨👩👧\"\n \t\t\t\tlet emoji = emojiUnicodeArr.reduce((emojiOne, emojiTwo) => emojiOne + emojiTwo);\n\n \t\t\t\t// Replace emoji string with emoji\n\t \t\t\tstring = string.replace(emojiString, emoji);\n \t\t\t}\n \t\t}\n\n \t\treturn string;\n \t}\n\n\treturn function (string, format) {\n\n\t\tswitch (format) {\n\t\t\tcase 'codeToString':\n\t\t\t\treturn getEmojiFromUnicode(string);\n\n\t\t\tcase 'demojify':\n\t\t\t\treturn replaceEmojisWithEmojiString(string);\n\n\t\t\tdefault:\n\t\t\t\treturn replaceEmojiStringsWithEmojis(string);\n\t\t}\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('employmentTypeDescription', ['EMPLOYMENT_TYPES', function (EMPLOYMENT_TYPES) {\n\treturn function (employmentType) {\n\n\t\tswitch (employmentType) {\n\t\t\tcase EMPLOYMENT_TYPES.standard:\n\t\t\t\treturn 'Standard pattern';\n\t\t\tcase EMPLOYMENT_TYPES.nonStandard:\n\t\t\t\treturn 'Non-standard pattern';\n\t\t\tcase EMPLOYMENT_TYPES.netPay:\n\t\t\t\treturn 'Net pay';\n\t\t\tcase EMPLOYMENT_TYPES.paidHourly:\n\t\t\t\treturn 'Paid hourly';\n\t\t\tcase EMPLOYMENT_TYPES.payPolicy:\n\t\t\t\treturn 'Pay policy';\n\t\t}\n\n\t\treturn 'Unknown payment type';\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('fileSize', function () {\n\treturn function (fileSizeBytes, toFixedAmount) {\n\n\t\t// Set default for characters behind bullet points\n\t\ttoFixedAmount = angular.isDefined(toFixedAmount) ? toFixedAmount : 1;\n\n\t\tif (isNaN(fileSizeBytes)) {\n\t\t\tfileSizeBytes = 0;\n\t\t}\n\n\t\tif (fileSizeBytes < 1024) {\n\t\t\treturn fileSizeBytes + ' bytes';\n\t\t}\n\n\t\tfileSizeBytes /= 1024;\n\n\t\tif (fileSizeBytes < 1024) {\n\t\t\treturn fileSizeBytes.toFixed(toFixedAmount) + 'Kb';\n\t\t}\n\n\t\tfileSizeBytes /= 1024;\n\n\t\tif (fileSizeBytes < 1024) {\n\t\t\treturn fileSizeBytes.toFixed(toFixedAmount) + 'Mb';\n\t\t}\n\n\t\tfileSizeBytes /= 1024;\n\n\t\tif (fileSizeBytes < 1024) {\n\t\t\treturn fileSizeBytes.toFixed(toFixedAmount) + 'Gb';\n\t\t}\n\n\t\tfileSizeBytes /= 1024;\n\n\t\treturn fileSizeBytes.toFixed(toFixedAmount) + 'Tb';\n\t};\n\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('nominalEntryCategoryTheme', [\n\t'GROUP_ENTRY_CATEGORIES',\n\tfunction (\n\t\tGROUP_ENTRY_CATEGORIES\n\t) {\n\n\treturn function (category) {\n\n\t\tswitch (category) {\n\t\t\tcase GROUP_ENTRY_CATEGORIES.additions.key:\n\t\t\t\treturn 'is-secondary';\n\t\t\tcase GROUP_ENTRY_CATEGORIES.deductions.key:\n\t\t\t\treturn 'is-assertive';\n\t\t\tcase GROUP_ENTRY_CATEGORIES.calculated.key:\n\t\t\t\treturn 'is-primary';\n\t\t\tdefault:\n\t\t\t\treturn {};\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('hmrcBankDetails', ['HMRC_PAYMENT_ACCOUNTS', function (HMRC_PAYMENT_ACCOUNTS) {\n\treturn function (hmrcBankAccountInt) {\n\t\treturn HMRC_PAYMENT_ACCOUNTS.find(paymentAccountObj => paymentAccountObj.id === hmrcBankAccountInt).displayLong;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('hmrcCredentials', [function () {\n\n\treturn function (hmrcCredentials) {\n\n\t\thmrcCredentials = hmrcCredentials.replace(/~/g, '/');\n\n\t\treturn hmrcCredentials.replace(/~/g, '/');\n\t};\n}]);\n\nangular.module('paycircleApp')\n/**\n * Returns a markedup string with of specified class around matched substrings.\n * Substrings will be matched against each word of provided matching string.\n * If class is not specified, 'highlighted-text' class will be applied.\n */\n.filter('highlight', [\n() => (input, matcher, spanClass) => {\n\t\tlet replacementText = `$&`;\n\t\treturn input.replace(\n\t\t\tnew RegExp(\n\t\t\t\tmatcher\n\t\t\t\t\t.replace(/[-[\\]{}()*+?.,\\\\^$|#]/g, '\\\\$&') // Escape special reg exp characters\n\t\t\t\t\t.replace(/(\\s+)/, ' ') /* Replace any whitespace with a single 'normal' space.\n\t\t\t\t\t\t\t\t\t\t\t This effectively removes any potential rogue unicode whitespace characters. */\n\t\t\t\t\t.split(' ') // Split search terms as entered\n\t\t\t\t\t.join('|'), // Combine to create regex search pattern that will match|on|each|word.\n\t\t\t\t'gi'\n\t\t\t),\n\t\t\treplacementText\n\t\t);\n\t}\n]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('hyphenate', [function () {\n\treturn function (str) {\n\t\treturn str.replace(/ /g, '-');\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('importMappingColumnTypeDescription', ['IMPORT_MAPPING_COLUMN_TYPES', function (IMPORT_MAPPING_COLUMN_TYPES) {\n\treturn function (companyTypeId) {\n\n\t\tswitch (companyTypeId) {\n\t\t\tcase IMPORT_MAPPING_COLUMN_TYPES.unit:\n\t\t\t\treturn 'units';\n\t\t\tcase IMPORT_MAPPING_COLUMN_TYPES.rate:\n\t\t\t\treturn 'rate';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('importMappingTypeDescription', ['IMPORT_MAPPING_TYPES', function (IMPORT_MAPPING_TYPES) {\n\treturn function (importType) {\n\n\t\tswitch (importType) {\n\t\t\tcase IMPORT_MAPPING_TYPES.users:\n\t\t\t\treturn 'Team validation (Payroll)';\n\t\t\tcase IMPORT_MAPPING_TYPES.payElements:\n\t\t\t\treturn 'Fixed amounts';\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsCIS:\n\t\t\t\treturn 'CIS fixed amounts';\n\t\t\tcase IMPORT_MAPPING_TYPES.team:\n\t\t\t\treturn 'Team validation (Team)';\n\t\t\tcase IMPORT_MAPPING_TYPES.salaryUpdates:\n\t\t\t\treturn 'Salary Updates';\n\t\t\tcase IMPORT_MAPPING_TYPES.leavers:\n\t\t\t\treturn 'Leavers';\n\t\t\tcase IMPORT_MAPPING_TYPES.cis:\n\t\t\t\treturn 'CIS information';\n\t\t\tcase IMPORT_MAPPING_TYPES.profile:\n\t\t\t\treturn 'Personal information';\n\t\t\tcase IMPORT_MAPPING_TYPES.fps:\n\t\t\t\treturn 'FPS';\n\t\t\tcase IMPORT_MAPPING_TYPES.address:\n\t\t\t\treturn 'Address details';\n\t\t\tcase IMPORT_MAPPING_TYPES.changesTable:\n\t\t\t\treturn 'Changes Table';\n\t\t\tcase IMPORT_MAPPING_TYPES.ytd:\n\t\t\t\treturn 'Year to dates';\n\t\t\tcase IMPORT_MAPPING_TYPES.company:\n\t\t\t\treturn 'Company details';\n\t\t\tcase IMPORT_MAPPING_TYPES.bank:\n\t\t\t\treturn 'Bank details';\n\t\t\tcase IMPORT_MAPPING_TYPES.tax:\n\t\t\t\treturn 'Tax details';\n\t\t\tcase IMPORT_MAPPING_TYPES.salary:\n\t\t\t\treturn 'Pay information';\n\t\t\tcase IMPORT_MAPPING_TYPES.pension:\n\t\t\t\treturn 'Pension details';\n\t\t\tcase IMPORT_MAPPING_TYPES.all:\n\t\t\t\treturn 'Import all data';\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsRecurring:\n\t\t\t\treturn 'Recurring';\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsFixed:\n\t\t\t\treturn 'Fixed amounts';\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsFixedRecurring:\n\t\t\t\treturn 'Recurring';\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsHourlyUnits:\n\t\t\t\treturn 'Hourly units';\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsDailyUnits:\n\t\t\t\treturn 'Daily units';\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsHourlyRate:\n\t\t\t\treturn 'Rates & Units';\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsDailyRate:\n\t\t\t\treturn 'Daily rates & units';\n\t\t\tcase IMPORT_MAPPING_TYPES.linkedElements:\n\t\t\t\treturn 'Link rate units';\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsFixedCIS:\n\t\t\t\treturn 'CIS fixed amounts';\n\t\t\tcase IMPORT_MAPPING_TYPES.payslipManager:\n\t\t\t\treturn 'Main pay run';\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsOffPayroll:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsDeemed:\n\t\t\t\treturn 'Off-payroll';\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsOffPayrollRecurring:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsDeemedRecurring:\n\t\t\t\treturn 'Off-payroll (recurring)';\n\t\t\tcase IMPORT_MAPPING_TYPES.businessCategories:\n\t\t\t\treturn 'Business categories';\n\t\t\tcase IMPORT_MAPPING_TYPES.nominalCodes:\n\t\t\t\treturn 'Nominal codes';\n\t\t\tcase IMPORT_MAPPING_TYPES.xeroNominalCodes:\n\t\t\t\treturn 'Xero nominal codes';\n\t\t\tcase IMPORT_MAPPING_TYPES.accessFinancialsNominalAccounts:\n\t\t\t\treturn 'Access Financials nominal accounts';\n\t\t\tcase IMPORT_MAPPING_TYPES.accessFinancialsBusinessCategories:\n\t\t\t\treturn 'Access Financials nominal categories';\n\t\t\tcase IMPORT_MAPPING_TYPES.linkRateUnits:\n\t\t\t\treturn 'Link rate units';\n\t\t\tcase IMPORT_MAPPING_TYPES.payslipNotes:\n\t\t\t\treturn 'Payslip Notes';\n\t\t\tcase IMPORT_MAPPING_TYPES.shifts:\n\t\t\t\treturn 'Shifts';\n\t\t\tcase IMPORT_MAPPING_TYPES.policyImport:\n\t\t\t\treturn 'Pay policy';\n\t\t\tcase IMPORT_MAPPING_TYPES.expatDetails:\n\t\t\t\treturn 'Expat details';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('importMappingTypeIcon', ['IMPORT_MAPPING_TYPES', function (IMPORT_MAPPING_TYPES) {\n\treturn function (importType) {\n\n\t\tswitch (importType) {\n\t\t\tcase IMPORT_MAPPING_TYPES.profile:\n\t\t\t\treturn 'icon-setup-user';\n\t\t\tcase IMPORT_MAPPING_TYPES.address:\n\t\t\t\treturn 'icon-team-alt';\n\t\t\tcase IMPORT_MAPPING_TYPES.company:\n\t\t\t\treturn 'icon-company';\n\t\t\tcase IMPORT_MAPPING_TYPES.salary:\n\t\t\tcase IMPORT_MAPPING_TYPES.salaryUpdates:\n\t\t\t\treturn 'icon-wallet';\n\t\t\tcase IMPORT_MAPPING_TYPES.tax:\n\t\t\t\treturn 'icon-tax-code-change';\n\t\t\tcase IMPORT_MAPPING_TYPES.ytd:\n\t\t\t\treturn 'icon-calendar';\n\t\t\tcase IMPORT_MAPPING_TYPES.bank:\n\t\t\t\treturn 'icon-bank';\n\t\t\tcase IMPORT_MAPPING_TYPES.pension:\n\t\t\t\treturn 'icon-money';\n\t\t\tcase IMPORT_MAPPING_TYPES.team:\n\t\t\t\treturn 'icon-team-alt';\n\t\t\tcase IMPORT_MAPPING_TYPES.cis:\n\t\t\t\treturn 'icon-cis';\n\t\t\tcase IMPORT_MAPPING_TYPES.payElements:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsCIS:\n\t\t\tcase IMPORT_MAPPING_TYPES.changesTable:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsRecurring:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsFixed:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsFixedRecurring:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsHourlyUnits:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsDailyUnits:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsHourlyRate:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsDailyRate:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsFixedCIS:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsOffPayroll:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsOffPayrollRecurring:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsDeemed:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsDeemedRecurring:\n\t\t\t\treturn 'icon-fixed-value';\n\t\t\tcase IMPORT_MAPPING_TYPES.payslipNotes:\n\t\t\t\treturn 'icon-chat';\n\t\t\tcase IMPORT_MAPPING_TYPES.payslipManager:\n\t\t\t\treturn 'icon-payslip';\n\t\t\tcase IMPORT_MAPPING_TYPES.businessCategories:\n\t\t\tcase IMPORT_MAPPING_TYPES.accessFinancialsBusinessCategories:\n\t\t\tcase IMPORT_MAPPING_TYPES.nominalCodes:\n\t\t\tcase IMPORT_MAPPING_TYPES.xeroNominalCodes:\n\t\t\tcase IMPORT_MAPPING_TYPES.accessFinancialsNominalAccounts:\n\t\t\tcase IMPORT_MAPPING_TYPES.policyImport:\n\t\t\t\treturn 'icon-csv';\n\t\t\tcase IMPORT_MAPPING_TYPES.expatDetails:\n\t\t\t\treturn 'icon-international';\n\t\t\tdefault:\n\t\t\t\treturn 'icon-question-mark';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('isEmptyClass', function () {\n\treturn function (property, className) {\n\n\t\tif (property === '') {\n\t\t\treturn className !== undefined ? className : 'is-empty';\n\t\t}\n\n\t\treturn '';\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('journalPostIcon', [\n\t'SUBMISSION_STATES',\n\tfunction (\n\t\tSUBMISSION_STATES\n\t) {\n\treturn function (state) {\n\n\t\tswitch (state) {\n\t\t\tcase SUBMISSION_STATES.unsubmitted:\n\t\t\t\treturn 'icon-minus-alt';\n\t\t\tcase SUBMISSION_STATES.submitting:\n\t\t\t\treturn 'icon-loading';\n\t\t\tcase SUBMISSION_STATES.submitted:\n\t\t\t\treturn 'icon-check';\n\t\t\tcase SUBMISSION_STATES.failed:\n\t\t\t\treturn 'icon-close';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('journalPostState', [\n\t'SUBMISSION_STATES',\n\tfunction (\n\t\tSUBMISSION_STATES\n\t) {\n\treturn function (state) {\n\n\t\tswitch (state) {\n\t\t\tcase SUBMISSION_STATES.unsubmitted:\n\t\t\t\treturn 'Not posted';\n\t\t\tcase SUBMISSION_STATES.submitting:\n\t\t\t\treturn 'Posting';\n\t\t\tcase SUBMISSION_STATES.submitted:\n\t\t\t\treturn 'Posted';\n\t\t\tcase SUBMISSION_STATES.failed:\n\t\t\t\treturn 'Failed';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('journalPostStateLabel', [\n\t'SUBMISSION_STATES',\n\tfunction (\n\t\tSUBMISSION_STATES\n\t) {\n\treturn function (postObj) {\n\n\t\tswitch (postObj.JournalPostState) {\n\t\t\tcase SUBMISSION_STATES.unsubmitted:\n\t\t\t\treturn 'Not posted yet';\n\t\t\tcase SUBMISSION_STATES.failed:\n\t\t\t\treturn 'Failed to post';\n\t\t\tdefault:\n\t\t\t\treturn postObj.JournalPostSubmitAsFinal ? 'Posted to final' : 'Posted to draft';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('journalPostTheme', [\n\t'SUBMISSION_STATES',\n\tfunction (\n\t\tSUBMISSION_STATES\n\t) {\n\treturn function (state) {\n\n\t\tswitch (state) {\n\t\t\tcase SUBMISSION_STATES.unsubmitted:\n\t\t\t\treturn 'is-primary';\n\t\t\tcase SUBMISSION_STATES.submitting:\n\t\t\t\treturn 'is-indifferent';\n\t\t\tcase SUBMISSION_STATES.submitted:\n\t\t\t\treturn 'is-positive';\n\t\t\tcase SUBMISSION_STATES.failed:\n\t\t\t\treturn 'is-assertive inverse';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('leaveThemes', ['LEAVE_TYPE_DESCRIPTIONS', function (LEAVE_TYPE_DESCRIPTIONS) {\n\treturn function (leaveType, isText) {\n\n\t\tif (isText) {\n\t\t\tswitch (leaveType) {\n\t\t\t\tcase LEAVE_TYPE_DESCRIPTIONS.annualLeave:\n\t\t\t\t\treturn 'secondary-darkened';\n\t\t\t\tcase LEAVE_TYPE_DESCRIPTIONS.specialLeave:\n\t\t\t\t\treturn 'quarternary-dark';\n\t\t\t\tcase LEAVE_TYPE_DESCRIPTIONS.sickLeave:\n\t\t\t\t\treturn 'assertive-darkened';\n\t\t\t\tcase LEAVE_TYPE_DESCRIPTIONS.unpaidLeave:\n\t\t\t\t\treturn 'senary-darkened';\n\t\t\t}\n\t\t} else {\n\t\t\tswitch (leaveType) {\n\t\t\t\tcase LEAVE_TYPE_DESCRIPTIONS.annualLeave:\n\t\t\t\t\treturn 'secondary';\n\t\t\t\tcase LEAVE_TYPE_DESCRIPTIONS.specialLeave:\n\t\t\t\t\treturn 'quarternary';\n\t\t\t\tcase LEAVE_TYPE_DESCRIPTIONS.sickLeave:\n\t\t\t\t\treturn 'assertive';\n\t\t\t\tcase LEAVE_TYPE_DESCRIPTIONS.unpaidLeave:\n\t\t\t\t\treturn 'tertiary';\n\t\t\t}\n\t\t}\n\t};\n}]);\n\n'use strict';\n\n/**\n * @description Takes a string and makes sure it's a valid URL\n */\nangular.module('paycircleApp')\n.filter('linkify', [function () {\n\treturn function (url) {\n\n\t\tif (url.indexOf('http://') === -1) {\n\t\t\turl = 'http://' + url;\n\t\t}\n\n\t\treturn url;\n\t};\n}]);\n\n// jshint maxstatements:200\n'use strict';\n\n/**\n * @ngdoc filter\n * @name paycircleApp.filter:logs\n * @function\n * @description Takes an array of logs and adds any additional information if available.\n * # pay-periods\n * Filter in the paycircleApp.\n\nExample log:\n[\n {\n \"AgencyLogCategoryDescription\":\"User\",\n \"AgencyLogCategoryID\":\"c3cbd8bf-6f26-4367-b085-fb9345fc4500\",\n \"AgencyLogData\":\"\",\n \"AgencyLogDateDisplay\":\"2017-02-03 14:57:19\",\n \"AgencyLogID\":\"14b985e4-1202-4497-a895-c7cd2f74e3b0\",\n \"AgencyLogKey\":783328,\n \"AgencyLogState\":3,\n \"AgencyLogStateDisplay\":\"Information\",\n \"AgencyLogText\":\"Logged in\",\n \"AgencyLogTextShort\":\"Logged in\",\n \"AgencyProfileID\":\"aa5f330f-e541-4f97-aed8-8d157fe4ac34\",\n \"ContactEmail\":\"captainamerica@pensionsyncgeneraltest.com\",\n \"ContactForename\":\"Captain\",\n \"ContactSurname\":\"America\",\n \"UserID\":\"a692adb6-d59c-4fe7-91f8-ad1a2cfa1e0b\"\n }\n]\n\nCreated User\ncreated-user|Mr James Edwards|1|\nCreated User: Mr James Edwards (1)\n\ndata: {\n\tvalueFrom:\n\tvalueTo:\n\tMetaData1:\n\tMetaData1Description:\n\tMetaData2:\n\tMetaData2Description:\n\tMetaData3:\n\tMetaData3Description:\n}\n\n*/\n\nangular.module('paycircleApp')\n.filter('logs', ['LOG_CATEGORIES', function (LOG_CATEGORIES) {\n\treturn function (logs) {\n\n\t\tvar data = {\n\t\t\tcategories: [],\n\t\t\tlogs: [],\n\t\t\tpensionLogs: [],\n\t\t\tpayrollLogs: []\n\t\t};\n\t\tvar logIgnoreList = [\n\t\t\t'PayrollWorkerService',\n\t\t\t'RecieveOptOutsResponse',\n\t\t\t'RetrieveOptOutsRequest',\n\t\t\t'RetrieveOptOutsResponse',\n\t\t\t'RetrieveOptOutsStatus'\n\t\t];\n\n\t\tif (logs !== undefined && logs.length > 0) {\n\n\t\t\tdata.logs = logs.filter(function (log) {\n\n\t\t\t\tvar categoryExists = false;\n\t\t\t\tvar logCategory = {\n\t\t\t\t\tname: log.AgencyLogCategoryDescription,\n\t\t\t\t\tid: log.AgencyLogCategoryID\n\t\t\t\t};\n\t\t\t\tvar logDateTime = moment(log.AgencyLogDateDisplay, 'YYYY-MM-DD HH:mm:ss');\n\t\t\t\tvar numberOfCategories = data.categories.length;\n\n\t\t\t\tlog.AgencyLogText \t= log.AgencyLogText.trim();\n\n\t\t\t\tlog.hasContext \t\t= true;\n\t\t\t\tlog.context \t\t= 'by';\n\t\t\t\tlog.date \t\t\t= logDateTime.format('DD/MM/YYYY');\n\t\t\t\tlog.dateFromNow \t= logDateTime.fromNow();\n\t\t\t\tlog.friendlyMessage = '';\n\t\t\t\tlog.icon \t\t\t= 'icon-right'; // Default icon\n\t\t\t\tlog.iconState \t\t= null;\n\t\t\t\tlog.logToken \t\t= log.AgencyLogText.toLowerCase().replace(/ /g, '-');\n\t\t\t\tlog.showMore \t\t= false;\n\t\t\t\tlog.showName \t\t= true;\n\t\t\t\t\n\t\t\t\tlog.time \t\t\t= logDateTime.format('h:mma');\n\n\t\t\t\tswitch (log.AgencyLogCategoryID) {\n\t\t\t\t\tcase LOG_CATEGORIES.pension:\n\t\t\t\t\t\tlog.theme = 'secondary';\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase LOG_CATEGORIES.payroll:\n\t\t\t\t\t\tlog.theme = 'quarternary';\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase LOG_CATEGORIES.user:\n\t\t\t\t\t\tlog.theme = 'primary';\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase LOG_CATEGORIES.rti:\n\t\t\t\t\t\tlog.theme = 'assertive';\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tdefault:\n\t\t\t\t\t\tlog.theme = 'primary';\n\t\t\t\t}\n\n\t\t\t\t// Populate Categories Array\n\t\t\t\tif (numberOfCategories > 0) {\n\t\t\t\t\tfor (var a = 0; a < numberOfCategories; a++) {\n\t\t\t\t\t\tvar category = data.categories[a];\n\n\t\t\t\t\t\tif (category.id === log.AgencyLogCategoryID) {\n\t\t\t\t\t\t\tcategoryExists = true;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\tif (!categoryExists) {\n\t\t\t\t\tdata.categories.push(logCategory);\n\t\t\t\t}\n\n\t\t\t\t// Add log token friendly message\n\t\t\t\tswitch (log.logToken) {\n\t\t\t\t\tcase 'logged-in':\n\t\t\t\t\t\tlog.friendlyMessage = 'logged in to Paycircle.';\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase 'updated-address-details':\n\t\t\t\t\t\tlog.friendlyMessage = 'Address details have been updated.';\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tdefault :\n\t\t\t\t\t\tlog.friendlyMessage = log.AgencyLogText;\n\t\t\t\t}\n\n\t\t\t\t// Log state\n\t\t\t\tswitch (log.AgencyLogState) {\n\t\t\t\t\tcase 0:\n\t\t\t\t\t\tlog.logState = 'action';\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase 1:\n\t\t\t\t\t\tlog.logState = 'error';\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase 2:\n\t\t\t\t\t\tlog.logState = '???';\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase 3:\n\t\t\t\t\t\tlog.logState = 'information';\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\n\t\t\t\t// Ignores\n\t\t\t\tif (logIgnoreList !== undefined && logIgnoreList.length > 0) {\n\n\t\t\t\t\tvar logIgnoreListLength = logIgnoreList.length;\n\t\t\t\t\tvar i = 0;\n\t\t\t\t\tvar ignore = false;\n\n\t\t\t\t\tfor (i; i < logIgnoreListLength; i++) {\n\t\t\t\t\t\tvar ignoreText = logIgnoreList[i];\n\n\t\t\t\t\t\tif (log.AgencyLogText.indexOf(ignoreText) > -1) {\n\t\t\t\t\t\t\tignore = true;\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t\tif (ignore) {\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\t// Ignore empty logs\n\t\t\t\tif (log.AgencyLogText === '') {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Approved Payroll\n\t\t\t\tif (log.AgencyLogText.indexOf('Submit Request') > -1) {\n\t\t\t\t\tlog.friendlyMessage = 'Payroll was approved';\n\t\t\t\t\tlog.icon \t\t\t= 'icon-user-1';\n\t\t\t\t}\n\n\t\t\t\t// Payroll approved\n\t\t\t\tif (log.AgencyLogText.indexOf('Submission Successful') > -1) {\n\t\t\t\t\tlog.friendlyMessage = 'Payroll successfully completed';\n\t\t\t\t\tlog.icon \t\t\t= 'icon-tick';\n\t\t\t\t}\n\n\t\t\t\t// Submit Poll\n\t\t\t\tif (log.AgencyLogText.indexOf('Submit Poll') > -1) {\n\t\t\t\t\tlog.friendlyMessage = 'Attempted to send data to HMRC';\n\t\t\t\t\tlog.icon \t\t\t= 'icon-upload';\n\t\t\t\t\tlog.showName \t\t= false;\n\t\t\t\t}\n\n\t\t\t\t// Created User\n\t\t\t\tif (log.AgencyLogText.indexOf('Created User') > -1) {\n\n\t\t\t\t\tvar logData \t\t= log.AgencyLogText.split(':');\n\t\t\t\t\tvar newUserData \t= logData[1].trim().split('(');\n\t\t\t\t\tvar newUserName \t= newUserData[0].trim();\n\n\t\t\t\t\tlog.friendlyMessage = 'Added ' + newUserName + ' to the team';\n\t\t\t\t\tlog.icon \t\t\t= 'icon-add-user';\n\t\t\t\t\tlog.showName \t\t= false;\n\t\t\t\t}\n\n\t\t\t\t// Tax code change\n\t\t\t\tif (log.AgencyLogText.indexOf('Tax code change') > -1) {\n\n\t\t\t\t\tlog.icon = 'icon-user-1';\n\n\t\t\t\t\tif (log.AgencyLogData.indexOf(',') > -1) {\n\n\t\t\t\t\t\tvar logMeta \t= log.AgencyLogData.split(',');\n\t\t\t\t\t\t//var changeType \t= logMeta[0];\n\t\t\t\t\t\t//var niData \t\t= logMeta[1].split(':');\n\t\t\t\t\t\t//var ni \t\t\t= niData[1].trim();\n\t\t\t\t\t\tvar taxCodeData = logMeta[2].split(':');\n\t\t\t\t\t\tvar taxCode \t= taxCodeData[1].trim();\n\n\t\t\t\t\t\tlog.friendlyMessage = 'Tax code was updated to ' + taxCode;\n\t\t\t\t\t\tlog.context \t\t= 'for';\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\tlog.friendlyMessage = log.AgencyLogData;\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\t// Student Loan\n\t\t\t\tif (log.AgencyLogText.indexOf('Updated Student Loan') > -1) {\n\t\t\t\t\tlog.context \t\t= 'for';\n\t\t\t\t\tlog.friendlyMessage = 'Student loan details were updated';\n\t\t\t\t\tlog.icon \t\t\t= 'icon-user-1';\n\t\t\t\t}\n\n\t\t\t\t// Updated tax details\n\t\t\t\tif (log.AgencyLogText.indexOf('Updated Tax details') > -1) {\n\t\t\t\t\tlog.friendlyMessage = 'Updated tax details';\n\t\t\t\t\tlog.context \t\t= 'for';\n\t\t\t\t\tlog.icon \t\t\t= 'icon-user-1';\n\t\t\t\t}\n\n\t\t\t\t// Submission Failed\n\t\t\t\tif (log.AgencyLogText.indexOf('Submission Failed') > -1) {\n\t\t\t\t\tlog.icon = 'icon-cross';\n\t\t\t\t\tlog.friendlyMessage = 'Failed to approve payroll';\n\t\t\t\t}\n\n\t\t\t\t// Created Worker\n\t\t\t\tif (log.AgencyLogText.indexOf('Imported Worker') > -1) {\n\t\t\t\t\tlog.showName = false;\n\n\t\t\t\t\tif (log.AgencyLogData.indexOf(':') > -1) {\n\n\t\t\t\t\t\tvar logDesc \t= log.AgencyLogData.split(':');\n\t\t\t\t\t\tvar name \t\t= logDesc[1].trim();\n\n\t\t\t\t\t\tlog.friendlyMessage = 'Imported ' + name;\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\tlog.friendlyMessage = 'Imported individual';\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\t// Pension Logs\n\t\t\t\tif (log.AgencyLogText.indexOf('Postponement Update') > -1) {\n\t\t\t\t\tlog.friendlyMessage = 'Pension postponement status changed';\n\t\t\t\t\tlog.context \t\t= 'for';\n\t\t\t\t}\n\n\t\t\t\t//\n\t\t\t\tif (log.AgencyLogText.indexOf('PayrollWorkerService::CreateReports') > -1) {\n\t\t\t\t\tlog.friendlyMessage = 'Payroll reports regenerated';\n\t\t\t\t}\n\n\t\t\t\t//\n\t\t\t\tif (log.AgencyLogText.indexOf('Updated Address') > -1) {\n\t\t\t\t\tlog.friendlyMessage = 'Payroll reports regenerated';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t//\n\t\t\t\tif (log.AgencyLogText.indexOf('Updated Bank') > -1) {\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// Created Role\n\t\t\t\tif (log.AgencyLogText.indexOf('Created Role') > -1) {\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// Created Job\n\t\t\t\tif (log.AgencyLogText.indexOf('Created Job') > -1) {\n\t\t\t\t\tlog.friendlyMessage = 'Job created during import';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// Created Project\n\t\t\t\tif (log.AgencyLogText.indexOf('Created Project') > -1) {\n\t\t\t\t\tlog.friendlyMessage = 'Project created during import';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// Created shift\n\t\t\t\tif (log.AgencyLogText.indexOf('Shift date') > -1) {\n\t\t\t\t\tlog.friendlyMessage = 'Shift created during import';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// Incomplete Address\n\t\t\t\tif (log.AgencyLogText.indexOf('Please complete at least two [ADDRESSLINE] ') > -1) {\n\t\t\t\t\tlog.friendlyMessage = 'HMRC validation failed due to an invalid address';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// Failed to update tax codes\n\t\t\t\tif (log.AgencyLogText.indexOf('Failed to update Tax Codes') > -1) {\n\t\t\t\t\tlog.friendlyMessage = 'Failed to authorise with HMRC to update tax codes';\n\t\t\t\t\tlog.icon = 'icon-cross';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// Failed to update tax codes\n\t\t\t\tif (log.AgencyLogText.indexOf('The PeriodEnd within the IRheader must be within the same tax year as [RELATEDTAXYEAR]') > -1) {\n\t\t\t\t\tlog.friendlyMessage = 'HMRC validation failed because the pay period end date was not within the tax year';\n\t\t\t\t\tlog.icon = 'icon-cross';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// Failed to update tax codes\n\t\t\t\tif (log.AgencyLogText.indexOf('At least one of [EMPLOYEE], [COMPRESSEDPART] or [FINALSUBMISSION]') > -1) {\n\t\t\t\t\tlog.friendlyMessage = 'HMRC validation failed due to missing information';\n\t\t\t\t\tlog.icon = 'icon-cross';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// 3001 - Data validation error (generic)\n\t\t\t\tif (log.AgencyLogData.indexOf('3001') !== -1) {\n\t\t\t\t\tlog.friendlyMessage = 'There was a problem approving payroll';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// 4065 - Missing NI number\n\t\t\t\tif (log.AgencyLogData.indexOf('4065') !== -1) {\n\t\t\t\t\tlog.friendlyMessage = 'HMRC validation failed due to an invalid National Insurance number';\n\t\t\t\t\tlog.icon = 'icon-cross';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// 4085 - Invalid NI number\n\t\t\t\tif (log.AgencyLogData.indexOf('4085') !== -1) {\n\t\t\t\t\tlog.friendlyMessage = 'HMRC validation failed due to a missing National Insurance number';\n\t\t\t\t\tlog.icon = 'icon-cross';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// 5001 - Date of Birth must be today or earlier\n\t\t\t\tif (log.AgencyLogText.indexOf('5001') !== -1) {\n\t\t\t\t\tlog.friendlyMessage = 'HMRC validation failed due to an incorrect date of birth';\n\t\t\t\t\tlog.icon = 'icon-cross';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// 7848 - SMP has been added for a male\n\t\t\t\tif (log.AgencyLogData.indexOf('7848') !== -1) {\n\t\t\t\t\tlog.friendlyMessage = 'One of your male team members have been given Statutory Maternity Pay which is not allowed';\n\t\t\t\t\tlog.icon = 'icon-cross';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// 7829 - Address does not contain 2 address lines\n\t\t\t\tif (log.AgencyLogData.indexOf('7829') !== -1) {\n\t\t\t\t\tlog.friendlyMessage = 'HMRC validation failed due to an invalid address';\n\t\t\t\t\tlog.icon = 'icon-cross';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// 7932 - Address does not contain 2 address lines\n\t\t\t\tif (log.AgencyLogData.indexOf('7932') !== -1) {\n\t\t\t\t\tlog.friendlyMessage = 'HMRC validation failed due to an invalid address';\n\t\t\t\t\tlog.icon = 'icon-cross';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\t// 4080 - NI code is empty\n\t\t\t\tif (log.AgencyLogData.indexOf('4080') !== -1) {\n\t\t\t\t\tlog.friendlyMessage = 'One of your team members does not have a National Insurance code';\n\t\t\t\t\tlog.icon = 'icon-cross';\n\t\t\t\t\tlog.showName = false;\n\t\t\t\t}\n\n\t\t\t\tif (log.AgencyLogData === '' && log.AgencyLogState === 1) {\n\t\t\t\t\tlog.icon = 'icon-cross';\n\t\t\t\t\tlog.friendlyMessage = 'One of your team members does not have a National Insurance code';\n\t\t\t\t}\n\n\t\t\t\t// Pension logs\n\t\t\t\tif (log.AgencyLogCategoryID === LOG_CATEGORIES['pension']) {\n\t\t\t\t\tdata.pensionLogs.push(log);\n\t\t\t\t}\n\n\t\t\t\t// Payroll logs\n\t\t\t\tif (log.AgencyLogCategoryID === LOG_CATEGORIES['rti'] || log.AgencyLogCategoryID === LOG_CATEGORIES['import']) {\n\t\t\t\t\tdata.payrollLogs.push(log);\n\t\t\t\t}\n\n\t\t\t\treturn log;\n\t\t\t});\n\t\t}\n\n\t\treturn data;\n\t};\n}]);\n\n/*\n\n\n\n5001: The Date of Birth must be today or earlier.\n5004: At least one key must exist in the IRheader.\n5005: Keys in the IR header must also exist in the GovTalk header with the same value.\n7820: Valid message classes for an Employer Alignment Submission are HMRC-PAYE-RTI-EAS and HMRC-PAYE-RTI-EAS-TIL.\n7821: The TaxOfficeNumber key within the IRheader must match [HMRCOFFICENUMBER]\n7822: The TaxOfficeReference key within the IRheader must match [EMPLOYERPAYEREF]\n7823: At least two [ADDRESSLINE] should be present if not ( [NINO] is present )\n7824: At least one of [FORENAME] and [INITIALS] must be present\n7825: If [FOREIGNCOUNTRY] is present, at least two [ADDRESSLINE] should be present\n7826: Must be later than 130 years before today\n7827: [EMPLOYEE] may repeat up to 100 times.\n7828: [STARTDATE] must be no later than current date plus 30 days (i.e. Also any date in the past allowed)\n7831: [LEAVINGDATE] must not be later than thirty days after today\n7837: Valid message classes for a Full Payment Submission are HMRC-PAYE-RTI-FPS and HMRC-PAYE-RTI-FPS-TIL.\n7838: Valid message classes for an Employer Payment Summary are HMRC-PAYE-RTI- EPS and HMRC-PAYE-RTI-EPS-TIL.\n7839: Valid message classes for a NINO Verification Request are HMRC-PAYE-RTI-NVR and HMRC-PAYE-RTI-NVR-TIL.\n7844: The PeriodEnd within the IRheader must be within the same tax year as [RELATEDTAXYEAR].\n7845: If [PARTNERDETAILS] is present then [ADDITIONALSTATUTORYPATERNITYPAY] must be present\n7846: [PARTNERFORENAME] should be present if [PARTNERINITIALS] is absent\n7847: If [PAYMENTAFTERLEAVINGDATEINDICATOR] is present the following should be true: [LEAVINGDATE] is present\n7848: If [STATUTORYMATERNITYPAY] is present the following should be true: [GENDER] equals F\n7849: If [GENDER] is male, NI Letter cannot contain B, E, O or T\n7850: [NILETTER] must be unique within each occurrence of the [EMPLOYMENT] group\n7852: [Earnings at LEL] must be zero if [NILETTER] is 'X'\n7853: [Earnings above LEL to PT] must be zero if [NILETTER] is 'X'\n7854: [Earnings above PT to UAP] must be zero if [NILETTER] is 'X'\n7855: [Earnings above UAP up to UEL] must be zero if [NILETTER] is 'X'\n7856: [QUESTIONSANDDECLARATIONS] should be present if [FINALSUBMISSIONCEASEDINDICATOR] is present\n7857: [QUESTIONSANDDECLARATIONS] should be present if [FINALSUBMISSIONFORYEARINDICATOR] is present\n7859: Must be valid against the Modulus Check\n7860: If [QUESTIONSANDDECLARATIONS] is present the following should be [FINALSUBMISSIONCEASEDINDICATOR] is present or [FINALSUBMISSIONFORYEARINDICATOR] is present\n7863: This must be 0.00 if [NILETTER] is 'X'.\n7864: This must be 0.00 if [NILETTER] is 'X'.\n7865: This must be 0.00 if [NILETTER] is 'X', 'C', or 'W'.\n7866: This must be 0.00 if [NILETTER] is 'X', 'C', or 'W'.\n7869: [NOPAYMENTDATEFROM] must be before [NOPAYMENTDATETO]\n7871: [PERIODOFINACTIVITY] must be less than or equal to 6 months.\n7872: [PERIODOFINACTIVITYFROM] must be before [PERIODOFINACTIVITYTO]\n7873: [PERIODOFINACTIVITYFROM] must be the start of the next tax month\n7874: [PERIODOFINACTIVITYTO] must be after the current date\n7875: [DATESCHEMECEASED] should be present if [FINALSUBMISSIONCEASEDINDICATOR] is present\n7876: [DATESCHEMECEASED] must not be in the future\n7877: At least one of [EMPLOYEE], [COMPRESSEDPART], [FINALSUBMISSION] or [QUESTIONSANDDECLARATIONS] must be submitted\n7878: If [STARTDATE] is present, at least one of [STARTINGDECLARATION], [INTENDTOSTAYOVER183DAYS], [INTENDTOSTAYLESSTHAN183DAYS], [INTENDTOWORKBOTHINANDOUTOFUK] must be present or [ANNUALAMOUNTOFPENSION] must be greater than zero\n7879: [STARTINGDECLARATION] is prohibited if both of [OCCPENIND] and [ANNUALAMOUNTOFPENSION] are present\n7880: [STARTINGDECLARATION] is prohibited if any of [INTENDTOSTAYOVER183DAYS], [INTENDTOSTAYLESSTHAN183DAYS], [INTENDTOWORKBOTHINANDOUTOFUK] are present.\n7881: [STARTINGDECLARATION] is mandatory if [STARTDATE] is present, unless any of [INTENDTOSTAYOVER183DAYS], [INTENDTOSTAYLESSTHAN183DAYS], [INTENDTOWORKBOTHINANDOUTOFUK] are present, or both [OCCPENIND] and [ANNUALAMOUNTOFPENSION] are present.\n7882: Must be valid against the UTR algorithm\n7883: If [TAXWKOFAPPTOFDIRECTOR] is present then [DIRECTORSNIC] must be present\n7884: If [EEACITIZEN] is present the following should be true: [INTENDTOSTAYLESSTHAN183DAYS] is present or [INTENDTOSTAYOVER183DAYS] is present or [INTENDTOWORKBOTHINANDOUTOFUK] is present\n7885: [TRIVIALCOMMUTATIONPAYMENTTYPE] should be unique within each [PAYMENT]\n7887: Must be valid against the Modulus Check\n7889: Must be the appropriate tax year for the schema year. E.G. 13-14 for RTI-2014 80, and 14-15 for RTI-2015\n7898: [UNIQUEPARTID] is mandatory if [NUMBEROFPARTS] > 1\n7905: [LEAVINGDATE] must be later than the start of the tax year (CY-6).\n7907: [DATEOFBIRTH] is mandatory if [PAYMENTTOANONINDIVIDUAL] is absent.\n7908: [ECON] is mandatory if any [NILETTER] is one of 'D', 'E', 'L', 'N', 'O'.\n7910: [NOPAYMENTDATEFROM] must be on or before the current date.\n7911: [NOPAYMENTDATETO] must be no later than the end of the current tax month - the 5th.\n7912: If [RECOVERABLEAMOUNTSYEARTODATE] is present, at least one of [SMPRECOVERED] or [OSPPRECOVERED] or [SAPRECOVERED] or [ASPPRECOVERED] or [NICCOMPENSATIONONSMP] or [NICCOMPENSATIONONOSPP] or [NICCOMPENSATIONONSAP] or [NICCOMPENSATIONONASPP] or [CISDEDUCTIONSSUFFERED] must be present.\n7913: On an EPS, at least one of [NOPAYMENTFORPERIOD], [PERIODOFINACTIVITY], [EMPLOYMENTALLOWANCEINDICATOR], [RECOVERABLEAMOUNTSYEARTODATE], [ACCOUNTINFORMATION] or [QUESTIONSANDDECLARATIONS] must be submitted.\n7914: [SCON] is mandatory if [NILETTER] is one of 'D', 'E', 'L', 'N', 'O'.\n7916: If [ANNUALAMOUNTOFPENSION] is present then [OCCPENIND] should be present.\n*/\n\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('loremIpsum', [function () {\n\treturn function (paragraphSize) {\n\n\t\tswitch (paragraphSize) {\n\t\t\tcase 'xs':\n\t\t\t\treturn 'Lorem ipsum dolor sit amet, consectetur adipiscing elit.';\n\t\t\tcase 'small':\n\t\t\t\treturn 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua.';\n\t\t\tcase 'medium':\n\t\t\t\treturn 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat.';\n\t\t\tcase 'long':\n\t\t\t\treturn 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.';\n\t\t\tdefault:\n\t\t\t\treturn 'Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua.';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('mailLogSummaries', ['config', '$filter', function (config, $filter) {\n\n\treturn function (mailLogSummaries) {\n\n\t\treturn mailLogSummaries.filter(function (mailLogSummary) {\n\n\t\t\tif (mailLogSummary.ContactExclude) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// If bounced can they be resent?\n\t\t\tmailLogSummary.AssessmentStatusCanResend \t= false;\n\t\t\tmailLogSummary.ComplianceFollowUpCanResend \t= false;\n\t\t\tmailLogSummary.PensionIntroductionCanResend = false;\n\t\t\tmailLogSummary.PostponementNoticeCanResend \t= false;\n\n\t\t\tif (mailLogSummary.AssessmentStatus.length) {\n\t\t\t\tmailLogSummary.AssessmentStatus = $filter('mailLogs')(mailLogSummary.AssessmentStatus);\n\n\t\t\t\tif (mailLogSummary.AssessmentStatus[0].MailBounced) {\n\t\t\t\t\tmailLogSummary.AssessmentStatusCanResend = true;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tif (mailLogSummary.ComplianceFollowUp.length) {\n\t\t\t\tmailLogSummary.ComplianceFollowUp = $filter('mailLogs')(mailLogSummary.ComplianceFollowUp);\n\n\t\t\t\tif (mailLogSummary.ComplianceFollowUp[0].MailBounced) {\n\t\t\t\t\tmailLogSummary.ComplianceFollowUpCanResend = true;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tif (mailLogSummary.PensionIntroduction.length) {\n\t\t\t\tmailLogSummary.PensionIntroduction = $filter('mailLogs')(mailLogSummary.PensionIntroduction);\n\n\t\t\t\tif (mailLogSummary.PensionIntroduction[0].MailBounced) {\n\t\t\t\t\tmailLogSummary.PensionIntroductionCanResend = true;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tif (mailLogSummary.PostponementNotice.length) {\n\t\t\t\tmailLogSummary.PostponementNotice = $filter('mailLogs')(mailLogSummary.PostponementNotice);\n\n\t\t\t\tif (mailLogSummary.PostponementNotice[0].MailBounced) {\n\t\t\t\t\tmailLogSummary.PostponementNoticeCanResend = true;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// nullable\n\t\t\tif (mailLogSummary.CeaseActiveMembershipNotice && mailLogSummary.CeaseActiveMembershipNotice.length) {\n\t\t\t\tmailLogSummary.CeaseActiveMembershipNotice = $filter('mailLogs')(mailLogSummary.CeaseActiveMembershipNotice);\n\t\t\t}\n\n\t\t\tif (mailLogSummary.OptOutNotice && mailLogSummary.OptOutNotice.length) {\n\t\t\t\tmailLogSummary.OptOutNotice = $filter('mailLogs')(mailLogSummary.OptOutNotice);\n\t\t\t}\n\n\t\t\tif (mailLogSummary.OptInJoinNotice && mailLogSummary.OptInJoinNotice.length) {\n\t\t\t\tmailLogSummary.OptInJoinNotice = $filter('mailLogs')(mailLogSummary.OptInJoinNotice);\n\t\t\t}\n\n\t\t\tif (mailLogSummary.ResumeActiveMembershipNotice && mailLogSummary.ResumeActiveMembershipNotice.length) {\n\t\t\t\tmailLogSummary.ResumeActiveMembershipNotice = $filter('mailLogs')(mailLogSummary.ResumeActiveMembershipNotice);\n\t\t\t}\n\n\t\t\treturn mailLogSummary;\n\t\t});\n\n\t};\n\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.filter('mailLog', function () {\n\n\treturn function (mailLog) {\n\n\t\tvar logDateTime = moment(mailLog.MailSentDateDisplay, 'YYYY-MM-DD[T]HH:mm:ss');\n\n\t\tmailLog.date \t\t\t= logDateTime.format('DD/MM/YYYY');\n\t\tmailLog.dateFromNow \t= logDateTime.fromNow();\n\t\tmailLog.time \t\t\t= logDateTime.format('HH:mm');\n\n\t\treturn mailLog;\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('mailLogs', ['$filter', function ($filter) {\n\n\treturn function (mailLogs) {\n\n\t\treturn mailLogs.filter(function (mailLog) {\n\n\t\t\treturn $filter('mailLog')(mailLog);\n\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('mailTemplate', ['MAIL_TYPES', function (MAIL_TYPES) {\n\n\treturn function (mailTemplate) {\n\n\t\tmailTemplate.canSendManually = false;\n\t\tmailTemplate.paycircleSendsAutomatically = false;\n\t\tmailTemplate.paycircleAutomaticDate = null; // staging-date, wp-notification-date, doc-deadline\n\n\t\tswitch (mailTemplate.MailTypeID) {\n\t\t\tcase MAIL_TYPES.pensionIntroduction: // Pension Introduction\n\t\t\t\tmailTemplate.canSendManually = true;\n\t\t\t\tmailTemplate.paycircleSendsAutomatically = true;\n\t\t\t\tmailTemplate.paycircleAutomaticDate = 'wp-notification-date';\n\t\t\t\tbreak;\n\t\t\tcase MAIL_TYPES.employeeGuide: // Employee Guide\n\t\t\t\tmailTemplate.paycircleSendsAutomatically = true;\n\t\t\t\tmailTemplate.paycircleAutomaticDate = 'wp-notification-date';\n\t\t\t\tbreak;\n\t\t\tcase MAIL_TYPES.postponementNotice: // Postponement Notice\n\t\t\t\tmailTemplate.paycircleSendsAutomatically = true;\n\t\t\t\tmailTemplate.paycircleAutomaticDate = 'wp-notification-date';\n\t\t\t\tbreak;\n\t\t\tcase MAIL_TYPES.assessmentStatus: // Assessment Status\n\t\t\t\tmailTemplate.paycircleSendsAutomatically = true;\n\t\t\t\tmailTemplate.paycircleAutomaticDate = 'wp-notification-date';\n\t\t\t\tbreak;\n\t\t\tcase MAIL_TYPES.complianceFollowUp: // Compliance Follow-up\n\t\t\t\tmailTemplate.paycircleSendsAutomatically = true;\n\t\t\t\tmailTemplate.paycircleAutomaticDate = 'wp-notification-date';\n\t\t\t\tbreak;\n\t\t}\n\n\t\treturn mailTemplate;\n\t};\n\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.filter('mentions', ['$filter', 'MENTION_OPTIONS', 'REGEX', function ($filter, MENTION_OPTIONS, REGEX) {\n\n\treturn function (string, theme) {\n\n\t\tconst mentionsArr = string.match(REGEX.mention);\n\n\t\tif (string.length > 0 && angular.isArray(mentionsArr)) {\n\n\t\t\ttheme = angular.isDefined(theme) ? theme : 'is-greyscale';\n\n\t \t\tfor (let mention of mentionsArr) {\n\n\t \t\t\tlet mentionHTML = mention.replace(MENTION_OPTIONS.bracketCharacter[0], `<${MENTION_OPTIONS.selectionElementType} class=\"${MENTION_OPTIONS.mentionClass} ${theme}\">`)\n\t \t\t\t\t\t\t\t\t\t .replace(MENTION_OPTIONS.bracketCharacter[1], `${MENTION_OPTIONS.selectionElementType}>`);\n\n\t \t\t\tstring = string.replace(mention, mentionHTML);\n\t\t\t}\n \t\t}\n\n\t\treturn $filter('emojify')(string);\n\t};\n}]);\n\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('nextBirthday', function () {\n\n\tvar currentYear \t\t= moment().format('YYYY');\n\tvar todayM \t\t\t\t= moment();\n\n\treturn function (dob) {\n\n\t\tvar dobThisYearM = moment(dob).year(currentYear);\n\n\t\tif (dobThisYearM.isBefore(todayM)) {\n\t\t\tdobThisYearM.add(1, 'year');\n\t\t}\n\n\t\treturn dobThisYearM.format();\n\t};\n\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('nineMax', function () {\n\n\treturn function (value) {\n\n\t\treturn value > 9 ? '9+' : value;\n\t};\n\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.filter('nmwCalculationMethod', [\n\t'NMW_CALCULATION_METHODS',\n\tfunction (\n\t\tNMW_CALCULATION_METHODS\n\t) {\n\n\t\treturn (nmwCalculationMethod) => {\n\n\t\t\tswitch (nmwCalculationMethod) {\n\t\t\t\tcase NMW_CALCULATION_METHODS.period:\n\t\t\t\t\treturn 'Pay period';\n\n\t\t\t\tcase NMW_CALCULATION_METHODS.annually:\n\t\t\t\t\treturn 'Annually';\n\t\t\t}\n\n\t\t\treturn 'Unknown NMW calculation method';\n\t\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('nmwWarning', ['$filter', 'NMW_CATEGORIES', function ($filter, NMW_CATEGORIES) {\n\n\treturn function (category, amount) {\n\n\t\tswitch (category) {\n\t\t\tcase NMW_CATEGORIES.over22:\n\t\t\t\treturn 'The National Living Wage for people over the age of 22 is ' + $filter('monetise')(amount);\n\t\t\tcase NMW_CATEGORIES.over21:\n\t\t\t\treturn 'The National Minimum Wage for people aged 21-22 is ' + $filter('monetise')(amount);\n\t\t\tcase NMW_CATEGORIES.over18:\n\t\t\t\treturn 'The National Minimum Wage for people aged 18-20 is ' + $filter('monetise')(amount);\n\t\t\tcase NMW_CATEGORIES.under18:\n\t\t\t\treturn 'The National Minimum Wage for people aged under 18 is ' + $filter('monetise')(amount);\n\t\t\tcase NMW_CATEGORIES.apprentice:\n\t\t\t\treturn 'The National Minimum Wage for an apprentice is ' + $filter('monetise')(amount);\n\t\t\tdefault:\n\t\t\t\treturn null;\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('p32EmailFrequency', ['P32_EMAIL_FREQUENCIES', function (P32_EMAIL_FREQUENCIES) {\n\treturn function (paymentFrequencyInt) {\n\n\t\tswitch (paymentFrequencyInt) {\n\t\t\tcase P32_EMAIL_FREQUENCIES.monthly:\n\t\t\t\treturn 'Monthly';\n\n\t\t\tcase P32_EMAIL_FREQUENCIES.quarterly:\n\t\t\t\treturn 'Quarterly';\n\n\t\t\tcase P32_EMAIL_FREQUENCIES.annually:\n\t\t\t\treturn 'Annually';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('payPeriodStateDescription', ['PAY_PERIOD_STATES', function (PAY_PERIOD_STATES) {\n\treturn function (payPeriodState) {\n\t\t\n\t\tswitch (payPeriodState) {\n\t\t\tcase PAY_PERIOD_STATES.dataCollection:\n\t\t\t\treturn 'Collect data';\n\t\t\tcase PAY_PERIOD_STATES.calculate:\n\t\t\t\treturn 'Calculate';\n\t\t\tcase PAY_PERIOD_STATES.approval:\n\t\t\t\treturn 'Approve';\n\t\t\tcase PAY_PERIOD_STATES.run:\n\t\t\t\treturn 'Run';\n\t\t\tcase PAY_PERIOD_STATES.closePeriod:\n\t\t\t\treturn 'Close period';\n\t\t}\n\t};\n}]);\n\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('payPeriodTypeDescription', ['PAY_PERIOD_TYPES', function (PAY_PERIOD_TYPES) {\n\n\treturn function (payPeriodType, context) {\n\n\t\t// Validation\n\t\tvar validContextValues = ['month', 'months', 'monthly'];\n\n\t\t// Default to first in list above\n\t\tcontext = context !== undefined ? context : validContextValues[0];\n\n\t\t// Validate\n\t\tif (!Number.isInteger(payPeriodType)) {\n\t\t\treturn console.error('Pay period type is not an integer.');\n\t\t}\n\n\t\tif (validContextValues.indexOf(context) === -1) {\n\t\t\tconsole.error('Pay period type description value is not valid. Either \"month\", \"months\", \"monthly\" are allowed. \"month\" used as default');\n\t\t\tcontext = 'a';\n\t\t}\n\n\t\t// Turn context string into key\n\t\tswitch (context) {\n\t\t\tcase 'month':\n\t\t\t\tcontext = 'a';\n\t\t\t\tbreak;\n\t\t\tcase 'months':\n\t\t\t\tcontext = 'b';\n\t\t\t\tbreak;\n\t\t\tcase 'monthly':\n\t\t\t\tcontext = 'c';\n\t\t\t\tbreak;\n\t\t}\n\n\t\tvar descriptions = {};\n\n\t\tswitch (payPeriodType) {\n\t\t\tcase PAY_PERIOD_TYPES.weekly:\n\t\t\t\tdescriptions = {\n\t\t\t\t\ta: 'week',\n\t\t\t\t\tb: 'weeks',\n\t\t\t\t\tc: 'weekly'\n\t\t\t\t};\n\t\t\t\tbreak;\n\t\t\tcase PAY_PERIOD_TYPES.fortnightly:\n\t\t\t\tdescriptions = {\n\t\t\t\t\ta: 'two weeks',\n\t\t\t\t\tb: 'two weeks',\n\t\t\t\t\tc: 'two weekly'\n\t\t\t\t};\n\t\t\t\tbreak;\n\t\t\tcase PAY_PERIOD_TYPES.fourweekly:\n\t\t\t\tdescriptions = {\n\t\t\t\t\ta: 'four weeks',\n\t\t\t\t\tb: 'four weeks',\n\t\t\t\t\tc: 'four weekly'\n\t\t\t\t};\n\t\t\t\tbreak;\n\t\t\tcase PAY_PERIOD_TYPES.quarterly:\n\t\t\t\tdescriptions = {\n\t\t\t\t\ta: 'quarter',\n\t\t\t\t\tb: 'quarters',\n\t\t\t\t\tc: 'quarterly'\n\t\t\t\t};\n\t\t\t\tbreak;\n\t\t\tcase PAY_PERIOD_TYPES.annually:\n\t\t\t\tdescriptions = {\n\t\t\t\t\ta: 'year',\n\t\t\t\t\tb: 'years',\n\t\t\t\t\tc: 'yearly'\n\t\t\t\t};\n\t\t\t\tbreak;\n\t\t\tcase PAY_PERIOD_TYPES.biannually:\n\t\t\t\tdescriptions = {\n\t\t\t\t\ta: 'biannual',\n\t\t\t\t\tb: 'biannual',\n\t\t\t\t\tc: 'biannually'\n\t\t\t\t};\n\t\t\t\tbreak;\n\t\t\tdefault:\n\t\t\t\tdescriptions = {\n\t\t\t\t\ta: 'month',\n\t\t\t\t\tb: 'months',\n\t\t\t\t\tc: 'monthly'\n\t\t\t\t};\n\t\t}\n\n\t\treturn descriptions[context];\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('payPeriodsMessage', ['$filter', 'config', 'PAY_PERIOD_TYPES', function($filter, config, PAY_PERIOD_TYPES) {\n\treturn function (string, periodDetails) {\n\n\t\tperiodDetails = angular.copy(periodDetails);\n\t\tvar periodStartDateISO = periodDetails.PeriodStartDateISO;\n\t\tvar payPeriodPayslipDisplayDay = periodDetails.PayPeriodPayslipDisplayDay; // Pay date\n\t\tvar payPeriodPayslipDay = periodDetails.PayPeriodPayslipDay; // Date to send pay notifications\n\t\tvar payPeriodType = periodDetails.PayPeriodType;\n\t\tvar payPeriodPayInArrears = periodDetails.PayPeriodPayInArrears; // Payroll processing date in arrears\n\t\tvar payPeriodPayslipDisplayDayInArrears = periodDetails.PayPeriodPayslipDisplayDayInArrears; // Pay date in arrears\n\t\tvar payPeriodPayslipDayInArrears = periodDetails.PayPeriodPayslipDayInArrears; // Date to send pay notifications in arrears\n\t\tvar specialOptions = periodDetails.specialOptions;\n\t\tvar payDate;\n\t\tvar payslipDate;\n\t\tvar lastDayOfWeek;\n\t\tvar stringOutput = [];\n\n\t\tif (!payPeriodPayslipDay || payPeriodPayslipDay === null) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Part 1\n\t\tif (periodDetails.hasRun) {\n\t\t\tstringOutput.push('Your next pay period will be');\n\t\t} else {\n\t\t\tstringOutput.push('Your first pay period will be');\n\t\t}\n\t\tvar periodStartDate = $filter('dateformat')(periodStartDateISO, 'dayFullMonth');\n\t\tvar periodEndDate = $filter('dateformat')($filter('period')(periodStartDateISO, payPeriodType), 'dayFullMonth');\n\t\tstringOutput.push('' + periodStartDate + ' - ' + periodEndDate + '');\n\t\tstringOutput.push('and the pay date will be');\n\n\t\tswitch (payPeriodType) {\n\t\t\tcase PAY_PERIOD_TYPES.monthly:\n\t\t\t\t// Part 2\n\t\t\t\tif (payPeriodPayslipDisplayDay >= -specialOptions && payPeriodPayslipDisplayDay < 0) {\n\t\t\t\t\tvar ptTwoPeriodStartDateISO = angular.copy(periodStartDateISO);\n\t\t\t\t\tif (payPeriodPayslipDisplayDayInArrears) {\n\t\t\t\t\t\tptTwoPeriodStartDateISO = moment(ptTwoPeriodStartDateISO).add(1, 'month').format(config.dateFormatISO);\n\t\t\t\t\t}\n\t\t\t\t\tswitch (payPeriodPayslipDisplayDay) {\n\t\t\t\t\t\tcase -5: // Last Thursday of the month\n\t\t\t\t\t\t\tlastDayOfWeek = moment(ptTwoPeriodStartDateISO).endOf('month').startOf('day');\n\t\t\t\t\t\t\tswitch (lastDayOfWeek.day()) {\n\t\t\t\t\t\t\t\tcase 5:\n\t\t\t\t\t\t\t\t\tpayDate = lastDayOfWeek;\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\tcase 6:\n\t\t\t\t\t\t\t\t\tpayDate = lastDayOfWeek.subtract(2, 'days');\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\tcase 5:\n\t\t\t\t\t\t\t\t\tpayDate = lastDayOfWeek.subtract(1, 'days');\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\tdefault:\n\t\t\t\t\t\t\t\t\tpayDate = lastDayOfWeek.subtract(lastDayOfWeek.day() + 3, 'days');\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\tcase -4: // Last Monday of the month\n\t\t\t\t\t\t\tpayDate = moment(ptTwoPeriodStartDateISO).endOf('month').startOf('isoweek');\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\tcase -3: // Last working day of the month\n\t\t\t\t\t\t\tlastDayOfWeek = moment(ptTwoPeriodStartDateISO).endOf('month');\n\t\t\t\t\t\t\tswitch (lastDayOfWeek.day()) {\n\t\t\t\t\t\t\t\tcase 0:\n\t\t\t\t\t\t\t\t\tpayDate = lastDayOfWeek.subtract(2, 'd');\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\tcase 6:\n\t\t\t\t\t\t\t\t\tpayDate = lastDayOfWeek.subtract(1, 'd');\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\tdefault:\n\t\t\t\t\t\t\t\t\tpayDate = lastDayOfWeek;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\tcase -2: // Last Friday of the month\n\t\t\t\t\t\t\tlastDayOfWeek = moment(ptTwoPeriodStartDateISO).endOf('month').startOf('day');\n\t\t\t\t\t\t\tswitch (lastDayOfWeek.day()) {\n\t\t\t\t\t\t\t\tcase 6:\n\t\t\t\t\t\t\t\t\tpayDate = lastDayOfWeek.subtract(1, 'days');\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\tcase 5:\n\t\t\t\t\t\t\t\t\tpayDate = lastDayOfWeek;\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\tdefault:\n\t\t\t\t\t\t\t\t\tpayDate = lastDayOfWeek.subtract(lastDayOfWeek.day() + 2, 'days');\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\tcase -1: // Last day of the month\n\t\t\t\t\t\t\tpayDate = moment(ptTwoPeriodStartDateISO).endOf('month');\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t}\n\t\t\t\t} else {\n\n\t\t\t\t\tpayDate = moment(periodStartDateISO).date(payPeriodPayslipDisplayDay);\n\t\t\t\t\tif (!payPeriodPayslipDisplayDayInArrears) {\n\t\t\t\t\t\tif (payDate.isBefore(periodStartDateISO)) {\n\t\t\t\t\t\t\tpayDate.add(1, 'M');\n\t\t\t\t\t\t}\n\t\t\t\t\t} else {\n\t\t\t\t\t\tif (payDate.isBefore(periodStartDateISO)) {\n\t\t\t\t\t\t\tpayDate.add(2, 'M');\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\tpayDate.add(1, 'M');\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\tstringOutput.push('' + $filter('dateformat')(payDate, 'dayFullMonth') + '.');\n\n\t\t\t\t// Part 3\n\t\t\t\tstringOutput.push('Pay notifications will be sent to your team on');\n\t\t\t\tif (payPeriodPayslipDay >= -specialOptions && payPeriodPayslipDay < 0) {\n\t\t\t\t\tvar ptThreePeriodStartDateISO = angular.copy(periodStartDateISO);\n\t\t\t\t\tif (payPeriodPayslipDayInArrears) {\n\t\t\t\t\t\tptThreePeriodStartDateISO = moment(ptThreePeriodStartDateISO).add(1, 'month').format(config.dateFormatISO);\n\t\t\t\t\t}\n\t\t\t\t\tswitch (payPeriodPayslipDay) {\n\t\t\t\t\t\tcase -5: // Last Thursday of the month\n\t\t\t\t\t\t\tlastDayOfWeek = moment(ptThreePeriodStartDateISO).endOf('month').startOf('day');\n\t\t\t\t\t\t\tswitch (lastDayOfWeek.day()) {\n\t\t\t\t\t\t\t\tcase 5:\n\t\t\t\t\t\t\t\t\tpayslipDate = lastDayOfWeek;\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\tcase 6:\n\t\t\t\t\t\t\t\t\tpayslipDate = lastDayOfWeek.subtract(2, 'days');\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\tcase 5:\n\t\t\t\t\t\t\t\t\tpayslipDate = lastDayOfWeek.subtract(1, 'days');\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\tdefault:\n\t\t\t\t\t\t\t\t\tpayslipDate = lastDayOfWeek.subtract(lastDayOfWeek.day() + 3, 'days');\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\tcase -4: // last monday of the month\n\t\t\t\t\t\t\tpayslipDate = moment(ptThreePeriodStartDateISO).endOf('month').startOf('isoweek');\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\tcase -3: // Last working day of the month\n\t\t\t\t\t\t\tlastDayOfWeek = moment(ptThreePeriodStartDateISO).endOf('month');\n\t\t\t\t\t\t\tswitch (lastDayOfWeek.day()) {\n\t\t\t\t\t\t\t\tcase 0:\n\t\t\t\t\t\t\t\t\tpayslipDate = lastDayOfWeek.subtract(2, 'd');\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\tcase 6:\n\t\t\t\t\t\t\t\t\tpayslipDate = lastDayOfWeek.subtract(1, 'd');\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\tdefault:\n\t\t\t\t\t\t\t\t\tpayslipDate = lastDayOfWeek;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\tcase -2: // Last Friday of the month\n\t\t\t\t\t\t\tlastDayOfWeek = moment(ptThreePeriodStartDateISO).endOf('month').startOf('day');\n\t\t\t\t\t\t\tswitch (lastDayOfWeek.day()) {\n\t\t\t\t\t\t\t\tcase 6:\n\t\t\t\t\t\t\t\t\tpayslipDate = lastDayOfWeek.subtract(1, 'days');\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\tcase 5:\n\t\t\t\t\t\t\t\t\tpayslipDate = lastDayOfWeek;\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\tdefault:\n\t\t\t\t\t\t\t\t\tpayslipDate = lastDayOfWeek.subtract(lastDayOfWeek.day() + 2, 'days');\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\tcase -1: // Last day of the mont\n\t\t\t\t\t\t\tpayslipDate = moment(ptThreePeriodStartDateISO).endOf('month');\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t}\n\t\t\t\t} else {\n\t\t\t\t\tpayslipDate = moment(periodStartDateISO).date(payPeriodPayslipDay);\n\t\t\t\t\tif (payslipDate.isBefore(periodStartDateISO)) {\n\t\t\t\t\t\tpayslipDate.add(1, 'M');\n\t\t\t\t\t}\n\t\t\t\t\tif (payPeriodPayInArrears || payPeriodPayslipDayInArrears) {\n\t\t\t\t\t\tpayslipDate.add(1, 'M');\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\tstringOutput.push('' + $filter('dateformat')(payslipDate, 'dayFullMonth') + '.');\n\n\t\t\t\treturn stringOutput.join().replace(/,/g,' ');\n\n\t\t\tcase PAY_PERIOD_TYPES.weekly:\n\n\t\t\t\t// Part 2\n\t\t\t\tpayPeriodPayslipDisplayDay = payPeriodPayslipDisplayDay === 0 ? 7 : payPeriodPayslipDisplayDay;\n\t\t\t\tpayDate = moment(periodStartDateISO).day(payPeriodPayslipDisplayDay);\n\t\t\t\tif (!payPeriodPayslipDisplayDayInArrears) {\n\t\t\t\t\tif (payDate.isBefore(periodStartDateISO)) {\n\t\t\t\t\t\tpayDate.add(1, 'w');\n\t\t\t\t\t}\n\t\t\t\t} else {\n\t\t\t\t\tif (payDate.isBefore(periodStartDateISO)) {\n\t\t\t\t\t\tpayDate.add(2, 'w');\n\t\t\t\t\t} else {\n\t\t\t\t\t\tpayDate.add(1, 'w');\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\tstringOutput.push('' + $filter('dateformat')(payDate, 'dayFullMonth') + '.');\n\n\t\t\t\t// Part 3\n\t\t\t\tstringOutput.push('Pay notifications will be sent to your team on');\n\t\t\t\tpayslipDate = moment(periodStartDateISO).day(payPeriodPayslipDay);\n\t\t\t\tif (payslipDate.isBefore(periodStartDateISO)) {\n\t\t\t\t\tpayslipDate.add(1, 'w');\n\t\t\t\t}\n\t\t\t\tif (payPeriodPayInArrears || payPeriodPayslipDayInArrears) {\n\t\t\t\t\tpayslipDate.add(1, 'w');\n\t\t\t\t}\n\t\t\t\tstringOutput.push('' + $filter('dateformat')(payslipDate, 'dayFullMonth') + '.');\n\n\t\t\t\treturn stringOutput.join().replace(/,/g,' ');\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('paymentOptionDescription', ['utilities', 'PAY_DATE_OPTIONS', 'PAY_PERIOD_TYPES', function (utilities, PAY_DATE_OPTIONS, PAY_PERIOD_TYPES) {\n\n\tfunction getPaymentOptionsByPayPeriodType (payPeriodType) {\n\n\t\tswitch (payPeriodType) {\n\t\t\tcase PAY_PERIOD_TYPES.weekly:\n\t\t\t\treturn PAY_DATE_OPTIONS.weekly;\n\t\t\tcase PAY_PERIOD_TYPES.fortnightly:\n\t\t\t\treturn PAY_DATE_OPTIONS.twoweekly;\n\t\t\tcase PAY_PERIOD_TYPES.fourweekly:\n\t\t\t\treturn PAY_DATE_OPTIONS.fourweekly;\n\t\t\tcase PAY_PERIOD_TYPES.monthly:\n\t\t\t\treturn PAY_DATE_OPTIONS.monthly;\n\t\t\tcase PAY_PERIOD_TYPES.quarterly:\n\t\t\t\treturn PAY_DATE_OPTIONS.quarterly;\n\t\t\tcase PAY_PERIOD_TYPES.annually:\n\t\t\t\treturn PAY_DATE_OPTIONS.annually;\n\t\t}\n\n\t\treturn null;\n\t}\n\n\treturn function (payPeriodType, paymentOptionValue) {\n\n\t\tvar paymentOptions = getPaymentOptionsByPayPeriodType(payPeriodType);\n\n\t\tif (!paymentOptions) {\n\t\t\treturn 'unknown';\n\t\t}\n\n\t\tvar paymentOptionObj = utilities.getArrayItemByPropertyName(paymentOptions, 'id', paymentOptionValue);\n\t\t\n\t\treturn paymentOptionObj.name;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('paymentScheduleTypeIcon', ['REPAYMENT_SCHEDULE_TYPES', function (REPAYMENT_SCHEDULE_TYPES) {\n\treturn function (paymentScheduleTypeId, defaultValue) {\n\n\t\tswitch (paymentScheduleTypeId) {\n\t\t\tcase REPAYMENT_SCHEDULE_TYPES.carBenefitInKind:\n\t\t\t\treturn 'company-vehicle';\n\t\t\tcase REPAYMENT_SCHEDULE_TYPES.healthcare:\n\t\t\t\treturn 'healthcare';\n\t\t\tcase REPAYMENT_SCHEDULE_TYPES.companyLoan:\n\t\t\t\treturn 'company';\n\t\t\tcase REPAYMENT_SCHEDULE_TYPES.cycleToWorkScheme:\n\t\t\t\treturn 'cycle-to-work';\n\t\t\tcase REPAYMENT_SCHEDULE_TYPES.healthcare:\n\t\t\t\treturn 'healthcare';\n\t\t\tcase REPAYMENT_SCHEDULE_TYPES.childcareVouchers:\n\t\t\tcase REPAYMENT_SCHEDULE_TYPES.maternityPay:\n\t\t\tcase REPAYMENT_SCHEDULE_TYPES.occupationalMaternityPay:\n\t\t\tcase REPAYMENT_SCHEDULE_TYPES.occupationalPaternityPay:\n\t\t\tcase REPAYMENT_SCHEDULE_TYPES.paternityPay:\n\t\t\t\treturn 'maternity';\n\t\t\tcase REPAYMENT_SCHEDULE_TYPES.seasonTicketLoan:\n\t\t\t\treturn 'season-ticket';\n\t\t\tcase REPAYMENT_SCHEDULE_TYPES.occupationalSickPay:\n\t\t\tcase REPAYMENT_SCHEDULE_TYPES.sickPay:\n\t\t\t\treturn 'sick';\n\t\t\tdefault:\n\t\t\t\treturn angular.isDefined(defaultValue) ? defaultValue : 'question-mark';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('paymentState', ['PAYMENT_STATES', function (PAYMENT_STATES) {\n\treturn function (paymentState, responseType) {\n\n\t\t/* Description */\n\t\tfunction getPaymentStateDescription () {\n\n\t\t\tswitch (paymentState) {\n\t\t\t\tcase PAYMENT_STATES.scheduled:\n\t\t\t\t\treturn 'Scheduled';\n\t\t\t\tcase PAYMENT_STATES.payingOut:\n\t\t\t\t\treturn 'Paying Out';\n\t\t\t\tcase PAYMENT_STATES.paid:\n\t\t\t\t\treturn 'Paid';\n\t\t\t\tcase PAYMENT_STATES.resubmitted:\n\t\t\t\t\treturn 'Resubmitted';\n\t\t\t\tcase PAYMENT_STATES.refunded:\n\t\t\t\t\treturn 'Refunded';\n\t\t\t\tcase PAYMENT_STATES.freePeriod:\n\t\t\t\t\treturn 'Free';\n\t\t\t\tcase PAYMENT_STATES.estimate:\n\t\t\t\t\treturn 'Estimated';\n\t\t\t\tcase PAYMENT_STATES.pending:\n\t\t\t\t\treturn 'Pending';\n\t\t\t\tcase PAYMENT_STATES.refundCancelled:\n\t\t\t\t\treturn 'Refund Cancelled';\n\t\t\t\tcase PAYMENT_STATES.cancelled:\n\t\t\t\t\treturn 'Cancelled';\n\t\t\t\tcase PAYMENT_STATES.failed:\n\t\t\t\t\treturn 'Failed';\n\t\t\t\tdefault:\n\t\t\t\t\treturn 'Unknown';\n\t\t\t}\n\t\t}\n\n\t\t/* Emoji */\n\t\tfunction getPaymentStateEmoji () {\n\n\t\t\tswitch (paymentState) {\n\t\t\t\tcase PAYMENT_STATES.failed:\n\t\t\t\t\treturn '😩';\n\t\t\t}\n\t\t}\n\n\t\t/* Tag */\n\t\tfunction getPaymentStateTag () {\n\n\t\t\tswitch (paymentState) {\n\t\t\t\tcase PAYMENT_STATES.refundCancelled:\n\t\t\t\tcase PAYMENT_STATES.cancelled:\n\t\t\t\tcase PAYMENT_STATES.failed:\n\t\t\t\t\treturn 'inverse';\n\t\t\t}\n\t\t}\n\n\t\t/* Theme */\n\t\tfunction getPaymentStateTheme () {\n\n\t\t\tswitch (paymentState) {\n\t\t\t\tcase PAYMENT_STATES.scheduled:\n\t\t\t\tcase PAYMENT_STATES.payingOut:\n\t\t\t\tcase PAYMENT_STATES.paid:\n\t\t\t\tcase PAYMENT_STATES.resubmitted:\n\t\t\t\tcase PAYMENT_STATES.refunded:\n\t\t\t\tcase PAYMENT_STATES.freePeriod:\n\t\t\t\tcase PAYMENT_STATES.estimate:\n\t\t\t\t\treturn 'positive';\n\t\t\t\tcase PAYMENT_STATES.pending:\n\t\t\t\t\treturn 'indifferent';\n\t\t\t\tcase PAYMENT_STATES.refundCancelled:\n\t\t\t\tcase PAYMENT_STATES.cancelled:\n\t\t\t\tcase PAYMENT_STATES.failed:\n\t\t\t\t\treturn 'assertive';\n\t\t\t}\n\t\t}\n\n\t\tswitch (responseType) {\n\t\t\tcase 'emoji':\n\t\t\t\treturn getPaymentStateEmoji();\n\t\t\tcase 'tag':\n\t\t\t\treturn getPaymentStateTag();\n\t\t\tcase 'theme':\n\t\t\t\treturn getPaymentStateTheme();\n\t\t\tdefault:\n\t\t\t\treturn getPaymentStateDescription();\n\t\t}\n\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('paymentTypeDescription', ['PAYMENT_TYPES', function (PAYMENT_TYPES) {\n\treturn function (paymentType) {\n\n\t\tswitch (paymentType) {\n\t\t\tcase PAYMENT_TYPES.salary:\n\t\t\t\treturn 'Full Time';\n\t\t\tcase PAYMENT_TYPES.hourly:\n\t\t\t\treturn 'Hourly Pay';\n\t\t\tcase PAYMENT_TYPES.net:\n\t\t\t\treturn 'Net Pay';\n\t\t\tcase PAYMENT_TYPES.variable:\n\t\t\t\treturn 'Part Time';\n\t\t}\n\n\t\treturn 'Unknown payment type';\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('payslipSortByDescription', [\n\t'PAYSLIP_SORT_BY_OPTIONS',\n\tfunction (\n\t\tPAYSLIP_SORT_BY_OPTIONS\n\t) {\n\n\treturn function (sortByKey) {\n\n\t\tconst sortByDescriptionObj = PAYSLIP_SORT_BY_OPTIONS.find(sortByOption => sortByOption.id === sortByKey);\n\n\t\tif (!angular.isObject(sortByDescriptionObj)) {\n\t\t\tthrow('payslipSortByDescription: Unable to match sort by ID');\n\t\t}\n\n\t\treturn sortByDescriptionObj.name;\n\t};\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.filter('pensionStateClass', ['PENSION_ENROLMENT_STATES', function (PENSION_ENROLMENT_STATES) {\n\n\treturn function (pensionState) {\n\n\t\tswitch (pensionState) {\n\t\t\tcase PENSION_ENROLMENT_STATES.canJoin:\n\t\t\tcase PENSION_ENROLMENT_STATES.canOptIn:\n\t\t\tcase PENSION_ENROLMENT_STATES.willBeEnrolled:\n\t\t\t\treturn 'primary';\n\n\t\t\tcase PENSION_ENROLMENT_STATES.others:\n\t\t\tcase PENSION_ENROLMENT_STATES.voluntary:\n\t\t\tcase PENSION_ENROLMENT_STATES.optedIn:\n\t\t\tcase PENSION_ENROLMENT_STATES.joined:\n\t\t\tcase PENSION_ENROLMENT_STATES.enrolled:\n\t\t\t\treturn 'secondary';\n\n\t\t\tcase PENSION_ENROLMENT_STATES.eligible:\n\t\t\t\treturn 'tertiary inverse';\n\n\t\t\tcase PENSION_ENROLMENT_STATES.optedOut:\n\t\t\tcase PENSION_ENROLMENT_STATES.ceased:\n\t\t\t\treturn 'assertive';\n\n\t\t\tcase PENSION_ENROLMENT_STATES.reAssessment:\n\t\t\t\treturn 'indifferent-lighter';\n\n\t\t\tcase PENSION_ENROLMENT_STATES.excluded:\n\t\t\tcase PENSION_ENROLMENT_STATES.aboveAgeLimit:\n\t\t\tcase PENSION_ENROLMENT_STATES.notAssessed:\n\t\t\tcase PENSION_ENROLMENT_STATES.postponed:\n\t\t\t\treturn 'greyscale';\n\t\t}\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('permissionRole', ['PERMISSION_ROLES', function (PERMISSION_ROLES) {\n\treturn function (permissionRoleValue) {\n\t\treturn PERMISSION_ROLES[permissionRoleValue];\n\t};\n}]);\n'use strict';\n\n/**\n* @ngdoc filter\n* @name paycircleApp.filter:permissions\n* @function\n* @description Converts permission integer values into specific action flags\n* # permissions\n* Filter in the paycircleApp.\n*/\nangular.module('paycircleApp')\n.filter('permissions', ['PERMISSION_ACTIONS', function (PERMISSION_ACTIONS) {\n\n\treturn function (permissionsObj) {\n\n\t\t// No permissions assigned\n\t\tif (permissionsObj === undefined) {\n\t\t\treturn null;\n\t\t}\n\n\t\tconst permissionActionsObj = angular.copy(PERMISSION_ACTIONS);\n\n\t\tangular.extend(permissionActionsObj, {\n\t\t\tisPayrollVisible: permissionsObj.Payroll !== -1,\n\t\t\tisPensionVisible: permissionsObj.Pension !== -1,\n\t\t\tisHistoryVisible: permissionsObj.History !== -1,\n\t\t\tisTeamVisible: permissionsObj.Team !== -1,\n\t\t\tisReportingVisible: permissionsObj.Reports !== -1,\n\t\t\tisAdminVisible: permissionsObj.Admin !== -1,\n\t\t\tisCompanySettingsVisible: permissionsObj.CompanySettings !== -1,\n\t\t\tisHRVisible: permissionsObj.HR !== -1\n\t\t});\n\n\t\t// Loop over permission groups\n\t\tfor (let permissionGroupObj in permissionActionsObj) {\n\n\t\t\t// Skip loop if the property is from prototype\n\t\t\tif (!permissionActionsObj.hasOwnProperty(permissionGroupObj)) {\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\tlet permissionActionsGroupsArr = permissionActionsObj[permissionGroupObj];\n\n\t\t\t// Loop over permission actions\n\t\t\tfor (let permissionActionObj in permissionActionsGroupsArr) {\n\n\t\t\t\t// Skip loop if the property is from prototype\n\t\t\t\tif (!permissionActionsGroupsArr.hasOwnProperty(permissionActionObj)) {\n\t\t\t\t\tcontinue;\n\t\t\t\t}\n\n\t\t\t\tconst permissionActionsValue = angular.copy(permissionActionsGroupsArr[permissionActionObj]);\n\t\t\t\tconst permissionActionValueBit = permissionActionsGroupsArr[permissionActionObj].toString();\n\t\t\t\tconst permissionGroupValueBit = permissionsObj[permissionGroupObj].toString();\n\n\t\t\t\t// Any values below 0 have no permission\n\t\t\t\tif (permissionsObj[permissionGroupObj] <= 0) {\n\t\t\t\t\tpermissionActionsGroupsArr[permissionActionObj] = false;\n\t\t\t\t\tcontinue;\n\t\t\t\t}\n\n\t\t\t\t// Update integer value to boolean\n\t\t\t\t/* jshint eqeqeq:false */\n\t\t\t\tpermissionActionsGroupsArr[permissionActionObj] = permissionActionsValue == (permissionActionValueBit & permissionGroupValueBit);\n\t\t\t\t/* jshint eqeqeq:true */\n\t\t\t}\n\t\t}\n\n\t\treturn permissionActionsObj;\n\t};\n\n}]);\n\n'use strict';\n\n/**\n * @name paycircleApp.filter:personalise\n * @description A function which accepts a gender and returns a personalised description, e.g. 'he', 'his', 'himself'.\n * \t\t\t\tThis will be returned with Title case if the context is presented in Title case.\n */\nangular.module('paycircleApp')\n.filter('personalise', ['utilities', function (utilities) {\n\treturn function (gender, context) {\n\n\t\t// Validation\n\t\tconst validContextValues = ['a', 'b', 'c', 'd', 'he', 'she', 'his', 'her', 'himself', 'herself', 'him'];\n\n\t\t// Default to 'a'\n\t\tcontext = context !== undefined ? context : 'a';\n\n\t\t// Keep hold of capitalisation before lowercasing context to allow case-insensitive switch below\n\t\tconst isTitleCase = context.charAt(0) === context.charAt(0).toUpperCase();\n\t\tcontext = context.toLowerCase();\n\n\t\t// Allow use of 'he', 'his', 'himself' & 'him'\n\t\tswitch (context) {\n\t\t\tcase 'he':\n\t\t\tcase 'she':\n\t\t\t\tcontext = 'a';\n\t\t\t\tbreak;\n\t\t\tcase 'his':\n\t\t\tcase 'her':\n\t\t\t\tcontext = 'b';\n\t\t\t\tbreak;\n\t\t\tcase 'herself':\n\t\t\tcase 'himself':\n\t\t\t\tcontext = 'c';\n\t\t\t\tbreak;\n\t\t\tcase 'him':\n\t\t\t\tcontext = 'd';\n\t\t\t\tbreak;\n\t\t}\n\n\t\t// Validate\n\t\tif (validContextValues.indexOf(context) === -1) {\n\t\t\tconsole.error('Personalisation context value is not valid. Either \"a\", \"b\", \"c\", \"d\", \"he\", \"his\", \"himself\", \"him\" are allowed. \"a\" used as default');\n\t\t\tcontext = 'a';\n\t\t}\n\n\t\t/*\n\t\ta: they, he, she\n\t\tb: their, his, her\n\t\tc: theirself, himself, herself\n\t\td: them, him, her\n\t\t*/\n\t\tconst personalisation = {\n\t\t\ta: 'they',\n\t\t\tb: 'their',\n\t\t\tc: 'themselves',\n\t\t\td: 'them'\n\t\t};\n\n\t\t// Male\n\t\tif (utilities.isMale(gender)) {\n\t\t\tpersonalisation.a = 'he';\n\t\t\tpersonalisation.b = 'his';\n\t\t\tpersonalisation.c = 'himself';\n\t\t\tpersonalisation.d = 'him';\n\t\t}\n\n\t\t// Female\n\t\telse if (utilities.isFemale(gender)) {\n\t\t\tpersonalisation.a = 'she';\n\t\t\tpersonalisation.b = 'her';\n\t\t\tpersonalisation.c = 'herself';\n\t\t\tpersonalisation.d = 'her';\n\t\t}\n\n\t\t// Capitalise the first letter if that's how the context has been presented\n\t\tif (isTitleCase) {\n\t\t\tObject.keys(personalisation).forEach(key => {\n\t\t\t\tpersonalisation[key] = personalisation[key].charAt(0).toUpperCase() + personalisation[key].substr(1);\n\t\t\t});\n\t\t}\n\n\t\treturn personalisation[context];\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('prettifyRole', ['USER_ROLES', function (USER_ROLES) {\n\n\treturn function (role) {\n\n\t\tswitch (USER_ROLES[role]) {\n\t\t\tcase USER_ROLES.bureau:\n\t\t\t\treturn 'Super User';\n\t\t\tcase USER_ROLES.bureaumanager:\n\t\t\t\treturn 'Team Member';\n\t\t\tcase USER_ROLES.groupadmin:\n\t\t\tcase USER_ROLES.groupuser:\n\t\t\t\treturn 'Group Admin';\n\t\t\tcase USER_ROLES.groupadminlite:\n\t\t\t\treturn 'Group Admin lite';\n\t\t\tcase USER_ROLES.companyadministrator:\n\t\t\tcase USER_ROLES.companyadmin:\n\t\t\tcase USER_ROLES.sme:\n\t\t\t\treturn 'Company Admin';\n\t\t\tcase USER_ROLES.companyadministratorlite:\n\t\t\t\treturn 'Company Admin Lite';\n\t\t\tcase USER_ROLES.departmentadmin:\n\t\t\t\treturn 'Department admin';\n\n\t\t\tcase USER_ROLES.optimalcompliance:\n\t\t\t\treturn 'Optimal Compliance';\n\t\t\tcase USER_ROLES.payrollworker:\n\t\t\t\treturn 'Employee';\n\t\t\tcase USER_ROLES.paycircle:\n\t\t\t\treturn 'Paycircle';\n\t\t\tdefault:\n\t\t\t\treturn role;\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\t.filter('removeUsedItemsById', function () {\n\n\t\treturn function (\n\t\t\toptionsArr,\n\t\t\tobjectsToCheckArr,\n\t\t\tobjectProperty,\n\t\t\tcurrentValue\n\t\t) {\n\n\t\t\t// Returns array of options - Filtering out any that appear in existing objects more than once, unless item is the current value\n\n\t\t\tfunction getUsedOptions () {\n\n\t\t\t\tconst returnArr = [];\n\n\t\t\t\tfor (let object of objectsToCheckArr) {\n\n\t\t\t\t\t// Initial value is null, don't include that in this array\n\t\t\t\t\tif (object[objectProperty]) {\n\t\t\t\t\t\treturnArr.push(object[objectProperty]);\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\treturn returnArr;\n\t\t\t}\n\n\t\t\tfunction getApplicableOptions () {\n\n\t\t\t\tfunction filterOutUsedOptions (option) {\n\n\t\t\t\t\t// Can only select the option onnce\n\t\t\t\t\tconst isOptionNotAlreadyUsed = !usedOptionsArr.includes(option);\n\n\t\t\t\t\t// Keep the current value in the array as it would be removed from the dropdown otherwise\n\t\t\t\t\tconst isOptionCurrentValue = option === currentValue;\n\n\t\t\t\t\treturn isOptionNotAlreadyUsed || isOptionCurrentValue;\n\t\t\t\t}\n\n\t\t\t\tconst usedOptionsArr = getUsedOptions();\n\n\t\t\t\treturn optionsArr.filter(filterOutUsedOptions);\n\t\t\t}\n\n\t\t\treturn getApplicableOptions();\n\t\t};\n\t});\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('reportCategories', [\n\t'$rootScope',\n\t'REPORT_CLASSIC_CATEGORY_IDS',\n\tfunction\n\t(\n\t\t$rootScope,\n\t\tREPORT_CLASSIC_CATEGORY_IDS\n\t) {\n\n\treturn function (reportsArr, filterKey) {\n\n\t\tfunction isReportCertainCategory (reportObj, reportCategory) {\n\n\t\t\tif (angular.isArray(reportCategory)) {\n\t\t\t\treturn reportCategory.includes(reportObj.ReportTemplate.Category.ReportTemplateCategoryID);\n\n\t\t\t} else {\n\t\t\t\treturn reportObj.ReportTemplate.Category.ReportTemplateCategoryID === reportCategory;\n\t\t\t}\n\t\t}\n\n\t\tconst isCustomOrFilteredClassicReport = (reportObj, filterExp) => !reportObj.ReportTemplate.IsClassicReport || (reportObj.ReportTemplate.IsClassicReport && filterExp);\n\n\t\tconst isCostingsReport = reportObj => isURLDownloadReport(reportObj) && isReportCertainCategory(reportObj, REPORT_CLASSIC_CATEGORY_IDS.payrollSummary);\n\n\t\tconst isP32Report = reportObj => isURLDownloadReport(reportObj) && isReportCertainCategory(reportObj, REPORT_CLASSIC_CATEGORY_IDS.p32Report);\n\n\t\tconst isP60Report = reportObj => isReportCertainCategory(reportObj, REPORT_CLASSIC_CATEGORY_IDS.p60);\n\n\t\tconst isPayDashboardReport = reportObj => isReportCertainCategory(reportObj, REPORT_CLASSIC_CATEGORY_IDS.payDashboard);\n\n\t\tconst isPayslipReport = reportObj => isReportCertainCategory(reportObj, [REPORT_CLASSIC_CATEGORY_IDS.payslip, REPORT_CLASSIC_CATEGORY_IDS.cisStatement]);\n\n\t\tconst isPensionReport = reportObj => isURLDownloadReport(reportObj) && isReportCertainCategory(reportObj, [REPORT_CLASSIC_CATEGORY_IDS.pensionReport, REPORT_CLASSIC_CATEGORY_IDS.pensionPAPDIS]);\n\n\t\tconst isPeriodDownloadReport = reportObj => isCustomOrFilteredClassicReport(reportObj, !isPayslipReport(reportObj) && (reportObj.CanView || reportObj.CanDownload));\n\n\t\tconst isURLDownloadReport = reportObj => reportObj.CanDownload;\n\n\t\tconst isPreviousPeriodDownloadReport = reportObj => isCustomOrFilteredClassicReport(reportObj, (isReportCertainCategory(reportObj, [REPORT_CLASSIC_CATEGORY_IDS.payrollSummary, REPORT_CLASSIC_CATEGORY_IDS.pensionReport]) && isPeriodDownloadReport(reportObj)));\n\n\t\tswitch (filterKey) {\n\t\t\tcase 'costings-url':\n\t\t\t\treturn reportsArr.filter(isCostingsReport);\n\t\t\tcase 'downloads':\n\t\t\t\treturn reportsArr.filter(isPeriodDownloadReport);\n\t\t\tcase 'downloads-minimum':\n\t\t\t\treturn reportsArr.filter(isPreviousPeriodDownloadReport);\n\t\t\tcase 'p32-url':\n\t\t\t\treturn reportsArr.filter(isP32Report);\n\t\t\tcase 'p60':\n\t\t\t\treturn reportsArr.filter(isP60Report);\n\t\t\tcase 'pay-dashboard':\n\t\t\t\treturn reportsArr.filter(isPayDashboardReport);\n\t\t\tcase 'payslip':\n\t\t\t\treturn reportsArr.filter(isPayslipReport);\n\t\t\tcase 'pension-url':\n\t\t\t\treturn reportsArr.filter(isPensionReport);\n\t\t\tdefault:\n\t\t\t\t$rootScope.paycircleMessage('Report types: Missing filter key');\n\t\t\t\treturn reportsArr;\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('reportFilterPeriodDisplay', [\n\t'$filter',\n\t'reportsService',\n\t'REPORT_PERIOD_OPTION_TYPE',\n\tfunction (\n\t\t$filter,\n\t\treportsService,\n\t\tREPORT_PERIOD_OPTION_TYPE\n\t) {\n\n\treturn function (activePeriodOptionObj, reportRequestObj, reportRequestOptionsObj) {\n\n\t\tconst SPACER = ' ';\n\n\t\tfunction getDateFromFromValue (value) {\n\t\t\treturn $filter('dateformat')(value, 'dayMonthYear');\n\t\t}\n\n\t\tfunction getItemNameFromValue (itemsArr, value) {\n\t\t\treturn reportsService.getReportRequestOptionsValueFromTypeOption(itemsArr, value).Name;\n\t\t}\n\n\t\tfunction getMessageForActivePeriodKey () {\n\n\t\t\tconst reportRequestOptionsActivePeriodOptionObj = reportsService.getReportRequestOptionsTypeOptionForKey(reportRequestOptionsObj.PeriodOptions, activePeriodOptionObj.Key);\n\n\t\t\tswitch (reportRequestOptionsActivePeriodOptionObj.Type) {\n\n\t\t\t\t// Single Dropdown List\n\t\t\t\tcase REPORT_PERIOD_OPTION_TYPE.singleDropDownList:\n\t\t\t\t\treturn getMessageForSingleDropdown(reportRequestOptionsActivePeriodOptionObj.Items);\n\n\t\t\t\t// Range Dropdown List\n\t\t\t\tcase REPORT_PERIOD_OPTION_TYPE.rangeDropDownLists:\n\t\t\t\t\treturn getMessageForRangeDropdown(reportRequestOptionsActivePeriodOptionObj.Items);\n\n\t\t\t\t// Date Range\n\t\t\t\tcase REPORT_PERIOD_OPTION_TYPE.rangeCalendarDatePickers:\n\t\t\t\t\treturn getMessageForDateRange();\n\t\t\t}\n\t\t}\n\n\t\tfunction getMessageForDateRange () {\n\n\t\t\tconst firstValue = activePeriodOptionObj.Values[0];\n\t\t\tconst secondValue = activePeriodOptionObj.Values[1];\n\n\t\t\t// \"1 Dec 2021 → 25 Jan 2022\"\n\t\t\treturn getDateFromFromValue(firstValue) + SPACER + getDateFromFromValue(secondValue);\n\t\t}\n\n\t\tfunction getMessageForRangeDropdown (itemsArr) {\n\n\t\t\tconst firstValue = activePeriodOptionObj.Values[0];\n\t\t\tconst secondValue = activePeriodOptionObj.Values[1];\n\n\t\t\t// \"December 2021 → January 2022\"\n\t\t\treturn getItemNameFromValue(itemsArr, firstValue) + SPACER + getItemNameFromValue(itemsArr, secondValue);\n\t\t}\n\n\t\tfunction getMessageForSingleDropdown (itemsArr) {\n\n\t\t\t// \"December 2021\"\n\t\t\tlet message = getItemNameFromValue(itemsArr, activePeriodOptionObj.Value);\n\n\t\t\t// Comparison Report\n\t\t\tif (reportRequestOptionsObj.comparisonReportCurrentPeriod) {\n\n\t\t\t\t// \"December 2021 → January 2022\"\n\t\t\t\tmessage += SPACER + reportRequestOptionsObj.comparisonReportCurrentPeriod.Name;\n\t\t\t}\n\n\t\t\treturn message;\n\t\t}\n\n\t\t// Parse as HTML to include arrow icon\n\t\treturn getMessageForActivePeriodKey();\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('reportFilterValueDisplay', [\n\t'reportsService',\n\tfunction (\n\t\treportsService\n\t) {\n\n\treturn function (reportRequestOptionsOptionObj, reportRequestOptionObj) {\n\t\treturn reportsService.getReportRequestOptionsValueFromTypeOption(reportRequestOptionsOptionObj.Items, reportRequestOptionObj.Value).Name;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('reportFilterGroupClauseCount', [function () {\n\n\treturn function (reportTemplateFilterGroupObj) {\n\n\t\t// Return count of child clauses in filter group\n\n\t\tlet clauseCount = 0;\n\n\t\tfunction countChildClauses (reportFilterGroupObj) {\n\n\t\t\tclauseCount += reportFilterGroupObj.ChildReportTemplateFilterClauses.length;\n\n\t\t\treportFilterGroupObj.ChildReportTemplateFilterGroups.forEach(countChildClauses);\n\t\t}\n\n\t\tcountChildClauses(reportTemplateFilterGroupObj);\n\n\t\treturn clauseCount;\n\t};\n}]);\n\nangular.module('paycircleApp')\n.filter('reportTemplateApplicableColumns',\n\tfunction () {\n\treturn function (reportColumnsArr) {\n\n\t\tfunction getApplicableColumns (currentColumnObj) {\n\n\t\t\tconst columnsOfSameTypeArr = reportColumnsArr.filter(reportTemplateColumnObj => reportTemplateColumnObj.ReportColumnID === currentColumnObj.ReportColumnID);\n\n\t\t\t// When there are duplicates, just return the first of them only\n\t\t\tif (columnsOfSameTypeArr.length > 1) {\n\t\t\t\treturn columnsOfSameTypeArr[0].ReportTemplateColumnEntryID === currentColumnObj.ReportTemplateColumnEntryID;\n\t\t\t}\n\n\t\t\t// Return normal columns\n\t\t\treturn true;\n\t\t}\n\n\t\treturn reportColumnsArr.filter(getApplicableColumns);\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('rolePermissions', [\n\tfunction (\n\t) {\n\n\treturn function (permissionGroupsArr, roleType) {\n\n\t\treturn permissionGroupsArr.filter(permissionGroupObj => {\n\n\t\t\t// If group is empty already\n\t\t\tif (permissionGroupObj.GroupPermissionActions.length === 0 && (!permissionGroupObj.showFor || permissionGroupObj.showFor.includes(roleType))) {\n\t\t\t\treturn true;\n\t\t\t}\n\n\t\t\tpermissionGroupObj.GroupPermissionActions = permissionGroupObj.GroupPermissionActions.filter(groupPermissionActionObj => (!groupPermissionActionObj.showFor || groupPermissionActionObj.showFor.includes(roleType)));\n\n\t\t\treturn permissionGroupObj.GroupPermissionActions.length > 0 && permissionGroupObj.showFor.includes(roleType);\n\t\t});\n\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('roleTypeMeta', [\n\t'PERMISSION_ROLES',\n\t'PERMISSION_ROLES_DESCRIPTIONS',\n\t'PERMISSION_ROLES_ORDER',\n\tfunction (\n\t\tPERMISSION_ROLES,\n\t\tPERMISSION_ROLES_DESCRIPTIONS,\n\t\tPERMISSION_ROLES_ORDER\n\t) {\n\n\treturn function (roleTypeId, type) {\n\n\t\tswitch (type) {\n\t\t\tcase 'description':\n\t\t\t\treturn PERMISSION_ROLES_DESCRIPTIONS[roleTypeId];\n\t\t\tcase 'order':\n\t\t\t\treturn PERMISSION_ROLES_ORDER[roleTypeId];\n\t\t\tdefault:\n\t\t\t\treturn PERMISSION_ROLES[roleTypeId];\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('salaryRateDescription', ['$filter', 'EMPLOYMENT_PAYMENT_TYPES', 'EMPLOYMENT_RATE_TYPES', function ($filter, EMPLOYMENT_PAYMENT_TYPES, EMPLOYMENT_RATE_TYPES) {\n\treturn function (salaryObj) {\n\n\t\tfunction getRateType (salaryObj) {\n\n\t\t\tswitch (salaryObj.RateType) {\n\n\t\t\t\t// Daily rate\n\t\t\t\tcase EMPLOYMENT_RATE_TYPES.daily:\n\t\t\t\t\treturn $filter('monetise')(salaryObj.SalaryDailyRatePartTime) + '/day';\n\n\t\t\t\t// Hourly rate\n\t\t\t\tcase EMPLOYMENT_RATE_TYPES.hourly:\n\t\t\t\t\treturn $filter('monetise')(salaryObj.SalaryHourlyRatePartTime) + '/hr';\n\t\t\t}\n\t\t}\n\n\t\tswitch (salaryObj.PaymentType) {\n\n\t\t\tcase EMPLOYMENT_PAYMENT_TYPES.rate:\n\t\t\t\treturn getRateType(salaryObj);\n\n\t\t}\n\n\t\treturn null;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('secondedStateDescription', [\n\t'SECONDED_STATES',\n\tfunction (\n\t\tSECONDED_STATES\n\t) {\n\n\treturn function (secondedState) {\n\n\t\tswitch (secondedState) {\n\n\t\t\tcase SECONDED_STATES.notSeconded: {\n\t\t\t\treturn 'Not seconded';\n\t\t\t}\n\t\t\tcase SECONDED_STATES.none: {\n\t\t\t\treturn 'None';\n\t\t\t}\n\t\t\tcase SECONDED_STATES.stay183DaysOrMore: {\n\t\t\t\treturn 'A';\n\t\t\t}\n\t\t\tcase SECONDED_STATES.stayLessThan183Days: {\n\t\t\t\treturn 'B';\n\t\t\t}\n\t\t\tcase SECONDED_STATES.inOutUk: {\n\t\t\t\treturn 'C';\n\t\t\t}\n\t\t\tcase SECONDED_STATES.notEnoughInformation: {\n\t\t\t\treturn 'D';\n\t\t\t}\n\t\t\tdefault: {\n\t\t\t\treturn 'Unknown';\n\t\t\t}\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('slugify', function () {\n\n\treturn function (value) {\n\n\t\tif (!value) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Lowercase / trim\n\t\tvar slug = value.toLowerCase().trim();\n\n\t\t// Replace invalid chars with spaces\n\t\tslug = slug.replace(/[^a-z0-9\\s-]/g, ' ');\n\n\t\t// Replace multiple spaces or hyphens with a single hyphen\n\t\tslug = slug.replace(/[\\s-]+/g, '-');\n\n\t\treturn slug;\n\t};\n\n});\n'use strict';\n\nangular.module('paycircleApp')\n.filter('statutoryPayCalculationMethodDescription', ['STATUTORY_PAY_CALCULATION_METHODS', function (STATUTORY_PAY_CALCULATION_METHODS) {\n\n\treturn function (calculationMethod) {\n\n\t\tswitch (calculationMethod) {\n\t\t\tcase STATUTORY_PAY_CALCULATION_METHODS.periodDates:\n\t\t\t\treturn 'per period';\n\t\t\tcase STATUTORY_PAY_CALCULATION_METHODS.weekly:\n\t\t\t\treturn 'weekly';\n\t\t\tdefault:\n\t\t\t\treturn 'unknown';\n\t\t}\n\t};\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.filter('studentLoanPlanDescription', [function () {\n\n\treturn function (hasStudentLoan, hasStudentLoanPlan1, hasStudentLoanPlan2, hasStudentLoanPlan4) {\n\n\t\tif (!hasStudentLoan || !(hasStudentLoanPlan1 || hasStudentLoanPlan2 || hasStudentLoanPlan4)) {\n\t\t\treturn '';\n\t\t}\n\n\t\tif (hasStudentLoanPlan1 && hasStudentLoanPlan2) {\n\t\t\treturn 'plan 1 and plan 2';\n\t\t}\n\n\t\tif (hasStudentLoanPlan1) {\n\t\t\treturn 'plan 1';\n\t\t}\n\n\t\tif (hasStudentLoanPlan2) {\n\t\t\treturn 'plan 2';\n\t\t}\n\n\t\tif (hasStudentLoanPlan4) {\n\t\t\treturn 'plan 4';\n\t\t}\n\t};\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.filter('supplementaryPaymentStateLabel', [\n\t'SUBMISSION_STATES',\n\tfunction (\n\t\tSUBMISSION_STATES\n\t) {\n\n\treturn function (supplementaryPaymentState) {\n\n\t\tswitch (supplementaryPaymentState) {\n\t\t\tcase SUBMISSION_STATES.submitted:\n\t\t\t\treturn 'Submitted';\n\t\t\tcase SUBMISSION_STATES.failed:\n\t\t\t\treturn 'Submission failed';\n\t\t\tdefault:\n\t\t\t\treturn 'In progress';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('tasksOrder', [function () {\n\treturn function (tasksArr, showCompleteTasks) {\n\n\t\t// Sort array DateDueISO, most recent date at the top\n\t\tlet sortedArr = tasksArr.sort((dateOne, dateTwo) => moment(dateOne.DateDueISO).format('X') - moment(dateTwo.DateDueISO).format('X'));\n\n\t\t// Split array into sections for Overdue, Incomplete and Complete\n\t\tlet overdueTasks = sortedArr.filter(taskObj => taskObj.IsOverdue && !taskObj.IsComplete);\n\t\tlet incompleteTasks = sortedArr.filter(taskObj => !taskObj.IsOverdue && !taskObj.IsComplete);\n\t\tlet completeTasks = sortedArr.filter(taskObj => taskObj.IsComplete);\n\n\t\t// Join array together\n\t\tif (showCompleteTasks) {\n\t\t\treturn overdueTasks.concat(incompleteTasks, completeTasks);\n\n\t\t} else {\n\t\t\treturn overdueTasks.concat(incompleteTasks);\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('taxPeriodDescription', ['$filter', 'PAY_PERIOD_TYPES', function ($filter, PAY_PERIOD_TYPES) {\n\n\treturn function (taxPeriod, payPeriodType) {\n\n\t\tswitch (payPeriodType) {\n\n\t\t\tcase PAY_PERIOD_TYPES.weekly:\n\t\t\tcase PAY_PERIOD_TYPES.monthly:\n\n\t\t\t\tconst prefix = $filter('payPeriodTypeDescription')(payPeriodType);\n\t\t\t\t\n\t\t\t\treturn `${prefix} ${taxPeriod}`;\n\n\t\t\tcase PAY_PERIOD_TYPES.fortnightly:\n\t\t\tcase PAY_PERIOD_TYPES.fourweekly:\n\n\t\t\t\treturn `Week ${taxPeriod}`;\n\n\t\t\tdefault:\n\n\t\t\t\treturn `Period ${taxPeriod}`;\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('taxTreatment', ['$rootScope', 'TAX_TREATMENT_OPTIONS', 'TAX_TREATMENT_VALUES', function ($rootScope, TAX_TREATMENT_OPTIONS, TAX_TREATMENT_VALUES) {\n\treturn function (taxTreatment) {\n\n\t\tvar taxTreatmentOption = taxTreatment === 30 || taxTreatment === 20 ? TAX_TREATMENT_VALUES[taxTreatment] : TAX_TREATMENT_OPTIONS[taxTreatment];\n\n\t\tif (taxTreatmentOption === undefined) {\n\t\t\t$rootScope.paycircleMessage('Unable to get tax treatment option for tax treatment provided', 'error');\n\t\t\treturn '';\n\t\t}\n\n\t\treturn taxTreatmentOption.name;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('truncate', ['utilities', function (utilities) {\n\treturn function (string, length, includeQuotes) {\n\t\treturn utilities.truncate(string, length, includeQuotes);\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('uncemify', [function () {\n\treturn function (theme) {\n\n\t\tswitch (theme) {\n\t\t\tcase 'is-primary':\n\t\t\t\treturn 'primary';\n\t\t\tcase 'is-primary-light':\n\t\t\t\treturn 'primary-light';\n\t\t\tcase 'is-secondary':\n\t\t\t\treturn 'secondary';\n\t\t\tcase 'is-tertiary':\n\t\t\t\treturn 'tertiary';\n\t\t\tcase 'is-tertiary-light':\n\t\t\t\treturn 'tertiary-light';\n\t\t\tcase 'is-quarternary':\n\t\t\t\treturn 'quarternary';\n\t\t\tcase 'is-greyscale':\n\t\t\t\treturn 'greyscale';\n\t\t\tcase 'is-positive':\n\t\t\t\treturn 'positive';\n\t\t\tcase 'is-indifferent':\n\t\t\t\treturn 'indifferent';\n\t\t\tcase 'is-assertive':\n\t\t\t\treturn 'assertive';\n\t\t\tdefault:\n\t\t\t\treturn theme;\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('userDocumentTypeTheme', ['USER_DOCUMENT_IDS', function (USER_DOCUMENT_IDS) {\n\treturn function (documentTypeId) {\n\n\t\tswitch (documentTypeId) {\n\t\t\tcase USER_DOCUMENT_IDS.payStatement:\n\t\t\tcase USER_DOCUMENT_IDS.manualPayStatement:\n\t\t\tcase USER_DOCUMENT_IDS.cisPayStatement:\n\t\t\tcase USER_DOCUMENT_IDS.supplementaryPayStatement:\n\t\t\t\treturn 'is-primary';\n\n\t\t\tcase USER_DOCUMENT_IDS.p60:\n\t\t\t\treturn 'is-secondary';\n\n\t\t\tcase USER_DOCUMENT_IDS.p45:\n\t\t\t\treturn 'is-tertiary';\n\n\t\t\tdefault:\n\t\t\t\treturn 'is-greyscale';\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('userResponse', [\n\t'applicationService',\n\t'permissionsService',\n\t'utilities',\n\t'USER_ROLES',\n\tfunction (\n\t\tapplicationService,\n\t\tpermissionsService,\n\t\tutilities,\n\t\tUSER_ROLES\n\t) {\n\n\treturn function (userResponseObj) {\n\n\t\t// Setup permissions\n\t\tpermissionsService.setupPermissionsForUser(userResponseObj);\n\n\t\tconst PRIMARY_ROLE = utilities.getPrimaryRole(userResponseObj.UserResponseRoles);\n\n\t\tangular.extend(userResponseObj, {\n\t\t\tIsInPlayground: userResponseObj.AgencyProfileDummy,\n\t\t\tcanSeeAutoRun: permissionsService.isAutoRunVisibleForUser(userResponseObj),\n\t\t\tdefaultLandingPage: utilities.getRoleUrl(PRIMARY_ROLE),\n\t\t\tisAppNavEnabled: !utilities.userHasRole(userResponseObj, [USER_ROLES.groupadminlite, USER_ROLES.companyadministratorlite]),\n\t\t\tisPaycircleAdmin: utilities.userHasRole(userResponseObj, 'paycircle'), // Set is admin flag before any potential manipulation with the user roles\n\t\t\tngHrefFunctions: {\n\t\t\t\tcurrentPeriod: applicationService.getNgHrefFunctionForUser(userResponseObj, 'current-period')\n\t\t\t},\n\t\t\tprimaryRole: PRIMARY_ROLE\n\t\t});\n\n\t\treturn userResponseObj;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('userRoleDescription', ['USER_ROLE_DESCRIPTIONS', function (USER_ROLE_DESCRIPTIONS) {\n\treturn function (userRoleId) {\n\n\t\treturn USER_ROLE_DESCRIPTIONS[userRoleId];\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('validationResultFieldPriority', ['VALIDATION_HIGH_PRIORITY_FIELDS', function (VALIDATION_HIGH_PRIORITY_FIELDS) {\n\n\treturn function (fieldTitle) {\n\n\t\treturn VALIDATION_HIGH_PRIORITY_FIELDS.indexOf(fieldTitle) > -1 ? 'high-priority' : 'low-priority';\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('validationResultFieldTitle', [function () {\n\n\treturn function (fieldTitle) {\n\n\t\tfieldTitle = fieldTitle.slice(10).replace(/([a-z])([A-Z])/g, '$1 $2');\n\n\t\tfieldTitle = fieldTitle.replace('NI', 'NI ');\n\t\tfieldTitle = fieldTitle.replace('Plan1', 'Plan 1');\n\t\tfieldTitle = fieldTitle.replace('DOB', 'Date of Birth');\n\t\tfieldTitle = fieldTitle.replace('Line1', 'Line 1');\n\t\tfieldTitle = fieldTitle.replace('Line2', 'Line 2');\n\t\tfieldTitle = fieldTitle.replace('Line3', 'Line 3');\n\t\tfieldTitle = fieldTitle.replace('Line4', 'Line 4');\n\n\t\treturn fieldTitle;\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.filter('workPatternDayType', ['WORK_PATTERN_DAY_TYPES_DESCRIPTIONS', function (WORK_PATTERN_DAY_TYPES_DESCRIPTIONS) {\n\n\treturn function (value) {\n\n\t\treturn WORK_PATTERN_DAY_TYPES_DESCRIPTIONS[value];\n\t};\n\n}]);\nangular.module('paycircleApp')\n.provider('filterWatcher', function () {\n\n\tthis.$get = ['$window', '$rootScope', function ($window, $rootScope) {\n\n\t\t/**\n\t\t * Cache storing\n\t\t * @type {Object}\n\t\t */\n\t\tvar $$cache = {};\n\n\t\t/**\n\t\t * Scope listeners container\n\t\t * scope.$destroy => remove all cache keys\n\t\t * bind to current scope.\n\t\t * @type {Object}\n\t\t */\n\t\tvar $$listeners = {};\n\n\t\t/**\n\t\t * $timeout without triggering the digest cycle\n\t\t * @type {function}\n\t\t */\n\t\tvar $$timeout = $window.setTimeout;\n\n\t\t/**\n\t\t * @description\n\t\t * get `HashKey` string based on the given arguments.\n\t\t * @param fName\n\t\t * @param args\n\t\t * @returns {string}\n\t\t */\n\t\tfunction getHashKey (fName, args) {\n\t\t\tfunction replacerFactory () {\n\t\t\t\tvar cache = [];\n\t\t\t\treturn function (key, val) {\n\t\t\t\t\tif (angular.isObject(val) && val !== null) {\n\t\t\t\t\t\tif (~cache.indexOf(val)) {\n\t\t\t\t\t\t\treturn '[Circular]';\n\t\t\t\t\t\t}\n\t\t\t\t\t\tcache.push(val);\n\t\t\t\t\t}\n\t\t\t\t\tif ($window === val) {\n\t\t\t\t\t\treturn '$WINDOW';\n\t\t\t\t\t}\n\t\t\t\t\tif ($window.document === val) {\n\t\t\t\t\t\treturn '$DOCUMENT';\n\t\t\t\t\t}\n\t\t\t\t\tif (isScope(val)) {\n\t\t\t\t\t\treturn '$SCOPE';\n\t\t\t\t\t}\n\t\t\t\t\treturn val;\n\t\t\t\t};\n\t\t\t}\n\t\t\treturn [fName, JSON.stringify(args, replacerFactory())]\n\t\t\t\t.join('#')\n\t\t\t\t.replace(/\"/g,'');\n\t\t}\n\n\t\t/**\n\t\t * @description\n\t\t * Test if given object is a Scope instance\n\t\t * @param obj\n\t\t * @returns {Boolean}\n\t\t */\n\t\tfunction isScope (obj) {\n\t\t\treturn obj && obj.$evalAsync && obj.$watch;\n\t\t}\n\n\t\t/**\n\t\t * @description\n\t\t * fir on $scope.$destroy,\n\t\t * remove cache based scope from `$$cache`,\n\t\t * and remove itself from `$$listeners`\n\t\t * @param event\n\t\t */\n\t\tfunction removeCache (event) {\n\t\t\tvar id = event.targetScope.$id;\n\t\t\tangular.forEach($$listeners[id], function (key) {\n\t\t\t\tdelete $$cache[key];\n\t\t\t});\n\t\t\tdelete $$listeners[id];\n\t\t}\n\n\t\t/**\n\t\t * @description\n\t\t * for angular version that greater than v.1.3.0\n\t\t * it clear cache when the digest cycle is end.\n\t\t */\n\t\tfunction cleanStateless () {\n\t\t\t$$timeout(function () {\n\t\t\t\tif (!$rootScope.$$phase) {\n\t\t\t\t\t$$cache = {};\n\t\t\t\t}\n\t\t\t}, 2000);\n\t\t}\n\n\t\t/**\n\t\t * @description\n\t\t * Store hashKeys in $$listeners container\n\t\t * on scope.$destroy, remove them all(bind an event).\n\t\t * @param scope\n\t\t * @param hashKey\n\t\t * @returns {*}\n\t\t */\n\t\tfunction addListener (scope, hashKey) {\n\t\t\tvar id = scope.$id;\n\t\t\tif (angular.isUndefined($$listeners[id])) {\n\t\t\t\tscope.$on('$destroy', removeCache);\n\t\t\t\t$$listeners[id] = [];\n\t\t\t}\n\t\t\treturn $$listeners[id].push(hashKey);\n\t\t}\n\n\t\t/**\n\t\t * @description\n\t\t * return the `cacheKey` or undefined.\n\t\t * @param filterName\n\t\t * @param args\n\t\t * @returns {*}\n\t\t */\n\t\tfunction $$isMemoized (filterName, args) {\n\t\t\tvar hashKey = getHashKey(filterName, args);\n\t\t\treturn $$cache[hashKey];\n\t\t}\n\n\t\t/**\n\t\t * @description\n\t\t * store `result` in `$$cache` container, based on the hashKey.\n\t\t * add $destroy listener and return result\n\t\t * @param filterName\n\t\t * @param args\n\t\t * @param scope\n\t\t * @param result\n\t\t * @returns {*}\n\t\t */\n\t\tfunction $$memoize (filterName, args, scope, result) {\n\t\t\tvar hashKey = getHashKey(filterName, args);\n\t\t\t//store result in `$$cache` container\n\t\t\t$$cache[hashKey] = result;\n\t\t\t// for angular versions that less than 1.3\n\t\t\t// add to `$destroy` listener, a cleaner callback\n\t\t\tif(isScope(scope)) {\n\t\t\t\taddListener(scope, hashKey);\n\t\t\t} else {\n\t\t\t\tcleanStateless();\n\t\t\t}\n\t\t\treturn result;\n\t\t}\n\n\t\treturn {\n\t\t\tisMemoized: $$isMemoized,\n\t\t\tmemoize: $$memoize\n\t\t};\n\t}];\n});\n\t\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar directory = 'features/app/account-settings/';\n\t$stateProvider\n\n\t.state('account-settings', {\n\t\turl: '/account-settings/:agencyProfileId/:userId',\n\t\ttemplateUrl: directory + 'account-settings.view.html',\n\t\tcontroller: 'accountSettingsCtrl',\n\t\tresolve: {\n\t\t\tauth: ['$q', '$rootScope', '$state', 'AuthResolverCompany', function ($q, $rootScope, $state, AuthResolverCompany) {\n\n\t\t\t\tif ($rootScope.currentUser.IsAccessIdentityAccount) {\n\t\t\t\t\t$state.go('login');\n\t\t\t\t\tconsole.error('Unable to access page, redirected to sign in');\n\t\t\t\t\treturn $q.reject();\n\t\t\t\t}\n\t\t\t\t\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\tdata: {\n\t\t title: 'Account Settings'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('accountSettingsCtrl', [\n\t'$filter',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'securityData',\n\t'session',\n\t'utilities',\n\t'ACCOUNT_SECURITY_TYPES',\n\tfunction (\n\t\t$filter,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tsecurityData,\n\t\tsession,\n\t\tutilities,\n\t\tACCOUNT_SECURITY_TYPES\n\t) {\n\n\tconst agencyProfileId = session.getAgencyProfileParentId();\n\tconst userId = $stateParams.userId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tsecurityData.getAccountMinimalList(userId).then(accountMinimalListObj => {\n\n\t\t\t// Pluck out the non-linked, main account\n\t\t\tconst accountMinimalObj = accountMinimalListObj.find(accountMinimalListItem => !accountMinimalListItem.IsLinkedAccount);\n\n\t\t\tangular.extend($scope, {\n\n\t\t\t\tvm: {\n\t\t\t\t\taccountDetails: {\n\t\t\t\t\t\ticon: 'padlock',\n\t\t\t\t\t\ttitle: 'Sign in',\n\t\t\t\t\t\tlayout: 'inline',\n\t\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tactionMenuItems: [\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Change username',\n\t\t\t\t\t\t\t\t\t\taction: () => openChangeAccountSecurityItemForm(accountMinimalObj, ACCOUNT_SECURITY_TYPES.username)\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Change password',\n\t\t\t\t\t\t\t\t\t\taction: () => openChangeAccountSecurityItemForm(accountMinimalObj, ACCOUNT_SECURITY_TYPES.password)\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Change recovery email address',\n\t\t\t\t\t\t\t\t\t\taction: () => openChangeAccountSecurityItemForm(accountMinimalObj, ACCOUNT_SECURITY_TYPES.recoveryEmail)\n\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Username',\n\t\t\t\t\t\t\t\t\t\tvalue: accountMinimalObj.Username\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Password',\n\t\t\t\t\t\t\t\t\t\tvalue: `Last updated at ${$filter('dateformat')(accountMinimalObj.LastPasswordChangeDateISO, 'timeDate24')}`\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Recovery email address',\n\t\t\t\t\t\t\t\t\t\tvalue: accountMinimalObj.RecoveryEmailAddress\n\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t]\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t]\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetPageState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction openChangeAccountSecurityItemForm (accountMinimalObj, accountSecurityType) {\n\n\t\tfunction getChangeAccountSecurityFormTitle (accountSecurityType) {\n\n\t\t\t// Establish form title based on account security type\n\t\t\tswitch (accountSecurityType) {\n\t\t\t\tcase ACCOUNT_SECURITY_TYPES.password:\n\t\t\t\t\treturn 'Change password';\n\t\t\t\tcase ACCOUNT_SECURITY_TYPES.username:\n\t\t\t\t\treturn 'Change username';\n\t\t\t\tcase ACCOUNT_SECURITY_TYPES.recoveryEmail:\n\t\t\t\t\treturn 'Change recovery email address';\n\t\t\t}\n\t\t}\n\n\t\t// Open generic form for changing an account security item (password | username | recovery email)\n\t\t$rootScope.openSlideInForm({\n\t\t\taccountMinimal: accountMinimalObj,\n\t\t\taccountSecurityType,\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'change-account-security-item',\n\t\t\ttitle: getChangeAccountSecurityFormTitle(accountSecurityType),\n\t\t\tuserId\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tgoBack: utilities.goBack\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar directory = 'features/app/manage-linked-accounts/';\n\n\t$stateProvider\n\t.state('manage-linked-accounts', {\n\t\turl: '/manage-linked-accounts/:agencyProfileId/:userId',\n\t\ttemplateUrl: directory + 'manage-linked-accounts.view.html',\n\t\tcontroller: 'manageLinkedAccountsCtrl',\n\t\tresolve: {\n\t\t\tauth: ['$q', '$rootScope', '$state', 'AuthResolverCompany', function ($q, $rootScope, $state, AuthResolverCompany) {\n\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\tdata: {\n\t\t\ttitle: 'Manage linked accounts'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('manageLinkedAccountsCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'securityData',\n\t'utilities',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tsecurityData,\n\t\tutilities\n\t) {\n\t\tconst userId = $stateParams.userId;\n\n\t\tfunction init() {\n\n\t\t\t$scope.vm = {\n\t\t\t\tgoBack: utilities.goBack,\n\t\t\t\tlinkAccount\n\t\t\t};\n\t\t\tsetPageState('loading');\n\n\t\t\tsecurityData.getAccountMinimalList(userId).then((linkedAccountsArr) => {\t\t\t\n\n\t\t\t\tconst payrollLinkedAccountsDetailBlocks = getAdminLinkedAccountsDetailBlock(linkedAccountsArr);\n\t\t\t\tconst payPortalLinkedAccountsDetailBlocks = getEmployeeLinkedAccountsDetailBlock(linkedAccountsArr);\n\t\t\t\tangular.extend($scope.vm,{\n\t\t\t\t\tlinkedAccounts: linkedAccountsArr,\n\t\t\t\t\tpayrollAccountDetails: payrollLinkedAccountsDetailBlocks,\n\t\t\t\t\tpayPortalAccountDetails: payPortalLinkedAccountsDetailBlocks,\n\t\t\t\t});\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(error => {\n\t\t\t\tsetPageState('error');\n\t\t\t\tconsole.error(error);\n\t\t\t});\n\t\t}\n\n\t\tfunction getAdminLinkedAccountsDetailBlock (linkedAccounts) {\n\n\t\t\tconst adminLinkedAccountsBlock = {\n\t\t\t\t\n\t\t\t\ticon: 'admins',\n\t\t\t\ttitle: 'Payroll Portal',\n\t\t\t\tdetailGroups: []\n\t\t\t};\n\n\t\t\tif (linkedAccounts.length > 0) {\n\t\t\t\tconst adminAccounts = linkedAccounts.filter(account => account.AccountType !== '');\n\n\t\t\t\tif (adminAccounts.length > 0) {\n\n\t\t\t\t\tadminAccounts.forEach(account => {\n\t\t\t\t\t\tadminLinkedAccountsBlock.detailGroups.push({\n\t\t\t\t\t\t\teditAction: $rootScope.currentUser.UserResponseUserID === account.UserID ? null : () => unlinkAccount(account.UserID),\n\t\t\t\t\t\t\tgroupCta: $rootScope.currentUser.UserResponseUserID !== account.UserID ? null : {\n\t\t\t\t\t\t\t\tcopy: `You're currently signed into this account`,\n\t\t\t\t\t\t\t\ttheme: 'indifferent',\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\tdetails: [ \n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Username',\n\t\t\t\t\t\t\t\t\tvalue: account.Username\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Email Address',\n\t\t\t\t\t\t\t\t\tvalue: account.AccountEmailAddress\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Account Type',\n\t\t\t\t\t\t\t\t\tvalue: false,\n\t\t\t\t\t\t\t\t\tlabelFalse: account.AccountType,\n\t\t\t\t\t\t\t\t\ttype: 'switch-custom-purple',\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t]\n\t\t\t\t\t\t});\n\t\t\t\t\t});\n\n\t\t\t\t\treturn adminLinkedAccountsBlock;\n\t\t\t\t}\n\t\t\t}\n\t\t\treturn adminLinkedAccountsBlock;\n\t\t}\n\n\t\tfunction getEmployeeLinkedAccountsDetailBlock (linkedAccounts) {\n\n\t\t\tconst employeeLinkedAccountsBlock = {\n\t\t\t\t\n\t\t\t\ticon: 'wallet',\n\t\t\t\ttitle: 'Pay Portal',\n\t\t\t\tdetailGroups: []\n\t\t\t};\n\n\t\t\tif (linkedAccounts.length === 0) {\n\t\t\t\treturn employeeLinkedAccountsBlock;\n\t\t\t}\n\n\t\t\tconst employeeAccounts = linkedAccounts.filter(account => account.AccountType === '');\n\t\t\tif (employeeAccounts.length > 0) {\n\t\t\t\temployeeAccounts.forEach(account => {\n\t\t\t\t\temployeeLinkedAccountsBlock.detailGroups.push({\n\t\t\t\t\t\teditAction: () => unlinkAccount(account.UserID),\n\t\t\t\t\t\tdetails: [ \n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Username',\n\t\t\t\t\t\t\t\tvalue: account.Username\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Email Address',\n\t\t\t\t\t\t\t\tvalue: account.AccountEmailAddress\n\t\t\t\t\t\t\t},\n\t\t\n\t\t\t\t\t\t]\n\t\t\t\t\t});\n\t\t\t\t});\n\n\n\t\t\t\treturn employeeLinkedAccountsBlock;\n\t\t\t}\n\t\t}\n\n\t\tfunction unlinkAccount(linkedAccountUserId) {\n\t\t\n\t\t\tlet linkedAccount = $scope.vm.linkedAccounts.filter(x=>x.UserID === linkedAccountUserId)[0];\n\t\t\t\n\t\t\t$rootScope.openSlideInForm({\n\t\t\t\tcallback: init,\n\t\t\t\tformKey: 'unlink-accounts',\n\t\t\t\ttitle: 'Unlink account',\n\t\t\t\tuserId,\n\t\t\t\tlinkedAccount\n\t\t\t});\n\t\t\t\n\t\t}\n\n\t\tfunction setPageState(pageState) {\n\n\t\t\t$scope.pageState = pageState;\n\t\t}\n\n\t\tfunction linkAccount() {\n\n\t\t\t$rootScope.openSlideInForm({\n\t\t\t\tcallback: init,\n\t\t\t\tformKey: 'link-accounts',\n\t\t\t\ttitle: 'Add linked account',\n\t\t\t\tuserId\n\t\t\t});\n\t\t}\n\n\t\tinit();\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar directory = 'features/app/activate-account/';\n\t$stateProvider\n\n\t.state('activate-account', {\n\t\turl: '/activate/:onboardingId/:activationCode/:emailAddress/:bureauKey',\n\t\ttemplateUrl: directory + 'activateAccountView.html',\n\t\tcontroller: 'activateAccountCtrl',\n\t\tdata: {\n\t\t\tisPublic: true,\n\t\t\tfullPage: true,\n\t\t title: 'Activate Account'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('activateAccountCtrl', ['$rootScope', '$scope', '$state', '$stateParams', '$timeout', 'base', 'companyData', 'config', 'securityData', 'utilities', 'AUTH_EVENTS', 'ONBOARDING_BUREAUS', 'PAY_PERIOD_TYPES', 'PAY_PERIOD_TYPES_DESCRIPTIONS', 'PAY_PERIOD_TYPES_OPTIONS', 'TRACKING_EVENTS', function ($rootScope, $scope, $state, $stateParams, $timeout, base, companyData, config, securityData, utilities, AUTH_EVENTS, ONBOARDING_BUREAUS, PAY_PERIOD_TYPES, PAY_PERIOD_TYPES_DESCRIPTIONS, PAY_PERIOD_TYPES_OPTIONS, TRACKING_EVENTS) {\n\n\tconst ACTIVATION_CODE_RESPONSES = {\n\t\tcompanyAlreadyCreated: -4,\n\t\tcompanyDeleted: -3,\n\t\ttimedOut: -2,\n\t\tinvalidCode: -1,\n\t\tsuccessOnboarding: 0,\n\t\tsuccessFreeTrial: 1\n\t};\n\tconst COMPANY_TEMPLATES = {\n\t\tolympicStars: 0,\n\t\tmovieStars: 1,\n\t\thistoricalFigures: 2,\n\t\tmusicalArtists: 3\n\t};\n\tconst NUMBER_OF_EMPLOYEE_OPTIONS = [\n\t\t{\n\t\t\tname: '1-10',\n\t\t\tvalue: 10\n\t\t},\n\t\t{\n\t\t\tname: '11-20',\n\t\t\tvalue: 20\n\t\t},\n\t\t{\n\t\t\tname: '21-30',\n\t\t\tvalue: 30\n\t\t},\n\t\t{\n\t\t\tname: '31-50',\n\t\t\tvalue: 50\n\t\t},\n\t\t{\n\t\t\tname: '51-100',\n\t\t\tvalue: 100\n\t\t},\n\t\t{\n\t\t\tname: '101-200',\n\t\t\tvalue: 200\n\t\t},\n\t\t{\n\t\t\tname: '201-500',\n\t\t\tvalue: 500\n\t\t},\n\t\t{\n\t\t\tname: '501+',\n\t\t\tvalue: 501\n\t\t}\n\t];\n\tconst EMPLOYEE_OPTION_DESCRIPTIONS = {\n\t\t10: '1-10',\n\t\t20: '11-20',\n\t\t30: '21-30',\n\t\t50: '31-50',\n\t\t100: '51-100',\n\t\t200: '101-200',\n\t\t500: '201-500',\n\t\t501: '501+'\n\t};\n\n\tvar activationCode = $stateParams.activationCode;\n\tvar bureauKey = $stateParams.bureauKey;\n\tvar emailAddress = $stateParams.emailAddress;\n\tvar onboardingId = $stateParams.onboardingId;\n\n\tfunction checkActivationCode (vmObj) {\n\n\t\tsetActivationState('loading');\n\n\t\t// Give UI time to load before populating the code\n\t\t$timeout(function () {\n\n\t\t\tvmObj.ActivationCode = activationCode;\n\n\t\t\t// Give person time to digest\n\t\t\t$timeout(function () {\n\n\t\t\t\tcompanyData.checkActivationCode(vmObj.OnboardingID, vmObj.ActivationCode, vmObj.Email).then(function (activationObj) {\n\n\t\t\t\t\tvmObj.CompanyName = activationObj.CompanyName;\n\t\t\t\t\tvmObj.Forename = activationObj.Forename;\n\t\t\t\t\tvmObj.Surname = activationObj.Surname;\n\n\t\t\t\t\tswitch (activationObj.ActivationState) {\n\t\t\t\t\t\tcase ACTIVATION_CODE_RESPONSES.successOnboarding:\n\t\t\t\t\t\t\tvmObj.TotalOnboardingSteps = 2;\n\t\t\t\t\t\t\tsetOnboardingStep(vmObj, 1);\n\t\t\t\t\t\t\tsetOnboardingProgressStep(vmObj, 1);\n\t\t\t\t\t\t\tsetPageState('registration');\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\tcase ACTIVATION_CODE_RESPONSES.successFreeTrial:\n\t\t\t\t\t\t\tvmObj.Demonstration = true;\n\t\t\t\t\t\t\tvmObj.TotalOnboardingSteps = 5;\n\t\t\t\t\t\t\tsetOnboardingStep(vmObj, 1);\n\t\t\t\t\t\t\tsetOnboardingProgressStep(vmObj, 1);\n\t\t\t\t\t\t\tsetPageState('registration');\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t}\n\n\t\t\t\t\tsetCommsByDemonstrationEnabled(vmObj);\n\t\t\t\t\tsetActivationState(activationObj.ActivationState);\n\t\t\t\t})\n\t\t\t\t.catch(function () {\n\t\t\t\t\tsetPageState('error');\n\t\t\t\t});\n\t\t\t}, 1000);\n\t\t}, 500);\n\t}\n\n\tfunction goToNextOnboardingStep (vmObj) {\n\n\t\t// Skip steps 2, 3 & 4 if not a demo\n\t\tif (!vmObj.Demonstration && vmObj.onboardingStep === 1) {\n\t\t\tgoToOnboardingStep(vmObj, 5);\n\t\t\tsetOnboardingProgressStep(vmObj, 2);\n\t\t\treturn;\n\t\t}\n\n\t\tvmObj.onboardingStep = vmObj.onboardingStep + 1;\n\t\tvmObj.onboardingProgressStep = vmObj.onboardingProgressStep + 1;\n\t}\n\n\tfunction goToOnboardingStep (vmObj, onboardingStep) {\n\n\t\tvmObj.onboardingStep = onboardingStep;\n\t\tvmObj.onboardingProgressStep = onboardingStep;\n\t}\n\n\tfunction goToPreviousOnboardingStep (vmObj) {\n\n\t\t// Skip steps 2, 3 & 4 if not a demo\n\t\tif (!vmObj.Demonstration && vmObj.onboardingStep === 5) {\n\t\t\tgoToOnboardingStep(vmObj, 1);\n\t\t\treturn;\n\t\t}\n\n\t\tvmObj.onboardingStep = vmObj.onboardingStep - 1;\n\t\tvmObj.onboardingProgressStep = vmObj.onboardingProgressStep - 1;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('checking-activation');\n\n\t\tvar vmObj = {\n\t\t\tActivationCode: '',\n\t\t\tAutoLogin: true,\n\t\t\tBureauKey: parseInt(bureauKey),\n\t\t\tCompanyName: '',\n\t\t\tCustomisation: COMPANY_TEMPLATES.olympicStars,\n\t\t\tDemonstration: false,\n\t\t\tEmail: utilities.paycircleDecodeEmail(emailAddress),\n\t\t\tEmployeeCount: null,\n\t\t\tForename: '',\n\t\t\tHasWorkplacePension: true,\n\t\t\tIsCISActive: false,\n\t\t\tIsNewCompany: false,\n\t\t\tIsPayrollActive: true,\n\t\t\tIsPensionActive: true,\n\t\t\tIsWhitelabel: utilities.getIsWhitelabelByBureauKey(bureauKey),\n\t\t\tModules: 0,\n\t\t\tOnboardingID: onboardingId,\n\t\t\tonboardingStep: 1,\n\t\t\tPayrollFrequency: PAY_PERIOD_TYPES.monthly,\n\t\t\tSurname: '',\n\t\t\tTotalOnboardingSteps: 0,\n\t\t\tValue: '',\n\t\t\tValueConfirm: ''\n\t\t};\n\n\t\t// Validate Onboarding ID\n\t\tif (!utilities.isValidGuid(vmObj.OnboardingID)) {\n\t\t\tsetActivationState('invalid-url');\n\t\t\treturn;\n\t\t}\n\n\t\t$scope.vm = vmObj;\n\n\t\tcheckActivationCode(vmObj);\n\t}\n\n\tfunction onboardCompany (vmObj) {\n\n\t\t// Create bitwise\n\t\tif (vmObj.IsPayrollActive) {\n\t\t\tvmObj.Modules = vmObj.Modules + 1;\n\t\t}\n\t\tif (vmObj.IsPensionActive) {\n\t\t\tvmObj.Modules = vmObj.Modules + 2;\n\t\t}\n\t\tif (vmObj.IsCISActive) {\n\t\t\tvmObj.Modules = vmObj.Modules + 4;\n\t\t}\n\n\t\t// Loading state\n\t\tsetOnboardingStep(vmObj, 0);\n\n\t\t$timeout(function () {\n\n\t\t\tsecurityData.onboardingRegistration(vmObj, vmObj.AutoLogin).then(function (userResponseObj) {\n\n\t\t\t\t// Attach meta data when session is created\n\t\t\t\tuserResponseObj.metaData = {\n\t\t\t\t\tcompany: {\n\t\t\t\t\t\tcreated_at: moment().unix(),\n\t\t\t\t\t\tname: vmObj.CompanyName,\n\t\t\t\t\t\tsize: vmObj.EmployeeCount,\n\t\t\t\t\t\temployee_count_bracket: EMPLOYEE_OPTION_DESCRIPTIONS[vmObj.EmployeeCount],\n\t\t\t\t\t\tonboarding_type: vmObj.Demonstration ? 'Demo' : 'Onboarding',\n\t\t\t\t\t\tbureau_name: parseInt(bureauKey) === 0 ? 'Paycircle' : 'FSB',\n\t\t\t\t\t\thas_workplace_pension: vmObj.HasWorkplacePension,\n\t\t\t\t\t\tis_cis_active: vmObj.IsCISActive,\n\t\t\t\t\t\tis_new_company: vmObj.IsNewCompany,\n\t\t\t\t\t\tis_payroll_active: vmObj.IsPayrollActive,\n\t\t\t\t\t\tis_pension_active: vmObj.IsPensionActive,\n\t\t\t\t\t\tpay_period_frequency: PAY_PERIOD_TYPES_DESCRIPTIONS[vmObj.PayrollFrequency]\n\t\t\t\t\t},\n\t\t\t\t\tname: vmObj.Forename + ' ' + vmObj.Surname,\n\t\t\t\t\tlast_request_at: moment().unix()\n\t\t\t\t};\n\n\t\t\t\t// Attach tracking event to be fired after session is created\n\t\t\t\tuserResponseObj.trackingEvent = vmObj.Demonstration ? TRACKING_EVENTS.registeredForFreeTrial : TRACKING_EVENTS.registeredForOnboarding;\n\n\t\t\t\tif (vmObj.AutoLogin) {\n\t\t\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionCreate, userResponseObj);\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\t$state.go('login', {'username': vmObj.Email});\n\t\t\t\t}\n\t\t\t})\n\t\t\t.catch(function (error) {\n\t\t\t\tconsole.error(error);\n\t\t\t\tsetOnboardingStep(vmObj, -1);\n\t\t\t});\n\t\t}, 2000);\n\t}\n\n\tfunction reviewWorkplacePension (vmObj) {\n\n\t\tvmObj.IsPensionActive = vmObj.HasWorkplacePension;\n\t}\n\n\tfunction sendInvitationMail (vmObj) {\n\n\t\tcompanyData.sendInvitationMail(vmObj.OnboardingID, vmObj.BureauKey).then(function () {\n\n\t\t\tsetActivationState('invitation-resent');\n\t\t})\n\t\t.catch(function () {\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setActivationState (activationState) {\n\n\t\t$scope.activationState = activationState;\n\t}\n\n\tfunction setCommsByDemonstrationEnabled (vmObj) {\n\n\t\t// Demo\n\t\tif (vmObj.Demonstration) {\n\t\t\tvmObj.pretitle = config.demoCompanyTrialLength + '-day free trial setup';\n\t\t\tvmObj.title = 'Activate your free trial';\n\t\t}\n\n\t\t// Onboarding\n\t\telse {\n\t\t\tvmObj.pretitle = 'Onboarding registration';\n\t\t\tvmObj.title = 'Activate your account';\n\t\t}\n\n\t\treturn vmObj;\n\t}\n\n\tfunction setOnboardingProgressStep (vmObj, onboardingProgressStep) {\n\n\t\tvmObj.onboardingProgressStep = onboardingProgressStep;\n\t}\n\n\tfunction setOnboardingStep (vmObj, onboardingStep) {\n\n\t\tvmObj.onboardingStep = onboardingStep;\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction toggleModalIsOpen (modalOptions) {\n\n\t\tmodalOptions.isOpen = !modalOptions.isOpen;\n\t}\n\n\tfunction updateOnboardingActivationCode (vmObj) {\n\t\t\n\t\tcompanyData.updateOnboardingActivationCode(vmObj.OnboardingID, vmObj.BureauKey).then(function () {\n\n\t\t\tsetActivationState('invitation-resent');\n\t\t})\n\t\t.catch(function () {\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\t\n\tinit();\n\n\t$scope.ACTIVATION_CODE_RESPONSES = ACTIVATION_CODE_RESPONSES;\n\t$scope.COMPANY_TEMPLATES = COMPANY_TEMPLATES;\n\t$scope.NUMBER_OF_EMPLOYEE_OPTIONS = NUMBER_OF_EMPLOYEE_OPTIONS;\n\t$scope.PAY_PERIOD_TYPES_OPTIONS = PAY_PERIOD_TYPES_OPTIONS;\n\n\t$scope.modalOptions.newCompanyInfo = {\n\t\tisOpen: false,\n\t\tsize: 'm',\n\t\ttitle: 'Brand new companies'\n\t};\n\n\t$scope.checkActivationCode = function (vmObj) {\n\n\t\tcheckActivationCode(vmObj);\n\t};\n\n\t$scope.goToNextOnboardingStep = function (vmObj) {\n\n\t\tgoToNextOnboardingStep(vmObj);\n\t};\n\n\t$scope.goToPreviousOnboardingStep = function (vmObj) {\n\n\t\tgoToPreviousOnboardingStep(vmObj);\n\t};\n\n\t$scope.onboardCompany = function (vmObj) {\n\n\t\tonboardCompany(vmObj);\n\t};\n\n\t$scope.reviewWorkplacePension = function (vmObj) {\n\n\t\treviewWorkplacePension(vmObj);\n\t};\n\n\t$scope.sendInvitationMail = function (vmObj) {\n\n\t\tsendInvitationMail(vmObj);\n\t};\n\n\t$scope.toggleModalIsOpen = function (modalOptions) {\n\n\t\ttoggleModalIsOpen(modalOptions);\n\t};\n\n\t$scope.updateOnboardingActivationCode = function (vmObj) {\n\n\t\tupdateOnboardingActivationCode(vmObj);\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tconst directory = 'features/shared/help-and-support/';\n\t$stateProvider\n\n\t.state('help-and-support', {\n\t\turl: '/help-and-support/:agencyProfileId?articleKey&categoryId',\n\t\ttemplateUrl: directory + 'helpAndSupportView.html',\n\t\tcontroller: 'helpAndSupportCtrl',\n\t\treloadOnSearch: false,\n\t\tdata: {\n\t\t\tisCompanyBarActive: false,\n\t\t\ttitle: 'Help and Support'\n\t\t},\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t}\n\t})\n\n\t.state('help-and-support-full-page', {\n\t\turl: '/help-and-support-full-page/:agencyProfileId?articleKey&categoryId',\n\t\ttemplateUrl: directory + 'helpAndSupportView.html',\n\t\tcontroller: 'helpAndSupportCtrl',\n\t\tdata: {\n\t\t\tfullPage: true\n\t\t},\n\t\treloadOnSearch: false,\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('helpAndSupportCtrl', [\n\t'$scope',\n\t'$stateParams',\n\t'HELP_AND_SUPPORT_DISPLAY_OPTIONS',\nfunction (\n\t$scope,\n\t$stateParams,\n\tHELP_AND_SUPPORT_DISPLAY_OPTIONS\n) {\n\n\tfunction init () {\n\n\t\t// Options for full-screen help and support\n\t\tconst helpAndSupportOptions = {\n\t\t\tshowBreadcrumb: true,\n\t\t\tshowRelated: true\n\t\t};\n\n\t\tif (angular.isDefined($stateParams.articleKey)) {\n\t\t\thelpAndSupportOptions.articleKey = $stateParams.articleKey;\n\t\t}\n\t\tif (angular.isDefined($stateParams.categoryId) && !Number.isNaN(Number($stateParams.categoryId))) {\n\t\t\thelpAndSupportOptions.categoryId = Number($stateParams.categoryId);\n\t\t}\n\n\t\tangular.extend($scope, {\n\t\t\thelpAndSupportOptions\n\t\t});\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tHELP_AND_SUPPORT_DISPLAY_OPTIONS\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar directory = 'features/app/intercom/';\n\t$stateProvider\n\n\t.state('intercom', {\n\t\turl: '/intercom?state&code',\n\t\ttemplateUrl: directory + 'intercomView.html',\n\t\tcontroller: 'intercomCtrl',\n\t\tdata: {\n\t\t\tisPublic: true,\n\t\t\tfullPage: true,\n\t\t\ttitle: 'Intercom'\n\t\t}\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('intercomCtrl', ['$scope', '$stateParams', function ($scope, $stateParams) {\n\n\t$scope.code = $stateParams.code;\n\t$scope.state = $stateParams.state;\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar templateDirectory = 'features/shared/login/';\n\t$stateProvider\n\n\t/* Login */\n\t.state('login', {\n\t\turl: '/login?brand&code&state&authstring',\n\t\tname: 'Paycircle - Sign in',\n\t\ttemplateUrl: templateDirectory + 'login.view.html',\n\t\tcontroller: 'loginCtrl',\n\t\tdata: {\n\t\t\tisPublic: true,\n\t\t\ttitle: 'Sign in'\n\t\t},\n\t\tparams: {\n\t\t\taccountEmailAddress: null,\n\t\t\t// This will clear the title text of the session timeout modal\n\t\t\temptySessionTimeoutHeaderTitle: false,\n\t\t\t// This will be an object when there is an impersonation\n\t\t\timpersonationErrorData: null,\n\t\t\t// This will be an object when there is a migration error\n\t\t\tmigrationErrorData: null,\n\t\t\t// This will be an object when the user has not completed migration but it is required\n\t\t\tRequiresAccessMigration: null,\n\t\t\t// This is set when we need to specifically control the default option in the migration flow\n\t\t\thasIdentityAccountForMigration: undefined,\n\t\t\tsignInError: null,\n\t\t\tisAccessIdentityAccount: false,\n\t\t\tshowSessionTimeout: false,\n\t\t\tusername: null,\n\t\t\t// True when the user has come into the app as an invalid identity user for the portal type (multiple identity accounts issue)\n\t\t\tidentityNoAccess: false\n\t\t},\n\t\tresolve: {\n\t\t\tauth: ['CustomisationResolver', CustomisationResolver => {\n\t\t\t\treturn CustomisationResolver.resolve();\n\t\t\t}]\n\t\t}\n\t})\n\n\t/* SSO login */\n\t.state('ssoLogin', {\n\t\turl: '/login/sso',\n\t\tname: 'Paycircle - SSO sign in',\n\t\ttemplateUrl: templateDirectory + 'login.view.html',\n\t\tcontroller: 'loginCtrl',\n\t\tdata: {\n\t\t\tisPublic: true,\n\t\t\tisSSOLogin: true\n\t\t},\n\t\tresolve: {\n\t\t\tauth: ['CustomisationResolver', CustomisationResolver => {\n\t\t\t\treturn CustomisationResolver.resolve();\n\t\t\t}]\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('loginCtrl', [\n\t'$filter',\n\t'$location',\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'$timeout',\n\t'$window',\n\t'applicationService',\n\t'config',\n\t'growl',\n\t'securityData',\n\t'securityService',\n\t'session',\n\t'utilities',\n\t'AUTH_EVENTS',\n\t'EMAIL_UNIQUENESS_ERROR_CODES',\n\t'HTTP_STATUS_CODES',\n\t'IDENTITY_STATE',\n\t'LOCAL_STORAGE_KEYS',\n\t'LOGIN_TYPES',\n\t'LOGIN_OIDC_TYPES',\n\t'MIGRATION_ERROR_CODES',\n\t'USER_CREDENTIALS_RESPONSE_ERROR_CODES',\n\t'USER_MESSAGE_BAR_STATES',\n\tfunction (\n\t\t$filter,\n\t\t$location,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\t$timeout,\n\t\t$window,\n\t\tapplicationService,\n\t\tconfig,\n\t\tgrowl,\n\t\tsecurityData,\n\t\tsecurityService,\n\t\tsession,\n\t\tutilities,\n\t\tAUTH_EVENTS,\n\t\tEMAIL_UNIQUENESS_ERROR_CODES,\n\t\tHTTP_STATUS_CODES,\n\t\tIDENTITY_STATE,\n\t\tLOCAL_STORAGE_KEYS,\n\t\tLOGIN_TYPES,\n\t\tLOGIN_OIDC_TYPES,\n\t\tMIGRATION_ERROR_CODES,\n\t\tUSER_CREDENTIALS_RESPONSE_ERROR_CODES,\n\t\tUSER_MESSAGE_BAR_STATES\n\t) {\n\n\tconst agencyProfileId = $stateParams.state; // Returned from Slack\n\tconst customisationObj = session.getCustomisation();\n\n\tconst slackToken = $stateParams.code; // Returned from Slack\n\n\tconst REDIRECT_PLACEHOLDER = '';\n\n\tfunction decorateUserPostLogin (userObj, credentialsObj) {\n\n\t\tangular.extend(userObj, {\n\t\t\t// Todo: Temporary decorator, requires integration\n\t\t\tCustomisation: customisationObj,\n\n\t\t\tloginType: credentialsObj.loginType\n\t\t});\n\t}\n\n\tfunction identityRedirect(data) {\n\t\t// Destroy the temp migration session/auth\n\t\tclearMigrationAuthState();\n\t\t// Save the nonce to the local storage\n\t\tutilities.addToStorage(LOCAL_STORAGE_KEYS.nonce, data.Nonce);\n\t\t// Redirect to identity\n\t\tif (angular.isDefined($stateParams.identityNoAccess) && $stateParams.identityNoAccess) {\n\t\t\tdata.IdentityUrl += '&prompt=login'; //Force sign in to allow the user to select the correct identity account\n\t\t}\n\t\t$window.open(data.IdentityUrl, '_self');\n\t}\n\n\tfunction isUniqueEmailUniquenessResponse (identityData) {\n\t\treturn identityData.EmailAddressUniqueness != null &&\n\t\t\t(identityData.EmailAddressUniqueness.IsUnique && identityData.EmailAddressUniqueness.ErrorCode === EMAIL_UNIQUENESS_ERROR_CODES.none);\n\t}\n\n\tfunction init () {\n\n\t\t// Is this the SSO Login state? If so, go straight to SSO login page, otherwise start login page is shown.\n\t\tlet loginType = LOGIN_TYPES.start;\n\n\t\tconst stateData = $state.$current.data;\n\n\t\tif (angular.isDefined($stateParams.identityNoAccess) && $stateParams.identityNoAccess) {\n\t\t\tgrowl.warning('Your sign in was not valid. Please try again.');\n\t\t}\n\n\t\tif (angular.isDefined(stateData) && angular.isDefined(stateData.isSSOLogin) && stateData.isSSOLogin) {\n\t\t\tloginType = LOGIN_TYPES.sso;\n\t\t}\n\n\t\tlet hasAccessAccount = true;\n\n\t\tif (angular.isDefined($stateParams.hasIdentityAccountForMigration)) {\n\t\t\thasAccessAccount = $stateParams.hasIdentityAccountForMigration;\n\n\t\t// Get has access account state from the location service when coming from registration portal\n\t\t} else if (angular.isDefined($location.search().hasAccessIdentityAccount)) {\n\t\t\thasAccessAccount = $location.search().hasAccessIdentityAccount.toLowerCase() === 'true';\n\t\t}\n\n\t\t// Credentials obj; credential storage and login states\n\t\tlet credentialsObj = {\n\t\t\t// The accessIdentityData will begin as an empty object and will be populated by data from the SigninStart API,\n\t\t\taccessIdentityData: {},\n\t\t\taccountAlreadyExists: false,\n\t\t\tcanAccess: true,\n\t\t\tconnectionType: slackToken !== undefined && utilities.isValidGuid(agencyProfileId) ? 'slack' : 'normal',\n\t\t\tconfirmEmail: '',\n\t\t\temail: '',\n\t\t\thasAccessAccount: hasAccessAccount,\n\t\t\tloginFailed: false,\n\t\t\tloginState: '',\n\t\t\tloginType,\n\t\t\tloginUsernameOrEmailFailed: false,\n\t\t\tloginUsernameOrEmail: '',\n\t\t\tloginUsernameOrEmailState: '',\n\t\t\tloginConfirmEmailIsLoading: false,\n\t\t\tloginDuplicateEmail: false,\n\t\t\tloginVerificationIsLoading: false,\n\t\t\tloginVerificationInvalidOrExpired: false,\n\t\t\tloginVerificationRequestNewIsLoading: false,\n\t\t\tmigratingUser: {\n\t\t\t\tisMigrating: false,\n\t\t\t\tisCredentialsVerified: false\n\t\t\t},\n\t\t\tnewLoginContinueClicked: false,\n\t\t\tpassword: '',\n\t\t\tresendVerificationCodeNotificationSuccess: false,\n\t\t\tresendVerificationCodeNotificationWarning: false,\n\t\t\tresendVerificationCodeTimerIsOn: false,\n\t\t\tresendVerificationCodeTimerObj: null,\n\t\t\tusername: $stateParams.username,\n\t\t\tverificationCode: ''\n\t\t};\n\n\t\t// If there are search parameters, after '#' in the URL, this state has been hit from an SSO redirect\n\t\tlet isSSORedirect = false;\n\t\tlet ssoRedirectObj;\n\t\tif ($location.hash() !== '') {\n\t\t\tconst searchParams = new $window.URLSearchParams($location.hash());\n\t\t\tconst idToken = searchParams.get('id_token');\n\t\t\tconst state = searchParams.get('state');\n\t\t\tconst error = searchParams.get('error');\n\t\t\tconst errorDescription = searchParams.get('error_description');\n\n\t\t\t// At least state and idToken, or state and error must be present. If not, proceed on the basis that this isn't an SSO redirect.\n\t\t\tif (angular.isDefined(state) && (angular.isDefined(idToken) || angular.isDefined(error))) {\n\n\t\t\t\t/* Separate 'state' into AgencyProfileID and OIDC system, delineated by an underscore, like this:\n\t\t\t\t\tAgencyProfileID_OIDCSystem. OIDCSystem is one of the OIDC_SYSTEMS values. */\n\t\t\t\tconst stateItems = state.split('_');\n\t\t\t\tconst agencyProfileId = stateItems[0];\n\t\t\t\tconst oidcSystem = parseInt(stateItems[1]);\n\n\t\t\t\tisSSORedirect = true;\n\t\t\t\tssoRedirectObj = {\n\t\t\t\t\tidToken,\n\t\t\t\t\t// State param holds the AgencyProfileID for the SSO login\n\t\t\t\t\tagencyProfileId,\n\t\t\t\t\terror,\n\t\t\t\t\terrorDescription,\n\t\t\t\t\toidcSystem,\n\t\t\t\t\tssoError: false\n\t\t\t\t};\n\t\t\t\tangular.extend(credentialsObj, {\n\t\t\t\t\tloginType: LOGIN_TYPES.sso,\n\t\t\t\t\tssoRedirect: ssoRedirectObj,\n\t\t\t\t\tisSSORedirect\n\t\t\t\t});\n\t\t\t}\n\t\t}\n\n\t\t//..Clear any migration auth state that may be present from a previous migration attempt\n\t\tclearMigrationAuthState(credentialsObj);\n\n\t\t// Temporary timeout warning\n\t\tif (config.appTimeoutMessage !== '') {\n\t\t\tapplicationService.setUserMessageState(USER_MESSAGE_BAR_STATES.timeoutWarning);\n\t\t}\n\n\t\tangular.extend($scope, {\n\t\t\tcredentials: credentialsObj,\n\t\t\tloginAttempts: 0,\n\t\t\tloginAttemptsLeft: 5,\n\t\t});\n\n\t\t// Check for impersonation\n\t\tif ($stateParams.impersonationErrorData !== null) {\n\t\t\tsetPageState('impersonation');\n\n\t\t// SSO Redirect\n\t\t} else if (isSSORedirect) {\n\t\t\t// If ID Token is available, SSO login was successful.\n\t\t\tif (angular.isDefined(ssoRedirectObj.idToken) && ssoRedirectObj.idToken !== null) {\n\t\t\t\tlogin(credentialsObj, customisationObj, isSSORedirect);\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// No ID Token available, so SSO login failed. Set error flag and page state to redisplay SSO login with error.\n\t\t\t\tcredentialsObj.ssoError = true;\n\t\t\t\tsetPageState('ready');\n\t\t\t}\n\t\t} else if ($stateParams.migrationErrorData !== null) {\n\t\t\tsetPageState('migrationError');\n\t\t} else if ($stateParams.signInError !== null) {\n\t\t\tsetPageState('error');\n\t\t} else if ($stateParams.RequiresAccessMigration !== null && $stateParams.RequiresAccessMigration === true) {\n\t\t\t// migration required but was not completed - alert the user they need to sign in again and migrate\n\t\t\tsetPageState('migrationRequired');\n\t\t}\n\t\telse {\n\t\t\t// Standard interactive login\n\t\t\tsetPageState('ready');\n\t\t}\n\t}\n\n\tfunction gotoImpersonationLogin() {\n\t\tidentityRedirect($stateParams.impersonationErrorData);\n\t}\n\n\tfunction resendCode (credentials) {\n\n\t\tif (credentials.accessIdentityData.AccountID === null || credentials.accessIdentityData.AccountID === undefined) {\n\t\t\tsecurityData.signinStart(credentials.username, false)\t\t//..Call sign in start to populate any further identity data required. This is now an AllowAuthenticated endpoint\n\t\t\t\t.then((identityData) => {\n\n\t\t\t\t\tsaveAccessIdentityDataAndLoginType(identityData, credentials, utilities.toCamelCase(identityData.Type));\n\t\t\t\t})\n\t\t\t\t.then(() => {\n\t\t\t\t\tsendCodeForResend(credentials);\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\t\t} else {\n\t\t\tsendCodeForResend(credentials);\n\t\t}\n\t}\n\n\tfunction sendCodeForResend(credentials){\n\t\t// Hide notification\n\t\tcredentials.loginVerificationInvalidOrExpired = false;\n\n\t\tif (credentials.resendVerificationCodeTimerIsOn === false) {\n\n\t\t\t// Request a new verification code\n\t\t\tcredentials.loginVerificationRequestNewIsLoading = true;\n\t\t\tsecurityData.startAccountVerification(credentials.accessIdentityData.AccountID)\n\t\t\t.then(() => {\n\n\t\t\t\t// Show the success notification\n\t\t\t\tcredentials.resendVerificationCodeNotificationSuccess = true;\n\t\t\t\t// Start a timer that will hide the note after 3 seconds\n\t\t\t\tcredentials.resendVerificationCodeTimerObj = $timeout(() => {\n\t\t\t\t\tcredentials.resendVerificationCodeNotificationSuccess = false;\n\t\t\t\t}, 3000);\n\n\t\t\t\t// Start a timer that will allow new code requests after 1 minute\n\t\t\t\tcredentials.resendVerificationCodeTimerIsOn = true;\n\t\t\t\t$timeout(() => {\n\t\t\t\t\t// Hide the warning notification\n\t\t\t\t\tcredentials.resendVerificationCodeNotificationWarning = false;\n\t\t\t\t\t// Turn the timer off after 1 minute\n\t\t\t\t\tcredentials.resendVerificationCodeTimerIsOn = false;\n\t\t\t\t}, 60000);\n\t\t\t})\n\t\t\t.catch(onError)\n\t\t\t.finally(() => {\n\t\t\t\tcredentials.loginVerificationRequestNewIsLoading = false;\n\t\t\t});\n\n\t\t} else {\n\t\t\t// Cancel the success timer\n\t\t\t$timeout.cancel(credentials.resendVerificationCodeTimerObj);\n\t\t\t// Show the warning note\n\t\t\tcredentials.resendVerificationCodeNotificationWarning = true;\n\t\t\t// Hide the success note\n\t\t\tcredentials.resendVerificationCodeNotificationSuccess = false;\n\t\t}\n\t}\n\n\tfunction saveAccessIdentityDataAndLoginType (identityData, credentialsObj, loginType) {\n\t\t// Save the data\n\t\tcredentialsObj.loginType = loginType;\n\t\tcredentialsObj.accessIdentityData = identityData;\n\n\t\tif (isMigratingUser(credentialsObj)) {\n\t\t\tcredentialsObj.migratingUser.isMigrating = true;\n\t\t}\n\t}\n\n\tfunction isMigratingUser (credentialsObj) {\n\t\treturn [LOGIN_TYPES.accessIdentityMigrate, LOGIN_TYPES.accessIdentityVerify, LOGIN_TYPES.created, LOGIN_TYPES.confirmEmail].includes(credentialsObj.loginType);\n\t}\n\n\tfunction storeMigrationAuthTokenAndSessionId (userObj, credentialsObj) {\n\t\t// store the auth token and session ID for further migration api requests\n\t\t// set isCredentialsVerified flag true to skip the password input for further steps as we should have a valid auth token\n\t\tsecurityService.storeToken(userObj.UserResponseAuthString);\n\t\tsession.setSessionID(userObj);\n\t\tcredentialsObj.migratingUser.isCredentialsVerified = true;\n\t}\n\n\tfunction credentialsVerificationResponseHandler (response) {\n\t\tif (response.ErrorCode !== USER_CREDENTIALS_RESPONSE_ERROR_CODES.none) {\n\n\t\t\t// Set states\n\t\t\tangular.extend($scope.credentials, {\n\t\t\t\tloginFailed: true,\n\t\t\t\tloginState: '',\n\t\t\t});\n\n\t\t\t// Log the error\n\t\t\tconsole.error(response);\n\n\t\t\tif (response.ErrorCode === USER_CREDENTIALS_RESPONSE_ERROR_CODES.invalidCredentials || response.data.ErrorCode === USER_CREDENTIALS_RESPONSE_ERROR_CODES.invalidCredentials) {\n\t\t\t\tupdateLoginAttempts();\n\t\t\t}\n\n\t\t\t// Other errors could be:\n\t\t\t// - accountLocked\n\t\t\t// - passwordExpired\n\n\t\t\treturn false;\n\t\t}\n\t\treturn true;\n\t}\n\n\tfunction clearMigrationAuthState (credentialsObj) {\n\t\t// Kill the session and clear verified flag so password reentry will be presented to the user\n\t\tif (utilities.getToken() !== null) {\n\t\t\tsecurityData.signOut();\n\t\t}\n\n\t\tif (arguments.length > 0) {\n\t\t\tcredentialsObj.migratingUser.isCredentialsVerified = false;\n\t\t}\n\n\t\t// Destroy session\n\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionDestroy);\n\t}\n\n\t/*\n\t\tLogin. isSSORedirect === true when this state is being hit following an SSO login with a third party\n\t\tauthentication provider (Azure, Xero, Okta, etc.). Note the distinction here between loginType (part\n of the credentials object) and isSSORedirect. The latter is an automated login following external SSO\n\t\tauthentication. The former is the initial SSO login step with UI in which the user provides their email\n\t\taddress.\n\t*/\n\tfunction login (credentialsObj, customisationObj, isSSORedirect) {\n\n\t\t// Reset states\n\t\tangular.extend(credentialsObj, {\n\t\t\tcanAccess: true,\n\t\t\tssoIdentityState: null,\n\t\t\tloginFailed: false,\n\t\t\tloginState: '',\n\t\t\tloginUsernameOrEmailFailed: false,\n\t\t\tloginUsernameOrEmailState: '',\n\t\t\tloginConfirmEmailIsLoading: false,\n\t\t\tloginDuplicateEmail: false,\n\t\t\tloginVerificationIsLoading: false,\n\t\t\tloginVerificationInvalidOrExpired: false,\n\t\t\tloginVerificationRequestNewIsLoading: false,\n\t\t\trole: null,\n\t\t\tssoError: false,\n\t\t\tssoErrorState: LOGIN_OIDC_TYPES.Success\n\t\t});\n\n\t\t// Check if this is the first login screen\n\t\tif (credentialsObj.loginType === LOGIN_TYPES.start) {\t\t//..Get the sign in type\n\n\t\t\tcredentialsObj.loginUsernameOrEmailState = 'processing';\n\n\t\t\t// Show an error when it is an empty string\n\t\t\tif (credentialsObj.loginUsernameOrEmail === '') {\n\t\t\t\tcredentialsObj.loginUsernameOrEmailFailed = true;\n\t\t\t\tcredentialsObj.loginUsernameOrEmailState = '';\n\n\t\t\t} else {\n\t\t\t\t// Call the API\n\t\t\t\tsecurityData.getSigninStartType(credentialsObj.loginUsernameOrEmail)\n\t\t\t\t.then((identityData) => {\n\n\t\t\t\t\tsaveAccessIdentityDataAndLoginType(identityData, credentialsObj, utilities.toCamelCase(identityData.Type));\n\n\t\t\t\t\tif (credentialsObj.loginType === LOGIN_TYPES.accessIdentity) {\n\t\t\t\t\t\t// Redirect to identity\n\t\t\t\t\t\tidentityRedirect(credentialsObj.accessIdentityData);\n\t\t\t\t\t} else {\n\t\t\t\t\t\tcredentialsObj.username = credentialsObj.loginUsernameOrEmail;\n\t\t\t\t\t\t// Reset\n\t\t\t\t\t\tcredentialsObj.loginUsernameOrEmailState = '';\n\n\t\t\t\t\t}\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\t\t\t}\n\n\t\t} else if (credentialsObj.migratingUser.isMigrating && !credentialsObj.migratingUser.isCredentialsVerified) {\t\t//..Verify the user credentials to allow authenticated further api calls in the migration flow\n\t\t\tsecurityData.authoriseUserForMigration(credentialsObj)\n\t\t\t\t.then((authResponse) => {\n\t\t\t\t\tif (credentialsVerificationResponseHandler(authResponse)) {\n\n\t\t\t\t\t\tstoreMigrationAuthTokenAndSessionId(authResponse.UserResponse, credentialsObj);\n\t\t\t\t\t}\n\t\t\t\t})\n\t\t\t\t.catch((authResponse) => {\n\t\t\t\t\tcredentialsVerificationResponseHandler(authResponse);\n\t\t\t\t});\n\n\t\t} else if (credentialsObj.loginType === LOGIN_TYPES.accessIdentityMigrate && credentialsObj.migratingUser.isCredentialsVerified) {\n\t\t\tcredentialsObj.loginSetupSigninIsLoading = true;\n\n\t\t\tsecurityData.signinStart(credentialsObj.username, credentialsObj.hasAccessAccount)\t\t\t\t//..Call sign in start to populate any further identity data required. This is now an AllowAuthenticated endpoint\n\t\t\t\t.then((identityData) => {\n\t\t\t\t\tsaveAccessIdentityDataAndLoginType(identityData, credentialsObj, utilities.toCamelCase(identityData.Type));\n\t\t\t\t\tif (credentialsObj.hasAccessAccount){\n\t\t\t\t\t\tif (identityData.IdentityUrl != null) {\n\t\t\t\t\t\t\tidentityRedirect(credentialsObj.accessIdentityData);\t\t\t\t\t\t\t//..Go off to sign in to existing identity account\n\t\t\t\t\t\t\treturn;\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\tonError('No identity URL returned');\n\t\t\t\t\t\t\treturn;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t\t// Only go to confirm email if a further step is not returned from signinstart\n\t\t\t\t\tif (credentialsObj.loginType === LOGIN_TYPES.accessIdentityMigrate) {\n\t\t\t\t\t\t// Go to the confirm email address view\n\t\t\t\t\t\tcredentialsObj.loginType = LOGIN_TYPES.confirmEmail;\n\t\t\t\t\t\t// Set the email address field in this view\n\t\t\t\t\t\tcredentialsObj.confirmEmail = identityData.EmailAddress;\n\t\t\t\t\t\tif (credentialsObj.confirmEmail === '' || !isUniqueEmailUniquenessResponse(identityData)) {\n\t\t\t\t\t\t\t// If the email is empty, or we have a uniqueness error code then it is a duplicate being used by another user\n\t\t\t\t\t\t\tcredentialsObj.confirmEmail = '';\n\t\t\t\t\t\t\tcredentialsObj.loginDuplicateEmail = true;\n\t\t\t\t\t\t\tif (identityData.EmailAddressUniqueness.ErrorCode === EMAIL_UNIQUENESS_ERROR_CODES.inUseIdentity) {\n\t\t\t\t\t\t\t\tcredentialsObj.accountAlreadyExists = true;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t})\n\t\t\t\t.catch(onError)\n\t\t\t\t.finally(() => {\n\t\t\t\t\tcredentialsObj.loginSetupSigninIsLoading = false;\n\t\t\t\t});\n\n\t\t} else if (credentialsObj.loginType === LOGIN_TYPES.confirmEmail) {\n\t\t\t// Migrate the user\n\t\t\tcredentialsObj.loginConfirmEmailIsLoading = true;\n\n\t\t\tsecurityData.migrateUser(credentialsObj.accessIdentityData.UserID, credentialsObj.confirmEmail)\n\t\t\t\t.then((identityData) => {\n\n\t\t\t\t\tif (identityData.ErrorCode === MIGRATION_ERROR_CODES.unexpectedError) {\n\t\t\t\t\t\tangular.extend($scope, {\n\t\t\t\t\t\t\tunexpectedError: true\n\t\t\t\t\t\t});\n\t\t\t\t\t\tinit();\n\t\t\t\t\t} else if (!isUniqueEmailUniquenessResponse(identityData)) {\t\t\t\t\t//..Email address is not unique\n\t\t\t\t\t\tcredentialsObj.loginDuplicateEmail = true;\n\n\t\t\t\t\t\tif (identityData.ErrorCode === MIGRATION_ERROR_CODES.cannotLinkMultipleUsers) {\t\t\t//..Multiple users cannot be linked through this method. Signin and link flow should be used\n\t\t\t\t\t\t\tcredentialsObj.accountAlreadyExists = true;\n\t\t\t\t\t\t}\n\t\t\t\t\t} else {\n\t\t\t\t\t\t// The user is migrated.\n\t\t\t\t\t\t// Go to the verify code view\n\t\t\t\t\t\tsaveAccessIdentityDataAndLoginType(identityData, credentialsObj, LOGIN_TYPES.accessIdentityVerify);\n\t\t\t\t\t}\n\n\t\t\t\t})\n\t\t\t\t.catch(onError)\n\t\t\t\t.finally(() => {\n\t\t\t\t\tcredentialsObj.loginConfirmEmailIsLoading = false;\n\t\t\t\t});\n\n\t\t} else if (credentialsObj.loginType === LOGIN_TYPES.accessIdentityVerify) {\n\n\t\t\tcredentialsObj.loginVerificationIsLoading = true;\n\n\t\t\tsecurityData.verifyAccountCode(credentialsObj.accessIdentityData.AccountID, credentialsObj.verificationCode)\n\t\t\t\t.then((identityData) => {\n\n\t\t\t\t\tif (identityData.Status === 'Invalid' || identityData.Status === 'Expired') {\n\t\t\t\t\t\t\tcredentialsObj.loginVerificationInvalidOrExpired = true;\n\t\t\t\t\t\t\tcredentialsObj.verificationCode = '';\n\t\t\t\t\t} else if (identityData.Status === 'AccountNotFound' && (credentialsObj.accessIdentityData.AccountID === null || credentialsObj.accessIdentityData.AccountID === undefined)) {\n\t\t\t\t\t\tcredentialsObj.loginVerificationInvalidOrExpired = true;\n\t\t\t\t\t\tsecurityData.signinStart(credentialsObj.username)\t\t//..Call sign in start to populate any further identity data required. This is now an AllowAuthenticated endpoint\n\t\t\t\t\t\t\t.then((identityData) => {\n\t\t\t\n\t\t\t\t\t\t\t\tsaveAccessIdentityDataAndLoginType(identityData, credentialsObj, utilities.toCamelCase(identityData.Type));\n\t\t\t\t\t\t\t});\n\t\t\t\t\t} else if (identityData.Status === 'Verified') {\n\t\t\t\t\t\tsaveAccessIdentityDataAndLoginType(identityData, credentialsObj, LOGIN_TYPES.created);\n\t\t\t\t\t} else {\n\t\t\t\t\t\tconsole.error('There is an issue using the code');\n\t\t\t\t\t}\n\n\t\t\t\t})\n\t\t\t\t.catch(onError)\n\t\t\t\t.finally(() => {\n\t\t\t\t\tcredentialsObj.loginVerificationIsLoading = false;\n\t\t\t\t});\n\n\t\t} else if (credentialsObj.loginType === LOGIN_TYPES.created) {\n\t\t\t// Redirect to identity\n\t\t\tidentityRedirect(credentialsObj.accessIdentityData);\n\n\t\t} else if (credentialsObj.loginType === LOGIN_TYPES.sso && !isSSORedirect) {\n\t\t\t/* If this is an SSO login (not redirect, see comments above), get the OIDC url and visit that.\n\t\t\t Otherwise proceed with normal login or SSO redirect */\n\t\t\t// Get the OIDC URL for this user\n\t\t\tsecurityData.getOIDCUrl(credentialsObj.email).then(oidcResponse => {\n\t\t\t\tswitch (oidcResponse.ErrorCode)\n\t\t\t\t{\n\t\t\t\t\tcase LOGIN_OIDC_TYPES.Success:\n\t\t\t\t\t\tonGetOIDCSuccess(oidcResponse, credentialsObj);\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tdefault: onGetOIDCFailure(oidcResponse, credentialsObj);\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t})\n\t\t\t.catch(onError);\n\t\t}\n\t\telse {\n\n\t\t\t// Login API dependent on whether this is an SSO redirect\n\t\t\tlet userLogin;\n\t\t\tif (isSSORedirect) {\n\t\t\t\t// SSO Login - using ID token returned in redirect, and agency profile ID (from 'state' param in redirect)\n\t\t\t\tuserLogin = securityData.userLoginSSO(credentialsObj.ssoRedirect.agencyProfileId,\n\t\t\t\t\t\t\t\t\t\t\t\t\t credentialsObj.ssoRedirect.oidcSystem,\n\t\t\t\t\t\t\t\t\t\t\t\t\t credentialsObj.ssoRedirect.idToken);\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Normal interactive login\n\t\t\t\tuserLogin = securityData.userLogin(credentialsObj);\n\t\t\t}\n\n\t\t\tuserLogin.then(userObj => {\n\n\t\t\t\t// Is user role type allowed in app\n\t\t\t\tif (securityService.isUserAllowedAccess(userObj)) {\n\n\t\t\t\t\tdecorateUserPostLogin(userObj, credentialsObj);\n\n\t\t\t\t\tif (userObj.RequiresAccessMigration && userObj.IsSSOLogin && !userObj.IsRegistered) {\n\t\t\t\t\t\t// Handle scenario where we need to show them an option to fully register themselves\n\t\t\t\t\t\tcreateLiteSessionForSSORegistrationRequest(userObj);\n\n\t\t\t\t\t} else if (userObj.Session2FARequired) {\n\t\t\t\t\t\t// User required two-factor authentication\n\t\t\t\t\t\t$state.go('authentication', {user: userObj});\n\n\t\t\t\t\t} else {\n\t\t\t\t\t\t// Set up user session\n\t\t\t\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionCreate, userObj, agencyProfileId, slackToken);\n\t\t\t\t\t}\n\n\t\t\t\t\t// Set states\n\t\t\t\t\tangular.extend(credentialsObj, {\n\t\t\t\t\t\tcanAccess: true,\n\t\t\t\t\t\tloginFailed: false,\n\t\t\t\t\t\tloginState: 'logged-in',\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\t// User role not permitted\n\t\t\t\telse {\n\n\t\t\t\t\t// Set states\n\t\t\t\t\tangular.extend(credentialsObj, {\n\t\t\t\t\t\tcanAccess: false,\n\t\t\t\t\t\tloginState: '',\n\t\t\t\t\t\trole: userObj.UserResponseRoles[0],\n\t\t\t\t\t});\n\n\t\t\t\t\t// Show message\n\t\t\t\t\tconsole.warn('Paycircle: User is not allowed access');\n\t\t\t\t}\n\n\t\t\t})\n\t\t\t.catch(error => {\n\n\t\t\t\tif (error.status && error.status === HTTP_STATUS_CODES.serviceUnavailable) {\n\t\t\t\t\t// Whitelist checking failed\n\t\t\t\t\tsetPageState('access-denied');\n\t\t\t\t} else if (isSSORedirect && error.status && (error.status === HTTP_STATUS_CODES.unauthorized || error.status === HTTP_STATUS_CODES.internalServerError)) {\n\t\t\t\t\t// Unauthorized or Internal Server Error\n\n\t\t\t\t\t// Set states\n\t\t\t\t\tangular.extend(credentialsObj, {\n\t\t\t\t\t\tloginFailed: true,\n\t\t\t\t\t\tloginState: 'ssologin-failed',\n\t\t\t\t\t});\n\n\n\t\t\t\t\tsetPageState('error');\n\t\t\t\t\t\n\t\t\t\t} else {\n\t\t\t\t\tconsole.error(error);\n\n\t\t\t\t\t// Set states\n\t\t\t\t\tangular.extend(credentialsObj, {\n\t\t\t\t\t\tloginFailed: true,\n\t\t\t\t\t\tloginState: '',\n\t\t\t\t\t});\n\n\t\t\t\t\tupdateLoginAttempts();\n\n\t\t\t\t\t// Set page state to show login screen with error\n\t\t\t\t\tsetPageState('ready');\n\t\t\t\t}\n\t\t\t})\n\t\t\t.finally(() => {\n\n\t\t\t\t$timeout(() => {\n\t\t\t\t\tcredentialsObj.loginState = credentialsObj.loginState === 'ssologin-failed' ? credentialsObj.loginState : '';\n\t\t\t\t}, 5000);\n\t\t\t});\n\n\t\t}\n\t}\n\n\tfunction createLiteSessionForSSORegistrationRequest (userObj) {\n\t\tsecurityService.storeToken(userObj.UserResponseAuthString);\n\n\t\t// Store customisation id\n\t\tutilities.addToStorage(LOCAL_STORAGE_KEYS.brandId, userObj.AgencyProfileCustomisationID);\n\n\t\t// Store login type when updated\n\t\tif (userObj.loginType) {\n\t\t\tutilities.addToStorage(LOCAL_STORAGE_KEYS.loginType, userObj.loginType);\n\t\t}\n\n\t\t// Setup user object\n\t\tuserObj = $filter('userResponse')(userObj);\n\n\t\t// Create users session\n\t\tsession.create(userObj);\n\n\t\t$state.go('ssoRegisterUser', {user: userObj});\n\t}\n\n\tfunction onGetOIDCSuccess (oidcResponse, credentialsObj) {\n\t\t// If the response includes the redirect placeholder, we're good to go ...\n\t\tif (oidcResponse.OidcUrl.includes(REDIRECT_PLACEHOLDER)) {\n\t\t\toidcSuccessRedirect(oidcResponse.OidcUrl);\n\t\t} else {\n\t\t\toidcResponse.ErrorCode = LOGIN_OIDC_TYPES.NotEnabled;\n\t\t\tonGetOIDCFailure(oidcResponse, credentialsObj);\n\t\t}\n\t}\n\n\tfunction oidcSuccessRedirect (oidcUrl)\n\t{\n\t\t// Determine the login redirect for the Azure redirect. This varies according to environment; dev, beta, localhost etc.\n\t\tlet redirectUri = `${$location.protocol()}://${$location.host()}`;\n\t\t// Add the port if there is one\n\t\tif ($location.port()) {\n\t\t\tredirectUri += `:${$location.port()}`;\n\t\t}\n\t\t// Add the login state, which deals with the SSO redirect\n\t\tredirectUri += '/login';\n\n\t\t// Update redirect - replace placeholder with determined redirect\n\t\toidcUrl = oidcUrl.replace(REDIRECT_PLACEHOLDER, redirectUri);\n\n\t\t// Redirect to that for user credentials.\n\t\t$window.open(oidcUrl, '_self');\n\t}\n\n\tfunction onGetOIDCFailure (oidcResponse, credentialsObj) {\n\t\t// SSO not enabled for this user\n\t\tangular.extend(credentialsObj, {\n\t\t\tloginState: '',\n\t\t\tssoErrorState: oidcResponse.ErrorCode,\n\t\t\tssoIdentityState: oidcResponse.IdentityState,\n\t\t\tuserRegistrationState: oidcResponse.RegistrationState,\n\t\t\toidcRedirectURL: oidcResponse.OidcUrl\n\t\t});\n\t}\n\n\tfunction getSSOMessageState (credentialsObj) {\n\t\tswitch (credentialsObj.ssoErrorState) {\n\t\t\tcase LOGIN_OIDC_TYPES.Success: \n\t\t\t\treturn 'Success';\n\t\t\tcase (LOGIN_OIDC_TYPES.NotEnabled):\n\t\t\t\treturn 'userNotFound';\n\t\t\tcase (LOGIN_OIDC_TYPES.BlockedForIdentity):\n\t\t\t\treturn getSSOMessageStateBlockedForIdentity(credentialsObj);\n\t\t\tcase (LOGIN_OIDC_TYPES.UnexpectedError):\n\t\t\t\treturn 'unexpectedError';\n\t\t}\n\t}\n\n\tfunction getSSOMessageStateBlockedForIdentity (credentialsObj) {\n\t\tif(credentialsObj.ssoIdentityState === IDENTITY_STATE.accessIdentity) {\n\t\t\treturn 'identityMigratedUser';\n\t\t} else if (credentialsObj.ssoIdentityState === IDENTITY_STATE.accessIdentityMigrate || credentialsObj.ssoIdentityState === IDENTITY_STATE.accessIdentityVerify) {\n\t\t\tif (credentialsObj.userRegistrationState.IsRegistered) {\n\t\t\t\treturn 'identityMigrationRequired';\n\t\t\t} else {\n\t\t\t\treturn 'identityMigrationAndRegistrationRequired';\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction continueSSOForRegistration (credentialsObj) {\n\t\t\n\t\tangular.extend(credentialsObj, {\n\t\t\tloginState: 'logging-in'\n\t\t});\n\n\t\tif (credentialsObj.oidcRedirectURL.includes(REDIRECT_PLACEHOLDER)) {\n\t\t\toidcSuccessRedirect(credentialsObj.oidcRedirectURL);\n\t\t} else {\n\t\t\tsetPageState('error');\n\t\t}\n\t\t\n\t}\n\n\tfunction onError (error) {\n\t\tclearMigrationAuthState($scope.credentials);\n\t\tconsole.error(error);\n\t}\n\n\tfunction reset () {\n\t\tinit();\n\t}\n\n\tfunction resetMigrationErrorWithDefaultNoAccessAccount () {\n\t\t$stateParams.hasIdentityAccountForMigration = false;\n\t\t$stateParams.migrationErrorData = null;\n\t\treset();\n\t}\n\n\tfunction resetAfterSignInError (credentialsObj) {\n\t\t$stateParams.signInError = null;\n\n\t\tif (credentialsObj.loginState === 'ssologin-failed' || (credentialsObj.ssoRedirect !== null && credentialsObj.ssoRedirect !== undefined)) {\n\t\t\tangular.extend(credentialsObj, {\n\t\t\t\tloginState: ''\n\t\t\t});\n\n\t\t\t$state.go('login');\n\t\t}\n\t\treset();\n\t}\n\n\tfunction resetAfterMigrationRequiredError () {\n\t\t$stateParams.RequiresAccessMigration = null;\n\t\treset();\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction updateLoginAttempts () {\n\t\t$scope.loginAttempts++;\n\t\t$scope.loginAttemptsLeft--;\n\t}\n\n\tfunction getIdentityMigrateSignInTitleText () {\n\t\tif ($scope.credentials.migratingUser.isCredentialsVerified && !$scope.credentials.newLoginContinueClicked) {\n\t\t\treturn 'A new way to sign in';\n\t\t} else if ($scope.credentials.migratingUser.isCredentialsVerified) {\n\t\t\treturn 'Your Access account';\n\t\t} else {\n\t\t\treturn 'Sign in to payroll';\n\t\t}\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tLOGIN_TYPES,\n\t\tLOGIN_OIDC_TYPES,\n\t\tcustomisation: customisationObj,\n\t\texternalUrls: config.externalUrls,\n\t\tcontinueSSOForRegistration,\n\t\tgotoImpersonationLogin,\n\t\tgetIdentityMigrateSignInTitleText,\n\t\tgetSSOMessageState,\n\t\tlogin,\n\t\tonError,\n\t\tresendCode,\n\t\treset,\n\t\tresetAfterMigrationRequiredError,\n\t\tresetAfterSignInError,\n\t\tresetMigrationErrorWithDefaultNoAccessAccount,\n\t\tsetPageState\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar templateDirectory = 'features/shared/logout/';\n\t$stateProvider\n\n\t/* Login */\n\t.state('logout', {\n\t\turl: '/logout',\n\t\tname: 'Paycircle - Logout',\n\t\ttemplateUrl: templateDirectory + 'logoutView.html',\n\t\tcontroller: 'LogoutCtrl',\n\t\tdata: {\n\t\t\tisPublic: true,\n\t\t\ttitle: 'Sign out'\n\t\t}\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('LogoutCtrl', [\n\t'$rootScope',\n\t'$state',\n\t'securityData',\n\t'AUTH_EVENTS',\n\tfunction (\n\t\t$rootScope,\n\t\t$state,\n\t\tsecurityData,\n\t\tAUTH_EVENTS\n\t) {\n\n\tfunction init () {\n\n\t\tsecurityData.signOut().then(() => {\n\n\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionDestroy);\n\n\t\t\t$state.go('login');\n\t\t})\n\t\t.catch(angular.noop);\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tconst templateDirectory = 'features/shared/auth/';\n\t$stateProvider\n\n\t.state('authentication', {\n\t\turl: '/auth',\n\t\ttemplateUrl: templateDirectory + 'authenticationView.html',\n\t\tcontroller: 'authenticationCtrl',\n\t\tdata: {\n\t\t\tdocument: true,\n\t\t\tfullPage: true,\n\t\t\tisPublic: true,\n\t\t\ttitle: 'Authentication'\n\t\t},\n\t\tparams: {\n\t\t\tuser: null\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('authenticationCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'$timeout',\n\t'config',\n\t'securityData',\n\t'session',\n\t'AUTH_EVENTS',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tconfig,\n\t\tsecurityData,\n\t\tsession,\n\t\tAUTH_EVENTS\n\t) {\n\n\tconst userObj = $stateParams.user;\n\n\tconst AUTH_STAGES = {\n\t\tapp: 'app',\n\t\tauthenticated: 'authenticated',\n\t\tcode: 'code',\n\t\tloading: 'loading',\n\t\tqrCode: 'qr-code'\n\t};\n\n\tconst CODE_STATES = {\n\t\tready: 'ready',\n\t\tincorrect: 'incorrect',\n\t\tlockedOut: 'locked-out',\n\t\tsuccess: 'success'\n\t};\n\n\tfunction clearResetTimeout (vmObj) {\n\n\t\tif (vmObj.resetTimeout) {\n\t\t\t$timeout.cancel(vmObj.resetTimeout);\n\t\t}\n\t}\n\n\tfunction getActiveStepIndex (activeStep) {\n\n\t\tswitch (activeStep) {\n\t\t\tcase AUTH_STAGES.app:\n\t\t\t\treturn 1;\n\t\t\tcase AUTH_STAGES.qrCode:\n\t\t\t\treturn 2;\n\t\t\tcase AUTH_STAGES.code:\n\t\t\t\treturn 3;\n\t\t\tcase AUTH_STAGES.authenticated:\n\t\t\t\treturn 4;\n\t\t}\n\t}\n\n\tfunction getInitialActiveState () {\n\n\t\tif (userObj.Session2FAConfigured) {\n\t\t\treturn AUTH_STAGES.code;\n\n\t\t} else {\n\t\t\treturn AUTH_STAGES.app;\n\t\t}\n\t}\n\n\tfunction getInitialCodeState () {\n\n\t\tif (userObj.AttemptLockoutMinutes > 0 || userObj.AttemptLockoutSeconds > 0) {\n\t\t\treturn CODE_STATES.lockedOut;\n\n\t\t} else {\n\t\t\treturn CODE_STATES.ready;\n\t\t}\n\t}\n\n\tfunction getFailedValidationCodeState (tfaResponseObj) {\n\n\t\tif (tfaResponseObj.AttemptLockoutMinutes > 0 || tfaResponseObj.AttemptLockoutSeconds > 0) {\n\t\t\treturn CODE_STATES.lockedOut;\n\n\t\t} else {\n\t\t\treturn CODE_STATES.incorrect;\n\t\t}\n\t}\n\n\tfunction getOTPauthString (sharedSecret, vmObj) {\n\t\treturn `otpauth://totp/${vmObj.issuerLabel}:${userObj.UserResponseUsername}?secret=${sharedSecret}&issuer=${vmObj.issuerLabel}`;\n\t}\n\n\tfunction getQRCode (vmObj) {\n\n\t\tresetTOTP(vmObj);\n\n\t\tvmObj.totp = '';\n\n\t\tsetAuthStage(AUTH_STAGES.qrCode, vmObj);\n\n\t\tif (!vmObj.sharedSecret) {\n\t\t\tsecurityData.createSharedSecret(userObj.UserResponseUserID, userObj.UserResponseAuthString).then(sharedSecret => {\n\n\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\tqrCodeString: getOTPauthString(sharedSecret, vmObj),\n\t\t\t\t\tsharedSecret: sharedSecret.replace(/(.{4})/g, '$1 ')\n\t\t\t\t});\n\n\t\t\t})\n\t\t\t.catch(onError);\n\t\t}\n\t}\n\n\tfunction getResetTimeoutLength (failedValidationState, tfaResponseObj) {\n\n\t\tif (failedValidationState === CODE_STATES.incorrect) {\n\t\t\treturn 3000;\n\n\t\t} else {\n\t\t\tconst totalSecondsLockedOut = tfaResponseObj.AttemptLockoutSeconds+(tfaResponseObj.AttemptLockoutMinutes*60);\n\n\t\t\treturn totalSecondsLockedOut*1000;\n\t\t}\n\t}\n\n\tfunction init () {\n\n\t\tif (!userObj) {\n\t\t\t$state.go('login');\n\t\t\treturn;\n\t\t}\n\n\t\t// Set SessionID to use in later service calls\n\t\tsession.setSessionID(userObj);\n\n\t\tconst initCodeState = getInitialCodeState();\n\n\t\tconst vmObj = {\n\t\t\tactiveStep: getInitialActiveState(),\n\t\t\tactiveStepIndex: 1,\n\t\t\tcodeState: initCodeState,\n\t\t\tisInSetupMode: !userObj.Session2FAConfigured,\n\t\t\tissuerLabel: encodeURIComponent(config.appTitle),\n\t\t\tmaxVerifcationAttempts: 5,\n\t\t\tqrCodeString: null,\n\t\t\tresetTimeout: null,\n\t\t\tsharedSecret: null,\n\t\t\tshowCodeFooter: false,\n\t\t\tshowTroubleshooting: false,\n\t\t\ttfaResponse: null,\n\t\t\ttotalSteps: 3,\n\t\t\ttotp: '',\n\t\t\tuser: userObj\n\t\t};\n\n\t\t// If user is locked out, disable the inputs\n\t\tif (initCodeState === CODE_STATES.lockedOut) {\n\t\t\tangular.extend(vmObj, {\n\t\t\t\ttfaResponse: userObj,\n\t\t\t\tshowCodeFooter: true\n\t\t\t});\n\t\t}\n\n\t\t$scope.vm = vmObj;\n\n\t\tsetPageState('ready');\n\t}\n\n\tfunction onError (errorMessage) {\n\t\tsetPageState('error');\n\t\tconsole.error(errorMessage);\n\t}\n\n\tfunction redirectToLogin (vmObj) {\n\n\t\t$state.go('login', {username: userObj.UserResponseUsername });\n\n\t\tclearResetTimeout(vmObj);\n\t}\n\n\tfunction resetTOTP (vmObj) {\n\n\t\tangular.extend(vmObj, {\n\t\t\tcodeState: CODE_STATES.ready,\n\t\t\tshowCodeFooter: false\n\t\t});\n\n\t\tif (vmObj.TOTPForm) {\n\t\t\tvmObj.TOTPForm.state = null;\n\t\t}\n\n\t\tclearResetTimeout(vmObj);\n\t}\n\n\tfunction setAuthStage (newStep, vmObj) {\n\n\t\tangular.extend(vmObj, {\n\t\t\tactiveStep: newStep,\n\t\t\tactiveStepIndex: getActiveStepIndex(newStep),\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction setNewSession () {\n\n\t\tuserObj.Session2FARequired = false;\n\n\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionCreate, userObj);\n\t}\n\n\tfunction toggleTroubleshooting (vmObj) {\n\t\tvmObj.showTroubleshooting = !vmObj.showTroubleshooting;\n\t}\n\n\tfunction validate2FA (vmObj) {\n\n\t\tconst formObj = vmObj.TOTPForm;\n\n\t\tformObj.state = 'saving';\n\n\t\tsecurityData.validate2FA(userObj.UserResponseUserID, vmObj.totp, userObj.UserResponseAuthString).then(tfaResponseObj => {\n\n\t\t\tif (tfaResponseObj.Authenticated) {\n\n\t\t\t\tif (vmObj.isInSetupMode) {\n\t\t\t\t\tsetAuthStage(AUTH_STAGES.authenticated, vmObj);\n\n\t\t\t\t} else {\n\t\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\t\tcodeState: CODE_STATES.success,\n\t\t\t\t\t\tshowCodeFooter: true\n\t\t\t\t\t});\n\n\t\t\t\t\tformObj.state = 'saved';\n\n\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\tsetNewSession();\n\t\t\t\t\t}, 1000);\n\t\t\t\t}\n\n\t\t\t} else {\n\n\t\t\t\tconst failedValidationState = getFailedValidationCodeState(tfaResponseObj);\n\n\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\tcodeState: failedValidationState,\n\t\t\t\t\tshowCodeFooter: true,\n\t\t\t\t\ttfaResponse: tfaResponseObj,\n\t\t\t\t\ttotp: ''\n\t\t\t\t});\n\n\t\t\t\tformObj.state = 'failed';\n\n\t\t\t\tvmObj.resetTimeout = $timeout(() => {\n\t\t\t\t\tresetTOTP(vmObj);\n\t\t\t\t}, getResetTimeoutLength(failedValidationState, tfaResponseObj));\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tAUTH_STAGES,\n\t\tCODE_STATES,\n\n\t\tgetQRCode,\n\t\tsetNewSession,\n\t\tredirectToLogin,\n\t\tresetTOTP,\n\t\tsetAuthStage,\n\t\ttoggleTroubleshooting,\n\t\tvalidate2FA\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tconst templateDirectory = 'features/shared/auth/SSO/';\n\t$stateProvider\n\n\t.state('ssoRegisterUser', {\n\t\turl: '/get-registered',\n\t\ttemplateUrl: templateDirectory + 'sso-register-user.view.html',\n\t\tcontroller: 'ssoRegisterUserCtrl',\n\t\tdata: {\n\t\t\tdocument: true,\n\t\t\tfullPage: true,\n\t\t\tisPublic: false,\n\t\t\ttitle: 'Complete Registration'\n\t\t},\n\t\tparams: {\n\t\t\tuser: null\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('ssoRegisterUserCtrl', [\n\t\t'$rootScope',\n\t\t'$scope',\n\t\t'$stateParams',\n\t\t'config',\n\t\t'securityData',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tconfig,\n\t\tsecurityData\n\t) {\n\n\tconst userObj = $stateParams.user;\n\n\tfunction init() {\n\t\tsetPageState('loading');\n\n\t\tif (userObj.UserResponseUserID === config.guidEmpty || userObj.AgencyProfileParentID === config.guidEmpty) {\n\t\t\tsetContentState('error');\n\t\t\tsetPageState('ready');\n\t\t\treturn;\n\t\t}\n\t\tsetPageState('ready');\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction setContentState (contentState) {\n\t\t$scope.contentState = contentState;\n\t}\n\n\tfunction requestRegistration () {\n\t\tsetPageState('loading');\n\n\t\tsecurityData.requestRegistration(userObj.UserResponseUserID, userObj.AgencyProfileParentID)\n\t\t.then(response => {\n\t\t\tif(response.Invitation.InvitationVerificationCode !== null && response.Invitation.InvitationVerificationCode !== ''){\n\t\t\t\t$scope.registrationCode = response.Invitation.InvitationVerificationCode;\n\t\t\t\tsetContentState('confirm-signout');\n\t\t\t} else {\n\t\t\t\tsetContentState('error');\n\t\t\t}\n\t\t})\n\t\t.catch(() => {\n\t\t\tsetContentState('error');\n\t\t});\n\n\t\tsetPageState('ready');\n\t}\n\n\tfunction confirmSignout () {\n\t\t$rootScope.$broadcast('log-out');\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tcontentState: 'request-registration',\n\t\tconfirmSignout,\n\t\trequestRegistration\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n const templateDirectory = 'components/payslip/';\n\n $stateProvider\n\n\t/* Payslip */\n\t.state('payslip', {\n\t\turl: '/payslip/:agencyProfileId/:userId/:payPeriodId/:userPaymentId/:userDocumentTypeId/:supplementaryPaymentId?/',\n\t\tcontroller: 'PayslipCtrl',\n\t\ttemplateUrl: templateDirectory + 'payslip.view.html',\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\tdata: {\n allowPDFDownload: true,\n\t\t\tdocument: true,\n\t\t\tfullPage: true,\n\t\t\thideUserMessageBar: true,\n\t\t\ttitle: 'Payslip'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config([\n\t'$stateProvider',\n\tfunction (\n\t\t$stateProvider\n\t) {\n\n\tconst directory = 'features/app/sox-report/';\n\n $stateProvider\n\n\t.state('sox-report', {\n\t\tcontroller: 'soxReportCtrl',\n\t\tdata: {\n\t allowPDFDownload: true,\n\t\t\tdocument: true,\n\t\t\tfullPage: true\n\t\t},\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\ttemplateUrl: directory + 'sox-report.view.html',\n\t\turl: '/sox-report/:agencyProfileId/:payPeriodId'\n\t});\n\n}]);\n\n\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('soxReportCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'$window',\n\t'applicationService',\n\t'reportData',\n\t'utilities',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\t$window,\n\t\tapplicationService,\n\t\treportData,\n\t\tutilities\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst payPeriodId = $stateParams.payPeriodId;\n\n\tfunction init () {\n\n\t\tapplicationService.setUserMessageState(null);\n\n\t\tsetPageState('loading');\n\n\t\treportData.getSOXReport(agencyProfileId, payPeriodId).then(soxReportObj => {\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tbreakdownItems: getBreakdownItems(soxReportObj),\n\t\t\t\tsoxReport: soxReportObj\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetPageState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction getBreakdownItems (soxReportObj) {\n\n\t\tconst defaultItemsArr = [\n\t\t\t{\n\t\t\t\tlabel: 'Total employee pay by BACS',\n\t\t\t\tvalue: soxReportObj.WorkerPaymentsBACS\n\t\t\t},\n\t\t\t{\n\t\t\t\tlabel: 'Total employee manual payments',\n\t\t\t\tvalue: soxReportObj.WorkerPaymentsManual\n\t\t\t},\n\t\t\t{\n\t\t\t\tlabel: 'Total due to HMRC',\n\t\t\t\tvalue: soxReportObj.TotalHMRCPayment\n\t\t\t},\n\t\t\t{\n\t\t\t\tlabel: 'Total pension costs',\n\t\t\t\tvalue: soxReportObj.TotalPensionPayments\n\t\t\t},\n\t\t\t{\n\t\t\t\tlabel: 'Total court orders',\n\t\t\t\tvalue: soxReportObj.TotalCourtOrderPayments\n\t\t\t}\n\t\t];\n\n\t\t// BACs Disbursements\n\t\tif (soxReportObj.Disbursements.length > 0) {\n\t\t\tfor (let disbursementObj of soxReportObj.Disbursements) {\n\t\t\t\tdefaultItemsArr.push({\n\t\t\t\t\tlabel: 'Total ' + disbursementObj.Name,\n\t\t\t\t\tvalue: disbursementObj.TotalPayment\n\t\t\t\t});\n\t\t\t}\n\t\t}\n\n\t\treturn defaultItemsArr;\n\t}\n\n\tfunction openBrowserPrintDialog () {\n\n\t\t$window.print();\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tagencyProfileId,\n\t\tgoBack: utilities.goBack,\n\t\topenBrowserPrintDialog\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar templateDirectory = 'features/shared/reset-password/';\n\n\t$stateProvider\n\n\t/* Forgotten Password */\n\t.state('reset-password', {\n\t\turl: '/reset-password',\n\t\ttemplateUrl: templateDirectory + 'reset-password.view.html',\n\t\tcontroller: 'resetPasswordCtrl',\n\t\tdata: {\n\t\t\tisPublic: true,\n\t\t\ttitle: 'Reset Password'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('resetPasswordCtrl', [\n\t'$scope',\n\t'$stateParams',\n\t'$timeout',\n\t'config',\n\t'growl',\n\t'securityData',\n\t'session',\n\t'utilities',\n\tfunction (\n\t\t$scope,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tconfig,\n\t\tgrowl,\n\t\tsecurityData,\n\t\tsession,\n\t\tutilities\n\t) {\n\n\tconst customisationObj = session.getCustomisation();\n\n\tconst PAGE_STATES = {\n\t\terror: 'error',\n\t\tinvalidUsername: 'invalidUsername',\n\t\tresetPassword: 'resetPassword',\n\t\tresetPasswordConfirmation: 'resetPasswordConfirmation'\n\t};\n\tconst REQUEST_STATES = {\n\t\tsaving: 'saving',\n\t\tsaved: 'saved'\n\t};\n\tconst RESPONSE_CODES = {\n\t\tgenericError: -1,\n\t\tusernameNotMatched: -2\n\t};\n\n\tfunction createPasswordRequest (userObj, formObj) {\n\n\t\tconst REDIRECT_TO_PAYROLL = true;\n\n\t\tuserObj.isInvalidUsername = false;\n\n\t\tformObj.state = REQUEST_STATES.saving;\n\n\t\tsecurityData.createPasswordRequest(userObj.username, REDIRECT_TO_PAYROLL).then(responseCode => {\n\n\t\t\tswitch (responseCode) {\n\n\t\t\t\t// Username not matched\n\t\t\t\tcase RESPONSE_CODES.usernameNotMatched: {\n\t\t\t\t\tuserObj.isInvalidUsername = true;\n\t\t\t\t\tformObj.state = null;\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\n\t\t\t\t// Success\n\t\t\t\tdefault: {\n\t\t\t\t\tformObj.state = REQUEST_STATES.saved;\n\t\t\t\t\tsetPageState(PAGE_STATES.resetPasswordConfirmation);\n\t\t\t\t}\n\t\t\t}\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetPageState(PAGE_STATES.genericError);\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction init () {\n\n\t\tutilities.focusOn('username');\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tPAGE_STATES,\n\t\tcreatePasswordRequest,\n\t\tcustomisation: customisationObj,\n\t\tpageState: PAGE_STATES.resetPassword,\n\t\tuser: {\n\t\t\tusername: $stateParams.username\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config([\n\t'$stateProvider',\n\tfunction (\n\t\t$stateProvider\n\t) {\n\n\tconst templateDirectory = 'features/shared/change-password/';\n\n\t$stateProvider\n\n\t.state('change-password', {\n\t\turl: '/change-password?token',\n\t\ttemplateUrl: templateDirectory + 'change-password.view.html',\n\t\tcontroller: 'changePasswordCtrl',\n\t\tdata: {\n\t\t\tfullPage: true,\n\t\t\tisPublic: true,\n\t\t\ttitle: 'Change Password'\n\t\t},\n\t\tresolve: {\n\t\t\tauth: ['CustomisationResolver', CustomisationResolver => {\n\t\t\t\treturn CustomisationResolver.resolve();\n\t\t\t}]\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('changePasswordCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'securityData',\n\t'session',\n\t'utilities',\n\t'AUTH_EVENTS',\n\t'INPUT_VALIDATION_TYPES',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tsecurityData,\n\t\tsession,\n\t\tutilities,\n\t\tAUTH_EVENTS,\n\t\tINPUT_VALIDATION_TYPES\n\t) {\n\n\tconst RESPONSE_CODES = {\n\t\tsuccess: 0,\n\t\tgenericError: -1,\n\t\tusernameNotMatched: -2,\n\t\tpasswordPolicy: -3\n\t};\n\n\tconst customisationObj = session.getCustomisation();\n\n\tfunction changePassword (credentialsObj, formObj) {\n\n\t\tformObj.state = 'saving';\n\n\t\t// Reset\n\t\tangular.extend(credentialsObj, {\n\t\t\tisGenericError: false,\n\t\t\tisInvalidPassword: false,\n\t\t\tisInvalidUsername: false\n\t\t});\n\n\t\tsecurityData.userChangePasswordByEmail(credentialsObj.username, credentialsObj.password, credentialsObj.token).then(responseCode => {\n\n\t\t\tswitch (responseCode) {\n\n\t\t\t\tcase RESPONSE_CODES.success: {\n\n\t\t\t\t\tformObj.state = 'saved';\n\n\t\t\t\t\tsetPageState('success');\n\n\t\t\t\t\t// Destroy current session\n\t\t\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionDestroy);\n\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\n\t\t\t\t// Password policy rules not satisfied\n\t\t\t\tcase RESPONSE_CODES.usernameNotMatched: {\n\n\t\t\t\t\tformObj.state = null;\n\n\t\t\t\t\tcredentialsObj.isInvalidUsername = true;\n\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\n\t\t\t\t// Password policy rules not satisfied\n\t\t\t\tcase RESPONSE_CODES.passwordPolicy: {\n\n\t\t\t\t\tformObj.state = null;\n\n\t\t\t\t\tcredentialsObj.isInvalidPassword = true;\n\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\n\t\t\t\tdefault: {\n\t\t\t\t\tthrow('Response code not recognised');\n\t\t\t\t}\n\t\t\t}\n\t\t})\n\t\t.catch(error => {\n\n\t\t\tformObj.state = null;\n\n\t\t\tcredentialsObj.isGenericError = true;\n\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction init () {\n\n\t\t// No token\n\t\tif (angular.isUndefined($stateParams.token)) {\n\t\t\tsetPageState('no-token');\n\t\t\treturn;\n\t\t}\n\n\t\tsetPageState('ready');\n\t\tutilities.focusOn('username');\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\n\t\tINPUT_VALIDATION_TYPES,\n\n\t\tchangePassword,\n\t\tcredentials: {\n\t\t\tstate: '',\n\t\t\tpassword: '',\n\t\t\tpasswordRepeated: '',\n\t\t\tusername: '',\n\t\t\ttoken: $stateParams.token\n\t\t},\n\t\tcustomisation: customisationObj,\n\t});\n\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config([\n\t'$stateProvider',\n\tfunction (\n\t\t$stateProvider\n\t) {\n\n\tconst templateDirectory = 'features/shared/password-expired/';\n\n\t$stateProvider\n\n\t.state('password-expired', {\n\t\turl: '/password-expired',\n\t\ttemplateUrl: templateDirectory + 'password-expired.view.html',\n\t\tcontroller: 'passwordExpiredCtrl',\n\t\tdata: {\n\t\t\tfullPage: true,\n\t\t\tisPublic: true,\n\t\t\ttitle: 'Password expiry'\n\t\t},\n\t\tparams: {\n\t\t\tuserResponse: null\n\t\t},\n\t\tresolve: {\n\t\t\tauth: ['CustomisationResolver', CustomisationResolver => {\n\t\t\t\treturn CustomisationResolver.resolve();\n\t\t\t}]\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('passwordExpiredCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'securityData',\n\t'session',\n\t'utilities',\n\t'AUTH_EVENTS',\n\t'INPUT_VALIDATION_TYPES',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tsecurityData,\n\t\tsession,\n\t\tutilities,\n\t\tAUTH_EVENTS,\n\t\tINPUT_VALIDATION_TYPES\n\t) {\n\n\tconst RESPONSE_CODES = {\n\t\tsuccess: 0,\n\t\tgenericError: -1,\n\t\tuserDoesNotExist: -2,\n\t\tincorrectExistingPassword: -3,\n\t\tpasswordDoesNotSatisfyComplexityPolicy: -4,\n\t\tpasswordChangedInPast24Hours: -5,\n\t\tpasswordInHistory: -6\n\t};\n\n\tconst customisationObj = session.getCustomisation();\n\n\tfunction changePassword (credentialsObj, formObj) {\n\n\t\tformObj.state = 'saving';\n\n\t\t// Reset response code\n\t\tangular.extend(credentialsObj, {\n\t\t\tresponseCode: null\n\t\t});\n\n\t\tsecurityData.userChangePassword($stateParams.userResponse.UserResponseUserID, $stateParams.userResponse.passwordOriginal, credentialsObj.password).then(responseCode => {\n\n\t\t\tswitch (responseCode) {\n\n\t\t\t\tcase RESPONSE_CODES.success: {\n\n\t\t\t\t\tformObj.state = 'saved';\n\n\t\t\t\t\tsetPageState('success');\n\n\t\t\t\t\t// Destroy current session\n\t\t\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionDestroy);\n\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\n\t\t\t\t// Password policy rules not satisfied\n\t\t\t\tcase RESPONSE_CODES.userDoesNotExist:\n\t\t\t\tcase RESPONSE_CODES.incorrectExistingPassword:\n\t\t\t\tcase RESPONSE_CODES.passwordDoesNotSatisfyComplexityPolicy:\n\t\t\t\tcase RESPONSE_CODES.passwordChangedInPast24Hours:\n\t\t\t\tcase RESPONSE_CODES.passwordInHistory: {\n\n\t\t\t\t\tformObj.state = null;\n\n\t\t\t\t\tcredentialsObj.responseCode = responseCode;\n\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\n\t\t\t\tdefault: {\n\t\t\t\t\tconsole.error('Response code not recognised');\n\t\t\t\t}\n\t\t\t}\n\t\t})\n\t\t.catch(error => {\n\n\t\t\tformObj.state = null;\n\n\t\t\tcredentialsObj.responseCode = RESPONSE_CODES.genericError;\n\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction init () {\n\n\t\t// No original password\n\t\tif (!$stateParams.userResponse || angular.isUndefined($stateParams.userResponse.passwordOriginal)) {\n\t\t\tsetPageState('no-original-password');\n\t\t\treturn;\n\t\t}\n\n\t\tangular.extend($scope, {\n\n\t\t\tINPUT_VALIDATION_TYPES,\n\t\t\tRESPONSE_CODES,\n\n\t\t\tchangePassword,\n\t\t\tcredentials: {\n\t\t\t\tpassword: '',\n\t\t\t\tpasswordRepeated: '',\n\t\t\t\tresponseCode: null\n\t\t\t},\n\t\t\tcustomisation: customisationObj\n\t\t});\n\n\t\tsetPageState('ready');\n\t\tutilities.focusOn('new-password');\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config([\n\t'$stateProvider',\n\tfunction (\n\t\t$stateProvider\n\t) {\n\n\tconst directory = 'features/app/trial-signup/';\n\t\n\t$stateProvider\n\t.state('trial-signup', {\n\t\turl: '/trial-signup/:companyKey?emailAddress&state=sent',\n\t\ttemplateUrl: directory + 'trial-signup.view.html',\n\t\tcontroller: 'trialSignupCtrl',\n\t\tdata: {\n\t\t\tisPublic: true,\n\t\t\tfullPage: true,\n\t\t\ttitle: 'Trial Sign-up'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('trialSignupCtrl', [\n\t'$scope',\n\t'$stateParams',\n\t'$timeout',\n\t'base',\n\t'companyData',\n\t'config',\n\t'intercomService',\n\t'tracking',\n\t'utilities',\n\t'TRACKING_EVENTS',\n\tfunction (\n\t\t$scope,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tbase,\n\t\tcompanyData,\n\t\tconfig,\n\t\tintercomService,\n\t\ttracking,\n\t\tutilities,\n\t\tTRACKING_EVENTS\n\t) {\n\n\tvar pageState = $stateParams.state;\n\tvar companyKey = $stateParams.companyKey;\n\tvar emailAddress = $stateParams.emailAddress !== undefined ? $stateParams.emailAddress : '';\n\n\tfunction getPretitleByDemonstrationEnabled (isDemonstration) {\n\t\t\n\t\tif (isDemonstration) {\n\t\t\treturn config.demoCompanyTrialLength + '-day free trial setup';\n\t\t}\n\t\telse {\n\t\t\treturn 'Onboarding registration';\n\t\t}\n\t}\n\n\tfunction init () {\n\n\t\tvar isDemonstration = utilities.getIsDemonstrationActiveByCompanyKey(companyKey);\n\n\t\t$scope.vm = {\n\t\t\temailAddress: utilities.paycircleDecodeEmail(emailAddress),\n\t\t\tbureau: utilities.getBureauIdByCompanyKey(companyKey),\n\t\t\tdemonstration: isDemonstration,\n\t\t\tpretitle: getPretitleByDemonstrationEnabled(isDemonstration)\n\t\t};\n\n\t\tswitch (pageState) {\n\t\t\tcase 'sent':\n\t\t\t\t\n\t\t\t\tsetRequestState('request-sending');\n\n\t\t\t\t// Give user time to digest comms\n\t\t\t\t$timeout(function () {\n\t\t\t\t\trequestActivationCode($scope.vm);\n\t\t\t\t}, 2000);\n\t\t\t\tbreak;\n\t\t\tdefault:\n\t\t\t\tsetRequestState('request');\n\t\t}\n\n\t\tsetPageState('ready');\n\t}\n\n\tfunction requestActivationCode (vmObj) {\n\n\t\tvmObj.savingState = 'saving';\n\n\t\tcompanyData.createOnboardingCompanyInvite(vmObj.bureau, vmObj.emailAddress, vmObj.demonstration).then(() => {\n\n\t\t\tsetRequestState('request-sent');\n\n\t\t\tvmObj.savingState = null;\n\n\t\t\t// Intercom\n\t\t\tintercomService.createLead(vmObj.emailAddress, {\n\t\t\t\tname: '',\n\t\t\t\tonboarding_activation_code_requested: true\n\t\t\t});\n\t\t\ttracking.trackEvent(vmObj.demonstration ? TRACKING_EVENTS.requestedActivationCodeDemo : TRACKING_EVENTS.requestedActivationCodeOnboarding);\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t\tvmObj.savingState = null;\n\t\t});\n\t}\n\n\tfunction resetPage () {\n\n\t\tsetPageState('ready');\n\t\tsetRequestState('request');\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction setRequestState (requestState) {\n\n\t\t$scope.requestState = requestState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tcompanyKey,\n\t\tisWhitelabel: utilities.getIsWhitelabelByCompanyKey(companyKey),\n\t\trequestActivationCode,\n\t\tresetPage,\n\t\tsetRequestState\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config([\n\t'$stateProvider',\n\tfunction ($stateProvider) {\n\n\t$stateProvider.state('switch-account', {\n\t\turl: '/switch-account/:userId',\n\t\ttemplateUrl: 'features/app/switch-account/switch-account.view.html',\n\t\tcontroller: 'switchAccountCtrl',\n\t\tdata: {\n\t\t\tfullPage: true,\n\t\t\ttitle: 'Accounts'\n\t\t},\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('switchAccountCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'securityData',\t\n\t'AUTH_EVENTS',\nfunction (\n\t$rootScope,\n\t$scope,\n\t$state,\n\t$stateParams,\n\tsecurityData,\n\tAUTH_EVENTS\n) {\n\n\tconst PAGE_STATES = {\n\t\terror: 'error',\n\t\tloading: 'loading',\n\t\tready: 'ready'\n\t};\n\n\tconst userId = $stateParams.userId;\n\n\tfunction init () {\n\t\tsetPageState(PAGE_STATES.loading);\n\n\t\tsecurityData.getSwitchAccountMinimalList(userId).then((data) => {\n\t\t\tangular.extend($scope, {\n\t\t\t\taccountsList: data,\n\t\t\t});\n\n\t\t\tsetPageState(PAGE_STATES.ready);\n\n\t\t}).catch(error => {\n\t\t\tsetPageState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\t \n\tfunction onAccountCardClick (userID) {\n\t\tsecurityData.switchProfile(userID).then((data) => {\n\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionDestroy);\n\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionCreate, data);\n\t\t});\n\t}\n\n\tfunction goLinkAccounts(){\n\t\t$state.go('manage-linked-accounts', {\n\t\t\tuserId: userId,\n\t\t\tagencyProfileId: $rootScope.currentUser.AgencyProfileParentID\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tPAGE_STATES,\n\t\tonAccountCardClick,\n\t\tgoLinkAccounts\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', 'INTERFACE_TYPES', 'USER_ROLES', function ($stateProvider, INTERFACE_TYPES, USER_ROLES) {\n\n\tvar directory = 'features/app/bureau-dashboard/';\n\t$stateProvider\n\n\t.state('dashboard', {\n\t\turl: '/dashboard/:agencyProfileId',\n\t\ttemplateUrl: directory + 'bureau-dashboard.view.html',\n\t\tcontroller: 'bureauDashboardCtrl',\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\tdata: {\n\t\t\thelpAndSupportOptions: {\n\t\t\t\tisContextual: true,\n\t\t\t\t[INTERFACE_TYPES.bureau]: {\n\t\t\t\t\ttags: ['bureau-dashboard']\n\t\t\t\t},\n\t\t\t\t[INTERFACE_TYPES.group]: {\n\t\t\t\t\ttags: ['group-dashboard']\n\t\t\t\t}\n\t\t\t},\n\t\t\ttitle: 'Dashboard',\n\t\t\tunauthorisedRoles: [USER_ROLES.sme, USER_ROLES.companyadmin]\n\t\t}\n \t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('bureauDashboardCtrl', [\n\t'$q',\n\t'$scope',\n\t'$stateParams',\n\t'$timeout',\n\t'agency',\n\t'session',\n\t'userData',\n\t'PRESET_FILTER_KEYS',\n\tfunction (\n\t\t$q,\n\t\t$scope,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tagency,\n\t\tsession,\n\t\tuserData,\n\t\tPRESET_FILTER_KEYS\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getDashboardData = agency.getDashboardData(agencyProfileId);\n\t\tconst getTeamMemberIncomplete = userData.getTeamMemberIncomplete(agencyProfileId);\n\n\t\t$q.all([\n\t\t\tgetDashboardData,\n\t\t\tgetTeamMemberIncomplete\n\t\t]).then(([\n\t\t\tdashboardDataObj,\n\t\t\tincompleteTeamMembersObj\n\t\t]) => {\n\n\t\t\tdashboardDataObj.TeamMemberListIncomplete = incompleteTeamMembersObj.filter(teamMember => teamMember.IncludedInIncompleteDashboardCount);\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tactiveDashTile: '',\n\t\t\t\tdashboard: dashboardDataObj,\n\t\t\t\tpreviousMonth: moment().subtract(1, 'month'),\n\t\t\t\tthisMonth: moment()\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction toggleActiveDashTile (tileObj) {\n\n\t\t$scope.incomingDashTile = tileObj;\n\n\t\tif ($scope.activeDashTile !== '') {\n\t\t\t$scope.tileClosing = true;\n\t\t\t$scope.holdTheScroll = true;\n\t\t\t$timeout(() => {\n\t\t\t\t$scope.activeDashTile = $scope.activeDashTile === tileObj ? '' : tileObj;\n\t\t\t\t$scope.incomingDashTile = '';\n\t\t\t\t$scope.tileClosing = false;\n\t\t\t\t$timeout(() => {\n\t\t\t\t\t$scope.holdTheScroll = false;\n\t\t\t\t}, 300);\n\t\t\t}, 300);\n\t\t}\n\t\telse {\n\t\t\t$scope.activeDashTile = tileObj;\n\t\t}\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tPRESET_FILTER_KEYS,\n\t\tagencyProfileId,\n\t\ttoggleActiveDashTile\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config([\n\t'$stateProvider',\n\tfunction (\n\t\t$stateProvider\n\t) {\n\n\tconst directory = 'features/app/bureaus-archived/';\n\t$stateProvider\n\t\t.state('bureaus-archived', {\n\t\t\turl: '/bureaus-archived/:agencyProfileId',\n\t\t\ttemplateUrl: directory + 'bureausArchivedView.html',\n\t\t\tcontroller: 'bureausArchivedCtrl',\n\t\t\tresolve: {\n\t\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t\t}]\n\t\t\t},\n\t\t\tdata: {\n\t\t\t title: 'Bureaus - Archived'\n\t\t\t}\n\t\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('bureausArchivedCtrl', [\n\t'$q',\n\t'$scope',\n\t'$stateParams',\n\t'companyData',\n\t'filterService',\n\t'searchService',\n\t'session',\n\t'INTERFACE_TYPES',\n\tfunction (\n\t\t$q,\n\t\t$scope,\n\t\t$stateParams,\n\t\tcompanyData,\n\t\tfilterService,\n\t\tsearchService,\n\t\tsession,\n\t\tINTERFACE_TYPES\n\t) {\n\n\tconst agencyProfileParentId = $stateParams.agencyProfileId;\n\tconst loggedInUserId = session.getUserId();\n\n\tconst PAGE_STATES = {\n\t\terror: 'error',\n\t\tloading: 'loading',\n\t\tready: 'ready'\n\t};\n\n\tfunction decorateArchivedBureaus (archivedBureausArr) {\n\n\t\tarchivedBureausArr.forEach(archivedBureauObj => {\n\t\t\t// Make sure a date is provided to allow for filter (date = date Archiving was built)\n\t\t\tarchivedBureauObj.Company.ArchiveDateISO = archivedBureauObj.Company.ArchiveDateISO !== '' ? archivedBureauObj.Company.ArchiveDateISO : moment('2019-08-01T00:00:00').format();\n\t\t\t// Default empty archive reason to 'Unknown'\n\t\t\tarchivedBureauObj.Company.ArchiveReason = archivedBureauObj.Company.ArchiveReason !== '' ? archivedBureauObj.Company.ArchiveReason : 'Unknown';\n\t\t});\n\n\t\treturn archivedBureausArr;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState(PAGE_STATES.loading);\n\n\t\tconst ARCHIVED = true;\n\n\t\tcompanyData.getAgencyProfileAgencyProfilesForParent(\n\t\t\tloggedInUserId,\n\t\t\tagencyProfileParentId,\n\t\t\tINTERFACE_TYPES.bureau,\n\t\t\tARCHIVED\n\t\t)\n\t\t.then(archivedBureausArr => {\n\t\t\t$scope.vm = {\n\t\t\t\tarchivedBureaus: decorateArchivedBureaus(archivedBureausArr),\n\t\t\t};\n\n\t\t\tsetPageState(PAGE_STATES.ready);\n\t\t})\n\t\t.catch(function (error) {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState(PAGE_STATES.error);\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\n\t\tPAGE_STATES,\n\n\t\tfilterBarOptions: filterService.bureausArchived,\n\t\trefreshArchivedBureaus: init,\n\t\tsearchBarOptions: searchService.bureausArchived\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', 'USER_ROLES', function ($stateProvider, USER_ROLES) {\n\n\tlet directory = 'features/app/workflow';\n\n\t$stateProvider\n\n\t.state('workflow', {\n\t\tabstract: true,\n\t\turl: '/workflow/:agencyProfileId',\n\t\ttemplateUrl: directory + '/workflow.view.html',\n\t\tcontroller: 'workflowCtrl',\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\tdata: {\n\t\t\thelpAndSupportOptions: {\n\t\t\t\ttags: ['bureau-workflow']\n\t\t\t},\n\t\t\tunauthorisedRoles: [USER_ROLES.sme, USER_ROLES.companyadmin],\n\t\t\ttitle: 'Workflow'\n\t\t}\n\t})\n\t\t.state('workflow.activity', {\n\t\t\turl: '/activity',\n\t\t\tcontroller: 'workflowActivityCtrl',\n\t\t\ttemplateUrl: directory + '/activity/workflow-activity.view.html'\n\t\t})\n\t\t.state('workflow.companies', {\n\t\t\turl: '/companies?applyFilter',\n\t\t\tcontroller: 'workflowCompaniesCtrl',\n\t\t\ttemplateUrl: directory + '/companies/workflow-companies.view.html',\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\ttags: ['company', 'workflow']\n\t\t\t\t}\n\t\t\t}\n\t\t})\n\t\t.state('workflow.overview', {\n\t\t\turl: '/overview',\n\t\t\tcontroller: 'workflowOverviewCtrl',\n\t\t\ttemplateUrl: directory + '/overview/workflow-overview.view.html'\n\t\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('workflowCtrl', ['$scope', '$stateParams', 'teamData', function($scope, $stateParams, teamData) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\t// Get list of team member admins. Used for filters in tabs and srefs.\n\t\tteamData.getTeamMemberAdmins(agencyProfileId).then(teamMemberAdmins => {\n\n\t\t\tangular.extend($scope.vm, {\n\t\t\t\tteamMemberAdmins\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\t$scope.vm = {\n\t\tagencyProfileId\n\t};\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('workflowActivityCtrl', ['$scope', '$stateParams', 'bulkService', 'filterService', 'messageData', 'searchService', 'workflowService', function($scope, $stateParams, bulkService, filterService, messageData, searchService, workflowService) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tmessageData.getWorkflowLogEntries(agencyProfileId).then(workflowActivityLogArr => {\n\n\t\t\tif (workflowActivityLogArr.length) {\n\t\t\t\tworkflowService.decorateWorkflowActivityLogForGrouping(workflowActivityLogArr);\n\t\t\t}\n\n\t\t\tlet workflowActivityLogEntries = bulkService.getBulkItemsObj(workflowActivityLogArr);\n\t\t\tangular.extend($scope.vm, {\n\t\t\t\tworkflowActivityLogEntries\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tangular.extend($scope, {\n\t\tsearchBarOptions: searchService.bureauWorkflowActivityLog\n\t});\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('workflowCompaniesCtrl', ['$rootScope', '$scope', '$stateParams', 'bulkService', 'config', 'filterService', 'messageData', 'searchService', 'session', 'FILTER_KEYS', function($rootScope, $scope, $stateParams, bulkService, config, filterService, messageData, searchService, session, FILTER_KEYS) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst applyFilter = $stateParams.applyFilter;\n\n\t// Courtesy of parent bureauWorkflowController\n\tconst teamMemberAdmins = $scope.vm.teamMemberAdmins;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tmessageData.getWorkflowTemplateCurrentEntries(agencyProfileId).then(workflowTasksArr => {\n\n\t\t\t// Create dynamic list of assignee filter options for the filter service.\n\t\t\tlet assigneeFilterOptions = teamMemberAdmins.map((teamMemberAdmin, i) => {\n\t\t\t\t// Translate the current user in the admin list as 'You' with UserID = current user ID\n\t\t\t\tlet teamMemberAdminName = '';\n\t\t\t\tlet teamMemberAdminID = '';\n\t\t\t\tif (teamMemberAdmin.UserID === session.user.UserResponseUserID) {\n\t\t\t\t\tteamMemberAdminName = 'You';\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\tteamMemberAdminName = `${teamMemberAdmin.Forename} ${teamMemberAdmin.Surname}`;\n\t\t\t\t}\n\t\t\t\tteamMemberAdminID = teamMemberAdmin.UserID;\n\t\t\t\t// Build the filter for this user\n\t\t\t\treturn {\n\t\t\t\t\tname: teamMemberAdminName,\n\t\t\t\t\t// Generate a unique key for this filter\n\t\t\t\t\tkey: `${FILTER_KEYS.bureauWorkflowTasks.teamMember.assignee}_${i}`,\n\t\t\t\t\tfilterExp: value => value.ActionerID === teamMemberAdminID\n\t\t\t\t};\n\t\t\t});\n\t\t\t// Finally, insert filters. (The filter bar options have been copied, so this is safe).\n\t\t\tlet teamMemberFilterGroup = $scope.filterBarOptions.filterGroups.find(filterGroup => filterGroup.name === 'Team Member');\n\t\t\tif (teamMemberFilterGroup) {\n\t\t\t\tif (assigneeFilterOptions.length > 0) {\n\t\t\t\t\t// Add specific team member filters to start of filter options\n\t\t\t\t\tteamMemberFilterGroup.filterOptions.unshift(...assigneeFilterOptions);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tlet workflowTasks = bulkService.getBulkItemsObj(workflowTasksArr);\n\t\t\t$scope.vm = {\n\t\t\t\tworkflowTasks\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction openReassignWorkflowTaskForm (workflowTaskObjs) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tcallback: refreshView,\n\t\t\tformKey: 'reassign-workflow-task',\n\t\t\tshowContext: false,\n\t\t\tworkflowTasks: workflowTaskObjs,\n\t\t\tagencyProfileId: agencyProfileId\n\t\t});\n\t}\n\n\tfunction refreshView () {\n\n\t\tinit();\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tangular.extend($scope, {\n\t\tagencyProfileId,\n\t\tapplyFilter,\n\t\t// Copy these so they can be manipulated. (Dynamic entries are made for team members).\n\t\tfilterBarOptions: angular.copy(filterService.bureauWorkflowTasks),\n\t\topenReassignWorkflowTaskForm,\n\t\trefreshView,\n\t\tsearchBarOptions: searchService.bureauWorkflowTasks\n\t});\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('workflowOverviewCtrl', ['$scope', '$stateParams', 'messageData', 'workflowService', function($scope, $stateParams, messageData, workflowService) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\t// Courtesy of parent bureauWorkflowController\n\tconst teamMemberAdmins = $scope.vm.teamMemberAdmins;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tmessageData.getWorkflowOverview(agencyProfileId).then(workflowOverview => {\n\n\t\t\tif (workflowOverview.LogList.length) {\n\t\t\t\tworkflowService.decorateWorkflowActivityLogForGrouping(workflowOverview.LogList);\n\t\t\t}\n\n\t\t\tangular.extend($scope.vm, {\n\t\t\t\tworkflowOverview\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope.vm, {\n\t\tagencyProfileId,\n\t\tteamMemberAdminCount: teamMemberAdmins.length\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', 'INTERFACE_TYPES', function ($stateProvider, INTERFACE_TYPES) {\n\n\tvar directory = 'features/app/companies/';\n\t$stateProvider\n\t\t.state('companies', {\n\t\t\turl: '/companies/:agencyProfileId?applyfilter&presetfilterkey',\n\t\t\ttemplateUrl: directory + 'companiesView.html',\n\t\t\tcontroller: 'companiesCtrl',\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\tisContextual: true,\n\t\t\t\t\t[INTERFACE_TYPES.bureau]: {\n\t\t\t\t\t\ttags: ['bureau-companies']\n\t\t\t\t\t},\n\t\t\t\t\t[INTERFACE_TYPES.group]: {\n\t\t\t\t\t\ttags: ['group-companies']\n\t\t\t\t\t}\n\t\t\t\t},\n\t\t\t\ttitle: 'Companies'\n\t\t\t},\n\t\t\tresolve: {\n\t\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t\t}]\n\t\t\t}\n\t\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('companiesCtrl', [\n\t'$filter',\n\t'$rootScope', \n\t'$scope',\n\t'$stateParams',\n\t'bulkService', \n\t'companyData', \n\t'filterService', \n\t'searchService',\n\t'FORM_WIZARD_KEYS', \n\t'INTERFACE_TYPES', \n\t'SUBMISSION_STATES', \n\t'SUBMISSION_TYPES',\n\tfunction (\n\t\t$filter,\n\t\t$rootScope, \n\t\t$scope,\n\t\t$stateParams,\n\t\tbulkService, \n\t\tcompanyData, \n\t\tfilterService, \n\t\tsearchService, \n\t\tFORM_WIZARD_KEYS,\n\t\tINTERFACE_TYPES,\n\t\tSUBMISSION_STATES,\n\t\tSUBMISSION_TYPES\n\t) {\n\n\tconst agencyProfileParentId = $stateParams.agencyProfileId;\n\tconst appliedFilters = $stateParams.appliedfilters;\n\tconst presetFilterKey = $stateParams.presetfilterkey;\n\tconst currentUserObj = $rootScope.currentUser;\n\n\tfunction areSelectedCompaniesValid (companies) {\n\n\t\tvar companiesCount = companies.length;\n\t\tvar i = 0;\n\n\t\tfor (i; i < companiesCount; i++) {\n\n\t\t\tvar company = companies[i];\n\n\t\t\t// Payroll is submiting or failed\n\t\t\tif (company.PayPeriod.PayrollState > SUBMISSION_STATES.unsubmitted) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction companiesFilter (company) {\n\n\t\t// Filter out parent companies\n\t\tswitch (company.Company.CompanyType) {\n\t\t\tcase INTERFACE_TYPES.group:\n\t\t\tcase INTERFACE_TYPES.bureau:\n\t\t\t\treturn;\n\t\t}\n\n\t\tcompany.isSelected = false;\n\n\t\t// Attach pay date unix value for sorting\n\t\tif (company.PayPeriod) {\n\t\t\tcompany.PayPeriod.payDateUnix = '';\n\n\t\t\tif (company.PayPeriod.PayDateISO !== '') {\n\t\t\t\tcompany.PayPeriod.payDateUnix = $filter('isoUnix')(company.PayPeriod.PayDateISO);\n\t\t\t}\n\t\t}\n\n\t\t// Attach rti error type if applicable - used for retrieving the last RTI error when resetting payroll\n\t\tif (company.PayPeriod.FPSState === SUBMISSION_STATES.failed) {\n\t\t\tcompany.PayPeriod.rtiErrorType = SUBMISSION_TYPES.fps;\n\t\t}\n\t\telse if (company.PayPeriod.EPSState === SUBMISSION_STATES.failed) {\n\t\t\tcompany.PayPeriod.rtiErrorType = SUBMISSION_TYPES.eps;\n\t\t}\n\t\telse if (company.PayPeriod.CIS300State === SUBMISSION_STATES.failed) {\n\t\t\tcompany.PayPeriod.rtiErrorType = SUBMISSION_TYPES.cis;\n\t\t}\n\t\telse if (company.PayPeriod.PayrollState === SUBMISSION_STATES.failed) {\n\t\t\tcompany.PayPeriod.rtiErrorType = SUBMISSION_TYPES.unspecified;\n\t\t}\n\n\t\treturn company;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tcompanyData.getAgencyProfileAgencyProfilesForParent(currentUserObj.UserResponseUserID, agencyProfileParentId).then(companiesArray => {\n\n\t\t\t$scope.agencyProfileParentId = agencyProfileParentId;\n\t\t\t$scope.companies = bulkService.getBulkItemsObj(companiesArray.filter(companiesFilter));\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tsetPageState('error');\n\t console.error(error);\n\t}\n\n\tfunction openAddCompaniesToCompanyGroupForm (filteredCompaniesArr) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileIdList: bulkService.getSelectedIdsForDataType(filteredCompaniesArr, 'companies'),\n\t\t\tagencyProfileParentId,\n\t\t\tformKey: 'bulk-add-to-company-group',\n\t\t\ttitle: 'Add to group'\n\t\t});\n\t}\n\n\tfunction openAddCompanyWizard () {\n\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\ttitle: 'Create company',\n\t\t\twizardKey: FORM_WIZARD_KEYS.company,\n\t\t\tcallback: init,\n\t\t\tshowHeader: true,\n\t\t\tprimaryButtonText: 'Next',\n\t\t\tagencyProfileParentId: agencyProfileParentId\n\t\t});\n\t}\n\n\tfunction openAutoCreateCompanyForm () {\n\n\t\t$rootScope.$broadcast('open-slide-in-form', {\n\t\t\tcallback: init,\n\t\t\tformKey: 'auto-create-company',\n\t\t\tagencyProfileParentId: agencyProfileParentId\n\t\t});\n\t}\n\n\tfunction openRunBulkPayrollsForm (filteredCompaniesArr) {\n\n\t\tconst selectedCompaniesArr = bulkService.getSelectedItems(filteredCompaniesArr);\n\n\t\t// Validate selected companies\n\t\tif (!areSelectedCompaniesValid(selectedCompaniesArr)) {\n\t\t\t$rootScope.openModalDialog('company-invalid-payroll-states');\n\t\t\treturn;\n\t\t}\n\n\t\tconst selectedCompaniesIdArray = bulkService.getValuesFromArray(selectedCompaniesArr, 'AgencyProfileID', 'Company');\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfiles: selectedCompaniesArr,\n\t\t\tagencyProfileId: agencyProfileParentId,\n\t\t\tagencyProfilesIdArray: selectedCompaniesIdArray,\n\t\t\tcallback: updateCompaniesFromArray,\n\t\t\tformKey: 'run-payroll-bulk',\n\t\t\ttitle: 'Run payroll'\n\t\t});\n\t}\n\n\tfunction refreshCompanyInList (updatedCompanyObj) {\n\n\t\tlet companyIndexAll = $scope.companies.all.findIndex(companyObj => companyObj.Company.AgencyProfileID === updatedCompanyObj.Company.AgencyProfileID);\n\n\t\t$scope.companies.all.splice(companyIndexAll, 1, companiesFilter(updatedCompanyObj));\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction reloadCompany (companyObj) {\n\n\t\tcompanyData.getAgencyProfileAgencyProfile(companyObj.Company.AgencyProfileID)\n\t\t\t.then(refreshCompanyInList)\n\t\t\t.catch(onError);\n\t}\n\n\tfunction updateCompaniesFromArray (companiesArray) {\n\n\t\t// Reset bulk select\n\t\t$scope.companies.totalSelected = 0;\n\n\t\tcompaniesArray.forEach(reloadCompany);\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tappliedFilters: appliedFilters,\n\t\tfilterBarOptions: filterService.getFilterBarOptionsCompanies(currentUserObj),\n\t\topenAddCompanyWizard: openAddCompanyWizard,\n\t\topenAddCompaniesToCompanyGroupForm: openAddCompaniesToCompanyGroupForm,\n\t\topenAutoCreateCompanyForm: openAutoCreateCompanyForm,\n\t\topenRunBulkPayrollsForm: openRunBulkPayrollsForm,\n\t\tpresetFilterKey: presetFilterKey,\n\t\treloadCompanies: init,\n\t\treloadCompany: reloadCompany,\n\t\tsearchBarOptions: searchService.companies,\n\t\tupdateSelectedCompaniesCount: bulkService.updateBulkItemTotals\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', 'INTERFACE_TYPES', function ($stateProvider, INTERFACE_TYPES) {\n\n\tvar directory = 'features/app/companies-archived/';\n\t$stateProvider\n\t\t.state('companies-archived', {\n\t\t\turl: '/companies-archived/:agencyProfileId',\n\t\t\ttemplateUrl: directory + 'companiesArchivedView.html',\n\t\t\tcontroller: 'companiesArchivedCtrl',\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\tisContextual: true,\n\t\t\t\t\t[INTERFACE_TYPES.bureau]: {\n\t\t\t\t\t\ttags: ['bureau-archive']\n\t\t\t\t\t},\n\t\t\t\t\t[INTERFACE_TYPES.group]: {\n\t\t\t\t\t\ttags: ['group-archive']\n\t\t\t\t\t}\n\t\t\t\t},\n\t\t\t\ttitle: 'Companies - Archived'\n\t\t\t},\n\t\t\tresolve: {\n\t\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t\t}]\n\t\t\t}\n\t\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('companiesArchivedCtrl', ['$q', '$rootScope', '$scope', '$state', '$stateParams', 'applicationService', 'companyData', 'filterService', 'searchService', 'session', 'INTERFACE_TYPES', function ($q, $rootScope, $scope, $state, $stateParams, applicationService, companyData, filterService, searchService, session, INTERFACE_TYPES) {\n\n\tvar agencyProfileParentId = $stateParams.agencyProfileId;\n\tvar loggedInUserId = session.getUserId();\n\n\tfunction archivedCompanyFilter (archivedCompanyObj) {\n\n\t\t// Filter out parent companies\n\t\tswitch (archivedCompanyObj.Company.CompanyType) {\n\t\t\tcase INTERFACE_TYPES.group:\n\t\t\tcase INTERFACE_TYPES.bureau:\n\t\t\t\treturn;\n\t\t}\n\n\t\tarchivedCompanyObj.Company.ArchiveDateISO = archivedCompanyObj.Company.ArchiveDateISO !== '' ? archivedCompanyObj.Company.ArchiveDateISO : moment('2019-08-01T00:00:00').format(); // Make sure a date is provided to allow for filter (date = date Archiving was built)\n\t\tarchivedCompanyObj.Company.ArchiveReason = archivedCompanyObj.Company.ArchiveReason !== '' ? archivedCompanyObj.Company.ArchiveReason : 'Unknown';\n\n\t\treturn archivedCompanyObj;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst ARCHIVED = true;\n\t\tvar INTERFACE_TYPE; // Undefined to use default\n\n\t\tcompanyData.getAgencyProfileAgencyProfilesForParent(\n\t\t\tloggedInUserId,\n\t\t\tagencyProfileParentId,\n\t\t\tINTERFACE_TYPE,\n\t\t\tARCHIVED\n\t\t)\n\t\t.then(archivedCompaniesArr => {\n\n\t\t\t$scope.vm = {\n\t\t\t\tarchivedCompanies: archivedCompaniesArr.filter(archivedCompanyFilter)\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(function (error) {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tfilterBarOptions: filterService.companiesArchived,\n\t\trefreshCompanies: init,\n\t\tsearchBarOptions: searchService.companiesArchived\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar directory = 'features/app/companies-cloned/';\n\t$stateProvider\n\t\t.state('companies-cloned', {\n\t\t\turl: '/companies-cloned/:agencyProfileId',\n\t\t\ttemplateUrl: directory + 'companies-cloned.view.html',\n\t\t\tcontroller: 'companiesClonedCtrl',\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\ttags: ['bureau-cloned-companies']\n\t\t\t\t},\n\t\t\t\ttitle: 'Compaines - Cloned'\n\t\t\t},\n\t\t\tresolve: {\n\t\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t\t}]\n\t\t\t}\n\t\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('companiesClonedCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'companyData',\n\t'filterService',\n\t'searchService',\n\t'session',\n\t'INTERFACE_TYPES',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tcompanyData,\n\t\tfilterService,\n\t\tsearchService,\n\t\tsession,\n\t\tINTERFACE_TYPES\n\t) {\n\n\tconst agencyProfileParentId = $stateParams.agencyProfileId;\n\tconst currentUserObj = $rootScope.currentUser;\n\tconst loggedInUserId = session.getUserId();\n\n\tfunction clonedCompanyFilter (clonedCompanyObj) {\n\n\t\t// Filter out parent companies\n\t\tswitch (clonedCompanyObj.Company.CompanyType) {\n\t\t\tcase INTERFACE_TYPES.group:\n\t\t\tcase INTERFACE_TYPES.bureau:\n\t\t\t\treturn;\n\t\t}\n\n\t\tclonedCompanyObj.Company.ArchiveDateISO = clonedCompanyObj.Company.ArchiveDateISO !== '' ? clonedCompanyObj.Company.ArchiveDateISO : moment('2019-08-01T00:00:00').format(); // Make sure a date is provided to allow for filter (date = date Archiving was built)\n\t\tclonedCompanyObj.Company.ArchiveReason = clonedCompanyObj.Company.ArchiveReason !== '' ? clonedCompanyObj.Company.ArchiveReason : 'Unknown';\n\n\t\treturn clonedCompanyObj;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst ARCHIVED = false;\n\t\tconst CLONED = true;\n\t\tvar INTERFACE_TYPE; // Undefined to use default\n\n\t\tcompanyData.getAgencyProfileAgencyProfilesForParent(\n\t\t\tloggedInUserId,\n\t\t\tagencyProfileParentId,\n\t\t\tINTERFACE_TYPE,\n\t\t\tARCHIVED,\n\t\t\tCLONED\n\t\t)\n\t\t.then(clonedCompaniesArr => {\n\n\t\t\t$scope.vm = {\n\t\t\t\tclonedCompanies: clonedCompaniesArr.filter(clonedCompanyFilter)\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tfilterBarOptions: filterService.getFilterBarOptionsCompanies(currentUserObj),\n\t\treloadCompanies: init,\n\t\tsearchBarOptions: searchService.companiesArchived\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', 'USER_ROLES', function ($stateProvider, USER_ROLES) {\n\n\tvar directory = 'features/app/company-groups/';\n\t$stateProvider\n\t\t.state('company-groups', {\n\t\t\turl: '/company-groups/:agencyProfileId',\n\t\t\ttemplateUrl: directory + 'companyGroupsView.html',\n\t\t\tcontroller: 'companyGroupsCtrl',\n\t\t\tresolve: {\n\t\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t\t}]\n\t\t\t},\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\ttags: ['bureau-company-groups']\n\t\t\t\t},\n\t\t\t\tunauthorisedRoles: [USER_ROLES.sme, USER_ROLES.companyadmin],\n\t\t\t\ttitle: 'Company Groups'\n\t\t\t}\n\t\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('companyGroupsCtrl', ['$rootScope', '$scope', '$stateParams', 'bulkService', 'companyData', 'searchService', 'session', 'INTERFACE_TYPES', function ($rootScope, $scope, $stateParams, bulkService, companyData, searchService, session, INTERFACE_TYPES) {\n\n\tvar agencyProfileParentId = $stateParams.agencyProfileId;\n\tvar userId = session.getUserId();\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tcompanyData.getAgencyProfileAgencyProfilesForParent(userId, agencyProfileParentId, INTERFACE_TYPES.group).then(function (companiesArray) {\n\n\t\t\t$scope.companyGroups = bulkService.getBulkItemsObj(companiesArray);\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch((error) => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction openAddNewCompanyGroupForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileParentId,\n\t\t\tformKey: 'add-new-company-group',\n\t\t\tcallback: init\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tagencyProfileParentId: agencyProfileParentId,\n\t\topenAddNewCompanyGroupForm: openAddNewCompanyGroupForm,\n\t\trefreshCompanyGroups: init,\n\t\tsearchBarOptions: searchService.companyGroups\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', 'USER_ROLES', function ($stateProvider, USER_ROLES) {\n\n\tvar directory = 'features/app/bureaus/';\n\t$stateProvider\n\t\t.state('bureaus', {\n\t\t\turl: '/bureaus/:agencyProfileId',\n\t\t\ttemplateUrl: directory + 'bureausView.html',\n\t\t\tcontroller: 'bureausCtrl',\n\t\t\tresolve: {\n\t\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t\t}]\n\t\t\t},\n\t\t\tdata: {\n\t\t\t\tauthorisedRoles: [USER_ROLES.paycircle],\n\t\t\t\ttitle: 'Bureaus'\n\t\t\t}\n\t\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('bureausCtrl', ['$rootScope', '$scope', 'bulkService', 'companyData', 'searchService', 'session', 'INTERFACE_TYPES', function ($rootScope, $scope, bulkService, companyData, searchService, session, INTERFACE_TYPES) {\n\n\tvar agencyProfileParentId = session.getAgencyProfileParentId();\n\tvar interfaceType = INTERFACE_TYPES.bureau;\n\tvar userId = session.getUserId();\n\n\tfunction init () {\n\n\t\t$scope.pageState = 'loading';\n\n\t\tcompanyData.getAgencyProfileAgencyProfilesForParent(userId, agencyProfileParentId, interfaceType).then(function (bureausArray) {\n\n\t\t\t// Assign to scope\n\t\t\t$scope.bureaus = bulkService.getBulkItemsObj(bureausArray);\n\n\t\t\t// Page state\n\t\t\t$scope.pageState = 'ready';\n\t\t})\n\t\t.catch(function () {\n\n\t\t\t// Page state\n\t\t\t$scope.pageState = 'error';\n\t\t});\n\t}\n\n\tinit();\n\n\t// Scope variables\n\t$scope.searchBarOptions = searchService.bureaus;\n\n\t// Scope functions\n\t$scope.openAddNewBureauForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileParentId,\n\t\t\tformKey: 'add-new-bureau',\n\t\t\tcallback: init\n\t\t});\n\t};\n\n\t$scope.refreshBureaus = function () {\n\n\t\tinit();\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', 'USER_ROLES', function ($stateProvider, USER_ROLES) {\n\n\tvar directory = 'features/app/bureau-onboarding/';\n\t$stateProvider\n\t\t.state('bureau-onboarding', {\n\t\t\turl: '/bureau-onboarding/:agencyProfileId',\n\t\t\ttemplateUrl: directory + 'bureauOnboardingView.html',\n\t\t\tcontroller: 'bureauOnboardingCtrl',\n\t\t\tresolve: {\n\t\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t\t}]\n\t\t\t},\n\t\t\tdata: {\n\t\t\t\ttitle: 'Onboarding',\n\t\t\t\tunauthorisedRoles: [USER_ROLES.sme, USER_ROLES.companyadmin]\n\t\t\t}\n\t\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('bureauOnboardingCtrl', ['$rootScope', '$scope', '$stateParams', 'bulkService', 'companyData', 'filterService', 'searchService', function ($rootScope, $scope, $stateParams, bulkService, companyData, filterService, searchService) {\n\n\tvar agencyProfileParentId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tcompanyData.getOnboardingCompanies(agencyProfileParentId).then(function (companiesArray) {\n\n\t\t\t$scope.companies = bulkService.getBulkItemsObj(companiesArray.Companies);\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(function () {\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\t// Scope variables\n\t$scope.agencyProfileParentId = agencyProfileParentId;\n\t$scope.filterBarOptions = filterService.onboarding;\n\t$scope.searchBarOptions = searchService.onboarding;\n\n\tinit();\n\n\t$scope.openBureauNewCompanyForm = function (isDemonstration) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\ttitle: isDemonstration ? 'New demo company' : 'Onboard new company',\n\t\t\tagencyProfileParentId: agencyProfileParentId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'onboarding-bureau-new-company',\n\t\t\tisDemonstration: isDemonstration,\n\t\t\tshowContext: false,\n\t\t});\n\t};\n\n\t$scope.reloadCompanies = function () {\n\n\t\tinit();\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', 'USER_ROLES', function ($stateProvider, USER_ROLES) {\n\n\tvar directory = 'features/app/my-tasks/';\n\n\t$stateProvider\n\n\t.state('my-tasks', {\n\t\tabstract: true,\n\t\turl: '/my-tasks/:agencyProfileId',\n\t\ttemplateUrl: directory + 'myTasksView.html',\n\t\tcontroller: 'myTasksCtrl',\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\tdata: {\n\t\t\thelpAndSupportOptions: {\n\t\t\t\ttags: ['bureau-my-tasks']\n\t\t\t},\n\t\t\tunauthorisedRoles: [USER_ROLES.sme, USER_ROLES.companyadmin],\n\t\t\ttitle: 'My Tasks'\n\t\t}\n\t})\n\n\t\t.state('my-tasks.workflow', {\n\t\t\turl: '/workflow',\n\t\t\tcontroller: 'myTasksWorkflowCtrl',\n\t\t\ttemplateUrl: directory + 'myTasksWorkflowView.html'\n\t\t})\n\n\t\t.state('my-tasks.payroll', {\n\t\t\turl: '/payroll',\n\t\t\tcontroller: 'myTasksPayrollCtrl',\n\t\t\ttemplateUrl: directory + 'myTasksPayrollView.html'\n\t\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('myTasksCtrl', ['$scope', '$stateParams', 'applicationService', 'bulkService', 'config', 'messageData', 'session', 'workflowService',\n\tfunction ($scope, $stateParams, applicationService, bulkService, config, messageData, session, workflowService) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst userId = session.getUserId();\n\n\tfunction init() {\n\n\t\t// Get workflow tasks and payroll tasks for the tabs.\n\t\tworkflowService.refreshUserTasks(agencyProfileId, userId).then(userTasksObj => {\n\n\t\t\t// Workflow tasks\n\t\t\tlet workflowTasks = bulkService.getBulkItemsObj(userTasksObj.workflow);\n\n\t\t\t// Set all deselected. Also determine whether any are overdue.\n\t\t\tlet workflowTasksOverdue = false;\n\t\t\tworkflowTasks.all.forEach((workflowTask) => {\n\t\t\t\tworkflowTask.isSelected = false;\n\t\t\t\tworkflowTasksOverdue |= workflowTask.IsOverdue;\n\t\t\t});\n\n\t\t\tangular.extend($scope.vm.workflowTasks, {\n\t\t\t\thasOverdueTasks: workflowTasksOverdue,\n\t\t\t\ttaskCount: workflowTasks.all.length,\n\t\t\t\ttasks: workflowTasks\n\t\t\t});\n\n\t\t\t// Payroll tasks\n\t\t\tlet payrollTasks = bulkService.getBulkItemsObj(userTasksObj.payroll);\n\n\t\t\tangular.extend($scope.vm.payrollTasks, {\n\t\t\t\tshowComplete: true,\n\t\t\t\tshowTaskCompany: true,\n\t\t\t\ttaskCount: payrollTasks.all.length,\n\t\t\t\ttasks: payrollTasks\n\t\t\t});\n\n\t\t\tupdatePayrollTasksCount($scope.vm.payrollTasks);\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction updatePayrollTasksCount (payrollTasksObj) {\n\n\t\t// Count incomplete tasks for UI counter in tab and determine whether any are overdue\n\t\tlet payrollTasksIncompleteCount = 0;\n\t\tlet payrollTasksOverdue = false;\n\t\tpayrollTasksObj.tasks.all.forEach(payrollTask => {\n\t\t\tif (!payrollTask.IsComplete) {\n\t\t\t\tpayrollTasksIncompleteCount++;\n\t\t\t}\n\t\t\t// Set overdue status only if any task is overdue *and* incomplete\n\t\t\tpayrollTasksOverdue |= (payrollTask.IsOverdue && !payrollTask.IsComplete);\n\t\t});\n\n\t\tpayrollTasksObj.hasOverdueTasks = payrollTasksOverdue;\n\t\tpayrollTasksObj.incompleteTaskCount = payrollTasksIncompleteCount;\n\n\t\t// Do the same for the 'global' tasks count\n\t\tworkflowService.updateUserTasksCount();\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.vm.pageState = pageState;\n\t}\n\n\t$scope.vm = {\n\t\tagencyProfileId,\n\t\tisStateActive: applicationService.isStateActive,\n\t\tpayrollTasks: {\n\t\t\ttaskCount: 0\n\t\t},\n\t\tpageState: 'loading',\n\t\tworkflowTasks: {\n\t\t\ttaskCount: 0\n\t\t},\n\t\trefreshTasks: init,\n\t\tupdatePayrollTasksCount,\n\t\tuserId\n\t};\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('myTasksWorkflowCtrl', ['$rootScope', '$scope', '$stateParams', 'filterService', 'searchService', function ($rootScope, $scope, $stateParams, filterService, searchService) {\n\n\t// From parent tab container controller\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst refreshTasks = $scope.vm.refreshTasks;\n\n\tfunction openReassignWorkflowTaskForm (workflowTaskObjs) {\n\n\t\t// Get selected tasks\n\t\tlet selectedTasks = workflowTaskObjs.filter(workflowTaskObj => workflowTaskObj.isSelected);\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshTasks,\n\t\t\tformKey: 'reassign-workflow-task',\n\t\t\tomitCurrentUser: true,\n\t\t\tshowContext: false,\n\t\t\ttitle: 'Re-assign workflow step' + (selectedTasks.length > 1 ? 's' : ''),\n\t\t\tworkflowTasks: selectedTasks\n\t\t});\n\t}\n\n\tangular.extend($scope, {\n\t\tfilterBarOptions: filterService.workflowTasks,\n\t\topenReassignWorkflowTaskForm,\n\t\tsearchBarOptions: searchService.workflowTasks\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('myTasksPayrollCtrl', ['$scope', 'filterService', 'searchService', function ($scope, filterService, searchService) {\n\n\tangular.extend($scope, {\n\t\tfilterBarOptions: filterService.tasks,\n\t\tsearchBarOptions: searchService.tasks\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\tvar directory = 'features/app/app-integrations/';\n\t$stateProvider\n\n\t.state('app-integrations', {\n\t\turl: '/app-integrations?code&state&error',\n\t\ttemplateUrl: directory + 'appIntegrationsView.html',\n\t\tcontroller: 'appIntegrationsCtrl',\n\t\tdata: {\n\t\t\tisPublic: true,\n\t\t\ttitle: 'Integrations'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('appIntegrationsCtrl', ['$rootScope', '$scope', '$state', '$stateParams', '$timeout', 'companyData', 'session', 'utilities', function ($rootScope, $scope, $state, $stateParams, $timeout, companyData, session, utilities) {\n\n\tvar agencyProfileId = $stateParams.state;\n\tvar slackToken = $stateParams.code;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\t// Slack integration cancelled\n\t\tif ($stateParams.error === 'access_denied') {\n\t\t\t$state.go('login', {state: agencyProfileId, sref: 'settings.company.integrations'});\n\t\t\treturn;\n\t\t}\n\t\t\n\t\t// Incorrect URL\n\t\tif ($stateParams.code === undefined || !utilities.isValidGuid(agencyProfileId)) {\n\t\t\tsetPageState('incorrect-url');\n\t\t\treturn;\n\t\t}\n\n\t\t// Session exists\n\t\tif (session.user) {\n\t\t\t$state.go('settings.company.integrations', {agencyProfileId: agencyProfileId, state: agencyProfileId, code: slackToken});\n\t\t\treturn;\n\t\t}\n\t\t\n\t\t$state.go('login', {state: agencyProfileId, code: slackToken});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\tvar directory = 'features/app/authorise-app/';\n\t$stateProvider\n\n\t.state('authorise-app', {\n\t\turl: '/authorise-app/:appKey?code&state&error',\n\t\ttemplateUrl: directory + 'authoriseAppView.html',\n\t\tcontroller: 'authoriseAppCtrl',\n\t\tdata: {\n\t\t\tisPublic: true,\n\t\t\ttitle: 'Authorise App'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('authoriseAppCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'$timeout',\n\t'base',\n\t'companyData',\n\t'pensionData',\n\t'searchService',\n\t'session',\n\t'utilities',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tbase,\n\t\tcompanyData,\n\t\tpensionData,\n\t\tsearchService,\n\t\tsession,\n\t\tutilities\n\t) {\n\n\tconst LOADING_TIME = 5000;\n\n\tvar appKey = $stateParams.appKey;\n\tvar authorisationCode = $stateParams.code;\n\tvar state = $stateParams.state;\n\n\tfunction closeWindow () {\n\n\t\twindow.close();\n\t}\n\n\tfunction getMatchForCompanyName (xeroTenantData, agencyProfileName) {\n\n\t\treturn xeroTenantData.tenants.find(tenantObj => tenantObj.tenantName.toLowerCase() === agencyProfileName.toLowerCase());\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('connecting');\n\n\t\tlet dataArray;\n\t\tlet agencyProfileId;\n\t\tlet agencyProfileName;\n\t\tlet agencyEmployerPensionId;\n\n\t\tswitch (appKey) {\n\n\t\t\t// Smart Pension\n\t\t\tcase 'smart': {\n\n\t\t\t\t// Authorisation code not defined\n\t\t\t\tif (authorisationCode === undefined) {\n\t\t\t\t\t$rootScope.paycircleMessage('Authorisation code is not defined', 'error');\n\t\t\t\t\tsetPageState('error');\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Check to make sure AgencyProfileId & AgencyEmployerPensionID are provided\n\t\t\t\tif (state.indexOf(',') === -1) {\n\t\t\t\t\tsetPageState('error');\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tdataArray = state.split(','); // Smart do now allow any additional parameters on the return URI so this has been added to prepare for multiple pensions functionality\n\n\t\t\t\tagencyProfileId = dataArray[0];\n\t\t\t\tagencyEmployerPensionId = dataArray[1];\n\n\t\t\t\t// Incorrect URL\n\t\t\t\tif (!utilities.isValidGuid(agencyProfileId)) {\n\t\t\t\t\t$rootScope.paycircleMessage('Authorisation code is not defined', 'error');\n\t\t\t\t\tsetPageState('error');\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t$timeout(() => {\n\t\t\t\t\t\n\t\t\t\t\tpensionData.updateSmartPensionAccessToken(agencyProfileId, authorisationCode, agencyEmployerPensionId).then(function () {\n\t\t\t\t\t\tsetPageState('connected');\n\t\t\t\t\t})\n\t\t\t\t\t.catch(onError);\n\t\t\t\t}, LOADING_TIME);\n\n\t\t\t\tbreak;\n\t\t\t}\n\n\t\t\t// Peoples Pension\n\t\t\tcase 'peoples': {\n\n\t\t\t\t// Authorisation code not defined\n\t\t\t\tif (authorisationCode === undefined) {\n\t\t\t\t\t$rootScope.paycircleMessage('Authorisation code is not defined', 'error');\n\t\t\t\t\tsetPageState('error');\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Check to make sure AgencyProfileId & AgencyEmployerPensionID are provided\n\t\t\t\tif (state.indexOf(',') === -1) {\n\t\t\t\t\tsetPageState('error');\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tdataArray = state.split(','); // Smart do now allow any additional parameters on the return URI so this has been added to prepare for multiple pensions functionality\n\n\t\t\t\tagencyProfileId = dataArray[0];\n\t\t\t\tagencyEmployerPensionId = dataArray[1];\n\n\t\t\t\t// Incorrect URL\n\t\t\t\tif (!utilities.isValidGuid(agencyProfileId)) {\n\t\t\t\t\t$rootScope.paycircleMessage('Authorisation code is not defined', 'error');\n\t\t\t\t\tsetPageState('error');\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t$timeout(() => {\n\t\t\t\t\t\n\t\t\t\t\tpensionData.updatePeoplesPensionAccessToken(agencyProfileId, authorisationCode, agencyEmployerPensionId).then(function () {\n\t\t\t\t\t\tsetPageState('connected');\n\t\t\t\t\t})\n\t\t\t\t\t.catch(onError);\n\t\t\t\t}, LOADING_TIME);\n\n\t\t\t\tbreak;\n\t\t\t}\n\n\t\t\t// Xero\n\t\t\tcase 'xero': {\n\n\t\t\t\tif (state.indexOf('|') > -1) {\n\t\t\t\t\tdataArray = state.split('|'); // ?state param = {agencyProfileId|companyName}\n\t\t\t\t\tagencyProfileId = dataArray[0];\n\t\t\t\t\tagencyProfileName = dataArray[1];\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\tagencyProfileId = state;\n\t\t\t\t}\n\n\t\t\t\t// Authorisation code not defined\n\t\t\t\tif (authorisationCode === undefined) {\n\t\t\t\t\t$rootScope.paycircleMessage('Authorisation code is not defined', 'error');\n\t\t\t\t\tsetPageState('error');\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Incorrect URL\n\t\t\t\tif (!utilities.isValidGuid(agencyProfileId)) {\n\t\t\t\t\t$rootScope.paycircleMessage('Agency profile id is not provided or invalid', 'error');\n\t\t\t\t\tsetPageState('error');\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t$timeout(() => {\n\t\t\t\t\t\n\t\t\t\t\tbase.getXeroAccessToken(agencyProfileId, authorisationCode).then(xeroTenantData => {\n\n\t\t\t\t\t\tif (!xeroTenantData.status) {\n\t\t\t\t\t\t\tsetPageState('xero-reauthorise');\n\t\t\t\t\t\t\treturn;\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\tangular.extend($scope, {\n\t\t\t\t\t\t\tagencyProfileId,\n\t\t\t\t\t\t\tsearchBarOptions: searchService.xeroTenants,\n\t\t\t\t\t\t\txeroTenantData\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\tconst tenantMatchObj = getMatchForCompanyName(xeroTenantData, agencyProfileName);\n\n\t\t\t\t\t\t// Check to automatically match tenant by name\n\t\t\t\t\t\tif (tenantMatchObj) {\n\t\t\t\t\t\t\tupdateAgencyProfileCredentialTenantId(agencyProfileId, tenantMatchObj);\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\t// Unable to match tenant by name, manually select\n\t\t\t\t\t\telse {\t\t\t\t\t\t\n\t\t\t\t\t\t\tsetPageState('select-tenant');\n\t\t\t\t\t\t}\n\t\t\t\t\t})\n\t\t\t\t\t.catch(onError);\n\t\t\t\t}, LOADING_TIME);\n\n\t\t\t\tbreak;\n\t\t\t}\n\t\t}\n\t\t\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction updateAgencyProfileCredentialTenantId (agencyProfileId, tenantObj) {\n\n\t\tbase.updateAgencyProfileCredentialTenantId(agencyProfileId, tenantObj.tenantId, tenantObj.tenantName).then(() => {\n\n\t\t\tsetPageState('connected');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tappKey,\n\t\tcloseWindow,\n\t\tupdateAgencyProfileCredentialTenantId\n\t});\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.config([\n\t'$stateProvider',\n\tfunction (\n\t\t$stateProvider\n\t) {\n\n\tconst directory = 'features/app/agency-dashboard/';\n\n\t$stateProvider\n\t.state('agency-dashboard', {\n\t\turl: '/agency-dashboard/:agencyProfileId?completedDemo',\n\t\ttemplateUrl: directory + 'agency-dashboard.view.html',\n\t\tcontroller: 'agencyDashboardCtrl',\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\tdata: {\n\t\t\ttitle: 'Dashboard'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('agencyDashboardCtrl', [\n\t'$scope',\n\t'$stateParams',\n\t'companyData',\n\tfunction (\n\t\t$scope,\n\t\t$stateParams,\n\t\tcompanyData\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction $onInit () {\n\n\t\tsetPageState('loading');\n\n\t\tcompanyData.getAgencyProfileAgencyProfile(agencyProfileId).then(companyObj => {\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tcompany: companyObj\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tangular.extend($scope, {\n\t\tagencyProfileId\n\t});\n\n\t$onInit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config([\n\t'$stateProvider',\n\t'USER_ROLES',\n\tfunction (\n\t\t$stateProvider,\n\t\tUSER_ROLES\n\t) {\n\n\tvar directory = 'features/app/company-dashboard/';\n\t$stateProvider\n\n\t.state('company-dashboard', {\n\t\turl: '/company-dashboard/:agencyProfileId?completedDemo',\n\t\ttemplateUrl: directory + 'company-dashboard.view.html',\n\t\tcontroller: 'companyDashboardCtrl',\n\t\tdata: {\n\t\t\tuserRoleRedirect: {\n\t\t\t\t[USER_ROLES.groupadminlite]: 'payroll.current-period.notes'\n\t\t\t},\n\t\t\tcompanyFlagRedirect: {\n\t\t\t\tIsPayslipManagerActive: 'payslip-manager'\n\t\t\t},\n\t\t\thelpAndSupportOptions: {\n\t\t\t\ttags: ['company-dashboard']\n\t\t\t},\n\t\t\ttitle: 'Dashboard'\n\t\t},\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('companyDashboardCtrl', [\n\t'COMPANY_STATES',\n\t'INTERFACE_TYPES',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'$timeout',\n\t'companyData',\n\t'messageData',\n\t'workflowService',\n\tfunction (\n\t\tCOMPANY_STATES,\n\t\tINTERFACE_TYPES,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tcompanyData,\n\t\tmessageData,\n\t\tworkflowService\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst currentCompany = $rootScope.currentCompany;\n\n\tfunction $onInit () {\n\n\t\t// Redirect agencies to their own dashboard\n\t\tif (currentCompany.CompanyType === INTERFACE_TYPES.agency) {\n\n\t\t\t$state.go('agency-dashboard', {\n\t\t\t\tagencyProfileId\n\t\t\t});\n\n\t\t\treturn;\n\t\t}\n\n\t\t// Redirect onboarding / demo companies to their own dashboard\n\t\tswitch (currentCompany.State) {\n\n\t\t\tcase COMPANY_STATES.demo:\n\t\t\tcase COMPANY_STATES.onboarding: {\n\n\t\t\t\t$state.go('onboarding-dashboard', {\n\t\t\t\t\tagencyProfileId,\n\t\t\t\t\tcompletedDemo: $stateParams.completedDemo\n\t\t\t\t});\n\n\t\t\t\treturn;\n\t\t\t}\n\t\t}\n\n\t\tsetPageState('loading');\n\n\t\tconst getAgencyProfileAgencyProfile = companyData.getAgencyProfileAgencyProfile(agencyProfileId);\n\t\tconst getPayPeriodCounts = companyData.getPayPeriodCountsForDashboardView(agencyProfileId);\n\t\t\n\t\t$q.all([\n\t\t\tgetAgencyProfileAgencyProfile,\n\t\t\tgetPayPeriodCounts\n\t\t]).then(([\n\t\t\tcompanyObj,\n\t\t\tcountsObj\n\t\t]) => {\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tcompany: companyObj,\n\t\t\t\tcounts: countsObj,\n\t\t\t\tpayPeriod: decoratePayPeriod(companyObj.PayPeriod)\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\n\t\t\t// Workflow\n\t\t\tif (companyObj.Company.IsWorkflowEnabled) {\n\t\t\t\tloadWorkflow(companyObj.Company);\n\t\t\t}\n\n\t\t\t// Animate in\n\t\t\t$timeout(() => {\n\t\t\t\t$scope.payPeriod.percentageComplete = getPayPeriodPercentageComplete(companyObj.PayPeriod);\n\t\t\t}, 1000);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction decoratePayPeriod (payPeriodObj) {\n\n\t\tangular.extend(payPeriodObj, {\n\t\t\tdayCountDescription: getDayCountForPayPeriod(payPeriodObj),\n\t\t\ticon: getIconForPayPeriod(payPeriodObj),\n\t\t\ticonTheme: getIconThemeForPayPeriod(payPeriodObj),\n\t\t\tpayDateDescription: moment(payPeriodObj.PayDateISO).format('ddd D MMM'),\n\t\t\tprocessDateDescription: moment(payPeriodObj.ProcessDateISO).format('ddd D MMM'),\n\t\t\tpayNotificationDateDescription: moment(payPeriodObj.PayslipDateISO).format('ddd D MMM'),\n\t\t\tpercentageComplete: 0 // This gets set later to allow it to animate in\n\t\t});\n\n\t\treturn payPeriodObj;\n\t}\n\n\tfunction getDayCountForPayPeriod (payPeriodObj) {\n\n\t\t// Overdue\n\t\tif (payPeriodObj.PayDayDaysOverdue > 0) {\n\t\t\treturn 'overdue';\n\t\t}\n\n\t\t// 1 day until pay day\n\t\tif (payPeriodObj.PayDayDaysAway === 1) {\n\t\t\treturn `${payPeriodObj.PayDayDaysAway} day to go`;\n\t\t}\n\n\t\t// x days until pay day\n\t\treturn `${payPeriodObj.PayDayDaysAway} days to go`;\n\t}\n\n\tfunction getIconForPayPeriod (payPeriodObj) {\n\n\t\t// Overdue\n\t\tif (payPeriodObj.PayDayDaysOverdue > 0) {\n\t\t\treturn 'warning';\n\t\t}\n\n\t\treturn 'wallet';\n\t}\n\n\tfunction getIconThemeForPayPeriod (payPeriodObj) {\n\n\t\t// Overdue\n\t\tif (payPeriodObj.PayDayDaysOverdue > 0) {\n\t\t\treturn 'is-tertiary';\n\t\t}\n\n\t\treturn 'is-white-transparent';\n\t}\n\n\tfunction getPayPeriodPercentageComplete (payPeriodObj) {\n\n\t\tconst startDateM = moment(payPeriodObj.StartDateISO);\n\t\tconst endDateM = moment(payPeriodObj.EndDateISO);\n\n\t\tconst numberOfDaysInPeriod = endDateM.diff(startDateM, 'days');\n\n\t\treturn 100 - ((100 / numberOfDaysInPeriod) * payPeriodObj.PayDayDaysAway);\n\t}\n\n\tfunction loadWorkflow (currentCompanyObj) {\n\n\t\tsetWorkflowState('loading');\n\n\t\tmessageData.getWorkflowTemplates(agencyProfileId).then(workflowTemplatesArr => {\n\n\t\t\tconst isWorkflowActive = workflowService.isWorkflowActive(currentCompanyObj, workflowTemplatesArr);\n\n\t\t\tif (!isWorkflowActive) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tlet workflowTemplateObj = workflowTemplatesArr[0];\n\n\t\t\tworkflowTemplateObj = workflowService.decorateWorkflowTemplate(workflowTemplateObj);\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tisWorkflowActive,\n\t\t\t\tworkflowTemplateEntryCurrent: workflowTemplateObj.TemplateEntryCurrent\n\t\t\t});\n\n\t\t\tsetWorkflowState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction setWorkflowState (workflowState) {\n\n\t\t$scope.workflowState = workflowState;\n\t}\n\n\tangular.extend($scope, {\n\t\tagencyProfileId\n\t});\n\n\t$onInit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config([\n\t'$stateProvider',\n\tfunction (\n\t\t$stateProvider\n\t) {\n\n\tvar directory = 'features/app/onboarding-dashboard/';\n\t$stateProvider\n\n\t.state('onboarding-dashboard', {\n\t\turl: '/onboarding-dashboard/:agencyProfileId?completedDemo',\n\t\ttemplateUrl: directory + 'onboarding-dashboard.view.html',\n\t\tcontroller: 'onboardingDashboardCtrl',\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\tdata: {\n\t\t\ttitle: 'Dashboard'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('onboardingDashboardCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'$timeout',\n\t'base',\n\t'companyData',\n\t'growl',\n\t'intercomService',\n\t'logService',\n\t'onboardingService',\n\t'pensionData',\n\t'session',\n\t'tracking',\n\t'COMPANY_STATES',\n\t'COMPANY_STATE_DATA_TYPES',\n\t'DEMO_QUESTION_GROUPS',\n\t'DEMO_TASKS',\n\t'DOCUMENT_TYPES',\n\t'INTERFACE_TYPES',\n\t'LOG_CATEGORIES',\n\t'ONBOARDING_QUESTION_GROUPS',\n\t'TRACKING_EVENTS',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tbase,\n\t\tcompanyData,\n\t\tgrowl,\n\t\tintercomService,\n\t\tlogService,\n\t\tonboardingService,\n\t\tpensionData,\n\t\tsession,\n\t\ttracking,\n\t\tCOMPANY_STATES,\n\t\tCOMPANY_STATE_DATA_TYPES,\n\t\tDEMO_QUESTION_GROUPS,\n\t\tDEMO_TASKS,\n\t\tDOCUMENT_TYPES,\n\t\tINTERFACE_TYPES,\n\t\tLOG_CATEGORIES,\n\t\tONBOARDING_QUESTION_GROUPS,\n\t\tTRACKING_EVENTS\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction approvePayroll () {\n\n\t\tvar demo = {\n\t\t\tdemoTaskId: DEMO_TASKS.approvePayroll.calculatePayroll,\n\t\t\tdemoTask: 'calculatePayroll',\n\t\t\tnext: {\n\t\t\t\tdemoTaskId: DEMO_TASKS.approvePayroll.runPayroll,\n\t\t\t\tdemoTask: 'runPayroll',\n\t\t\t\tnext: {\n\t\t\t\t\tdemoTaskId: DEMO_TASKS.approvePayroll.checkPayroll,\n\t\t\t\t\tdemoTask: 'checkPayroll',\n\t\t\t\t\tonboardingId: $scope.onboardingDashboard.OnboardingID,\n\t\t\t\t\tonboardingQuestionGroupId: DEMO_QUESTION_GROUPS.approvePayroll\n\t\t\t\t}\n\t\t\t},\n\t\t};\n\n\t\tsession.setActiveDemo(demo);\n\t\t$state.go('payroll.current-period.changes', {\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t});\n\t}\n\n\tfunction closeAllTasks (onboardingDashboardObj) {\n\n\t\t$scope.vm.showTasksFor = null;\n\t\tfor (var groupPair of onboardingDashboardObj.questionGroupPairs) {\n\t\t\tfor (var group of groupPair) {\n\t\t\t\tgroup.isActive = false;\n\t\t\t}\n\t\t}\n\t}\n\t\n\tfunction completeDemoForMe (onboardingDashboardObj, setTo, ignoreApprovePayroll) {\n\n\t\tvar groupIds = ['3816c589-41e0-4f61-9de0-55834c99e69c', 'ee6bdb17-ba66-4ee3-9cf5-9116360c131c', 'a44ae5c3-10e4-4664-84fa-c8a23758af12', '49cf23c3-3d8f-4e19-9d58-87e61ed751c3', 'e256ccbc-ba8a-41e9-b4de-d17945cdafae', '92adb583-56ac-406f-b36d-ffde585c1b2f', '0a3f3f00-2b85-4aae-b22e-caa8b4f4e4ee'];\n\n\t\tif (ignoreApprovePayroll) {\n\t\t\tgroupIds.shift();\n\t\t}\n\n\t\tfor (var group of groupIds) {\n\t\t\tcompanyData.updateOnboardingQuestionGroupComplete(onboardingDashboardObj.OnboardingID, group, setTo);\n\t\t}\n\t}\n\n\tfunction getStepImageFileName (step) {\n\n\t\tswitch (step) {\n\t\t\tcase 1:\n\t\t\t\treturn 'add-team-members';\n\t\t\tcase 2:\n\t\t\t\treturn 'payroll-changes';\n\t\t\tcase 3:\n\t\t\tcase 4:\n\t\t\t\treturn 'submit-for-approval';\n\t\t}\n\t}\n\n\tfunction goToStep (step) {\n\n\t\t$scope.options.step = step;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getAgencyProfileAgencyProfile = companyData.getAgencyProfileAgencyProfile(agencyProfileId);\n\t\tconst getPensionDashboardData = pensionData.getPensionDashboardData(agencyProfileId);\n\n\t\t$q.all([\n\t\t\tgetAgencyProfileAgencyProfile,\n\t\t\tgetPensionDashboardData\n\t\t]).then(([\n\t\t\tcompanyObj,\n\t\t\tpensionObj\n\t\t]) => {\n\n\t\t\t// Set default tab\n\t\t\ttogglePensionTab(pensionObj, 'overview');\n\n\t\t\t// Decorate log entries\n\t\t\tpensionObj.LogEntries = logService.decorateLogEntries(pensionObj.LogEntries);\n\n\t\t\tconst isAutoRunVisible = companyObj.Company.IsAutoRun && session.user.canSeeAutoRun;\n\t\t\tlet step = 1;\n\n\t\t\t// Auto run\n\t\t\tif (companyObj.Company.IsAutoRun) {\n\n\t\t\t\t// Bureaus\n\t\t\t\tif (isAutoRunVisible) {\t\t\t\t\t\n\t\t\t\t\tstep = 4;\n\t\t\t\t}\n\n\t\t\t\t// Company admins\n\t\t\t\telse {\n\t\t\t\t\tstep = 6;\n\t\t\t\t}\n\t\t\t}\n\n\n\t\t\tif (companyObj.PayPeriod.IsCompulsorySubmission) {\n\t\t\t\tstep = 5;\n\t\t\t}\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tcompany: companyObj,\n\t\t\t\tisAutoRunVisible,\n\t\t\t\toptions: {\n\t\t\t\t\tstep\n\t\t\t\t},\n\t\t\t\tpension: pensionObj\n\t\t\t});\n\n\t\t\tloadLogs();\n\n\t\t\t// Onboarding\n\t\t\tif (companyObj.Company.State !== COMPANY_STATES.live) {\n\t\t\t\trefreshOnboardingDashboard();\n\t\t\t}\n\t\t\telse {\n\t\t\t\tsetPageState('ready');\n\t\t\t}\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetPageState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction loadLogs () {\n\n\t\tconst categoryIdList = [LOG_CATEGORIES.payroll];\n\t\tconst dateFrom = moment().add(6, 'months').format();\n\t\tlet userId;\n\n\t\tsetLogsState('loading');\n\n\t\tbase.getAgencyLogEntriesForLogCategoryList(agencyProfileId, userId, categoryIdList, dateFrom).then(logEntriesArr => {\n\n\t\t\t$scope.payrollLogs = logService.decorateLogEntries(logEntriesArr);\n\n\t\t\tsetLogsState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetLogsState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction onCloseAddTeamMembers (vmObj) {\n\n\t\tinit();\n\t\ttoggleShowAddTeamMembers(vmObj);\n\t}\n\n\tfunction openApprovePayrollForm (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tcallback: refreshCompany,\n\t\t\tformKey: 'submit-for-approval',\n\t\t\tshowContext: false,\n\t\t\tagencyProfileId: companyObj.Company.AgencyProfileID\n\t\t});\n\t}\n\n\tfunction openCancelTrialForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $scope.company.Company.AgencyProfileID,\n\t\t\tformKey: 'onboarding-cancel-trial',\n\t\t\ttitle: $scope.company.Company.State === COMPANY_STATES.demo ? 'Cancel free trial' : 'Cancel Onboarding',\n\t\t\tshowContext: false\n\t\t});\n\t}\n\n\tfunction openOnboardingWizardProfile () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tcallback: refreshOnboardingDashboard,\n\t\t\tformKey: 'onboarding-wizard-profile',\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tinitCallbackOnClose: true,\n\t\t\tcanCloseForm: false\n\t\t});\n\t}\n\n\tfunction openPayrollSettingsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-payroll-settings'\n\t\t});\n\t}\n\n\tfunction openSwitchToLiveModal (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: companyObj.Company.AgencyProfileID,\n\t\t\tcallback: init,\n\t\t\tformKey: 'switch-to-live'\n\t\t});\n\t}\n\n\tfunction openSwitchToLiveForm (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: companyObj.Company.AgencyProfileID,\n\t\t\tcallback: init,\n\t\t\tformKey: 'switch-to-live'\n\t\t});\n\t}\n\n\tfunction openUnlockPayrollForm (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: companyObj.Company.AgencyProfileID,\n\t\t\tcallback: init,\n\t\t\tformKey: 'unlock-approve-payroll'\n\t\t});\n\t}\n\n\tfunction refreshCompany () {\n\n\t\tsetPageState('loading');\n\n\t\tcompanyData.getAgencyProfileAgencyProfile(agencyProfileId).then(companyObj => {\n\n\t\t\t$scope.company = companyObj;\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetPageState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction openDemoTaskBlock (onboardingDashboardObj) {\n\n\t\tvar taskBlockOpen = false;\n\t\tvar questionGroup;\n\n\t\tif ($rootScope.session.activeDemo) { // 1 - If demo in progress, open that question block\n\n\t\t\tfor (questionGroup of onboardingDashboardObj.Questions.QuestionGroups) {\n\t\t\t\tif ($rootScope.session.activeDemo.onboardingQuestionGroupID === questionGroup.OnboardingQuestionGroupID) {\n\t\t\t\t\tquestionGroup.showTasks = true;\n\t\t\t\t\ttaskBlockOpen = true;\n\t\t\t\t}\n\t\t\t}\n\n\t\t} else if ($stateParams.completedDemo) { // 2 - If demo task completed, open that block unless whole block is completed\n\n\t\t\tfor (questionGroup of onboardingDashboardObj.Questions.QuestionGroups) {\n\t\t\t\tif ($stateParams.completedDemo === questionGroup.OnboardingQuestionGroupID && questionGroup.totalQuestionsRemaining !== 0) {\n\t\t\t\t\tquestionGroup.showTasks = true;\n\t\t\t\t\ttaskBlockOpen = true;\n\t\t\t\t}\n\t\t\t}\n\n\t\t} else if (onboardingDashboardObj.DemoPercentComplete === 0 ) { // 3 - Show first block if demo just started\n\n\t\t\tonboardingDashboardObj.Questions.QuestionGroups[0].showTasks = true;\n\t\t\ttaskBlockOpen = true;\n\n\t\t}\n\n\t\tif (!taskBlockOpen) { // 4 - If nothing open, show first task group in progress or next empty one\n\n\t\t\tfor (questionGroup of onboardingDashboardObj.Questions.QuestionGroups) {\n\t\t\t\tif (!taskBlockOpen && questionGroup.QuestionsComplete >= 0 && questionGroup.totalQuestionsRemaining !== 0) {\n\t\t\t\t\tquestionGroup.showTasks = true;\n\t\t\t\t\ttaskBlockOpen = true;\n\t\t\t\t}\n\t\t\t}\n\n\t\t}\n\n\t\treturn onboardingDashboardObj;\n\t}\n\n\tfunction refreshOnboardingDashboard () {\n\n\t\tcompanyData.getOnboardingDashboard(agencyProfileId).then(onboardingDashboardObj => {\n\n\t\t\tonboardingDashboardObj = onboardingService.decorateOnboardingDashboardObj(onboardingDashboardObj);\n\n\t\t\t// Add team question block\n\t\t\tif ($scope.company.Company.State === COMPANY_STATES.onboarding || $scope.company.Company.State === COMPANY_STATES.firstPeriod) {\n\n\t\t\t\tcompanyData.getOnboardingTeamMembers(agencyProfileId).then(teamMembersArray => {\n\n\t\t\t\t\tonboardingDashboardObj.teamMembers = teamMembersArray;\n\n\t\t\t\t\t$scope.onboardingDashboard = onboardingDashboardObj;\n\t\t\t\t\t$scope.skippedQuestions = onboardingService.getSkippedQuestions(onboardingDashboardObj);\n\t\t\t\t\t$scope.teamStats = onboardingService.getTeamMemberStatsObj(teamMembersArray);\n\t\t\t\t\t$scope.areTeamMembersComplete = onboardingService.getAreTeamMembersComplete(teamMembersArray);\n\n\t\t\t\t\t// Force completion of Profile if not complete\n\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\tif (onboardingDashboardObj.isProfileIncomplete && !$rootScope.userHasRole(['paycircle', 'bureaumanager'])) {\n\t\t\t\t\t\t\topenOnboardingWizardProfile();\n\t\t\t\t\t\t}\n\t\t\t\t\t}, 500);\n\n\t\t\t\t\tsetPageState('ready');\n\t\t\t\t})\n\t\t\t\t.catch(error => {\n\t\t\t\t\tsetPageState('error');\n\t\t\t\t\tconsole.error(error);\n\t\t\t\t});\n\t\t\t} else {\n\t\t\t\tonboardingDashboardObj = openDemoTaskBlock(onboardingDashboardObj);\n\t\t\t\t$scope.onboardingDashboard = onboardingDashboardObj;\n\t\t\t\tsetPageState('ready');\n\t\t\t}\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetPageState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction refreshPage () {\n\n\t\tinit();\n\t}\n\n\tfunction resetApprovePayroll () {\n\n\t\tcompanyData.updateOnboardingQuestionGroupComplete($scope.onboardingDashboard.OnboardingID, DEMO_QUESTION_GROUPS.approvePayroll, false).then(() => {\n\n\t\t\trefreshOnboardingDashboard();\n\t\t})\n\t\t.catch(error => {\n\t\t\t$scope.pageState = 'error';\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction setLogsState (pageState) {\n\n\t\t$scope.logsState = pageState;\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction switchCompanyToLiveMode (modalObj, companyObj) {\n\n\t\t// TODO: Hook up service to actually switch test mode flag\n\t\tcompanyObj.Company.IsInTestMode = !companyObj.Company.IsInTestMode;\n\n\t\ttoggleModal(modalObj);\n\t}\n\n\tfunction toggleModal (modalObj) {\n\n\t\tmodalObj.isOpen = !modalObj.isOpen;\n\t}\n\n\tfunction togglePensionTab (pensionObj, menuTab) {\n\n\t\tpensionObj.activeTab = menuTab;\n\t}\n\n\tfunction toggleShowAddTeamMembers (vmObj) {\n\t\tvmObj.showAddTeamMembers = !vmObj.showAddTeamMembers;\n\n\t\tif (!vmObj.showAddTeamMembers) {\n\t\t\tcloseAllTasks($scope.onboardingDashboard);\n\t\t\trefreshOnboardingDashboard();\n\t\t}\n\t}\n\n\tfunction toggleShowCompanyOnboardingSummary (vmObj) {\n\n\t\tvmObj.showCompanyOnboardingSummary = !vmObj.showCompanyOnboardingSummary;\n\t}\n\n\tfunction toggleShowTeamPaymentInfo (vmObj) {\n\n\t\tvmObj.showTeamPaymentInfo = !vmObj.showTeamPaymentInfo;\n\t}\n\n\tfunction toggleShowTeamPensionInfo (vmObj) {\n\n\t\tvmObj.showTeamPensionInfo = !vmObj.showTeamPensionInfo;\n\t}\n\n\tfunction toggleTeamCompleteState (onboardingObj) {\n\n\t\tcompanyData.updateOnboardingTeamComplete(onboardingObj.OnboardingID, agencyProfileId, onboardingObj.IsTeamComplete).then(() => {\n\n\t\t\t// Feedback\n\t\t\tgrowl.success(onboardingObj.IsTeamComplete ? 'Your team has been marked as complete' : 'Your team has been re-opened for editing');\n\n\t\t\t// Tracking\n\t\t\tif (onboardingObj.IsTeamComplete) {\n\t\t\t\ttracking.trackEvent(TRACKING_EVENTS.onboardingTeamCompleted);\n\t\t\t\tintercomService.updateCompanyData(agencyProfileId, {\n\t\t\t\t\tsize: onboardingObj.teamMembers.length\n\t\t\t\t});\n\t\t\t}\n\t\t});\n\t}\n\n\tangular.extend($scope, {\n\t\tCOMPANY_STATES,\n\t\tCOMPANY_STATE_DATA_TYPES,\n\t\tDOCUMENT_TYPES,\n\t\tINTERFACE_TYPES,\n\t\tONBOARDING_QUESTION_GROUPS,\n\t\tagencyProfileId,\n\t\tapprovePayroll,\n\t\tcompleteDemoForMe,\n\t\tgetStepImageFileName,\n\t\tgoToStep,\n\t\tonCloseAddTeamMembers,\n\t\topenApprovePayrollForm,\n\t\topenCancelTrialForm,\n\t\topenPayrollSettingsForm,\n\t\topenSwitchToLiveForm,\n\t\topenSwitchToLiveModal,\n\t\topenUnlockPayrollForm,\n\t\tmodalOptions: {\n\t\t\tguideToAddingPensionInfo: {\n\t\t\t\tisOpen: false,\n\t\t\t\ttemplate: 'video',\n\t\t\t\ttitle: 'A guide to adding pension info',\n\t\t\t\tvideoUrl: 'https://www.youtube.com/embed/bGKx_Du_sUI'\n\t\t\t},\n\t\t\tmoveToLive: {\n\t\t\t\tisOpen: false,\n\t\t\t\ttitle: 'It\\'s time to get ready to go live'\n\t\t\t},\n\t\t\tswitchToLiveMode: {\n\t\t\t\tisOpen: false,\n\t\t\t\ttitle: 'Switch to live mode'\n\t\t\t}\n\t\t},\n\t\trefreshCompany,\n\t\trefreshOnboardingDashboard,\n\t\trefreshPage,\n\t\tresetApprovePayroll,\n\t\tswitchCompanyToLiveMode,\n\t\ttoggleModal,\n\t\ttogglePensionTab,\n\t\ttoggleShowAddTeamMembers,\n\t\ttoggleShowCompanyOnboardingSummary,\n\t\ttoggleShowTeamPaymentInfo,\n\t\ttoggleShowTeamPensionInfo,\n\t\ttoggleTeamCompleteState,\n\t\tvm: {\n\t\t\tcloseAllTasks,\n\t\t\tshowAddTeamMembers: false,\n\t\t\tshowCompanyOnboardingSummary: false,\n\t\t\tshowTeamPaymentInfo: false,\n\t\t\tshowTeamPensionInfo: false,\n\t\t\tshowTasksFor: null,\n\t\t\ttoggleShowAddTeamMembers,\n\t\t\ttoggleShowCompanyOnboardingSummary,\n\t\t\ttoggleShowTeamPaymentInfo,\n\t\t\ttoggleShowTeamPensionInfo,\n\t\t}\n\t});\n\n\tinit();\n\n\t$rootScope.$on('show-onboarding-add-team-members', () => {\n\n\t\ttoggleShowAddTeamMembers($scope.vm);\n\t});\n}]);\n\n'use strict';\n\n\nangular.module('paycircleApp')\n\t.config([\n\t\t'$stateProvider',\n\t\tfunction (\n\t\t\t$stateProvider\n\t\t) {\n\n\t\t\tconst directory = 'features/app/p11db-report/';\n\n\t\t\t$stateProvider\n\n\t\t\t\t.state('p11db-report', {\n\t\t\t\t\tcontroller: 'p11dbReportCtrl',\n\t\t\t\t\tparams:{\n\t\t\t\t\t\topenedFrom:''\n\t\t\t\t\t},\n\t\t\t\t\tdata: {\n\t\t\t\t\t\tallowPDFDownload: true,\n\t\t\t\t\t\tdocument: true,\n\t\t\t\t\t\tfullPage: true\n\t\t\t\t\t},\n\t\t\t\t\tresolve: {\n\t\t\t\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t\t\t\t}]\n\t\t\t\t\t},\n\t\t\t\t\ttemplateUrl: directory + 'p11db-report.view.html',\n\t\t\t\t\turl: '/p11db-report/:agencyProfileId/:p11DbSubmissionID'\n\t\t\t\t});\n\n\t\t}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n\t.controller('p11dbReportCtrl', [\n\t\t'$filter',\n\t\t'$rootScope',\n\t\t'$scope',\n\t\t'$stateParams',\n\t\t'$q',\n\t\t'$timeout',\n\t\t'$window',\n\t\t'companyData',\n\t\t'payrollData',\n\t\t'utilities',\n\t\tfunction (\n\t\t\t$filter,\n\t\t\t$rootScope,\n\t\t\t$scope,\n\t\t\t$stateParams,\n\t\t\t$q,\n\t\t\t$timeout,\n\t\t\t$window,\n\t\t\tcompanyData,\n\t\t\tpayrollData,\n\t\t\tutilities\n\t\t) {\n\n\t\t\tconst agencyProfileId = $stateParams.agencyProfileId;\n\t\t\tconst p11DbSubmissionID = $stateParams.p11DbSubmissionID;\n\n\t\t\tfunction init () {\n\t\t\t\tsetPageState('loading');\n\n\t\t\t\t$timeout(function (){\n\t\t\t\t\tpayrollData.getP11DbSubmission(p11DbSubmissionID, agencyProfileId)\n\t\t\t\t\t\t.then(p11dSubmissionObj=>{\n\t\t\t\t\t\t\tsetPageState('ready');\n\t\t\t\t\t\t\tangular.extend($scope, {\n\t\t\t\t\t\t\t\tbreakdownItems: getBreakdownItems(p11dSubmissionObj),\n\t\t\t\t\t\t\t\tp11DbSubmission: p11dSubmissionObj,\n\t\t\t\t\t\t\t});\n\t\t\t\t\t\t}).catch(function (error) {\n\t\t\t\t\t\tconsole.error(error);\n\t\t\t\t\t\tsetPageState('error');\n\t\t\t\t\t});\n\t\t\t\t},500);\n\t\t\t}\n\n\t\t\tfunction getBreakdownItems (p11dbSubmissionObj) {\n\n\t\t\t\treturn [\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Class 1A NICs rate',\n\t\t\t\t\t\tvalue: p11dbSubmissionObj.P11DbSubmissionNICRate + '%'\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Total benefits liable to Class 1A NICs',\n\t\t\t\t\t\tvalue: $filter('monetise')(p11dbSubmissionObj.P11DbSubmissionBenefitsLiable)\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Amounts not included in \\'Total benefits\\' on which Class 1A NICs are due',\n\t\t\t\t\t\tvalue: $filter('monetise')(p11dbSubmissionObj.P11DbSubmissionAdjustmentDueAmount)\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Amounts included in \\'Total benefits\\' on which Class 1A NICs are not due',\n\t\t\t\t\t\tvalue: $filter('monetise')(p11dbSubmissionObj.P11DbSubmissionAdjustmentNotDueAmount)\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Total benefits on which Class 1A NICs are due',\n\t\t\t\t\t\tvalue: $filter('monetise')(p11dbSubmissionObj.P11DbSubmissionBenefitsLiableTotal)\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Class 1A NICs payable',\n\t\t\t\t\t\tvalue: $filter('monetise')(p11dbSubmissionObj.P11DbSubmissionNICPayable)\n\t\t\t\t\t}\n\t\t\t\t];\n\n\t\t\t}\n\n\t\t\tfunction openBrowserPrintDialog () {\n\n\t\t\t\t$window.print();\n\t\t\t}\n\n\t\t\tfunction setPageState (pageState) {\n\n\t\t\t\t$scope.pageState = pageState;\n\t\t\t}\n\n\t\t\tfunction openP11DbForm(){\n\t\t\t\t$rootScope.openSlideInForm({\n\t\t\t\t\tagencyProfileId: $stateParams.agencyProfileId,\n\t\t\t\t\tp11dbSubmission: $scope.p11DbSubmission,\n\t\t\t\t\tagencyPayPeriodId: $scope.p11DbSubmission.AgencyPayPeriodID,\n\t\t\t\t\tcallback: init,\n\t\t\t\t\tformKey: 'company-settings-p11d-submission'\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tfunction cancel (){\n\t\t\t\tutilities.goBack();\n\t\t\t\tsetTimeout(()=>{\n\t\t\t\t\tif($stateParams.openedFrom === 'form'){\n\t\t\t\t\t\topenP11DbForm();\n\t\t\t\t\t}\n\t\t\t\t}, 100);\n\n\t\t\t}\n\n\t\t\tinit();\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tagencyProfileId,\n\t\t\t\tgoBack: cancel,\n\t\t\t\topenBrowserPrintDialog\n\t\t\t});\n\t\t}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', 'USER_ROLES', function ($stateProvider, USER_ROLES) {\n\n\tconst directory = 'features/app/paycircle-dashboard/';\n\tconst tabsDirectory = `${directory}tabs/`;\n\n\t$stateProvider\n\n\t.state('paycircle-dashboard', {\n\t\tabstract: true,\n\t\turl: '/paycircle-dashboard',\n\t\ttemplateUrl: directory + 'paycircle-dashboard.view.html',\n\t\tdata: {\n\t\t\tauthorisedRoles: [USER_ROLES.paycircle],\n\t\t\ttitle: 'Paycircle Dashboard'\n\t\t}\n\t})\n\n\t\t.state('paycircle-dashboard.onboarding-stats', {\n\t\t\turl: '',\n\t\t\ttemplateUrl: tabsDirectory + 'onboarding-stats.view.html',\n\t\t\tcontroller: 'paycircleDashboardOnboardingStatsCtrl'\n\t\t})\n\n\t\t.state('paycircle-dashboard.api-references', {\n\t\t\turl: '/api-references',\n\t\t\ttemplateUrl: tabsDirectory + 'api-references.view.html',\n\t\t\tcontroller: 'paycircleDashboardApiReferencesCtrl'\n\t\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('paycircleDashboardApiReferencesCtrl', ['$scope', '$http', 'filterService', 'searchService', function ($scope, $http, filterService, searchService) {\n\n\tfunction decorateApiReferences (apiReferences) {\n\t\tapiReferences.forEach(apiReference => {\n\t\t\tapiReference.referenceCount = apiReference.references.length;\n\t\t\tapiReference.showReferences = false;\n\t\t});\n\t\treturn apiReferences;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tvar scanSourceUrl = '/scripts/services/testData/scansource/scansource.json';\n\n\t\t$http.get(scanSourceUrl).then(scansource => {\n\n\t\t\tconst apiReferences = scansource.data;\n\n\t\t\t$scope.vm = {\n\t\t\t\tapiReferences: decorateApiReferences(apiReferences),\n\t\t\t\tfilterBarOptions: filterService.getFilterBarOptionsApiReferences(apiReferences),\n\t\t\t\tsearchBarOptions: searchService.apiReferences\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction toggleShowReferences (apiReference) {\n\t\tapiReference.showReferences = !apiReference.showReferences;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tfilterBarOptions: filterService.getFilterBarOptionsApiReferences,\n\t\tsearchOptions: searchService.apiReferences,\n\t\ttoggleShowReferences\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('paycircleDashboardOnboardingStatsCtrl', ['$rootScope', '$scope', '$stateParams', 'companyData', 'filterService', 'searchService', function ($rootScope, $scope, $stateParams, companyData, filterService, searchService) {\n\n\tconst LATEST_MONTH_KEY = 'Jul';\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tcompanyData.getOnboardingStats().then(onboardingStatsObj => {\n\t\t\t$scope.onboardingStats = onboardingStatsObj;\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetPageState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\t// Scope\n\t$scope.filterBarOptions = filterService.getFilterBarOptionsOnboardingStats(LATEST_MONTH_KEY);\n\t$scope.searchBarOptions = searchService.getSearchOptionsForOnboardingStats(LATEST_MONTH_KEY);\n}]);\n\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', 'USER_ROLES', function ($stateProvider, USER_ROLES) {\n\n\tconst directory = 'features/app/payroll';\n\n\t$stateProvider\n\t.state('payroll', {\n\t\tabstract: true,\n\t\turl: '/payroll/:agencyProfileId?applyfilter',\n\t\ttemplateUrl: directory + '/payroll.view.html',\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\tdata: {\n\t\t\ttitle: 'Payroll'\n\t\t}\n\t})\n\t\t// Pay Period\n\t\t.state('payroll.pay-period', {\n\t\t\turl: '/pay-period/:payPeriodId',\n\t\t\ttemplateUrl: directory + '/pay-period/pay-period.view.html',\n\t\t\tcontroller: 'payPeriodCtrl'\n\t\t})\n\n\t\t// Supplementary Pay Run\n\t\t.state('payroll.supplementary-pay-run', {\n\t\t\tabstract: true,\n\t\t\turl: '/supplementary-pay-run/:payPeriodId/:supplementaryPaymentId',\n\t\t\ttemplateUrl: directory + '/supplementary-pay-run/supplementary-pay-run.view.html',\n\t\t\tcontroller: 'supplementaryPayRunCtrl'\n\t\t})\n\t\t\t.state('payroll.supplementary-pay-run.changes', {\n\t\t\t\turl: '/changes',\n\t\t\t\ttemplateUrl: directory + '/supplementary-pay-run/changes/supplementary-pay-run-changes.view.html',\n\t\t\t\tcontroller: 'supplementaryPayRunChangesCtrl',\n\t\t\t\tdata: {\n\t\t\t\t unauthorisedRoles: [\n\t\t\t\t \tUSER_ROLES.companyadministratorlite,\n\t\t\t\t \tUSER_ROLES.groupAdminLite\n\t\t\t\t ]\n\t\t\t\t}\n\t\t\t})\n\t\t\t.state('payroll.supplementary-pay-run.receipts', {\n\t\t\t\turl: '/receipts',\n\t\t\t\ttemplateUrl: directory + '/supplementary-pay-run/receipts/supplementary-pay-run-receipts.view.html',\n\t\t\t\tdata: {\n\t\t\t\t unauthorisedRoles: [\n\t\t\t\t \tUSER_ROLES.companyadministratorlite,\n\t\t\t\t \tUSER_ROLES.groupAdminLite\n\t\t\t\t ]\n\t\t\t\t}\n\t\t\t})\n\t\t\t.state('payroll.supplementary-pay-run.reports', {\n\t\t\t\turl: '/reports',\n\t\t\t\ttemplateUrl: directory + '/supplementary-pay-run/reports/supplementary-pay-run-reports.view.html'\n\t\t\t})\n\n\t\t// Previous Period\n\t\t.state('payroll.previous-period', {\n\t\t\turl: '/previous-period',\n\t\t\ttemplateUrl: directory + '/previous-period/payroll-previous-period.view.html',\n\t\t\tcontroller: 'payrollPreviousPeriodCtrl'\n\t\t})\n\n\t\t// Current Period\n\t\t.state('payroll.current-period', {\n\t\t\tabstract: true,\n\t\t\turl: '/current-period',\n\t\t\ttemplateUrl: directory + '/current-period/payroll-current-period.view.html',\n\t\t\tcontroller: 'payrollCurrentPeriodCtrl',\n\t\t\tdata: {\n\t\t\t\tcancelRequestOnStateChange: false,\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\ttags: ['company-current-period']\n\t\t\t\t},\n\t\t\t\tpermissions: [\n\t\t\t\t\t'isPayrollVisible'\n\t\t\t\t]\n\t\t\t}\n\t\t})\n\t\t\t.state('payroll.current-period.changes', {\n\t\t\t\turl: '',\n\t\t\t\ttemplateUrl: directory + '/current-period/changes/payroll-current-period-changes.view.html',\n\t\t\t\tcontroller: 'payrollCurrentPeriodChangesCtrl',\n\t\t\t})\n\t\t\t.state('payroll.current-period.team', {\n\t\t\t\turl: '/team',\n\t\t\t\ttemplateUrl: directory + '/current-period/team/payroll-current-period-team.view.html',\n\t\t\t\tcontroller: 'payrollCurrentPeriodTeamCtrl',\n\t\t\t})\n\t\t\t.state('payroll.current-period.imports', {\n\t\t\t\turl: '/imports',\n\t\t\t\ttemplateUrl: directory + '/current-period/imports/payroll-current-period-imports.view.html',\n\t\t\t\tcontroller: 'payrollCurrentPeriodImportsCtrl',\n\t\t\t})\n\t\t\t.state('payroll.current-period.tax-updates', {\n\t\t\t\turl: '/tax-updates',\n\t\t\t\ttemplateUrl: directory + '/current-period/tax-updates/payroll-current-period-tax-updates.view.html',\n\t\t\t\tcontroller: 'payrollCurrentPeriodTaxUpdatesCtrl',\n\t\t\t})\n\t\t\t.state('payroll.current-period.alerts', {\n\t\t\t\turl: '/alerts',\n\t\t\t\ttemplateUrl: directory + '/current-period/alerts/payroll-current-period-alerts.view.html',\n\t\t\t\tcontroller: 'payrollCurrentPeriodAlertsCtrl'\n\t\t\t})\n\t\t\t.state('payroll.current-period.notes', {\n\t\t\t\turl: '/notes',\n\t\t\t\ttemplateUrl: directory + '/current-period/notes/payroll-current-period-notes.view.html',\n\t\t\t\tcontroller: 'payrollCurrentPeriodNotesCtrl'\n\t\t\t})\n\t\t\t.state('payroll.current-period.tasks', {\n\t\t\t\turl: '/tasks',\n\t\t\t\ttemplateUrl: directory + '/current-period/tasks/payroll-current-period-tasks.view.html',\n\t\t\t\tcontroller: 'payrollCurrentPeriodTasksCtrl'\n\t\t\t})\n\t\t\t.state('payroll.current-period.pensions', {\n\t\t\t\turl: '/pensions',\n\t\t\t\ttemplateUrl: directory + '/current-period/pensions/payroll-current-period-pensions.view.html',\n\t\t\t\tcontroller: 'payrollCurrentPeriodPensionsCtrl'\n\t\t\t})\n\n\t// Future Changes\n\t.state('payroll.future-changes', {\n\t\turl: '/future-changes',\n\t\tcontroller: 'payrollFutureChangesCtrl',\n\t\ttemplateUrl: directory + '/future-changes/payroll-future-changes.view.html',\n\t\tdata: {\n\t\t\thelpAndSupportOptions: {\n\t\t\t\ttags: ['company-future-changes']\n\t\t\t},\n\t\t\tpermissions: [\n\t\t\t\t'isPayrollVisible'\n\t\t\t]\n\t\t}\n\t})\n\n\t// History\n\t.state('payroll.history', {\n\t\tabstract: true,\n\t\tcontroller: 'payrollHistoryCtrl',\n\t\ttemplateUrl: directory + '/history/payroll-history.view.html',\n\t\turl: '/history',\n\t\tdata: {\n\t\t\thelpAndSupportOptions: {\n\t\t\t\ttags: ['company-history']\n\t\t\t},\n\t\t\tpermissions: [\n\t\t\t\t'isHistoryVisible'\n\t\t\t]\n\t\t}\n\t})\n\n\t\t// Historic Pay Periods\n\t\t.state('payroll.history.pay-periods', {\n\t\t\ttemplateUrl: directory + '/history/pay-periods/payroll-history-pay-periods.view.html',\n\t\t\turl: '',\n\t\t\tcontroller: 'payrollHistoryPayPeriodsCtrl'\n\t\t})\n\n\t\t// Supplementary Pay Runs\n\t\t.state('payroll.history.supplementary-pay-runs', {\n\t\t\turl: '/supplementary-pay-runs',\n\t\t\ttemplateUrl: directory + '/history/supplementary-pay-runs/payroll-history-supplementary-pay-runs.view.html',\n\t\t\tcontroller: 'payrollHistorySupplementaryPayRunsCtrl',\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\ttags: ['company-supplementary-pay-runs']\n\t\t\t\t}\n\t\t\t}\n\t\t})\n\n\t// Run Payroll\n\t.state('payroll.run-payroll', {\n\t\turl: '/run-payroll?activeTab',\n\t\ttemplateUrl: directory + '/run-payroll/payroll-run-payroll.view.html',\n\t\tcontroller: 'payrollRunPayrollCtrl',\n\t\tdata: {\n\t\t unauthorisedRoles: [USER_ROLES.employer],\n\t\t\tpermissions: [\n\t\t\t\t'isPayrollVisible'\n\t\t\t]\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('payrollPreviousPeriodCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'config',\n\t'messageData',\n\t'payrollData',\n\t'reportData',\n\t'reportsService',\n\t'searchService',\n\t'supplementaryPayRunService',\n\t'MESSAGE_TYPES',\n\t'SUBMISSION_STATES',\n\t'USER_ROLES',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tconfig,\n\t\tmessageData,\n\t\tpayrollData,\n\t\treportData,\n\t\treportsService,\n\t\tsearchService,\n\t\tsupplementaryPayRunService,\n\t\tMESSAGE_TYPES,\n\t\tSUBMISSION_STATES,\n\t\tUSER_ROLES\n\t) {\n\n\tconst TABS = {\n\t\tnotes: 'notes',\n\t\treports: 'reports'\n\t};\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst companyObj = $scope.currentCompany; // From root\n\tconst currentUserObj = $scope.currentUser; // From root\n\tconst isLiteAdminRole = $rootScope.userHasRole([USER_ROLES.groupadminlite, USER_ROLES.companyadministratorlite]);\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst IS_PREVIOUS_PERIOD = false;\n\n\t\tconst getPayPeriodPrevious = payrollData.getPayPeriodPrevious(agencyProfileId);\n\t\tconst getPayPeriodMinimum = payrollData.getPayPeriodMinimum(agencyProfileId, IS_PREVIOUS_PERIOD);\n\n\t\t$q.all([\n\t\t\t\tgetPayPeriodPrevious,\n\t\t\t\tgetPayPeriodMinimum\n\t\t\t])\n\t\t\t.then(([\n\t\t\t\tpayPeriodPreviousObj,\n\t\t\t\tpayPeriodCurrentObj\n\t\t\t]) => {\n\n\t\t\t\t// Load notes\n\t\t\t\tconst getReports = reportData.getReports(companyObj.AgencyProfileID, payPeriodPreviousObj.PayPeriodID);\n\t\t\t\tconst getMessages = messageData.getMessagesForPayPeriod(companyObj.AgencyProfileID, payPeriodPreviousObj.PayPeriodID, MESSAGE_TYPES.notes);\n\t\t\t\tconst getSupplementaryPaymentsForAgencyPayPeriod = payrollData.getSupplementaryPaymentsForAgencyPayPeriod(companyObj.AgencyProfileID, payPeriodPreviousObj.PayPeriodID);\n\n\t\t\t\t$q.all([\n\t\t\t\t\t\tgetReports,\n\t\t\t\t\t\tgetMessages,\n\t\t\t\t\t\tgetSupplementaryPaymentsForAgencyPayPeriod\n\t\t\t\t\t])\n\t\t\t\t\t.then(([\n\t\t\t\t\t\treportsArr,\n\t\t\t\t\t\tnotesArr,\n\t\t\t\t\t\tsupplementaryPaymentsArr\n\t\t\t\t\t]) => {\n\n\t\t\t\t\t\t$scope.vm = {\n\t\t\t\t\t\t\tactiveTab: TABS.reports,\n\t\t\t\t\t\t\tcompany: companyObj,\n\t\t\t\t\t\t\treports: reportsService.getReportsForPayPeriod(reportsArr),\n\t\t\t\t\t\t\thasReportsPermissions: currentUserObj.Permissions.isReportingVisible || isLiteAdminRole,\n\t\t\t\t\t\t\tnotes: notesArr,\n\t\t\t\t\t\t\tpayPeriod: payPeriodPreviousObj,\n\t\t\t\t\t\t\tpayPeriodCurrent: payPeriodCurrentObj,\n\t\t\t\t\t\t\tsearchBarOptions: searchService.notes,\n\t\t\t\t\t\t\tshowPaymentSummary: getShowPaymentSummary(payPeriodPreviousObj),\n\t\t\t\t\t\t\tsupplementaryPayRuns: supplementaryPaymentsArr.filter(supplementaryPayRunService.filterSupplementaryPayments),\n\t\t\t\t\t\t\tTABS\n\t\t\t\t\t\t};\n\n\t\t\t\t\t\tsetPageState('ready');\n\t\t\t\t\t})\n\t\t\t\t\t.catch(onError);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction getShowPaymentSummary (payPeriodPreviousObj) {\n\n\t\t// Show payment summary. Available only for particular roles in this context, and only when the payroll has been submitted (it should have been).\n\t\treturn payPeriodPreviousObj.ReportState === SUBMISSION_STATES.submitted && $rootScope.userHasRole([\n\t\t\t\tUSER_ROLES.paycircle,\n\t\t\t\tUSER_ROLES.bureau,\n\t\t\t\tUSER_ROLES.bureaumanager,\n\t\t\t\tUSER_ROLES.groupadmin,\n\t\t\t\tUSER_ROLES.groupadminlite,\n\t\t\t\tUSER_ROLES.groupuser,\n\t\t\t\tUSER_ROLES.payrollworker,\n\t\t\t\tUSER_ROLES.companyadministrator,\n\t\t\t\tUSER_ROLES.companyadministratorlite\n\t\t\t]);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction refreshNotes () {\n\n\t\tmessageData.getMessagesForPayPeriod(companyObj.AgencyProfileID, $scope.vm.payPeriod.PayPeriodID, MESSAGE_TYPES.notes).then(notesArr => {\n\n\t\t\t$scope.vm.notes = notesArr;\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction setActiveTab (vmObj, tabKey) {\n\n\t\tvmObj.activeTab = tabKey;\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tSUBMISSION_STATES,\n\n\t\tinit,\n\t\trefreshNotes,\n\t\tsetActiveTab,\n\n\t\tagencyProfileId: agencyProfileId\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('payrollCurrentPeriodCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'$timeout',\n\t'applicationService',\n\t'bulkService',\n\t'companyData',\n\t'config',\n\t'dataImport',\n\t'filterService',\n\t'importService',\n\t'messageData',\n\t'payPeriodService',\n\t'payrollData',\n\t'permissionsService',\n\t'tabService',\n\t'teamData',\n\t'utilities',\n\t'workflowService',\n\t'DOCUMENT_TYPES',\n\t'DPS_STATES',\n\t'FULL_SCREEN_MODAL_KEYS',\n\t'IMPORT_MAPPING_TYPES',\n\t'MESSAGE_TYPES',\n\t'PERMISSION_TYPES',\n\t'SPLASH_STATES',\n\t'TAB_KEYS',\n\t'USER_IMPORT_GROUP_STATES',\n\t'WORKFLOW_CHANGES_TABLE_STATES',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tapplicationService,\n\t\tbulkService,\n\t\tcompanyData,\n\t\tconfig,\n\t\tdataImport,\n\t\tfilterService,\n\t\timportService,\n\t\tmessageData,\n\t\tpayPeriodService,\n\t\tpayrollData,\n\t\tpermissionsService,\n\t\ttabService,\n\t\tteamData,\n\t\tutilities,\n\t\tworkflowService,\n\t\tDOCUMENT_TYPES,\n\t\tDPS_STATES,\n\t\tFULL_SCREEN_MODAL_KEYS,\n\t\tIMPORT_MAPPING_TYPES,\n\t\tMESSAGE_TYPES,\n\t\tPERMISSION_TYPES,\n\t\tSPLASH_STATES,\n\t\tTAB_KEYS,\n\t\tUSER_IMPORT_GROUP_STATES,\n\t\tWORKFLOW_CHANGES_TABLE_STATES\n\t) {\n\n\tconst VIEW_TYPES = {\n\t\tpayroll: 'payroll',\n\t\timport: 'import'\n\t};\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst currentCompanyObj = $scope.currentCompany;\n\tconst currentUserObj = $scope.currentUser;\n\tconst isLiteAdminRole = $rootScope.userHasRole(['groupadminlite', 'companyadministratorlite']);\n\n\tfunction getIsSplashScreenVisible (workflowTemplateObj) {\n\n\t\t// No current template\n\t\tif (!workflowTemplateObj.TemplateEntryCurrent) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// Only show if is actioner\n\t\tif (!workflowTemplateObj.TemplateEntryCurrent.IsActioner) {\n\t\t\treturn false;\n\t\t}\n\n\t\tswitch (workflowTemplateObj.TemplateEntryCurrent.SplashState) {\n\t\t\tcase SPLASH_STATES.inactive:\n\t\t\tcase SPLASH_STATES.complete:\n\t\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction getTabBarDefaultCounts () {\n\n\t\t// Create initial counts for applicable tabs. -1 means 'loading'\n\t\tconst currentPeriodTabBarCounts = {};\n\n\t\tcurrentPeriodTabBarCounts[TAB_KEYS.payroll.currentPeriod.tabs.notes] = { count: -1, theme: 'primary' };\n\t\tcurrentPeriodTabBarCounts[TAB_KEYS.payroll.currentPeriod.tabs.tasks] = { count: -1, theme: 'primary' };\n\t\tcurrentPeriodTabBarCounts[TAB_KEYS.payroll.currentPeriod.tabs.alerts] = { count: -1, theme: 'primary' };\n\n\t\treturn currentPeriodTabBarCounts;\n\t}\n\n\tfunction getViewType (payPeriodObj,\tcompanyObj) {\n\n\t\t// Imports\n\t\tif (companyObj.IsDataImportEnabled) {\n\n\t\t\tvar isImportComplete = importService.getIsImportComplete(payPeriodObj);\n\n\t\t\tif (!isImportComplete) {\n\t\t\t\treturn VIEW_TYPES.import;\n\t\t\t}\n\t\t}\n\n\t\treturn VIEW_TYPES.payroll;\n\t}\n\n\tfunction init () {\n\n\t\tconst IS_PREVIOUS_PERIOD = true;\n\t\tconst ALL_DETAILS = true;\n\n\t\tsetPageState('loading');\n\n\t\tpayrollData.getPayPeriodCurrent(agencyProfileId, ALL_DETAILS).then(currentPayPeriodObj => {\n\n\t\t\t// If payroll islocked, go straight to Run Payroll\n\t\t\tif (currentPayPeriodObj.IsPayrollLocked) {\n\t\t\t\t$state.go('payroll.run-payroll');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tlet vmObj = {\n\t\t\t\tcurrentPeriodTabBarCounts: getTabBarDefaultCounts(),\n\t\t\t\tpayPeriod: currentPayPeriodObj\n\t\t\t};\n\n\t\t\tconst getPayPeriodCounts = isLiteAdminRole ? companyData.getPayPeriodCountsForPeriodView(agencyProfileId, currentPayPeriodObj.PayPeriodID) : null; // Loaded when period alerts are loaded for non lite admin roles\n\t\t\tconst getPayPeriodMinimum = payrollData.getPayPeriodMinimum(agencyProfileId, IS_PREVIOUS_PERIOD);\n\t\t\tconst getWorkflowTemplates = currentCompanyObj.IsWorkflowEnabled ? messageData.getWorkflowTemplates(agencyProfileId) : null;\n\n\t\t\t$q.all([\n\t\t\t\tgetPayPeriodCounts,\n\t\t\t\tgetPayPeriodMinimum,\n\t\t\t\tgetWorkflowTemplates\n\t\t\t]).then(([\n\t\t\t\tpayPeriodCountsObj,\n\t\t\t\tpreviousPayPeriodObj,\n\t\t\t\tworkflowTemplatesArr\n\t\t\t]) => {\n\n\t\t\t\tconst isWorkflowActive = workflowService.isWorkflowActive(currentCompanyObj, workflowTemplatesArr);\n\n\t\t\t\tloadPeriodNotes(vmObj);\n\t\t\t\tloadPeriodTasks(vmObj);\n\n\t\t\t\t// Get permissions object\n\t\t\t\tconst permissions = permissionsService.getPermissionsForStateCurrentPeriod(currentUserObj);\n\n\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\tcompany: currentCompanyObj,\n\t\t\t\t\tcurrentPeriodTabBarDef: tabService.getTabsForKey(TAB_KEYS.payroll.currentPeriod.id, { permissions }),\n\t\t\t\t\tcurrentPeriodTabBarCounts: getTabBarDefaultCounts(),\n\t\t\t\t\tpayPeriodCounts: payPeriodCountsObj,\n\t\t\t\t\tpreviousPayPeriod: previousPayPeriodObj,\n\t\t\t\t\tisImportComplete: importService.getIsImportComplete(vmObj.payPeriod),\n\t\t\t\t\tisWorkflowActive: isWorkflowActive,\n\t\t\t\t\tpermissions,\n\t\t\t\t\tviewType: getViewType(vmObj.payPeriod, currentCompanyObj)\n\t\t\t\t});\n\n\t\t\t\t// Kick off loading of payroll alerts\n\t\t\t\tif (!isLiteAdminRole) {\n\t\t\t\t\tloadPeriodAlerts(vmObj);\n\t\t\t\t}\n\n\t\t\t\t// Workflow enabled\n\t\t\t\tif (isWorkflowActive) {\n\n\t\t\t\t\tlet workflowTemplateObj = workflowTemplatesArr[0];\n\n\t\t\t\t\tworkflowTemplateObj = workflowService.decorateWorkflowTemplate(workflowTemplateObj);\n\n\t\t\t\t\tif (workflowTemplateObj.TemplateEntryCurrent) {\n\n\t\t\t\t\t\tif (isLiteAdminRole && workflowTemplateObj.IsPayrollQueried) {\n\t\t\t\t\t\t\t$state.go('payroll.current-period.notes', {agencyProfileId: agencyProfileId});\n\n\t\t\t\t\t\t// Re-direct to 'Calculate'\n\t\t\t\t\t\t} else if (workflowTemplateObj.IsPayrollLocked || workflowTemplateObj.IsApproveAvailable || workflowTemplateObj.IsRunAvailable) {\n\t\t\t\t\t\t\t$state.go('payroll.run-payroll', {agencyProfileId: agencyProfileId});\n\t\t\t\t\t\t\treturn;\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\t// Load import group for changes table\n\t\t\t\t\t\tif (vmObj.permissions.isChangesTableVisible && workflowTemplateObj.changesTableIsEnabled) {\n\t\t\t\t\t\t\tloadImports(vmObj);\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\t// Continue loading page\n\t\t\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\t\t\tworkflowTemplate: workflowTemplateObj\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\t$timeout(() => {\n\n\t\t\t\t\t\t\tconst isSplashScreenVisible = getIsSplashScreenVisible(workflowTemplateObj);\n\n\t\t\t\t\t\t\tif (isSplashScreenVisible) {\n\t\t\t\t\t\t\t\t$rootScope.openModalDialog({\n\t\t\t\t\t\t\t\t\tmodalData: {\n\t\t\t\t\t\t\t\t\t\tworkflowTemplate: workflowTemplateObj\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\tmodalKey: 'workflow-payroll-information'\n\t\t\t\t\t\t\t\t});\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}, 1200);\n\t\t\t\t\t}\n\t\t\t\t} else {\n\n\t\t\t\t\t// Load import group for changes table\n\t\t\t\t\tif (vmObj.permissions.isChangesTableVisible) {\n\t\t\t\t\t\tloadImports(vmObj);\n\t\t\t\t\t}\n\n\t\t\t\t}\n\n\t\t\t\t/* Establish whether, at least in principle, the changes table is editable. This can get overridden later if the\n\t\t\t\t changes table has been imported. */\n\t\t\t\tvmObj.isChangesTableEditable = false;\n\t\t\t\tif (vmObj.permissions.isChangesTableVisible && (!isWorkflowActive || (isWorkflowActive && workflowTemplatesArr[0].changesTableIsEnabled))) {\n\t\t\t\t\t// In principle, the edit changes table functionality should be available ...\n\t\t\t\t\tif ($rootScope.userHasRole(['paycircle', 'bureau', 'bureaumanager']) && currentPayPeriodObj.ChangesTableState !== WORKFLOW_CHANGES_TABLE_STATES.complete) {\n\t\t\t\t\t\t// The table hasn't been imported and the user has the correct role to edit the changes table\n\t\t\t\t\t\tvmObj.isChangesTableEditable = true;\n\t\t\t\t\t}\n\t\t\t\t\telse if (currentPayPeriodObj.ChangesTableState === WORKFLOW_CHANGES_TABLE_STATES.incomplete) {\n\t\t\t\t\t\t// The table hasn't been submitted, so the changes table can still be edited\n\t\t\t\t\t\tvmObj.isChangesTableEditable = true;\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\t$scope.vm = vmObj;\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t\t})\n\t\t.catch(onError);\n\n\t}\n\n\tfunction initiateDemoTask (teamMembersArr) {\n\n\t\t// Kick off demo tooltip for first team member, if applicable\n\t\tif (teamMembersArr.length > 0) {\n\t\t\tteamMembersArr[0].showDemo = true;\n\t\t}\n\t}\n\n\tfunction loadImports (vmObj) {\n\n\t\tconst FUTURE_ADJUSTMENTS = false;\n\t\tconst USER_ID = null;\n\t\tconst IMPORT_TYPE = IMPORT_MAPPING_TYPES.changesTable;\n\n\t\tdataImport.getUserImportGroupForUser(vmObj.payPeriod.PayPeriodID, currentUserObj.UserResponseUserID, IMPORT_TYPE).then(userImportGroupObj => {\n\n\t\t\tif (userImportGroupObj.State === USER_IMPORT_GROUP_STATES.approved) {\n\t\t\t\tvmObj.isChangesTableEditable = false;\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tif (importService.hasUserImportedElements(userImportGroupObj)) {\n\t\t\t\tpayrollData.getUserPayElements(agencyProfileId, vmObj.payPeriod.PayPeriodID, USER_ID, FUTURE_ADJUSTMENTS, userImportGroupObj.UserImportGroupID).then(payElementGroupArr => {\n\n\t\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\t\tuserImportGroup: userImportGroupObj,\n\t\t\t\t\t\tuserPayElements: payElementGroupArr\n\t\t\t\t\t});\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction loadPeriodAlerts (vmObj) {\n\n\t\tangular.extend(vmObj, {\n\t\t\talertsLoadingState: 'loading',\n\t\t\tteamLoadingState: 'loading'\n\t\t});\n\n\t\t/* To fetch current period ID (quicker than waiting for above). Also need to refresh tax updates count here,\n\t\t since this function is the callback for tax updates confirmation. */\n\t\tconst getPayPeriodMinimum = payrollData.getPayPeriodMinimum(agencyProfileId);\n\t\tconst getPayPeriodCounts = companyData.getPayPeriodCountsForPeriodView(agencyProfileId, vmObj.payPeriod.PayPeriodID);\n\n\t\t$q.all([\n\t\t\tgetPayPeriodMinimum,\n\t\t\tgetPayPeriodCounts\n\t\t]).then(([\n\t\t\tpayPeriodMinimumObj,\n\t\t\tpayPeriodCountsObj\n\t\t]) => {\n\n\t\t\t// Update pay period counts\n\t\t\tvmObj.payPeriodCounts = payPeriodCountsObj;\n\n\t\t\t// Get team members payroll > Required to make sure alerts are up to date (Synchronous)\n\t\t\tpayrollData.getTeamMembersPayroll(currentCompanyObj.AgencyProfileID).then(teamMembersArr => {\n\n\t\t\t\t// Load payroll alerts with calculating payroll\n\t\t\t\tconst PERIOD_CALCULATED = false;\n\n\t\t\t\t// Load alerts for period once payroll has been calculated\n\t\t\t\tmessageData.getPeriodAlerts(agencyProfileId, payPeriodMinimumObj.PayPeriodID, PERIOD_CALCULATED).then(periodAlertsArr => {\n\n\t\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\t\tpayrollAlerts: payPeriodService.getPayrollAlertLevelsFromAlerts(periodAlertsArr),\n\t\t\t\t\t\tteamMembers: bulkService.getBulkItemsObj(teamMembersArr),\n\t\t\t\t\t\talertsLoadingState: 'ready',\n\t\t\t\t\t\tteamLoadingState: 'ready'\n\t\t\t\t\t});\n\n\t\t\t\t\t// Update tab bar counter for alerts\n\t\t\t\t\tangular.extend(vmObj.currentPeriodTabBarCounts[TAB_KEYS.payroll.currentPeriod.tabs.alerts], {\n\t\t\t\t\t\tcount: vmObj.payrollAlerts.alertsCount,\n\t\t\t\t\t\ttheme: vmObj.payrollAlerts.hasErrors ? 'assertive inverse' : 'primary'\n\t\t\t\t\t});\n\n\t\t\t\t\t// Expats > Update currencies\n\t\t\t\t\tif (currentCompanyObj.IsExpatActive && payPeriodMinimumObj.CurrencyCheck) {\n\t\t\t\t\t\topenCompanySettingsCurrencyForm(payPeriodMinimumObj);\n\t\t\t\t\t}\n\n\t\t\t\t\t// Specifically for Team page\n\t\t\t\t\tinitiateDemoTask(vmObj.teamMembers);\n\t\t\t\t})\n\t\t\t\t.catch(error => {\n\t\t\t\t\tvmObj.alertsLoadingState = 'error';\n\t\t\t\t\tonError(error);\n\t\t\t\t});\n\t\t\t})\n\t\t\t.catch(onError);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction loadPeriodTasks (vmObj) {\n\n\t\tvmObj.tasksLoadingState = 'loading';\n\n\t\tmessageData.getMessagesForPayPeriod(agencyProfileId, vmObj.payPeriod.PayPeriodID, MESSAGE_TYPES.tasks).then(tasksArr => {\n\n\t\t\tangular.extend(vmObj, {\n\t\t\t\tshowComplete: true,\n\t\t\t\ttasks: bulkService.getBulkItemsObj(tasksArr)\n\t\t\t});\n\n\t\t\tupdatePeriodTasksCount(vmObj, tasksArr);\n\t\t\tvmObj.tasksLoadingState = 'ready';\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction loadPeriodNotes (vmObj) {\n\n\t\tvmObj.notesLoadingState = 'loading';\n\n\t\tconst getNotesForPeriod = messageData.getMessagesForPayPeriod(agencyProfileId, vmObj.payPeriod.PayPeriodID, MESSAGE_TYPES.notes);\n\t\tconst getTeamMemberAdminsExtended = teamData.getTeamMemberAdminsExtended(agencyProfileId, PERMISSION_TYPES.all);\n\n\t\t$q.all([\n\t\t\tgetNotesForPeriod,\n\t\t\tgetTeamMemberAdminsExtended\n\t\t]).then(([\n\t\t\tnotesArr,\n\t\t\tteamMemberAdminsObj\n\t\t]) => {\n\n\t\t\tconst teamMemberAdmins = Object.values(teamMemberAdminsObj).flat();\n\n\t\t\t// Update tab bar counter for tasks\n\t\t\tangular.extend(vmObj.currentPeriodTabBarCounts[TAB_KEYS.payroll.currentPeriod.tabs.notes], {\n\t\t\t\tcount: notesArr.length\n\t\t\t});\n\n\t\t\tangular.extend(vmObj, {\n\t\t\t\tnotes: notesArr,\n\t\t\t\tnotesFilterBarOptions: filterService.getFilterBarOptionsPeriodNotes(teamMemberAdmins)\n\t\t\t});\n\n\t\t\tvmObj.notesLoadingState = 'ready';\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction loadTeam (vmObj) {\n\n\t\tangular.extend(vmObj, {\n\t\t\tteamLoadingState: 'loading'\n\t\t});\n\n\t\tpayrollData.getTeamMembersPayroll(currentCompanyObj.AgencyProfileID).then(teamMembersArr => {\n\n\t\t\tangular.extend(vmObj, {\n\t\t\t\tteamLoadingState: 'ready',\n\t\t\t\tteamMembers: bulkService.getBulkItemsObj(teamMembersArr)\n\t\t\t});\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t setPageState('error');\n\t console.error(error);\n\t}\n\n\tfunction openAddAChangeForm (payPeriodObj, userId, redirectToTeam) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUserByUserId,\n\t\t\tcontextType: angular.isDefined(userId) ? 'user' : 'company',\n\t\t\tformKey: 'add-a-change',\n\t\t\tignoreFutureStarters: true,\n\t\t\tincludeLeavers: angular.isDefined(userId),\n\t\t\tpayPeriod: payPeriodObj,\n\t\t\tredirectToTeam,\n\t\t\tuserId: angular.isDefined(userId) ? userId : null\n\t\t});\n\t}\n\n\tfunction openAddHourlyTotalsForm (payPeriodObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tformKey: 'hourly-totals',\n\t\t\tpayPeriodId: payPeriodObj.PayPeriodID,\n\t\t\tcallback: () => {\n\t\t\t\tredirectAndReload('hourly-totals');\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction openAddLinkRatesForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'link-rates'\n\t\t});\n\t}\n\n\tfunction openAddPeriodNoteForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tformKey: 'add-period-note',\n\t\t\tcallback: () => {\n\t\t\t\tredirectAndReload('notes');\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction openAddPeriodTaskForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tformKey: 'add-period-task',\n\t\t\tcallback: () => {\n\t\t\t\tredirectAndReload('tasks');\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction openCalculatePayrollForm (vmObj) {\n\n\t\tconst formOptions = {\n\t\t\tagencyProfileId,\n\t\t\tcallback: () => {\n\t\t\t\t$state.go('payroll.run-payroll', {\n\t\t\t\t\tagencyProfileId\n\t\t\t\t});\n\t\t\t},\n\t\t\tformKey: 'calculate-payroll',\n\t\t\tpayPeriodId: vmObj.payPeriod.PayPeriodID,\n\t\t\ttitle: 'Calculate payroll'\n\t\t};\n\n\t\t// Add workflow template if this is happening in the context of a workflow\n\t\tif (vmObj.isWorkflowActive) {\n\t\t\tformOptions.workflowTemplateId = vmObj.workflowTemplate.WorkflowTemplateID;\n\t\t}\n\n\t\t$rootScope.openSlideInForm(formOptions);\n\t}\n\n\tfunction openChangesTable (payPeriodObj) {\n\n\t\t$rootScope.$broadcast('open-full-screen-modal', {\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tmodalKey: FULL_SCREEN_MODAL_KEYS.changesTable,\n\t\t\tpayPeriodId: payPeriodObj.PayPeriodID,\n\t\t});\n\t}\n\n\tfunction openCompanySettingsCurrencyForm (payPeriodObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyPayPeriodId: payPeriodObj.PayPeriodID,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-currencies',\n\t\t\tisEditMode: true\n\t\t});\n\t}\n\n\tfunction openTaxUpdatesForm (vmObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: taxUpdatesHandled,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'tax-updates-confirmation',\n\t\t\tpayPeriodId: vmObj.payPeriod.PayPeriodID,\n\t\t\ttitle: 'Tax updates'\n\t\t});\n\t}\n\n\tfunction openUndoImportForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'undo-import'\n\t\t});\n\t}\n\n\tfunction redirectAndReload (redirectKey) {\n\n\t\tswitch (redirectKey) {\n\n\t\t\tcase 'hourly-totals':\n\t\t\t\t$state.go('payroll.current-period.team', {agencyProfileId: agencyProfileId}, {reload: 'payroll.current-period'});\n\t\t\t\tbreak;\n\n\t\t\tcase 'notes':\n\t\t\t\t$state.go('payroll.current-period.notes', {agencyProfileId: agencyProfileId}, {reload: 'payroll.current-period'});\n\t\t\t\tbreak;\n\n\t\t\tcase 'tasks':\n\t\t\t\t$state.go('payroll.current-period.tasks', {agencyProfileId: agencyProfileId}, {reload: 'payroll.current-period'});\n\t\t\t\tbreak;\n\t\t}\n\t}\n\n\tfunction refreshTeamMemberChangesByUserId (userId, payPeriodId) {\n\n\t\t// Changes have not been loaded\n\t\tif (!angular.isDefined($scope.vm.teamMemberChanges)) {\n\t\t\treturn;\n\t\t}\n\n\t\t// No user ID\n\t\tif (!userId) {\n\t\t\t$rootScope.paycircleMessage('Current Period > Changes: User ID not provided when attempting to refresh team member', 'warn');\n\t\t\treturn;\n\t\t}\n\n\t\tvar index = utilities.getArrayItemIndexByPropertyName($scope.vm.teamMemberChanges, 'UserID', userId);\n\n\t\tif (index) {\n\t\t\t$scope.vm.teamMemberChanges[index].loadingState = 'loading';\n\t\t}\n\t\telse {\n\t\t\t$rootScope.paycircleMessage('Current Period > Changes: Unable to match team member by user ID to refresh', 'warn');\n\t\t}\n\n\t\tpayrollData.getAgencyPaymentAdjustmentDetailList(agencyProfileId, userId, payPeriodId).then(teamMemberChangesArr => {\n\n\t\t\tif (teamMemberChangesArr.length > 0) {\n\n\t\t\t\tvar updatedTeamMemberChangesObj = teamMemberChangesArr[0];\n\n\t\t\t\tupdatedTeamMemberChangesObj.loadingState = 'ready';\n\n\t\t\t\t// Update\n\t\t\t\tif (index !== null && angular.isDefined(index)) {\n\t\t\t\t\t$scope.vm.teamMemberChanges[index] = updatedTeamMemberChangesObj;\n\t\t\t\t}\n\n\t\t\t\t// Add\n\t\t\t\telse {\n\t\t\t\t\t$scope.vm.teamMemberChanges.push(updatedTeamMemberChangesObj);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Remove\n\t\t\telse {\n\t\t\t\t$scope.vm.teamMemberChanges.splice(index, 1);\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction refreshTeamMemberByUserId (userId) {\n\n\t\t// Team has not been loaded\n\t\tif (!$scope.vm.teamMembers) {\n\t\t\treturn;\n\t\t}\n\n\t\t// No user ID\n\t\tif (!userId) {\n\t\t\t$rootScope.paycircleMessage('Current Period > Team: User ID not provided when attempting to refresh team member', 'warn');\n\t\t\treturn;\n\t\t}\n\n\t\tvar index = utilities.getArrayItemIndexByPropertyName($scope.vm.teamMembers.all, 'PersonalDetails', userId, 'UserID');\n\n\t\t// No index\n\t\tif (index === null) {\n\t\t\t$rootScope.paycircleMessage('Current Period > Team: Unable to match team member by user ID to refresh', 'warn');\n\t\t\treturn;\n\t\t}\n\n\t\t$scope.vm.teamMembers.all[index].loadingState = 'loading';\n\n\t\t// Save original PayrollIDSequence to add back to team member once updated\n\t\t// https://www.notion.so/paycircle/Team-Payroll-ID-sort-order-becomes-incorrect-when-adding-a-change-in-current-period-e413a8f6d40f424bb321cc0198116b41#b38b16d43cd0482689ccfb36cb29af15\n\t\tconst originalPayrollIDSequence = $scope.vm.teamMembers.all[index].PersonalDetails.PayrollIDSequence;\n\n\t\tpayrollData.getTeamMemberPayroll(currentCompanyObj.AgencyProfileID, userId).then(teamMemberObj => {\n\n\t\t\t// Reset PayrollIDSequence back original value\n\t\t\tif (teamMemberObj.PersonalDetails) {\n\t\t\t\tteamMemberObj.PersonalDetails.PayrollIDSequence = originalPayrollIDSequence;\n\t\t\t}\n\n\t\t\t$scope.vm.teamMembers.all[index] = teamMemberObj;\n\t\t\t$scope.vm.teamMembers.all[index].loadingState = 'ready';\n\t\t})\n\t\t.catch(error => {\n\t\t\tremoveTeamMemberByUserId(userId);\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction refreshTeam () {\n\n\t\tloadTeam($scope.vm);\n\t}\n\n\tfunction removeTeamMemberByUserId (userId) {\n\n\t\t// Team has not been loaded\n\t\tif (!$scope.vm.teamMembers) {\n\t\t\treturn;\n\t\t}\n\n\t\t// No user ID\n\t\tif (!userId) {\n\t\t\t$rootScope.paycircleMessage('Current Period > Team: User ID not provided when attempting to remove user', 'warn');\n\t\t\treturn;\n\t\t}\n\n\t\tvar index = utilities.getArrayItemIndexByPropertyName($scope.vm.teamMembers.all, 'PersonalDetails', userId, 'UserID');\n\n\t\t// No index\n\t\tif (index === null) {\n\t\t\t$rootScope.paycircleMessage('Current Period > Team: Unable to match user by user ID to remove', 'warn');\n\t\t\treturn;\n\t\t}\n\n\t\t$scope.vm.teamMembers.all.splice(index, 1);\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction taxUpdatesHandled () {\n\n\t\tinit();\n\t}\n\n\tfunction toggleModal (modalKey) {\n\n\t\t$scope.modal[modalKey] = !$scope.modal[modalKey];\n\t}\n\n\tfunction toggleWorkflowActive (periodObj) {\n\n\t\tperiodObj.IsWorkflowEnabled = !periodObj.IsWorkflowEnabled;\n\t}\n\n\tfunction updatePeriodTasksCount (vmObj, tasksArr) {\n\n\t\t// Count incomplete tasks, and establish whether any are overdue. Only count those as overdue *and* incomplete as overdue.\n\t\tlet tasksIncompleteCount = 0;\n\t\tlet tasksOverdue = false;\n\t\ttasksArr.forEach(taskObj => {\n\t\t\tif (!taskObj.IsComplete) {\n\t\t\t\ttasksIncompleteCount++;\n\t\t\t}\n\t\t\ttasksOverdue |= (taskObj.IsOverdue && !taskObj.IsComplete);\n\t\t});\n\n\t\t// Update tab bar counter for tasks\n\t\tangular.extend(vmObj.currentPeriodTabBarCounts[TAB_KEYS.payroll.currentPeriod.tabs.tasks], {\n\t\t\tcount: tasksIncompleteCount,\n\t\t\ttheme: tasksOverdue ? 'assertive' : 'primary'\n\t\t});\n\t}\n\n\tfunction updateUserByUserId (callbackObj) {\n\n\t\tcallbackObj.REDIRECT_TO_TEAM = angular.isDefined(callbackObj.REDIRECT_TO_TEAM) ? callbackObj.REDIRECT_TO_TEAM : false;\n\n\t\t// Update team member changes card\n\t\trefreshTeamMemberChangesByUserId(callbackObj.userId, callbackObj.payPeriodId);\n\n\t\t// Update Team member in Parent > Team\n\t\trefreshTeamMemberByUserId(callbackObj.userId);\n\n\t\t// Redirect to team tab (used when changes are added without selecting team member)\n\t\tif (callbackObj.REDIRECT_TO_TEAM && $state.current.name !== 'payroll.current-period.changes') {\n\t\t\t$timeout(() => {\n\t\t\t\t$state.go('payroll.current-period.team', {agencyProfileId: agencyProfileId});\n\t\t\t}, 500);\n\t\t}\n\t}\n\n\tfunction updateWorkflow () {\n\t\t// Do a complete refresh\n\t\tinit();\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\n\t\t// Constants\n\t\tDOCUMENT_TYPES,\n\t\tDPS_STATES,\n\t\tVIEW_TYPES,\n\n\t\t// Variables\n\t\tagencyProfileId,\n\t\tmodal: {},\n\n\t\t// Functions\n\t\tisStateActive: applicationService.isStateActive,\n\t\tloadPeriodAlerts,\n\t\tloadPeriodNotes,\n\t\tloadPeriodTasks,\n\t\topenAddAChangeForm,\n\t\topenAddHourlyTotalsForm,\n\t\topenAddLinkRatesForm,\n\t\topenAddPeriodNoteForm,\n\t\topenAddPeriodTaskForm,\n\t\topenCalculatePayrollForm,\n\t\topenChangesTable,\n\t\topenCompanySettingsCurrencyForm,\n\t\topenTaxUpdatesForm,\n\t\topenUndoImportForm,\n\t\trefreshPayroll: init,\n\t\trefreshTeam,\n\t\trefreshTeamMemberByUserId,\n\t\ttoggleModal,\n\t\ttoggleWorkflowActive,\n\t\tupdatePeriodTasksCount,\n\t\tupdateUserByUserId,\n\t\tupdateWorkflow\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('payrollCurrentPeriodAlertsCtrl', ['$filter', '$scope', 'dataTransfer', 'filterService', 'reportData', 'searchService', function ($filter, $scope, dataTransfer, filterService, reportData, searchService) {\n\n\tconst CALCULATED = false;\n\n\tvar currentCompanyObj = $scope.currentCompany; // From root\n\n\tfunction createAlertReportDownload (vmObj) {\n\n\t\tvmObj.alertDownloadState = 'loading';\n\n\t\treportData.createAlertReportDownload(currentCompanyObj.AgencyProfileID, vmObj.payPeriod.PayPeriodID, CALCULATED).then(alertReportUrl => {\n\n\t\t\tdataTransfer.downloadFile(alertReportUrl, 'alert-report.csv');\n\n\t\t\tvmObj.alertDownloadState = null;\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction init () {\n\n\t\t// Extend parent vm obj\n\t\t$scope.vm.alertDownloadState = null;\n\t\t$scope.vm.filterBarOptions = filterService.payrollAlerts;\n\t\t$scope.vm.searchBarOptions = searchService.payrollAlerts;\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\t$scope.createAlertReportDownload = function (vmObj) {\n\n\t createAlertReportDownload(vmObj);\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('payrollCurrentPeriodChangesCtrl', ['$scope', '$stateParams', 'payrollData', 'searchService',\n\tfunction ($scope, $stateParams, payrollData, searchService) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst payPeriodObj = $scope.vm.payPeriod;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tlet userId; // No UserID specified to return entire team\n\n\t\tpayrollData.getAgencyPaymentAdjustmentDetailList(agencyProfileId, userId, payPeriodObj.PayPeriodID).then(function (teamMembersChangesArr) {\n\n\t\t\tangular.extend($scope.vm, {\n\t\t\t\tsearchBarOptions: searchService.currentPeriodChanges,\n\t\t\t\tteamMemberChanges: teamMembersChangesArr\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(function (error) {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('payrollCurrentPeriodImportsCtrl', [\n\t'$filter',\n\t'$scope',\n\t'$stateParams',\n\t'dataImport',\n\t'filterService',\n\t'importService',\n\t'searchService',\n\t'IMPORT_MAPPING_TYPES',\n\tfunction (\n\t\t$filter,\n\t\t$scope,\n\t\t$stateParams,\n\t\tdataImport,\n\t\tfilterService,\n\t\timportService,\n\t\tsearchService,\n\t\tIMPORT_MAPPING_TYPES\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst currentCompanyObj = $scope.currentCompany; // From root\n\tconst payPeriodObj = $scope.vm.payPeriod;\n\n\tfunction init () {\n\n\t\tsetSubPageState('loading');\n\n\t\tconst INCLUDE_DELETED = true;\n\t\tconst TEAM_IMPORTS = false;\n\t\tconst PERIOD_IMPORTS = true;\n\n\t\tdataImport.getUserImportGroups(agencyProfileId, payPeriodObj.PayPeriodID, INCLUDE_DELETED, TEAM_IMPORTS, PERIOD_IMPORTS, IMPORT_MAPPING_TYPES.users).then(importHistoryArr => {\n\n\t\t\t$scope.vm = {\n\t\t\t\tfilterBarOptions: filterService.getFilterBarOptionsCurrentPeriodImports(currentCompanyObj),\n\t\t\t\tfilteredImportHistoryItems: [],\n\t\t\t\timportHistoryItems: importHistoryArr.filter(importService.decorateImportGroup),\n\t\t\t\tpayPeriod: payPeriodObj,\n\t\t\t\tsearchBarOptions: searchService.currentPeriodImports\n\t\t\t};\n\n\t\t\tsetSubPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetSubPageState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction setSubPageState (subPageState) {\n\t\t\n\t\t$scope.subPageState = subPageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tagencyProfileId\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('payrollCurrentPeriodNotesCtrl', ['$rootScope', '$scope', '$stateParams', 'searchService',\n\tfunction ($rootScope, $scope, $stateParams, searchService) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction openAddPeriodNoteForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshNotes,\n\t\t\tformKey: 'add-period-note'\n\t\t});\n\t}\n\n\tfunction refreshNotes () {\n\n\t\t// loadPeriodNotes implemented in parent scope\n\t\t$scope.loadPeriodNotes($scope.vm);\n\t}\n\n\tfunction refreshTasks () {\n\n\t\t// loadPeriodTasks is implemented in parent scope. This is required since a task can be created from a note.\n\t\t$scope.loadPeriodTasks($scope.vm);\n\t}\n\n\tangular.extend($scope.vm, {\n\n\t\t// Variables\n\t\tagencyProfileId,\n\t\tnotesSearchBarOptions: searchService.notes,\n\n\t\t// Functions\n\t\topenAddPeriodNoteForm,\n\t\trefreshNotes,\n\t\trefreshTasks\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('payrollCurrentPeriodPensionsCtrl', [\n\t'$scope',\n\t'$stateParams',\n\t'logService',\n\t'messageData',\n\t'searchService',\n\tfunction (\n\t\t$scope,\n\t\t$stateParams,\n\t\tlogService,\n\t\tmessageData,\n\t\tsearchService\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst payPeriodObj = $scope.vm.payPeriod;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tmessageData.getPensionLogEntriesForPeriod(agencyProfileId, payPeriodObj.PayPeriodID)\n\t\t\t.then(logEntriesArr => {\n\n\t\t\t\tangular.extend($scope.vm, {\n\t\t\t\t\tsearchBarOptions: searchService.pensionHistory,\n\t\t\t\t\tlogEntries: logService.decorateLogEntries(logEntriesArr)\n\t\t\t\t});\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('payrollCurrentPeriodTasksCtrl', ['$rootScope', '$scope', '$stateParams', 'filterService', 'searchService',\n\tfunction ($rootScope, $scope, $stateParams, filterService, searchService) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction openAddPeriodTaskForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshTasks,\n\t\t\tformKey: 'add-period-task'\n\t\t});\n\t}\n\n\tfunction refreshTasks () {\n\n\t\t// loadPeriodTasks implemented in parent scope\n\t\t$scope.loadPeriodTasks($scope.vm);\n\t}\n\n\tfunction updateTasksCount () {\n\n\t\t// updatePeriodTaskCount implemented in parent scope\n\t\t$scope.updatePeriodTasksCount($scope.vm, $scope.vm.tasks.all);\n\t}\n\n\tangular.extend($scope.vm, {\n\n\t\t// Variables\n\t\tagencyProfileId,\n\t\tfilterBarOptions: filterService.tasks,\n\t\tsearchBarOptions: searchService.tasks,\n\n\t\t// Functions\n\t\topenAddPeriodTaskForm,\n\t\trefreshTasks,\n\t\tupdateTasksCount\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('payrollCurrentPeriodTaxUpdatesCtrl', [\n\t'$scope',\n\t'$stateParams',\n\t'$timeout',\n\t'agency',\n\t'payrollData',\n\t'searchService',\n\t'taxUpdatesService',\n\t'userData',\n\t'STATE_TYPES',\n\t'SUBMISSION_STATES',\n\tfunction (\n\t\t$scope,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tagency,\n\t\tpayrollData,\n\t\tsearchService,\n\t\ttaxUpdatesService,\n\t\tuserData,\n\t\tSTATE_TYPES,\n\t\tSUBMISSION_STATES\n\t) {\n\n\tconst PAYROLL_POLL_INTERVAL = 5;\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst payPeriodObj = $scope.vm.payPeriod;\n\n\tfunction checkForTaxUpdates (vmObj) {\n\n\t\tsetTaxUpdatesState(vmObj, 'loading');\n\n\t\tpayrollData.payrollDPSImport(agencyProfileId).then(() => {\n\n\t\t\t$timeout(() => {\n\t\t\t\tpollPayrollState(vmObj);\n\t\t\t}, PAYROLL_POLL_INTERVAL * 1000);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tuserData.getUserTaxUpdatesForPeriod(agencyProfileId, payPeriodObj.PayPeriodID).then((taxUpdatesArray) => {\n\n\t\t\t$scope.vm = {\n\t\t\t\tpayPeriod: payPeriodObj,\n\t\t\t\tsearchBarOptions: searchService.taxUpdates,\n\t\t\t\ttaxUpdates: taxUpdatesArray.map(taxUpdatesService.decorateTaxUpdateForCurrentPeriod),\n\t\t\t\ttaxUpdatesFiltered: [],\n\t\t\t\ttaxUpdatesState: 'ready'\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction pollPayrollState (vmObj) {\n\n\t\tagency.getAgencyPayPeriodState(payPeriodObj.PayPeriodID, STATE_TYPES.taxUpdates).then(payPeriodState => {\n\n\t\t\tswitch (payPeriodState) {\n\n\t\t\t\t// Submitting\n\t\t\t\tcase SUBMISSION_STATES.submitting:\n\n\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\tpollPayrollState(vmObj);\n\t\t\t\t\t}, PAYROLL_POLL_INTERVAL * 1000);\n\t\t\t\t\tbreak;\n\n\t\t\t\t// Submitted\n\t\t\t\tcase SUBMISSION_STATES.submitted:\n\n\t\t\t\t\tinit();\n\t\t\t\t\tbreak;\n\n\t\t\t\t// Failed\n\t\t\t\tdefault:\n\n\t\t\t\t\tsetTaxUpdatesState(vmObj, 'failed');\n\t\t\t\t\tbreak;\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction refreshTaxUpdates () {\n\n\t\t// From parent controller\n\t\t$scope.refreshTeam();\n\n\t\tinit();\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction setTaxUpdatesState (vmObj, taxUpdatesState) {\n\n\t\tvmObj.taxUpdatesState = taxUpdatesState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tcheckForTaxUpdates,\n\t\trefreshTaxUpdates,\n\t\tsetPageState\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('payrollCurrentPeriodTeamCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'agency',\n\t'bulkService',\n\t'filterService',\n\t'pensionData',\n\t'searchService',\n\t'FULL_SCREEN_MODAL_KEYS',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tagency,\n\t\tbulkService,\n\t\tfilterService,\n\t\tpensionData,\n\t\tsearchService,\n\t\tFULL_SCREEN_MODAL_KEYS\n\t) {\n\n\tconst applyfilter = $stateParams.applyfilter;\n\tconst currentCompanyObj = $scope.currentCompany; // From root\n\tconst payPeriodObj = $scope.vm.payPeriod; // From parent\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getPensionsForAgency = currentCompanyObj.HasPension ? pensionData.getPensionsForAgency(currentCompanyObj.AgencyProfileID) : null;\n\t\tconst getAgencyDepartments = agency.getAgencyDepartments(currentCompanyObj.AgencyProfileID);\n\n\t\t$q.all([getPensionsForAgency, getAgencyDepartments])\n\t\t\t.then(([pensionsArr, departmentsArr]) => {\n\n\t\t\t\tangular.extend($scope.vm, {\n\t\t\t\t\tapplyfilter: applyfilter,\n\t\t\t\t\tfilterBarOptions: filterService.getFilterBarOptionsCurrentPeriod(pensionsArr, departmentsArr),\n\t\t\t\t\tsearchBarOptions: searchService.currentPeriod\n\t\t\t\t});\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction openEditPayslipNotesForm (filteredTeamMembers) {\n\n\t\tconst selectedTeamMembersUserIdsArr = bulkService.getValuesFromSelectedItems(filteredTeamMembers, 'UserID', 'PersonalDetails');\n\n\t\tif (!selectedTeamMembersUserIdsArr.length) {\n\t\t\tconsole.warn('Team members need to be selected to edit their payslip notes');\n\t\t\treturn;\n\t\t}\n\n\t\t$rootScope.$broadcast('open-full-screen-modal', {\n\t\t\tmodalKey: FULL_SCREEN_MODAL_KEYS.payslipNotes,\n\t\t\tuserIds: selectedTeamMembersUserIdsArr,\n\t\t\tagencyProfileId: currentCompanyObj.AgencyProfileID,\n\t\t\tpayPeriod: payPeriodObj,\n\t\t\tsearchBarOptions: $scope.vm.searchBarOptions,\n\t\t\tcallback: $scope.refreshTeam // From parent controller\n\t\t});\n\t}\n\n\tfunction openRemovePayslipNotesForm (filteredTeamMembers) {\n\n\t\tconst selectedTeamMembersUserIdsArr = bulkService.getValuesFromSelectedItems(filteredTeamMembers, 'UserID', 'PersonalDetails');\n\n\t\tif (!selectedTeamMembersUserIdsArr.length) {\n\t\t\tconsole.warn('Team members need to be selected to remove their payslip notes');\n\t\t\treturn;\n\t\t}\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tuserIds: selectedTeamMembersUserIdsArr,\n\t\t\tagencyProfileId: currentCompanyObj.AgencyProfileID,\n\t\t\tpayPeriod: payPeriodObj,\n\t\t\tformKey: 'remove-payslip-notes',\n\t\t\tsearchBarOptions: $scope.vm.searchBarOptions,\n\t\t\tcallback: $scope.refreshTeam // From parent controller\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\trefreshPayroll: init,\n\t\topenEditPayslipNotesForm,\n\t\topenRemovePayslipNotesForm\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('payPeriodCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'payrollData',\n\t'reportData',\n\t'supplementaryPayRunService',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tpayrollData,\n\t\treportData,\n\t\tsupplementaryPayRunService\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst payPeriodId = $stateParams.payPeriodId;\n\n\tfunction editPayNotificationDate (payPeriodObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'edit-pay-notification-date',\n\t\t\tpayPeriod: payPeriodObj\n\t\t});\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getPayPeriodSpecific = payrollData.getPayPeriodSpecific(payPeriodId);\n\t\tconst getReports = reportData.getReports(agencyProfileId, payPeriodId);\n\t\tconst getSupplementaryPaymentsForAgencyPayPeriod = payrollData.getSupplementaryPaymentsForAgencyPayPeriod(agencyProfileId, payPeriodId);\n\n\t\t$q.all([\n\t\t\tgetPayPeriodSpecific,\n\t\t\tgetReports,\n\t\t\tgetSupplementaryPaymentsForAgencyPayPeriod\n\t\t]).then(([\n\t\t\tpayPeriodObj,\n\t\t\treportsArr,\n\t\t\tsupplementaryPaymentsArr\n\t\t]) => {\n\n\t\t\t$scope.vm = {\n\t\t\t\tpayPeriod: payPeriodObj,\n\t\t\t\treports: reportsArr,\n\t\t\t\tsupplementaryPayments: supplementaryPaymentsArr.filter(supplementaryPayRunService.filterSupplementaryPayments)\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction openReportsExportForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tformKey: 'download-reports',\n\t\t\tpayPeriodId: payPeriodId\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tagencyProfileId,\n\n\t\tinit,\n\t\teditPayNotificationDate,\n\t\topenReportsExportForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('supplementaryPayRunCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'payrollData',\n\t'permissionsService',\n\t'reportData',\n\t'reportsService',\n\t'supplementaryPayRunService',\n\t'tabService',\n\t'SUBMISSION_STATES',\n\t'TAB_KEYS',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\tpayrollData,\n\t\tpermissionsService,\n\t\treportData,\n\t\treportsService,\n\t\tsupplementaryPayRunService,\n\t\ttabService,\n\t\tSUBMISSION_STATES,\n\t\tTAB_KEYS\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst currentUserObj = $scope.currentUser; // From root\n\tconst payPeriodId = $stateParams.payPeriodId;\n\tconst supplementaryPaymentId = $stateParams.supplementaryPaymentId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getPayPeriodSpecific = payrollData.getPayPeriodSpecific(payPeriodId);\n\t\tconst getSupplementaryPayment = payrollData.getSupplementaryPayment(agencyProfileId, supplementaryPaymentId);\n\t\tconst getReports = reportData.getReports(agencyProfileId, payPeriodId, supplementaryPaymentId);\n\n\t\t$q.all([\n\t\t\tgetPayPeriodSpecific,\n\t\t\tgetSupplementaryPayment,\n\t\t\tgetReports\n\t\t]).then(([\n\t\t\tpayPeriodSpecificObj,\n\t\t\tsupplementaryPaymentObj,\n\t\t\treportsArr\n\t\t]) => {\n\n\t\t\tconst permissions = permissionsService.getPermissionsForStateSupplementaryPayRun(currentUserObj, supplementaryPaymentObj);\n\n\t\t\t$scope.vm = {\n\t\t\t\tagencyProfileId,\n\t\t\t\topenDeleteSupplementaryRunForm,\n\t\t\t\topenEditSupplementaryPaymentForm,\n\t\t\t\tpayPeriod: payPeriodSpecificObj,\n\t\t\t\tpayslipReports: $filter('reportCategories')(reportsArr, 'payslip'),\n\t\t\t\treports: reportsService.getReportsForPayPeriod(reportsArr),\n\t\t\t\tsupplementaryPayment: supplementaryPayRunService.decorateSupplementaryPaymentObj(supplementaryPaymentObj),\n\t\t\t\tsupplementaryPayRunTabBarDef: tabService.getTabsForKey(TAB_KEYS.payroll.supplementaryPayRun.id, { permissions })\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction openDeleteSupplementaryRunForm (vmObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: () => {\n\n\t\t\t\t// Redirect back to sup runs page\n\t\t\t\t$state.go('payroll.history.supplementary-pay-runs', {agencyProfileId});\n\t\t\t},\n\t\t\tformKey: 'delete-supplementary-pay-run', // The specific form key (form to open)\n\t\t\tsupplementaryPayment: vmObj.supplementaryPayment\n\t\t});\n\t}\n\n\tfunction openEditSupplementaryPaymentForm (vmObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontinue: true,\n\t\t\tformKey: 'supplementary-pay-run',\n\t\t\tsupplementaryPaymentId: vmObj.supplementaryPayment.SupplementaryPaymentID,\n\t\t\tuserIds: vmObj.supplementaryPayment.distinctUserIds\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tSUBMISSION_STATES,\n\t\tagencyProfileId,\n\t\tinit\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('supplementaryPayRunChangesCtrl', [\n\t'$scope',\n\t'$stateParams',\n\t'payrollData',\n\t'searchService',\n\tfunction (\n\t\t$scope,\n\t\t$stateParams,\n\t\tpayrollData,\n\t\tsearchService\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst supplementaryPaymentId = $stateParams.supplementaryPaymentId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tpayrollData.getSupplementaryPaymentAgencyPaymentAdjustmentDetailList(agencyProfileId, supplementaryPaymentId).then(teamMembersChangesArr => {\n\n\t\t\tangular.extend($scope.vm, {\n\t\t\t\tsearchBarOptions: searchService.currentPeriodChanges,\n\t\t\t\tteamMemberChanges: teamMembersChangesArr\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('payrollFutureChangesCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'filterService',\n\t'payrollData',\n\t'searchService',\n\t'session',\n\t'teamData',\n\t'REPAYMENT_SCHEDULE_TYPES',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tfilterService,\n\t\tpayrollData,\n\t\tsearchService,\n\t\tsession,\n\t\tteamData,\n\t\tREPAYMENT_SCHEDULE_TYPES\n\t) {\n\n\tconst SCHEDULED_PAYMENT_TYPES = {\n\t\tchange: 'change',\n\t\tmaternityPay: 'smp',\n\t\tpaternityPay: 'spp',\n\t\tsalaryChange: 'salary-change',\n\t\tscheduledPayment: 'scheduled',\n\t\tsharedParentalPay: 'shpp',\n\t\tsicknessPay: 'ssp',\n\t};\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst loggedInUserId = session.getUserId();\n\n\tfunction deleteUserPayElement (payElementObj) {\n\n\t\tpayrollData.deleteUserPayElement(agencyProfileId, payElementObj.PayPeriodID, payElementObj.UserPayElementID, loggedInUserId)\n\t\t\t.then(init)\n\t\t\t.catch(onError);\n\t}\n\n\tfunction getChangesForPaymentType (futureChangesArr, paymentsArr, paymentTypeKey) {\n\n\t\tfunction getStartDateForPaymentType (paymentObj) {\n\n\t\t\tswitch (paymentTypeKey) {\n\t\t\t\tcase SCHEDULED_PAYMENT_TYPES.salaryChange:\n\t\t\t\t\treturn paymentObj.SalaryEffectiveDateChangeISO;\n\n\t\t\t\tcase SCHEDULED_PAYMENT_TYPES.change:\n\t\t\t\t\treturn paymentObj.PeriodStartDateISO;\n\n\t\t\t\tdefault:\n\t\t\t\t\treturn paymentObj.StartDateISO;\n\t\t\t}\n\t\t}\n\n\t\tfor (let paymentObj of paymentsArr) {\n\n\t\t\tangular.extend(paymentObj, {\n\t\t\t\tpaymentType: paymentTypeKey,\n\t\t\t\tstartDateUnix: moment(getStartDateForPaymentType(paymentObj)).format('x')\n\t\t\t});\n\n\t\t\tfutureChangesArr.push(paymentObj);\n\t\t}\n\t}\n\n\tfunction getCombinedFutureChanges (futureAdjustmentsArr, statutoryPaymentsObj, futureSalaryChangesArr) {\n\n\t\tconst futureChangesArr = [];\n\n\t\t// Changes\n\t\tfor (let teamMemberObj of futureAdjustmentsArr) {\n\t\t\tgetChangesForPaymentType(futureChangesArr, teamMemberObj.PayElements, SCHEDULED_PAYMENT_TYPES.change);\n\t\t}\n\n\t\t// Schedule payments\n\t\tgetChangesForPaymentType(futureChangesArr, statutoryPaymentsObj.MaternityPay, SCHEDULED_PAYMENT_TYPES.maternityPay);\n\t\tgetChangesForPaymentType(futureChangesArr, statutoryPaymentsObj.PaternityPay, SCHEDULED_PAYMENT_TYPES.paternityPay);\n\t\tgetChangesForPaymentType(futureChangesArr, statutoryPaymentsObj.ScheduledPayments, SCHEDULED_PAYMENT_TYPES.scheduledPayment);\n\t\tgetChangesForPaymentType(futureChangesArr, statutoryPaymentsObj.SharedParentalPay, SCHEDULED_PAYMENT_TYPES.sharedParentalPay);\n\t\tgetChangesForPaymentType(futureChangesArr, statutoryPaymentsObj.SicknessPay, SCHEDULED_PAYMENT_TYPES.sicknessPay);\n\n\t\t// Future Salary Changes\n\t\tgetChangesForPaymentType(futureChangesArr, futureSalaryChangesArr, SCHEDULED_PAYMENT_TYPES.salaryChange);\n\n\t\treturn futureChangesArr;\n\t}\n\n\tfunction getFutureAdjustmentViewFormForPaymentType (adjustmentObj) {\n\n\t\tswitch (adjustmentObj.paymentType) {\n\n\t\t\tcase SCHEDULED_PAYMENT_TYPES.salaryChange:\n\t\t\t\treturn openSalaryChangeForm;\n\n\t\t\tcase SCHEDULED_PAYMENT_TYPES.change:\n\t\t\t\treturn openEditChangeForm;\n\n\t\t\tcase SCHEDULED_PAYMENT_TYPES.maternityPay:\n\t\t\t\treturn openMaternityPayViewForm;\n\n\t\t\tcase SCHEDULED_PAYMENT_TYPES.paternityPay:\n\t\t\t\treturn openPaternityPayViewForm;\n\n\t\t\tcase SCHEDULED_PAYMENT_TYPES.scheduledPayment:\n\n\t\t\t\tswitch (adjustmentObj.PaymentScheduleTypeID) {\n\n\t\t\t\t\tcase REPAYMENT_SCHEDULE_TYPES.childcareVouchers:\n\t\t\t\t\t\treturn openChildcareVouchersForm;\n\n\t\t\t\t\tcase REPAYMENT_SCHEDULE_TYPES.carBenefitInKind:\n\t\t\t\t\t\treturn openCompanyVehicleViewForm;\n\n\t\t\t\t\tcase REPAYMENT_SCHEDULE_TYPES.healthcare:\n\t\t\t\t\t\treturn openHealthcareViewForm;\n\n\t\t\t\t\tdefault:\n\t\t\t\t\t\treturn openRepaymentScheduleForm;\n\t\t\t\t}\n\t\t\t\tbreak;\n\n\t\t\tcase SCHEDULED_PAYMENT_TYPES.sicknessPay:\n\t\t\t\treturn openSickPayViewForm;\n\t\t}\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst isFutureAdjustments = true;\n\t\tlet agencyPayPeriodId;\n\t\tlet userId;\n\n\t\tconst getTeamMemberStatutoryPay = teamData.getTeamMemberStatutoryPay(userId, agencyProfileId, isFutureAdjustments);\n\t\tconst getUserPayElements = payrollData.getUserPayElements(agencyProfileId, agencyPayPeriodId, userId, isFutureAdjustments);\n\t\tconst getSalaryFutureChanges = payrollData.getSalaryFutureChanges(agencyProfileId);\n\n\t\t$q.all([\n\t\t\tgetTeamMemberStatutoryPay,\n\t\t\tgetUserPayElements,\n\t\t\tgetSalaryFutureChanges\n\t\t])\n\t\t\t.then(([\n\t\t\t\tstatutoryPaymentsObj,\n\t\t\t\tfutureAdjustmentsArray,\n\t\t\t\tfutureSalaryChangesArr\n\t\t\t]) => {\n\n\t\t\t\tangular.extend($scope, {\n\t\t\t\t\tfutureChanges: getCombinedFutureChanges(futureAdjustmentsArray, statutoryPaymentsObj, futureSalaryChangesArr),\n\t\t\t\t});\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tsetPageState('error');\n\t\tthrow new Error(error);\n\t}\n\n\tfunction openAddAChangeForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'add-a-change',\n\t\t\tisFutureAdjustment: true\n\t\t});\n\t}\n\n\tfunction openCompanyVehicleViewForm (adjustmentObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'company-vehicle-view',\n\t\t\tpaymentScheduleGroupId: adjustmentObj.PaymentScheduleGroupID,\n\t\t\tuserId: adjustmentObj.UserID\n\t\t});\n\t}\n\n\tfunction openChildcareVouchersForm (adjustmentObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'childcare-vouchers',\n\t\t\tpaymentScheduleGroupId: adjustmentObj.PaymentScheduleGroupID,\n\t\t\tuserId: adjustmentObj.UserID\n\t\t});\n\t}\n\n\tfunction openDeleteChangeForm (adjustmentObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tadjustmentObj: adjustmentObj,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'delete-change',\n\t\t\tuserId: adjustmentObj.UserID\n\t\t});\n\t}\n\n\tfunction openEditChangeForm (adjustmentObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tadjustmentId: adjustmentObj.UserPayElementID,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'add-a-change',\n\t\t\tisFutureAdjustment: true,\n\t\t\tpayPeriodId: adjustmentObj.PayPeriodID,\n\t\t\ttitle: 'Edit change',\n\t\t\tuserId: adjustmentObj.UserID\n\t\t});\n\t}\n\n\tfunction openFutureAdjustmentViewForm (adjustmentObj) {\n\t\tgetFutureAdjustmentViewFormForPaymentType(adjustmentObj)(adjustmentObj);\n\t}\n\n\tfunction openHealthcareViewForm (adjustmentObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'healthcare-view',\n\t\t\tpaymentScheduleGroupId: adjustmentObj.PaymentScheduleGroupID,\n\t\t\tuserId: adjustmentObj.UserID\n\t\t});\n\t}\n\n\tfunction openMaternityPayViewForm (maternityPayObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'view-maternity-pay',\n\t\t\tuserId: maternityPayObj.UserID,\n\t\t\tscheduleID: maternityPayObj.PaymentScheduleGroupID\n\t\t});\n\t}\n\n\tfunction openPaternityPayViewForm (paternityPayObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'view-paternity-pay',\n\t\t\tuserId: paternityPayObj.UserID,\n\t\t\tscheduleID: paternityPayObj.PaymentScheduleGroupID\n\t\t});\n\t}\n\n\tfunction openRepaymentScheduleForm (repaymentScheduleObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'repayment-schedules',\n\t\t\tpaymentScheduleGroupId: repaymentScheduleObj.PaymentScheduleGroupID,\n\t\t\tuserId: repaymentScheduleObj.UserID\n\t\t});\n\t}\n\n\tfunction openSalaryChangeForm (futureSalaryObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'salary-change',\n\t\t\tsalaryChange: futureSalaryObj,\n\t\t\tuseProvidedSalaryChange: true,\n\t\t\tuserId: futureSalaryObj.UserID\n\t\t});\n\t}\n\n\tfunction openSickPayViewForm (sicknessPayObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'view-sick-pay',\n\t\t\tuserId: sicknessPayObj.UserID,\n\t\t\tscheduleID: sicknessPayObj.PaymentScheduleGroupID\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tREPAYMENT_SCHEDULE_TYPES,\n\t\tSCHEDULED_PAYMENT_TYPES,\n\n\t\tagencyProfileId,\n\t\tfilterBarOptions: filterService.futureChanges,\n\t\tsearchBarOptions: searchService.futureChanges,\n\n\t\tdeleteUserPayElement,\n\t\topenAddAChangeForm,\n\t\topenDeleteChangeForm,\n\t\topenEditChangeForm,\n\t\topenFutureAdjustmentViewForm,\n\t\topenSickPayViewForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('payrollHistoryCtrl', [\n\t'$scope',\n\t'tabService',\n\t'TAB_KEYS',\n\tfunction (\n\t\t$scope,\n\t\ttabService,\n\t\tTAB_KEYS\n\t) {\n\n\tfunction init () {\n\t\t\n\t\t$scope.vm = {\n\t\t\tpayrollHistoryTabBarDef: tabService.getTabsForKey(TAB_KEYS.payroll.history.id),\n\t\t};\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('payrollHistoryPayPeriodsCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'bulkService',\n\t'filterService',\n\t'payrollData',\n\t'searchService',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tbulkService,\n\t\tfilterService,\n\t\tpayrollData,\n\t\tsearchService\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction getCombinedPayPeriods (payPeriodsArr, historicPayPeriodsArr) {\n\n\t\tfunction payPeriodDecorator (isHistoricPeriod) {\n\t\t\treturn payPeriodObj => {\n\n\t\t\t\tangular.extend(payPeriodObj, {\n\t\t\t\t\tpayPeriodIsDisabled: (isHistoricPeriod || payPeriodObj.IsRunInactivity || payPeriodObj.IsRunSkipped),\n\t\t\t\t\tisHistoric: isHistoricPeriod\n\t\t\t\t});\n\n\t\t\t\tif (isHistoricPeriod) {\n\t\t\t\t\tangular.extend(payPeriodObj, {\n\t\t\t\t\t\tPayPeriodID: payPeriodObj.AgencyPayPeriodID,\n\t\t\t\t\t\tPayDateISO: payPeriodObj.AgencyPaymentDateISO,\n\t\t\t\t\t\tPayPeriodDisplay: payPeriodObj.TaxMonth,\n\t\t\t\t\t});\n\t\t\t\t}\n\t\t\t};\n\t\t}\n\n\t\tpayPeriodsArr.forEach(payPeriodDecorator(false));\n\t\thistoricPayPeriodsArr.forEach(payPeriodDecorator(true));\n\n\t\t// Put historic and contemporaneous pay periods together, so they're all in a single list, ordered by pay period date\n\t\tlet payPeriodsCombinedArr = payPeriodsArr.concat(historicPayPeriodsArr);\n\n\t\treturn bulkService.getBulkItemsObj(payPeriodsCombinedArr);\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\t// Load pay periods for company, including any historical ones\n\t\tconst getPayPeriodsHistory = payrollData.getPayPeriodsHistory(agencyProfileId);\n\t\tconst getAgencyPaymentsHistorical = payrollData.getAgencyPaymentsHistorical(agencyProfileId);\n\n\t\t$q.all([\n\t\t\tgetPayPeriodsHistory,\n\t\t\tgetAgencyPaymentsHistorical\n\t\t]).then(([\n\t\t\tpayPeriodsArr,\n\t\t\thistoricPayPeriodsArr\n\t\t]) => {\n\n\t\t\tangular.extend($scope.vm, {\n\t\t\t\tpayPeriods: getCombinedPayPeriods(payPeriodsArr, historicPayPeriodsArr)\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction openHistoricPayPeriodForm (payPeriodsArr) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'company',\n\t\t\textantPayPeriods: payPeriodsArr,\n\t\t\tformKey: 'historic-tax-period',\n\t\t\tshowContext: true,\n\t\t});\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tagencyProfileId,\n\n\t\tfilterBarOptions: filterService.history,\n\t\tsearchBarOptions: searchService.history,\n\n\t\tinit,\n\t\topenHistoricPayPeriodForm,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('payrollHistorySupplementaryPayRunsCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'filterService',\n\t'payrollData',\n\t'searchService',\n\t'SUBMISSION_STATES',\n\t'USER_ROLES',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tfilterService,\n\t\tpayrollData,\n\t\tsearchService,\n\t\tSUBMISSION_STATES,\n\t\tUSER_ROLES\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction decorateSupplementaryPayments (supplementaryPaymentObj) {\n\n\t\t// Date fields -> Unix timestamps for sorting\n\t\tsupplementaryPaymentObj.supplementaryPaymentPayDateUnix = moment(supplementaryPaymentObj.SupplementaryPaymentPayDateISO).format('x');\n\t\tsupplementaryPaymentObj.supplementaryPaymentLastUpdatedDateUnix = moment(supplementaryPaymentObj.SupplementaryPaymentLastUpdatedDateISO).format('x');\n\n\t\t// Only show Submitted pay runs for CAL or GAL roles\n\t\tif ($rootScope.userHasRole(USER_ROLES.companyadministratorlite) || $rootScope.userHasRole(USER_ROLES.groupadminlite)) {\n\n\t\t\tif (supplementaryPaymentObj.SupplementaryPaymentState !== SUBMISSION_STATES.submitted) {\n\t\t\t\treturn;\n\t\t\t}\n\t\t}\n\n\t\treturn supplementaryPaymentObj;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tpayrollData.getSupplementaryPaymentsForAgency(agencyProfileId).then(supplementaryPaymentsArr => {\n\n\t\t\tangular.extend($scope.vm, {\n\t\t\t\tsearchBarOptions: searchService.supplementaryPayRuns,\n\t\t\t\tsupplementaryPayments: supplementaryPaymentsArr.filter(decorateSupplementaryPayments),\n\t\t\t\tsupplementaryPaymentsFiltered: []\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction refresh () {\n\n\t\tinit();\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tagencyProfileId,\n\t\trefresh\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('payrollRunPayrollCtrl', [\n\t'$filter',\n\t'$location',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'$timeout',\n\t'agency',\n\t'applicationService',\n\t'config',\n\t'messageData',\n\t'payrollData',\n\t'payrollWorker',\n\t'permissionsService',\n\t'reportData',\n\t'workflowService',\n\t'ACCOUNTING_INTEGRATION_TYPES',\n\t'ANIMATION_STATES',\n\t'COMPANY_STATES',\n\t'SPLASH_STATES',\n\t'STATE_TYPES',\n\t'SUBMISSION_LOG_TYPE',\n\t'SUBMISSION_STATES',\n\t'USER_ROLES',\n\tfunction (\n\t\t$filter,\n\t\t$location,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tagency,\n\t\tapplicationService,\n\t\tconfig,\n\t\tmessageData,\n\t\tpayrollData,\n\t\tpayrollWorker,\n\t\tpermissionsService,\n\t\treportData,\n\t\tworkflowService,\n\t\tACCOUNTING_INTEGRATION_TYPES,\n\t\tANIMATION_STATES,\n\t\tCOMPANY_STATES,\n\t\tSPLASH_STATES,\n\t\tSTATE_TYPES,\n\t\tSUBMISSION_LOG_TYPE,\n\t\tSUBMISSION_STATES,\n\t\tUSER_ROLES\n\t) {\n\n\tconst activeTab = $stateParams.activeTab;\n\tconst AGENCY_PROFILE_ID = $stateParams.agencyProfileId;\n\tconst POLL_INTERVAL_PAYROLL = 5; // seconds\n\tconst POLL_INTERVAL_PAYSLIPS = 2; // seconds\n\tconst POLL_INTERVAL_REPORTS = 2; // seconds\n\tconst SUB_STATES_TOTAL = 5;\n\tconst loggedInUserObj = $scope.currentUser;\n\tconst isLiteAdminRole = $rootScope.userHasRole([USER_ROLES.groupadminlite, USER_ROLES.companyadministratorlite]);\n\n\tlet currentCompanyObj = $scope.currentCompany; // From parent\n\tlet payslipTimeout = null;\n\tlet reportTimeout = null;\n\tlet POLL_COUNT = 0;\n\n\tfunction checkPayslipStatus (vmObj) {\n\n\t\tagency.getAgencyPayPeriodState(vmObj.payPeriod.PayPeriodID, STATE_TYPES.payslip).then(payslipState => {\n\n\t\t\tswitch (payslipState) {\n\t\t\t\tcase SUBMISSION_STATES.unsubmitted:\n\t\t\t\tcase SUBMISSION_STATES.submitting:\n\n\t\t\t\t\t// Update pay period\n\t\t\t\t\tvmObj.payPeriod.PayslipState = payslipState;\n\n\t\t\t\t\tpayslipTimeout = $timeout(() => {\n\t\t\t\t\t\tcheckPayslipStatus(vmObj);\n\t\t\t\t\t}, POLL_INTERVAL_PAYSLIPS * 1000);\n\t\t\t\t\tbreak;\n\n\t\t\t\tcase SUBMISSION_STATES.failed:\n\n\t\t\t\t\t// Update pay period\n\t\t\t\t\tvmObj.payPeriod.PayslipState = payslipState;\n\n\t\t\t\t\tsetPageState('error');\n\t\t\t\t\tconsole.error('Paycircle: Pay period reports were unable to be calculated');\n\t\t\t\t\tbreak;\n\n\t\t\t\tdefault:\n\n\t\t\t\t\trefreshReports(vmObj).then(() => {\n\n\t\t\t\t\t\tvmObj.payPeriod.PayslipState = payslipState;\n\n\t\t\t\t\t\tsetPageState('ready');\n\t\t\t\t\t})\n\t\t\t\t\t.catch(onError);\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction checkReportStatus (vmObj) {\n\n\t\tagency.getAgencyPayPeriodState(vmObj.payPeriod.PayPeriodID, STATE_TYPES.report).then(reportState => {\n\n\t\t\t// Update pay period\n\t\t\tvmObj.payPeriod.ReportState = reportState;\n\n\t\t\tswitch (reportState) {\n\t\t\t\tcase SUBMISSION_STATES.unsubmitted:\n\t\t\t\tcase SUBMISSION_STATES.submitting:\n\n\t\t\t\t\treportTimeout = $timeout(() => {\n\t\t\t\t\t\tcheckReportStatus(vmObj);\n\t\t\t\t\t}, POLL_INTERVAL_REPORTS * 1000);\n\t\t\t\t\tbreak;\n\n\t\t\t\tcase SUBMISSION_STATES.failed:\n\n\t\t\t\t\tsetPageState('error');\n\t\t\t\t\tconsole.error('Paycircle: Pay period reports were unable to be calculated');\n\t\t\t\t\tbreak;\n\n\t\t\t\tdefault:\n\n\t\t\t\t\trefreshPayPeriod(vmObj);\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction createPayslips (vmObj) {\n\n\t\tvmObj.payPeriod.PayslipState = SUBMISSION_STATES.submitting;\n\n\t\tpayrollWorker.payrollCreatePayslips(AGENCY_PROFILE_ID, vmObj.payPeriod.PayPeriodID).then(() => {\n\n\t\t\tvmObj.hasGeneratedPayslips = true;\n\n\t\t\tcheckPayslipStatus(vmObj);\n\t\t})\n\t\t.catch(error => {\n\t\t\t$rootScope.paycircleMessage('Unable to generate your reports', 'error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction fireConfetti (vmObj) {\n\n\t\tvmObj.showConfetti = false;\n\n\t\t$timeout(() => {\n\n\t\t\tvmObj.showConfetti = true;\n\t\t});\n\t}\n\n\tfunction generateReports (vmObj) {\n\n\t\tpayrollWorker.payrollCreateReports(AGENCY_PROFILE_ID, vmObj.payPeriod.PayPeriodID).then(() => {\n\n\t\t\tcheckReportStatus(vmObj);\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\t$rootScope.paycircleMessage('Unable to generate your reports', 'error');\n\t\t});\n\t}\n\n\tfunction getIsSplashScreenVisible (workflowTemplateObj) {\n\n\t\t// No current template\n\t\tif (!workflowTemplateObj.TemplateEntryCurrent) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// Don't show if overdue\n\t\tif (workflowTemplateObj.TemplateEntryCurrent.IsOverdue) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// Only show if is actioner\n\t\tif (!workflowTemplateObj.TemplateEntryCurrent.IsActioner) {\n\t\t\treturn false;\n\t\t}\n\n\t\tswitch (workflowTemplateObj.TemplateEntryCurrent.SplashState) {\n\t\t\tcase SPLASH_STATES.inactive:\n\t\t\tcase SPLASH_STATES.complete:\n\t\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction init () {\n\n\t\tconst IS_PREVIOUS_PERIOD = true;\n\n\t\tsetPageState('loading');\n\n\t\tconst getPayPeriodCurrent = payrollData.getPayPeriodCurrent(AGENCY_PROFILE_ID);\n\t\tconst getPayPeriodMinimum = payrollData.getPayPeriodMinimum(AGENCY_PROFILE_ID, IS_PREVIOUS_PERIOD);\n\t\tconst getWorkflowTemplates = currentCompanyObj.IsWorkflowEnabled ? messageData.getWorkflowTemplates(AGENCY_PROFILE_ID) : null;\n\t\tconst getAccountingIntegrationConnection = reportData.getAccountingIntegrationConnection(AGENCY_PROFILE_ID);\n\n\t\t$q.all([\n\t\t\tgetPayPeriodCurrent,\n\t\t\tgetPayPeriodMinimum,\n\t\t\tgetWorkflowTemplates,\n\t\t\tgetAccountingIntegrationConnection\n\t\t]).then(([\n\t\t\tcurrentPayPeriodObj,\n\t\t\tpreviousPayPeriodObj,\n\t\t\tworkflowTemplatesArr,\n\t\t\taccountingIntegrationConnectionObj\n\t\t]) => {\n\n\t\t\tconst isWorkflowActive = workflowService.isWorkflowActive(currentCompanyObj, workflowTemplatesArr);\n\t\t\tconst permissions = permissionsService.getPermissionsForStateRunPayroll(currentPayPeriodObj, currentCompanyObj, loggedInUserObj, workflowTemplatesArr);\n\n\t\t\taccountingIntegrationConnectionObj.accountingIntegrationName = accountingIntegrationConnectionObj.IntegrationType === ACCOUNTING_INTEGRATION_TYPES.accessFinancials ? 'Access Financials' : 'Xero';\n\n\t\t\tvar vmObj = {\n\t\t\t\taccountingIntegrationConnection: accountingIntegrationConnectionObj,\n\t\t\t\tactiveTab: activeTab,\n\t\t\t\tisPayslipButtonOpen: false,\n\t\t\t\tisWorkflowActive: isWorkflowActive,\n\t\t\t\tcompanyPayrollNgRef: applicationService.getNgHrefForCompany(currentCompanyObj, 'payroll', isLiteAdminRole),\n\t\t\t\thasGeneratedPayslips: false,\n\t\t\t\tpayPeriod: currentPayPeriodObj,\n\t\t\t\tpayrollSuccessState: ANIMATION_STATES.visible,\n\t\t\t\tpermissions,\n\t\t\t\tpreviousPayPeriod: previousPayPeriodObj,\n\t\t\t\tshowPayrollSuccess: true,\n\t\t\t\tshowConfetti: false\n\t\t\t};\n\n\t\t\t// Redirect user back to current-period in case they have some how got to this page without payroll being locked\n\t\t\tif (!currentPayPeriodObj.IsPayrollLocked) {\n\t\t\t\t$location.path(vmObj.companyPayrollNgRef);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Workflow enabled\n\t\t\tif (isWorkflowActive) {\n\n\t\t\t\tlet workflowTemplateObj = workflowTemplatesArr[0];\n\n\t\t\t\t// Re-direct to 'Calculate' if queried\n\t\t\t\tif (isLiteAdminRole && workflowTemplateObj.IsPayrollQueried) {\n\t\t\t\t\t$state.go('payroll.current-period.notes', {agencyProfileId: AGENCY_PROFILE_ID});\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Re-direct to Changes if person is being sneaky\n\t\t\t\tif (workflowTemplateObj.TemplateEntryCurrent.Number === 1) {\n\t\t\t\t\t$state.go('payroll.current-period.changes', {agencyProfileId: AGENCY_PROFILE_ID});\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tworkflowTemplateObj = workflowService.decorateWorkflowTemplate(workflowTemplateObj);\n\n\t\t\t\t/* Decide whether or not to add additional text to the locked tooltip (copied from the template, since\n\t\t\t\t this can also be displayed for non-workflow companies). Additionally check canCalcualtePayroll permission */\n\t\t\t\tconst showAdditionalLockedTooltipText = workflowTemplateObj.TemplateEntryCurrent.Number === 2 && permissions.canCalculatePayroll;\n\n\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\tworkflowTemplate: workflowTemplateObj,\n\t\t\t\t\tisRestrictedView: workflowTemplateObj.TemplateEntryCurrent.Number >= 3 && isLiteAdminRole,\n\t\t\t\t\tshowAdditionalLockedTooltipText\n\t\t\t\t});\n\n\t\t\t\t// Splash screen\n\t\t\t\tconst isSplashScreenVisible = getIsSplashScreenVisible(workflowTemplateObj);\n\n\t\t\t\tif (isSplashScreenVisible) {\n\t\t\t\t\t$rootScope.openModalDialog({\n\t\t\t\t\t\tmodalData: {\n\t\t\t\t\t\t\tworkflowTemplate: workflowTemplateObj\n\t\t\t\t\t\t},\n\t\t\t\t\t\tmodalKey: 'workflow-draft-reports'\n\t\t\t\t\t});\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Show the additional locked tooltip text if unlock payroll is visible\n\t\t\tvmObj.showAdditionalLockedTooltipText = permissions.isUnlockPayrollVisible;\n\n\t\t\tgenerateReports(vmObj);\n\t\t})\n\t\t.catch(onError);\n\n\t\t// Onboarding > Demo\n\t\t$rootScope.setDemoTaskAsComplete('calculatePayroll');\n\t}\n\n\tfunction openAddPeriodNoteForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: AGENCY_PROFILE_ID,\n\t\t\tcallback: init,\n\t\t\tformKey: 'add-period-note'\n\t\t});\n\t}\n\n\tfunction openAddPeriodTaskForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: AGENCY_PROFILE_ID,\n\t\t\tcallback: init,\n\t\t\tformKey: 'add-period-task'\n\t\t});\n\t}\n\n\tfunction openBACSFileCreationForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: AGENCY_PROFILE_ID,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-bacs'\n\t\t});\n\t}\n\n\tfunction openReportsExportForm (vmObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: AGENCY_PROFILE_ID,\n\t\t\tcallback: () => {\n\n\t\t\t\tvmObj.hasGeneratedPayslips = true;\n\n\t\t\t\tcheckPayslipStatus(vmObj);\n\t\t\t},\n\t\t\tformKey: 'download-reports',\n\t\t\thasGeneratedPayslips: vmObj.hasGeneratedPayslips,\n\t\t\tisHistoricPeriod: false,\n\t\t\tpayPeriodId: vmObj.payPeriod.PayPeriodID\n\t\t});\n\t}\n\n\tfunction openRunPayrollForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: AGENCY_PROFILE_ID,\n\t\t\tcallback: runPayrollCallback,\n\t\t\tformKey: 'run-payroll'\n\t\t});\n\t}\n\n\tfunction openUncalculatePayrollForm (vmObj, workflowTemplateObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tactionType: 'uncalculate',\n\t\t\tagencyProfileId: AGENCY_PROFILE_ID,\n\t\t\tcallback: () => {\n\t\t\t\t$state.go('payroll.current-period.changes', {\n\t\t\t\t\tagencyProfileId: AGENCY_PROFILE_ID\n\t\t\t\t});\n\t\t\t},\n\t\t\tformKey: 'calculate-payroll',\n\t\t\tpayPeriodId: vmObj.payPeriod.PayPeriodID,\n\t\t\ttitle: 'Undo calculation',\n\t\t\tworkflowTemplate: workflowTemplateObj\n\t\t});\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction pollPayrollState (vmObj, onComplete) {\n\n\t\t// Load Pay Period state\n\t\tagency.getAgencyPayPeriodState(vmObj.payPeriod.PayPeriodID, STATE_TYPES.finalise).then(payPeriodState => {\n\n\t\t\tswitch (payPeriodState) {\n\n\t\t\t\t// Pending\n\t\t\t\tcase SUBMISSION_STATES.requesting:\n\t\t\t\tcase SUBMISSION_STATES.submitting:\n\n\t\t\t\t\tif (POLL_COUNT > 0 && POLL_COUNT < SUB_STATES_TOTAL + 1) {\n\t\t\t\t\t\t$scope.payPeriodSubState = $scope.payPeriodSubState + 1;\n\t\t\t\t\t}\n\n\t\t\t\t\t$timeout(function () {\n\t\t\t\t\t\tpollPayrollState(vmObj, onComplete);\n\t\t\t\t\t}, POLL_INTERVAL_PAYROLL * 1000);\n\n\t\t\t\t\t// Increase loop\n\t\t\t\t\tPOLL_COUNT++;\n\n\t\t\t\t\t// Update scope\n\t\t\t\t\tvmObj.payPeriod.PayrollState = payPeriodState;\n\n\t\t\t\t\tbreak;\n\n\t\t\t\t// Complete\n\t\t\t\tcase SUBMISSION_STATES.submitted:\n\t\t\t\tcase SUBMISSION_STATES.failed:\n\n\t\t\t\t\t// Appear to complete sub states\n\t\t\t\t\t$scope.payPeriodSubState = SUB_STATES_TOTAL;\n\n\t\t\t\t\t// Give user time to digest state\n\t\t\t\t\t$timeout(function () {\n\n\t\t\t\t\t\t// Update scope\n\t\t\t\t\t\tvmObj.payPeriod.PayrollState = payPeriodState;\n\n\t\t\t\t\t\t// Callback\n\t\t\t\t\t\tonComplete(vmObj);\n\n\t\t\t\t\t}, 1500);\n\n\t\t\t\t\tbreak;\n\n\t\t\t\tdefault:\n\n\t\t\t\t\t// Update scope\n\t\t\t\t\tvmObj.payPeriod.PayrollState = payPeriodState;\n\t\t\t}\n\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction refreshPayPeriod (vmObj) {\n\n\t\tconst PAY_PERIOD_SUBMITTED = (vmObj.payPeriod && vmObj.payPeriod.PayrollState === SUBMISSION_STATES.submitted);\n\n\t\tconst getPayPeriodCurrent = !vmObj.payPeriod || PAY_PERIOD_SUBMITTED ? payrollData.getPayPeriodCurrent(AGENCY_PROFILE_ID) : null;\n\t\tconst getPayPeriodSpecific = payrollData.getPayPeriodSpecific(vmObj.payPeriod.PayPeriodID);\n\n\t\t$q.all([getPayPeriodSpecific, getPayPeriodCurrent]).then(([updatedPayPeriodObj, nextPayPeriodObj]) => {\n\n\t\t\treportData.getReports(AGENCY_PROFILE_ID, vmObj.payPeriod.PayPeriodID)\n\t\t\t\t.then(reportsArr => {\n\n\t\t\t\t\t// Update app header\n\t\t\t\t\tif (nextPayPeriodObj) {\n\t\t\t\t\t\t$rootScope.currentPeriod = nextPayPeriodObj;\n\t\t\t\t\t}\n\n\t\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\t\tpayPeriod: updatedPayPeriodObj ? updatedPayPeriodObj : null,\n\t\t\t\t\t\tnextPayPeriod: nextPayPeriodObj ? nextPayPeriodObj : null,\n\t\t\t\t\t\tpayslipReports: $filter('reportCategories')(reportsArr, 'payslip'),\n\t\t\t\t\t\treports: reportsArr\n\t\t\t\t\t});\n\n\t\t\t\t\t// Payroll is being processed\n\t\t\t\t\tif ([SUBMISSION_STATES.submitting, SUBMISSION_STATES.requesting].includes(vmObj.payPeriod.PayrollState)) {\n\t\t\t\t\t\tpollPayrollState(vmObj, refreshPayPeriod);\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\n\t\t\t\t\tupdateWorkflow(vmObj);\n\n\t\t\t\t\t$scope.vm = vmObj;\n\n\t\t\t\t\tsetPageState('ready');\n\n\t\t\t\t\t// Confetti\n\t\t\t\t\tif (vmObj.payPeriod.PayrollState === SUBMISSION_STATES.submitted) {\n\n\t\t\t\t\t\t$timeout(function () {\n\t\t\t\t\t\t\tfireConfetti(vmObj);\n\t\t\t\t\t\t}, 1000);\n\n\t\t\t\t\t\t// Refresh current company to update HasRunPayroll state\n\t\t\t\t\t\tif (!currentCompanyObj.HasRunPayroll) {\n\t\t\t\t\t\t\t$rootScope.$broadcast('set-current-company', AGENCY_PROFILE_ID);\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t\t$rootScope.setDemoTaskAsComplete('checkPayroll');\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction refreshReports (vmObj) {\n\n\t\tconst deferred = $q.defer();\n\n\t\treportData.getReports(AGENCY_PROFILE_ID, vmObj.payPeriod.PayPeriodID).then(reportsArr => {\n\n\t\t\tangular.extend(vmObj, {\n\t\t\t\tpayslipReports: $filter('reportCategories')(reportsArr, 'payslip'),\n\t\t\t\treports: reportsArr\n\t\t\t});\n\n\t\t\tdeferred.resolve(vmObj);\n\t\t})\n\t\t.catch(error => {\n\t\t\tdeferred.reject(error);\n\t\t});\n\n\t\treturn deferred.promise;\n\t}\n\n\tfunction resetPeriod (payPeriodObj) {\n\n\t\tpayPeriodObj.state = 'resetting';\n\t\tagency.updateAgencyPayPeriodResetFailedState(payPeriodObj.PayPeriodID).then(() => {\n\t\t\tinit();\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction reviewPayslipState (vmObj) {\n\n\t\tvmObj.isPayslipButtonOpen = !vmObj.isPayslipButtonOpen;\n\n\t\t/*\n\t\t * Force the generation of payslips the first time, regardless of PayslipState\n\t\t * See ticket: https://www.notion.so/paycircle/Payslips-Load-payslips-on-demand-in-the-current-period-425be8e3fbf241ff97c57edfd7a02825?p=693539d49a0840d0bb4d8341882d1e5e\n\t\t**/\n\t\tif (!vmObj.hasGeneratedPayslips) {\n\n\t\t\tcreatePayslips(vmObj);\n\n\t\t\treturn;\n\t\t}\n\n\t\t/**\n\t\t * We only need to kick off the generation of payslips if they're unsubmitted.\n\t\t * All other states will simply need to review the state and poll if necessary\n\t\t**/\n\t\tswitch (vmObj.payPeriod.PayslipState) {\n\n\t\t\tcase SUBMISSION_STATES.submitted: {\n\n\t\t\t\t// Do nothing\n\t\t\t\tbreak;\n\t\t\t}\n\n\t\t\tcase SUBMISSION_STATES.unsubmitted: {\n\n\t\t\t\tcreatePayslips(vmObj);\n\t\t\t\tbreak;\n\t\t\t}\n\n\t\t\tdefault: {\n\n\t\t\t\tcheckPayslipStatus(vmObj);\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction runPayrollCallback (payPeriodObj) {\n\n\t\tpayrollData.getPayPeriodSpecific(payPeriodObj.PayPeriodID).then(updatedPayPeriodObj => {\n\n\t\t\t$scope.vm.payPeriod = updatedPayPeriodObj;\n\n\t\t\tswitch (updatedPayPeriodObj.PayrollState) {\n\n\t\t\t\t// Payroll still running > Poll\n\t\t\t\tcase SUBMISSION_STATES.requesting:\n\t\t\t\tcase SUBMISSION_STATES.submitting:\n\t\t\t\t\tpollPayrollState($scope.vm, refreshPayPeriod);\n\t\t\t\t\tbreak;\n\n\t\t\t\t// Load next pay period (now 'current')\n\t\t\t\tcase SUBMISSION_STATES.submitted:\n\t\t\t\t\trefreshPayPeriod($scope.vm);\n\t\t\t\t\tbreak;\n\n\t\t\t\tdefault:\n\t\t\t\t\tsetPageState('ready');\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction toggleShowPayrollSuccess (vmObj) {\n\n\t\t// Animate in\n\t\tif (vmObj.payrollSuccessState === ANIMATION_STATES.hidden) {\n\t\t\tvmObj.payrollSuccessState = ANIMATION_STATES.animateIn;\n\n\t\t\t$timeout(function () {\n\t\t\t\tvmObj.payrollSuccessState = ANIMATION_STATES.visible;\n\t\t\t}, 500);\n\t\t}\n\n\t\t// Animate out\n\t\telse {\n\t\t\tvmObj.payrollSuccessState = ANIMATION_STATES.animateOut;\n\n\t\t\t$timeout(function () {\n\t\t\t\tvmObj.payrollSuccessState = ANIMATION_STATES.hidden;\n\t\t\t}, 500);\n\t\t}\n\t}\n\n\tfunction updateWorkflow (vmObj) {\n\n\t\tsetPageState('loading');\n\n\t\tmessageData.getWorkflowTemplates(AGENCY_PROFILE_ID).then((workflowTemplatesArr) => {\n\n\t\t\tvmObj.workflowTemplate = workflowService.decorateWorkflowTemplate(workflowTemplatesArr[0]);\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction openPostJournalForm (vmObj) {\n\n\t\treportData.getActiveJournalPost(AGENCY_PROFILE_ID, vmObj.payPeriod.PayPeriodID, config.guidEmpty).then((postObj) => {\n\n\t\t\tif (vmObj.accountingIntegrationConnection.IntegrationType === ACCOUNTING_INTEGRATION_TYPES.xero) {\n\t\t\t\topenPostToXeroForm(postObj);\n\t\t\t} else {\n\t\t\t\topenPostToFinancialsForm(postObj);\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction openPostToXeroForm (postObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: AGENCY_PROFILE_ID,\n\t\t\tformKey: 'post-to-xero',\n\t\t\tpostObj\n\t\t});\n\t}\n\n\tfunction openPostToFinancialsForm (postObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: AGENCY_PROFILE_ID,\n\t\t\tformKey: 'post-to-financials',\n\t\t\tpostObj\n\t\t});\n\t}\n\n\tinit();\n\n\t// Cancel any pending timeouts\n\t$scope.$on('$destroy', () => {\n\t\t$timeout.cancel(reportTimeout);\n\t\t$timeout.cancel(payslipTimeout);\n\t});\n\n\tangular.extend($scope, {\n\t\tCOMPANY_STATES,\n\t\tANIMATION_STATES,\n\t\tSUBMISSION_STATES,\n\t\tUSER_ROLES,\n\n\t\tAGENCY_PROFILE_ID,\n\t\tpayPeriodSubState: 0,\n\t\tsubmissionLogType: SUBMISSION_LOG_TYPE.payPeriod,\n\n\t\tcreatePayslips,\n\t\tfireConfetti,\n\t\tinit,\n\t\topenAddPeriodNoteForm,\n\t\topenAddPeriodTaskForm,\n\t\topenBACSFileCreationForm,\n\t\topenPostJournalForm,\n\t\topenReportsExportForm,\n\t\topenRunPayrollForm,\n\t\topenUncalculatePayrollForm,\n\t\trefresh: init,\n\t\tresetPeriod,\n\t\treviewPayslipState,\n\t\trunPayrollCallback,\n\t\ttoggleShowPayrollSuccess,\n\t\tupdateWorkflow\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar directory = 'features/app/payslip-manager/';\n\t$stateProvider\n\n\t.state('payslip-manager', {\n\t\turl: '/payslip-manager/:agencyProfileId',\n\t\ttemplateUrl: directory + 'payslip-manager.view.html',\n\t\tdata: {\n\t\t\ttitle: 'Payslip Manager'\n\t\t},\n\t\tcontroller: 'payslipManagerCtrl',\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('payslipManagerCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'bulkService',\n\t'companyData',\n\t'config',\n\t'payrollData',\n\t'searchService',\n\t function (\n\t \t$q,\n\t \t$rootScope,\n \t\t$scope,\n\t \t$stateParams,\n\t \tbulkService,\n\t \tcompanyData,\n\t \tconfig,\n\t\tpayrollData,\n\t \tsearchService\n \t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction decoratePayPeriods (payPeriodObj) {\n\n\t\t// Block access to pay period\n\t\tpayPeriodObj.payPeriodIsDisabled = true;\n\n\t\treturn payPeriodObj;\n\t}\n\n\tfunction getPayslipManagerFormTitle (formState) {\n\n\t\tswitch (formState) {\n\t\t\tcase 'bulk-import-skip':\n\t\t\t\treturn 'Skip this step';\n\t\t\tcase 'bulk-import-confirm':\n\t\t\t\treturn 'Bulk import';\n\t\t}\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getDashboardDataMinimum = companyData.getDashboardDataMinimum(agencyProfileId);\n\t\tconst getPayPeriodsForPayslipManager = payrollData.getPayPeriodsForPayslipManager(agencyProfileId);\n\n\t\t$q.all([getDashboardDataMinimum, getPayPeriodsForPayslipManager])\n\t\t\t.then(([dashboardDataObj, payPeriodsArr]) => {\n\n\t\t\t\tif (!dashboardDataObj.IsPayslipManagerSetupComplete) {\n\t\t\t\t\tangular.extend(dashboardDataObj, {\n\t\t\t\t\t\tUserCount: 0,\n\t\t\t\t\t\tUserCountRegistered: 0,\n\t\t\t\t\t\tUserCountUnregistered: 0\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\t$scope.vm = {\n\t\t\t\t\tdashboardData: dashboardDataObj,\n\t\t\t\t\tpayPeriods: bulkService.getBulkItemsObj(payPeriodsArr.filter(decoratePayPeriods))\n\t\t\t\t};\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\tfunction openPayrollSettingsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\ttitle: 'Manage Schedule',\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-payroll-settings'\n\t\t});\n\t}\n\n\tfunction openPayslipManagerForm (formState) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'payslip-manager',\n\t\t\ttitle: getPayslipManagerFormTitle(formState),\n\t\t\tpayPeriodId: config.guidEmpty,\n\t\t\tformState: formState\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tagencyProfileId,\n\t\tsearchBarOptions: searchService.payslipManager,\n\n\t\tinit,\n\t\topenPayrollSettingsForm,\n\t\topenPayslipManagerForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar directory = 'features/app/customisation/';\n\n\t$stateProvider\n\t.state('customisation', {\n\t\turl: '/customisation/:agencyProfileId?featureKey',\n\t\ttemplateUrl: directory + 'customisationView.html',\n\t\tcontroller: 'customisationCtrl',\n\t\tdata: {\n\t\t\tfullPage: true,\n\t\t\ttitle: 'Customisation'\n\t\t},\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('customisationCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'companyData',\n\t'customisationService',\n\t'settingsService',\n\t'INTERFACE_TYPES',\nfunction (\n\t$filter,\n\t$q,\n\t$rootScope,\n\t$scope,\n\t$state,\n\t$stateParams,\n\tcompanyData,\n\tcustomisationService,\n\tsettingsService,\n\tINTERFACE_TYPES\n) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst featureKey = $stateParams.featureKey;\n\tlet customisationObj;\n\n\tfunction getHrefForCompanyType (companyObj) {\n\n\t\treturn settingsService.getNgHrefForSettingsState('customisation', companyObj);\n\t}\n\n\tfunction init () {\n\n\t\t$scope.pageState = 'loading';\n\n\t\tvar getAgencyProfileCompanyDetails = companyData.getAgencyProfileCompanyDetails(agencyProfileId);\n\t\tvar getCompanyCustomisationToUse = companyData.getCompanyCustomisationToUse(agencyProfileId);\n\n\t\t$q.all([getAgencyProfileCompanyDetails, getCompanyCustomisationToUse]).then(function (data) {\n\n\t\t\tvar companyObj = data[0];\n\t\t\tvar customisationToUseObj = data[1];\n\n\t\t\tcustomisationObj = $filter('customisation')(customisationToUseObj);\n\n\t\t\t$scope.company = companyObj;\n\t\t\t$scope.customisation = customisationObj;\n\t\t\t$scope.pageState = 'ready';\n\n\t\t\t$scope.openCustomisationForm(featureKey);\n\t\t})\n\t\t.catch(function () {\n\n\t\t\t$scope.pageState = 'error';\n\t\t});\n\t}\n\n\tfunction openCustomisationForm (featureKey) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCustomisation,\n\t\t\tcloseIcon: 'right',\n\t\t\tcustomisationObj: $scope.customisation,\n\t\t\thasOverlay: false,\n\t\t\tonFeatureSwitch: updateFeatureByFeatureKey,\n\t\t\tfeatureKey: featureKey,\n\t\t\tformKey: 'customisation',\n\t\t\tshowContext: false,\n\t\t\tsize: 'small'\n\t\t});\n\t}\n\n\tfunction refreshCustomisation (updatedCustomisationObj) {\n\n\t\t// Live updates\n\t\tif (updatedCustomisationObj !== null) {\n\n\t\t\t// If value set use it\n\t\t\tif (updatedCustomisationObj.updatedValue !== '') {\n\n\t\t\t\tcustomisationObj[updatedCustomisationObj.propertyKey][updatedCustomisationObj.subPropertyKey] = updatedCustomisationObj.updatedValue;\n\n\t\t\t\t$scope.customisation = customisationObj;\n\t\t\t}\n\n\t\t\t// Otherwise, re-fetch from server and only update unknown value\n\t\t\telse {\n\t\t\t\tcompanyData.getCompanyCustomisationToUse(agencyProfileId).then(function (latestCustomisationObj) {\n\n\t\t\t\t\tlatestCustomisationObj = $filter('customisation')(latestCustomisationObj);\n\n\t\t\t\t\tcustomisationObj[updatedCustomisationObj.propertyKey][updatedCustomisationObj.subPropertyKey] = angular.copy(latestCustomisationObj[updatedCustomisationObj.propertyKey][updatedCustomisationObj.subPropertyKey]);\n\n\t\t\t\t\t$scope.customisation = customisationObj;\n\t\t\t\t})\n\t\t\t\t.catch(function () {\n\n\t\t\t\t\t$scope.pageState = 'error';\n\t\t\t\t});\n\t\t\t}\n\t\t}\n\n\t\t// Saved updates\n\t\telse {\n\t\t\tcompanyData.getCompanyCustomisationToUse(agencyProfileId).then(function (updatedCustomisationObj) {\n\n\t\t\t\tcustomisationObj = $filter('customisation')(updatedCustomisationObj);\n\n\t\t\t\t$scope.customisation = customisationObj;\n\t\t\t})\n\t\t\t.catch(function () {\n\n\t\t\t\t$scope.pageState = 'error';\n\t\t\t});\n\t\t}\n\t}\n\n\tfunction updateFeatureByFeatureKey (featureKey) {\n\n\t\t$scope.customisationFeature = customisationService.getCustomisationFeatureByFeatureKey(featureKey);\n\t\t$scope.featureKey = featureKey;\n\n\t\t// Update URL so back button stays in sync with selection\n\t\t$state.go('customisation', {agencyProfileId: agencyProfileId, featureKey: featureKey}, {notify: false});\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tINTERFACE_TYPES,\n\n\t\tagencyProfileId,\n\n\t\tcustomisationFeature: customisationService.getCustomisationFeatureByFeatureKey(featureKey),\n\t\tfeatureKey,\n\t\tgetHrefForCompanyType,\n\t\topenCustomisationForm\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tconst pensionsDirectory = 'features/app/pensions';\n\tconst pensionSummaryDirectory = pensionsDirectory + '/summary';\n\tconst pensionSchemeDirectory = pensionsDirectory + '/scheme';\n\n\t$stateProvider\n\n\t.state('pensions', {\n\t\tabstract: true,\n\t\tdata: {\n\t\t\thelpAndSupportOptions: {\n\t\t\t\ttags: ['company-pensions']\n\t\t\t},\n\t\t\tpermissions: [\n\t\t\t\t'isPensionVisible'\n\t\t\t],\n\t\t\ttitle: 'Pensions'\n\t\t},\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\ttemplateUrl: pensionsDirectory + '/pensions.view.html',\n\t\turl: '/pensions/:agencyProfileId'\n\t})\n\n\t\t.state('pensions.summary', {\n\t\t\tcontroller: 'pensionsSummaryCtrl',\n\t\t\ttemplateUrl: pensionSummaryDirectory + '/pensions-summary.view.html',\n\t\t\turl: ''\n\t\t})\n\n\t\t.state('pensions.scheme', {\n\t\t\tabstract: true,\n\t\t\tcontroller: 'pensionsSchemeCtrl',\n\t\t\ttemplateUrl: pensionSchemeDirectory + '/pensions-scheme.view.html',\n\t\t\turl: '/:agencyEmployerPensionId'\n\t\t})\n\n\t\t\t.state('pensions.scheme.status', {\n\t\t\t\tcontroller: 'pensionsSchemeStatusCtrl',\n\t\t\t\ttemplateUrl: pensionSchemeDirectory + '/status/pensions-scheme-status.view.html',\n\t\t\t\turl: ''\n\t\t\t})\n\n\t\t\t.state('pensions.scheme.communications', {\n\t\t\t\tcontroller: 'pensionsSchemeCommunicationsCtrl',\n\t\t\t\ttemplateUrl: pensionSchemeDirectory + '/communications/pensions-scheme-communications.view.html',\n\t\t\t\turl: '/communications'\n\t\t\t})\n\n\t\t\t.state('pensions.scheme.history', {\n\t\t\t\tcontroller: 'pensionsSchemeHistoryCtrl',\n\t\t\t\ttemplateUrl: pensionSchemeDirectory + '/history/pensions-scheme-history.view.html',\n\t\t\t\turl: '/history'\n\t\t\t})\n\n\t\t\t.state('pensions.scheme.settings', {\n\t\t\t\tcontroller: 'pensionsSchemeSettingsCtrl',\n\t\t\t\ttemplateUrl: pensionSchemeDirectory + '/settings/pensions-scheme-settings.view.html',\n\t\t\t\turl: '/settings'\n\t\t\t})\n\n\t\t\t.state('pensions.scheme.team', {\n\t\t\t\tcontroller: 'pensionsSchemeTeamCtrl',\n\t\t\t\ttemplateUrl: pensionSchemeDirectory + '/team/pensions-scheme-team.view.html',\n\t\t\t\turl: '/team?applyfilter'\n\t\t\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('pensionsSummaryCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'pensionData',\n\t'pensionService',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tpensionData,\n\t\tpensionService\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst currentCompanyObj = $rootScope.currentCompany;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getAgencyEmployerPensionSummaries = currentCompanyObj.HasPension ? pensionData.getAgencyEmployerPensionSummaries(agencyProfileId) : null;\n\t\tconst getPensionProviderDetails = currentCompanyObj.HasPension ? null : pensionData.getPensionProviderDetails(agencyProfileId);\n\n\t\t$q.all([\n\t\t\tgetAgencyEmployerPensionSummaries,\n\t\t\tgetPensionProviderDetails\n\t\t])\n\t\t.then(([\n\t\t\tpensionSummaryObj,\n\t\t\tpensionProvidersArr\n\t\t]) => {\n\n\t\t\t$scope.vm = {\n\t\t\t\tpensionProviders: pensionProvidersArr ? pensionProvidersArr.filter(pensionService.filterDirectConnectionProvidersOnly) : [],\n\t\t\t\tpensionSummary: pensionSummaryObj\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onAddPension () {\n\n\t\tcurrentCompanyObj.HasPension = true;\n\n\t\tinit();\n\t}\n\n\tfunction onError (error) {\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction openCompanyPensionConnectorForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onAddPension,\n\t\t\tformKey: 'company-pension-connector'\n\t\t});\n\t}\n\n\tfunction openCompanyPensionStagingForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'pension-scheme-staging'\n\t\t});\n\t}\n\n\tfunction openCompanyPensionPeriodForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tagencyPayPeriodId: $scope.vm.pensionSummary.PayPeriodID,\n\t\t\tcallback: init,\n\t\t\tformKey: 'pension-scheme-period'\n\t\t});\n\t}\n\n\tfunction openCompanyPensionAlignmentForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\thasPensionDateOffset: $scope.vm.pensionSummary.HasPensionDateOffset,\n\t\t\tisBeforePeriodDate: $scope.vm.pensionSummary.IsPensionDateOffsetBeforePeriodDate,\n\t\t\tpensionDateOffset: $scope.vm.pensionSummary.PensionDateOffset,\n\t\t\tcallback: init,\n\t\t\tformKey: 'pension-scheme-period-alignment'\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tagencyProfileId,\n\n\t\tgoToGhostPensionSettings: pensionService.goToGhostPensionSettings,\n\t\tinit,\n\t\topenCompanyPensionConnectorForm,\n\t\topenCompanyPensionStagingForm,\n\t\topenCompanyPensionPeriodForm,\n\t\topenCompanyPensionAlignmentForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('pensionsSchemeCtrl', ['$scope', '$stateParams', 'pensionData', 'PENSION_PROVIDER_APIS', 'PENSION_STATES', 'PENSION_TYPES',\n\tfunction ($scope, $stateParams, pensionData, PENSION_PROVIDER_APIS, PENSION_STATES, PENSION_TYPES) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst agencyEmployerPensionId = $stateParams.agencyEmployerPensionId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tpensionData.getAgencyEmployerPensionSummary(agencyProfileId, agencyEmployerPensionId)\n\t\t\t.then(pensionObj => {\n\n\t\t\t\t$scope.pension = pensionObj;\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction toggleModal (name) {\n\t\t$scope.modal[name] = !$scope.modal[name];\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tPENSION_PROVIDER_APIS,\n\t\tPENSION_STATES,\n\t\tPENSION_TYPES,\n\n\t\tagencyProfileId,\n\t\tagencyEmployerPensionId,\n\t\trefreshPension: init,\n\t\ttoggleModal\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('pensionsSchemeCommunicationsCtrl', ['$rootScope', '$scope', '$state', '$stateParams', '$timeout', 'filterService', 'growl', 'mailData', 'searchService', 'session', 'utilities', 'EMAIL_PREVIEW_TYPES', 'LOCAL_STORAGE_KEYS', 'MAIL_TYPES',\n\tfunction ($rootScope, $scope, $state, $stateParams, $timeout, filterService, growl, mailData, searchService, session, utilities, EMAIL_PREVIEW_TYPES, LOCAL_STORAGE_KEYS, MAIL_TYPES) {\n\n\tvar agencyEmployerPensionId = $stateParams.agencyEmployerPensionId;\n\tvar agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction hideDisclaimer () {\n\n\t\t// Add to storage\n\t\tutilities.addToStorage(LOCAL_STORAGE_KEYS.showPensionCommsDisclaimerBox, 'false');\n\n\t\t// Hide disclaimer\n\t\t$scope.options.showDisclaimer = false;\n\t}\n\n\tfunction init () {\n\n\t\t// Page state\n\t\t$scope.pageState = 'loading';\n\n\t\tmailData.getMailLogSummariesForAgency(agencyProfileId, agencyEmployerPensionId).then(function (mailLogSummariesArray) {\n\n\t\t\t// Scope\n\t\t\t$scope.mailLogSummaries = mailLogSummariesArray.filter(mailLogSummariesFilter);\n\n\t\t\t// Page state\n\t\t\t$scope.pageState = 'ready';\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction mailLogSummariesFilter (mailLogSummary) {\n\n\t\tmailLogSummary.hasEmailAddress = mailLogSummary.Email !== '';\n\n\t\treturn mailLogSummary;\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openEmailAddressForm (userId) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshMailLogSummariesByUserId,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'email-address',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction refreshMailLogSummariesByUserId (userId) {\n\n\t\tvar mailLogSummariesArr = $scope.mailLogSummaries;\n\t\tvar mailLogSummaryObj = utilities.getArrayItemByPropertyName(mailLogSummariesArr, 'UserID', userId);\n\n\t\tupdateMailLogSummary(mailLogSummaryObj, mailLogSummariesArr);\n\t}\n\n\tfunction sendAndPreviewMail (mailLogSummary, mailLogSummaries, mailTypeId) {\n\n\t\t// Loading state\n\t\tmailLogSummary.isLoadingMails = true;\n\n\t\tmailData.sendMailTemplateForMailTypeToUser(mailTypeId, mailLogSummary.UserID, agencyProfileId).then(function () {\n\n\t\t\t// Update team member\n\t\t\tupdateMailLogSummary(mailLogSummary, mailLogSummaries, function (updatedMailLogSummaryObj) {\n\n\t\t\t\tif (updatedMailLogSummaryObj.PensionIntroduction.length > 0) {\n\t\t\t\t\tvar mailLogKey \t= updatedMailLogSummaryObj['PensionIntroduction'][0].MailLogKey;\n\t\t\t\t\tvar url \t\t= $state.href('sent-mail', {'agencyProfileId': agencyProfileId, 'maillogkey': mailLogKey});\n\n\t\t\t\t\t// Open sent mail in new window\n\t\t\t\t\twindow.open(url, '_blank');\n\n\t\t\t\t} else {\n\t\t\t\t\tgrowl.error('There was a problem sending this email. Try again or get in touch');\n\t\t\t\t}\n\t\t\t});\n\t\t})\n\t\t.catch(function () {\n\t\t\tgrowl.error('There was a problem sending this email. Try again or get in touch');\n\t\t});\n\t}\n\n\tfunction setPageState (newState) {\n\t\t$scope.pageState = newState;\n\t}\n\n\tfunction toggleShowTimeline () {\n\t\t$scope.options.showTimeline = !$scope.options.showTimeline;\n\t}\n\n\tfunction updateMailLogSummary (mailLogSummary, mailLogSummaries, callback) {\n\n\t\tvar index = mailLogSummaries.indexOf(mailLogSummary);\n\n\t\t// Loading state\n\t\tmailLogSummary.isLoading = true;\n\n\t\t// Update team member object\n\t\tmailData.getMailLogSummariesForUser(mailLogSummary.UserID, agencyProfileId).then(updatedMailLogSummaryObj => {\n\n\t\t\t// Fetch team member object\n\t\t\tmailLogSummaries[index] = updatedMailLogSummaryObj;\n\n\t\t\t// Callback\n\t\t\tif (callback !== undefined) {\n\t\t\t\tcallback(updatedMailLogSummaryObj);\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tEMAIL_PREVIEW_TYPES,\n\t\tMAIL_TYPES,\n\t\tagencyProfileId,\n\t\tagencyEmployerPensionId,\n\t\tfilterBarOptions: filterService.pensionCommunications,\n\t\toptions: {\n\t\t\tshowTimeline: false,\n\t\t\tshowDisclaimer: utilities.getFromStorage(LOCAL_STORAGE_KEYS.showPensionCommsDisclaimerBox) === 'false' ? false : true\n\t\t},\n\t\tsearchBarOptions: searchService.pensionCommunications,\n\n\t\thideDisclaimer,\n\t\tsendAndPreviewMail,\n\t\topenEmailAddressForm,\n\t\ttoggleShowTimeline,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('pensionsSchemeHistoryCtrl', ['$scope', '$stateParams', 'base', 'logService', 'searchService', function ($scope, $stateParams, base, logService, searchService) {\n\n\tvar agencyEmployerPensionId = $stateParams.agencyEmployerPensionId;\n\tvar agencyProfileId = $scope.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tbase.getAgencyLogEntriesForPension(agencyProfileId, agencyEmployerPensionId).then(function (logEntriesArray) {\n\n\t\t\tif (!logEntriesArray.length) {\n\t\t\t\tsetPageState('no-history');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t$scope.logEntries = logService.decorateLogEntries(logEntriesArray);\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(function () {\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\t$scope.searchBarOptions = searchService.pensionHistory;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('pensionsSchemeSettingsCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'pensionData',\n\t'pensionService',\n\t'DEMO_TASKS',\n\t'PENSION_SCHEME_REFERENCE_DISPLAY_TYPES',\n\t'PENSION_TYPES',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\tpensionData,\n\t\tpensionService,\n\t\tDEMO_TASKS,\n\t\tPENSION_SCHEME_REFERENCE_DISPLAY_TYPES,\n\t\tPENSION_TYPES\n\t) {\n\n\tconst agencyProfileId = $scope.agencyProfileId;\n\tconst agencyEmployerPensionId = $scope.agencyEmployerPensionId;\n\tconst callback = $scope.refreshPension;\n\n\tfunction getPensionProviderForm (pensionObj) {\n\n\t\tif (pensionObj.PensionProviderDetails.IsGhostPension) {\n\t\t\topenCompanyPensionConnectorForm(pensionObj);\n\t\t} else {\n\t\t\tif (pensionObj.PensionProviderDetails.PensionType === PENSION_TYPES.autoEnrolment) {\n\t\t\t\topenCompanyPensionProviderForm(pensionObj);\n\t\t\t} else {\n\t\t\t\topenCompanyPensionSettingsForm(pensionObj);\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tpensionData.getAgencyEmployerPensionDetails(agencyProfileId, agencyEmployerPensionId).then(pensionDetailsObj => {\n\n\t\t\t$scope.pension = populateDetails(pensionDetailsObj);\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openCompanyPensionAutomationForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tagencyEmployerPensionId,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'pension-scheme-automation'\n\t\t});\n\t}\n\n\tfunction openCompanyPensionConnectorForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tagencyEmployerPensionId,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'company-pension-connector'\n\t\t});\n\t}\n\n\tfunction openCompanyPensionGroupsForm (pensionObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tagencyEmployerPensionId,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'pension-scheme-groups',\n\t\t\ttitle: pensionService.isNonAEPension(pensionObj.PensionProviderDetails) ? 'Contribution bands' : null\n\t\t});\n\t}\n\n\tfunction openCompanyPensionPostponementForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tagencyEmployerPensionId,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'pension-scheme-postponement'\n\t\t});\n\t}\n\n\tfunction openCompanyPensionProviderForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tagencyEmployerPensionId,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'pension-scheme-provider'\n\t\t});\n\t}\n\n\tfunction openCompanyPensionStagingForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'pension-scheme-staging'\n\t\t});\n\t}\n\n\tfunction openCompanyPensionSettingsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tagencyEmployerPensionId: agencyEmployerPensionId,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'pension-scheme-settings'\n\t\t});\n\t}\n\n\tfunction openViewPensionPolicyForm (pensionDetailsObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tagencyEmployerPensionId: pensionDetailsObj.AgencyEmployerPensionID,\n\t\t\tpolicyId: pensionDetailsObj.PensionPolicyDetails.PolicyID,\n\t\t\tshowPensionContext: true,\n\t\t\tformKey: 'view-pension-policy'\n\t\t});\n\t}\n\n\tfunction populateDetails (pensionDetailsObj) {\n\n\t\t// Pension provider\n\t\tpensionDetailsObj.providerDetails = {\n\t\t\ticon: 'settings',\n\t\t\ttheme: 'secondary',\n\t\t\ttitle: 'Pension provider',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: () => getPensionProviderForm(pensionDetailsObj),\n\t\t\t\t\tid: 'pension-provider',\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\ttype: 'image',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionProviderDetails.PensionProviderImageUrl,\n\t\t\t\t\t\t\timageDescription: pensionDetailsObj.PensionProviderDetails.PensionProviderName,\n\t\t\t\t\t\t\tfallbackIcon: 'money'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\n\t\t// Automation options\n\t\tpensionDetailsObj.automationDetails = {\n\t\t\ticon: 'submitted',\n\t\t\ttheme: 'secondary',\n\t\t\ttitle: 'Automation options',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: openCompanyPensionAutomationForm,\n\t\t\t\t\tid: 'automation-options',\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Team assessment',\n\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionAutomationDetails.AssessTeam\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Employee communications',\n\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionAutomationDetails.SendCommunications\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\n\t\t// Insert 'Connect to' detail if pension provider has an API\n\t\tif (pensionDetailsObj.PensionAutomationDetails.PensionProviderHasAPI) {\n\t\t\tpensionDetailsObj.automationDetails.detailGroups[0].details.splice(1, 0, {\n\t\t\t\tlabel: 'Connect to ' + pensionDetailsObj.PensionProviderDetails.PensionProviderName,\n\t\t\t\ttype: 'switch',\n\t\t\t\tvalue: pensionDetailsObj.PensionAutomationDetails.ConnectToProvider\n\t\t\t});\n\t\t}\n\n\t\tvar newStarterLabel = pensionDetailsObj.PensionPostponementDetails.NewStarterPostponementLength > 1 || pensionDetailsObj.PensionPostponementDetails.NewStarterPostponementLength === 0 ? 'periods' : 'period';\n\t\tvar eligibleWorkerLabel = pensionDetailsObj.PensionPostponementDetails.EligibleWorkerPostponementLength > 1 || pensionDetailsObj.PensionPostponementDetails.EligibleWorkerPostponementLength === 0 ? 'periods' : 'period';\n\n\t\t// Staging and re-enrolment\n\t\tpensionDetailsObj.stagingDetails = {\n\t\t\ticon: 'calendar',\n\t\t\ttheme: 'secondary',\n\t\t\ttitle: 'Staging and re-enrolment',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: openCompanyPensionStagingForm,\n\t\t\t\t\tid: 'staging-and-reenrolment',\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Staging date',\n\t\t\t\t\t\t\ttype: 'date',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionStagingDetails.StagingDateISO\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Staging date postponed',\n\t\t\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionStagingDetails.IsStagingPostponed\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tisHidden: !pensionDetailsObj.PensionStagingDetails.IsStagingPostponed,\n\t\t\t\t\t\t\tlabel: 'Postponement date',\n\t\t\t\t\t\t\ttype: 'date',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionStagingDetails.PostponementDateISO\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Re-enrolment date',\n\t\t\t\t\t\t\ttype: 'date',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionStagingDetails.ReenrolmentDateISO\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Re-enrolment completed',\n\t\t\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionStagingDetails.ReenrolmentAlreadyCompleted\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'TPR letter code',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionStagingDetails.PensionLetterCode\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'DoC submitted',\n\t\t\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionStagingDetails.DOCSubmitted\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\n\t\tif (pensionDetailsObj.PensionStagingDetails.ReenrolmentAlreadyCompleted) {\n\t\t\tpensionDetailsObj.stagingDetails.detailGroups[0].details.splice(3, 0, {\n\t\t\t\tlabel: 'Re-enrolment completion date',\n\t\t\t\ttype: 'date',\n\t\t\t\tvalue: pensionDetailsObj.PensionStagingDetails.ReenrolmentCompletionDateISO\n\t\t\t});\n\t\t}\n\n\t\t// Pension settings\n\t\tpensionDetailsObj.pensionSettingsDetails = {\n\t\t\ticon: 'settings',\n\t\t\ttheme: 'secondary',\n\t\t\ttitle: 'Pension settings',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: openCompanyPensionSettingsForm,\n\t\t\t\t\tid: 'pension-settings',\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\t// Scheme reference format hidden if no scheme reference set, or for a non-AE pension (not applicable in that case)\n\t\t\t\t\t\t\tisHidden: !pensionDetailsObj.PensionSettingDetails.HasSchemeReference || pensionDetailsObj.PensionSettingDetails.PensionType === PENSION_TYPES.nonAutoEnrolment,\n\t\t\t\t\t\t\tlabel: 'Scheme reference format',\n\t\t\t\t\t\t\tvalue: pensionService.getSchemeReferenceFormatDescription(pensionDetailsObj)\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\t// Employer reference hidden if scheme reference display type is not employerReference\n\t\t\t\t\t\t\tisHidden: pensionDetailsObj.PensionSettingDetails.SchemeReferenceDisplayType !== PENSION_SCHEME_REFERENCE_DISPLAY_TYPES.employerReference,\n\t\t\t\t\t\t\tlabel: pensionService.isAEPension(pensionDetailsObj.PensionProviderDetails) ? 'Employer pension scheme reference' : 'Reference number',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionSettingDetails.EmployerReference\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\t// Local authority number hidden if scheme reference display type not educationEmployerNumber\n\t\t\t\t\t\t\tisHidden: pensionDetailsObj.PensionSettingDetails.SchemeReferenceDisplayType !== PENSION_SCHEME_REFERENCE_DISPLAY_TYPES.educationEmployerNumber,\n\t\t\t\t\t\t\tlabel: 'Local authority number',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionSettingDetails.LocalAuthorityNumber\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\t// Establishment number hidden if scheme reference display type is not educationEmployerNumber\n\t\t\t\t\t\t\tisHidden: pensionDetailsObj.PensionSettingDetails.SchemeReferenceDisplayType !== PENSION_SCHEME_REFERENCE_DISPLAY_TYPES.educationEmployerNumber,\n\t\t\t\t\t\t\tlabel: 'Establishment number',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionSettingDetails.EstablishmentNumber\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Description',\n\t\t\t\t\t\t\ttype: pensionDetailsObj.PensionSettingDetails.PensionDescription === '' ? 'placeholder' : null,\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionSettingDetails.PensionDescription !== '' ? pensionDetailsObj.PensionSettingDetails.PensionDescription : 'Not entered'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Tax relief type',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionSettingDetails.TaxReliefTypeDisplay\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\n\t\t// Show pension provider name in pension settings block for Non-AE Pensions\n\t\tif (pensionService.isNonAEPension(pensionDetailsObj.PensionSettingDetails)) {\n\n\t\t\tpensionDetailsObj.pensionSettingsDetails.detailGroups[0].details.unshift({\n\t\t\t\tlabel: 'Pension provider name',\n\t\t\t\tvalue: pensionDetailsObj.PensionSettingDetails.PensionProviderName\n\t\t\t});\n\n\t\t\t// Remove \"Pension period start date\" and \"Pension period end date\"\n\t\t\tpensionDetailsObj.pensionSettingsDetails.detailGroups[0].details.splice(3, 2);\n\t\t}\n\n\t\t// Team postponement\n\t\tpensionDetailsObj.postponementDetails = {\n\t\t\ticon: 'team-alt',\n\t\t\ttheme: 'secondary',\n\t\t\ttitle: 'Team postponement',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: openCompanyPensionPostponementForm,\n\t\t\t\t\tid: 'team-postponement',\n\t\t\t\t\tdemoTooltip: DEMO_TASKS.workplacePension.updateTeamPostponementSettings,\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'New team member postponement',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionPostponementDetails.NewStarterPostponementLength + ' ' + newStarterLabel\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Threshold change postponement',\n\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionPostponementDetails.EligibleWorkerPostponementLength + ' ' + eligibleWorkerLabel\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\n\t\t// Group details (when UsePensionPolicy === false)\n\t\tif (!pensionDetailsObj.PensionPolicyDetails.UsePensionPolicy) {\n\t\t\tpensionDetailsObj.groupDetails = {\n\t\t\t\ticon: 'group',\n\t\t\t\ttheme: 'secondary',\n\t\t\t\ttitle: pensionService.isAEPension(pensionDetailsObj.PensionProviderDetails) ? 'Groups' : 'Contribution bands',\n\t\t\t\tlayout: 'groups',\n\t\t\t\tdetailGroups: [\n\t\t\t\t\t{\n\t\t\t\t\t\teditAction: () => openCompanyPensionGroupsForm(pensionDetailsObj),\n\t\t\t\t\t\tid: 'groups',\n\t\t\t\t\t\tdetails: []\n\t\t\t\t\t}\n\t\t\t\t]\n\t\t\t};\n\n\t\t\tif (pensionDetailsObj.PensionGroupDetails.PensionGroups.length > 0) {\n\n\t\t\t\t// Attach pension groups\n\t\t\t\tfor (let pensionGroup of pensionDetailsObj.PensionGroupDetails.PensionGroups) {\n\n\t\t\t\t\tpensionGroup.pensionType = pensionDetailsObj.PensionProviderDetails.PensionType;\n\n\t\t\t\t\tpensionDetailsObj.groupDetails.detailGroups[0].details.push({\n\t\t\t\t\t\ttype: 'pension-group',\n\t\t\t\t\t\tgroup: pensionGroup\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t} else {\n\n\t\t\t\t// Show note if there are no pension groups\n\t\t\t\tpensionDetailsObj.groupDetails.layout = null;\n\n\t\t\t\tpensionDetailsObj.groupDetails.detailGroups[0].details.push({\n\t\t\t\t\ttype: 'html'\n\t\t\t\t});\n\t\t\t}\n\t\t}\n\n\t\t// Policy details (when UsePensionPolicy === true)\n\t\tif (pensionDetailsObj.PensionPolicyDetails.UsePensionPolicy) {\n\t\t\tpensionDetailsObj.policyDetails = {\n\t\t\t\ticon: 'document',\n\t\t\t\ttheme: 'secondary',\n\t\t\t\ttitle: 'Policy',\n\t\t\t\tdetailGroups: [\n\t\t\t\t\t{\n\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Pension policy',\n\t\t\t\t\t\t\t\ttype: 'pension-policy',\n\t\t\t\t\t\t\t\tpolicy: {\n\t\t\t\t\t\t\t\t\tname: pensionDetailsObj.PensionPolicyDetails.PolicyName,\n\t\t\t\t\t\t\t\t\tviewAction: () => openViewPensionPolicyForm(pensionDetailsObj)\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Bands',\n\t\t\t\t\t\t\t\tvalue: pensionDetailsObj.PensionPolicyDetails.PensionPolicyBandCount\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t]\n\t\t\t\t\t}\n\t\t\t\t]\n\t\t\t};\n\t\t}\n\n\t\treturn pensionDetailsObj;\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\topenCompanyPensionGroupsForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('pensionsSchemeStatusCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'dataTransfer',\n\t'payrollWorker',\n\t'reportData',\n\t'PENSION_PROVIDER_APIS',\n\t'PENSION_SUBMISSION_STATES',\n\t'SUBMISSION_STATES',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\tdataTransfer,\n\t\tpayrollWorker,\n\t\treportData,\n\t\tPENSION_PROVIDER_APIS,\n\t\tPENSION_SUBMISSION_STATES,\n\t\tSUBMISSION_STATES\n\t) {\n\n\tconst agencyProfleId = $scope.agencyProfileId;\n\tconst agencyEmployerPensionid = $scope.agencyEmployerPensionId;\n\tconst callback = $scope.refreshPension; // From parent\n\n\tfunction getReportsForPensionScheme (vmObj, pensionObj) {\n\n\t\tif (vmObj.reportDownloadState === 'loading') {\n\t\t\treportData.getClassicReports(agencyProfleId, pensionObj.PreviousPayPeriod.PayPeriodID)\n\t\t\t\t.then(classicReportsArr => {\n\t\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\t\treports: classicReportsArr,\n\t\t\t\t\t\treportDownloadState: 'ready'\n\t\t\t\t\t});\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\t\t}\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('ready');\n\n\t\t$scope.vm = {\n\t\t\treportDownloadState: 'loading',\n\t\t};\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction onUnauthorisedPensionAuthorise (pensionObj) {\n\n\t\tswitch (pensionObj.PensionProviderAPI) {\n\n\t\t\tcase PENSION_PROVIDER_APIS.pensionSync:\n\t\t\t\tdataTransfer.getURLRedirect(pensionObj.PensionSyncAuthUrl);\n\t\t\t\tbreak;\n\n\t\t\tcase PENSION_PROVIDER_APIS.nest:\n\t\t\t\topenAuthoriseNestForm();\n\t\t\t\tbreak;\n\n\t\t\tcase PENSION_PROVIDER_APIS.smart:\n\t\t\t\topenAuthoriseSmartForm();\n\t\t\t\tbreak;\n\n\t\t\tcase PENSION_PROVIDER_APIS.peoplesPension:\n\t\t\t\topenAuthorisePeoplesPensionForm();\n\t\t\t\tbreak;\n\t\t}\n\t}\n\n\tfunction openAuthoriseSmartForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfleId,\n\t\t\tagencyEmployerPensionId: agencyEmployerPensionid,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'pension-scheme-authorise-smart'\n\t\t});\n\t}\n\n\tfunction openAuthoriseNestForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfleId,\n\t\t\tagencyEmployerPensionId: agencyEmployerPensionid,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'pension-scheme-authorise-nest'\n\t\t});\n\t}\n\n\tfunction openAuthorisePeoplesPensionForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfleId,\n\t\t\tagencyEmployerPensionId: agencyEmployerPensionid,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'pension-scheme-authorise-peoples-pension'\n\t\t});\n\t}\n\n\tfunction openContributionsSinceDateModal () {\n\n\t\t$rootScope.openModalDialog({\n\t\t\tmodalKey: 'pension-scheme-contributions-since-date'\n\t\t});\n\t}\n\n\tfunction openPensionDismissWarningForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfleId,\n\t\t\tagencyEmployerPensionId: agencyEmployerPensionid,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'pension-scheme-dismiss-warning'\n\t\t});\n\t}\n\n\tfunction openPensionTeamForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfleId,\n\t\t\tagencyEmployerPensionId: agencyEmployerPensionid,\n\t\t\tshowPensionContext: true,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'pension-scheme-team'\n\t\t});\n\t}\n\n\tfunction resubmitPension () {\n\n\t\tsetPensionResubmittingState('loading');\n\n\t\tpayrollWorker.payrollResubmitAE(agencyProfleId, agencyEmployerPensionid)\n\t\t\t.then(callback)\n\t\t\t.catch(onError);\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction setPensionResubmittingState (pensionResubmittingState) {\n\t\t$scope.pensionResubmittingState = pensionResubmittingState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tPENSION_SUBMISSION_STATES,\n\t\tSUBMISSION_STATES,\n\n\t\tgetURLRedirect: dataTransfer.getURLRedirect,\n\t\tgetReportsForPensionScheme,\n\t\tonUnauthorisedPensionAuthorise,\n\t\topenAuthoriseNestForm,\n\t\topenAuthorisePeoplesPensionForm,\n\t\topenAuthoriseSmartForm,\n\t\topenContributionsSinceDateModal,\n\t\topenPensionDismissWarningForm,\n\t\topenPensionTeamForm,\n\t\tresubmitPension,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('pensionsSchemeTeamCtrl', ['$q', '$rootScope', '$scope', '$stateParams', 'bulkService', 'filterService', 'pensionData', 'searchService',\n\tfunction ($q, $rootScope, $scope, $stateParams, bulkService, filterService, pensionData, searchService) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst agencyEmployerPensionId = $stateParams.agencyEmployerPensionId;\n\tconst applyfilter = $stateParams.applyfilter;\n\tconst pensionObj = $scope.pension; // From parent\n\n\tfunction decorateTeam (teamMembersArr) {\n\n\t\t// Kick off demo tooltip for first team member\n\t\tif (teamMembersArr.length > 0) {\n\t\t\tteamMembersArr[0].showDemo = true;\n\t\t}\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tlet userId; // Undefined\n\n\t\tconst getUserAgencyProfilesForWorkplacePension = pensionData.getUserAgencyProfilesForWorkplacePension(agencyProfileId, agencyEmployerPensionId);\n\t\tconst getPensionGroupsForAgency = pensionData.getPensionGroupsForAgency(agencyProfileId, agencyEmployerPensionId, userId);\n\n\t\t$q.all([getUserAgencyProfilesForWorkplacePension, getPensionGroupsForAgency]).then(([teamMembersArr, companyPensionGroupsArr]) => {\n\n\t\t\tdecorateTeam(teamMembersArr);\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tfilterBarOptions: filterService.getFilterBarOptionsPensionTeam(companyPensionGroupsArr, pensionObj),\n\t\t\t\tteamMembers: bulkService.getBulkItemsObj(teamMembersArr)\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(function (error) {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction openPensionTeamForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyEmployerPensionId: agencyEmployerPensionId,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'pension-scheme-team'\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tinit,\n\t\topenPensionTeamForm,\n\n\t\tagencyEmployerPensionId: agencyEmployerPensionId,\n\t\tagencyProfileId: agencyProfileId,\n\t\tapplyfilter,\n\t\tmodal: {},\n\t\tsearchBarOptions: searchService.pensionTeam,\n\t});\n\n\t$rootScope.$on('update-pension-team', init);\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tconst directory = 'features/app/team/';\n\tconst profileDirectory = directory + 'profile/';\n\tconst profileTabsDirectory = profileDirectory + 'tabs/';\n\n\t$stateProvider\n\n\t.state('team', {\n\t\tabstract: true,\n\t\turl: '/team/:agencyProfileId?applyfilter&presetfilterkey',\n\t\ttemplateUrl: directory + 'teamView.html',\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\tdata: {\n\t\t\tpermissions: [\n\t\t\t\t'isTeamVisible'\n\t\t\t],\n\t\t\ttitle: 'Team'\n\t\t},\n\t})\n\t\t.state('team.members', {\n\t\t\turl: '',\n\t\t\ttemplateUrl: directory + 'members/teamView.html',\n\t\t\tcontroller: 'teamCtrl',\n\t\t\tdata: {\n\t\t\t\tcompanyFlagRedirect: {\n\t\t\t\t\tIsPayslipManagerActive: 'team.manager'\n\t\t\t\t},\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\ttags: ['company-team-members']\n\t\t\t\t}\n\t\t\t}\n\t\t})\n\n\t\t.state('team.leavers', {\n\t\t\turl: '/leavers',\n\t\t\ttemplateUrl: directory + 'leavers/teamLeaversView.html',\n\t\t\tcontroller: 'teamLeaversCtrl',\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\ttags: ['company-leavers']\n\t\t\t\t}\n\t\t\t}\n\t\t})\n\n\t\t.state('team.manager', {\n\t\t\turl: '/manager',\n\t\t\ttemplateUrl: directory + 'manager/teamManagerView.html',\n\t\t\treloadOnSearch: false,\n\t\t\tcontroller: 'teamManagerCtrl'\n\t\t})\n\n\t\t.state('team.moved-payrolls', {\n\t\t\turl: '/moved-payrolls',\n\t\t\ttemplateUrl: directory + 'moved-payrolls/teamMovedPayrollsView.html',\n\t\t\tcontroller: 'teamMovedPayrollsCtrl',\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\ttags: ['company-moved-payrolls']\n\t\t\t\t}\n\t\t\t}\n\t\t})\n\n\t\t.state('team.imports', {\n\t\t\turl: '/imports',\n\t\t\ttemplateUrl: directory + 'imports/teamImportsView.html',\n\t\t\tcontroller: 'teamImportsCtrl',\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\ttags: ['company-team-imports']\n\t\t\t\t}\n\t\t\t}\n\t\t})\n\n\t\t.state('team.people-hr-updates', {\n\t\t\turl: '/people-hr-updates',\n\t\t\ttemplateUrl: directory + 'people-hr-updates/team-people-hr-updates.view.html',\n\t\t\tcontroller: 'teamPeopleHrUpdatesCtrl',\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\ttags: ['company-team-people-hr-updates']\n\t\t\t\t}\n\t\t\t}\n\t\t})\n\n\t\t.state('team.profile', {\n\t\t\tabstract: true,\n\t\t\turl: '/profile/:userId?archivedEmploymentId&from',\n\t\t\ttemplateUrl: profileDirectory + 'profileView.html',\n\t\t\tcontroller: 'profileCtrl',\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\ttags: ['company-team-members']\n\t\t\t\t}\n\t\t\t}\n\t\t})\n\t\t\t.state('team.profile.overview', {\n\t\t\t\turl: '',\n\t\t\t\ttemplateUrl: profileTabsDirectory + 'profileOverviewView.html'\n\t\t\t})\n\n\t\t\t.state('team.profile.information', {\n\t\t\t\turl: '/information',\n\t\t\t\ttemplateUrl: profileTabsDirectory + 'profileInformationView.html',\n\t\t\t\tcontroller: 'profileInformationCtrl'\n\t\t\t})\n\n\t\t\t.state('team.profile.pension', {\n\t\t\t\turl: '/pension',\n\t\t\t\ttemplateUrl: profileTabsDirectory + 'profilePensionView.html',\n\t\t\t\tcontroller: 'profilePensionCtrl'\n\t\t\t})\n\n\t\t\t.state('team.profile.payments', {\n\t\t\t\turl: '/payments',\n\t\t\t\ttemplateUrl: profileTabsDirectory + 'profilePaymentsView.html',\n\t\t\t\tcontroller: 'profilePaymentsCtrl'\n\t\t\t})\n\n\t\t\t.state('team.profile.documents', {\n\t\t\t\turl: '/documents',\n\t\t\t\ttemplateUrl: profileTabsDirectory + 'profileDocumentsView.html',\n\t\t\t\tcontroller: 'profileDocumentsCtrl'\n\t\t\t})\n\n\t\t\t.state('team.profile.holiday', {\n\t\t\t\turl: '/holiday',\n\t\t\t\ttemplateUrl: profileTabsDirectory + 'profileHolidayView.html',\n\t\t\t\tcontroller: 'profileHolidayCtrl'\n\t\t\t})\n\n\t\t\t.state('team.profile.sickness', {\n\t\t\t\turl: '/sickness',\n\t\t\t\ttemplateUrl: profileTabsDirectory + 'profileSicknessView.html',\n\t\t\t\tcontroller: 'profileSicknessCtrl'\n\t\t\t})\n\n\t\t\t.state('team.profile.history', {\n\t\t\t\turl: '/history',\n\t\t\t\ttemplateUrl: profileTabsDirectory + 'profileHistoryView.html',\n\t\t\t\tcontroller: 'profileHistoryCtrl'\n\t\t\t})\n\n\t\t\t.state('team.profile.account', {\n\t\t\t\turl: '/account',\n\t\t\t\ttemplateUrl: profileTabsDirectory + 'profile-account.view.html',\n\t\t\t\tcontroller: 'profileAccountCtrl'\n\t\t\t})\n\n\t\t\t.state('team.profile.schedules', {\n\t\t\t\turl: '/schedules',\n\t\t\t\ttemplateUrl: profileTabsDirectory + 'profileSchedulesView.html',\n\t\t\t\tcontroller: 'profileSchedulesCtrl'\n\t\t\t})\n\n\t\t\t.state('team.profile.link-rates', {\n\t\t\t\turl: '/link-rates',\n\t\t\t\ttemplateUrl: profileTabsDirectory + 'link-rates/profile-link-rates.view.html',\n\t\t\t\tcontroller: 'profileLinkRatesCtrl'\n\t\t\t})\n\n\t\t\t.state('team.profile.tax-status', {\n\t\t\t\turl: '/tax-status',\n\t\t\t\ttemplateUrl: profileTabsDirectory + 'profile-tax-status.view.html',\n\t\t\t\tcontroller: 'profileTaxStatusCtrl'\n\t\t\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('teamMovedPayrollsCtrl', ['$scope', '$stateParams', 'bulkService', 'filterService', 'searchService', 'userData',\n\tfunction ($scope, $stateParams, bulkService, filterService, searchService, userData) {\n\n\tvar agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tuserData.getTeamMembersForMovedPayrolls(agencyProfileId).then(function (teamMembersArr) {\n\n\t\t\t$scope.vm = {\n\t\t\t\tagencyProfileId: agencyProfileId,\n\t\t\t\tfilterBarOptions: filterService.archivedTeamMembers,\n\t\t\t\tsearchBarOptions: searchService.archivedTeamMembers,\n\t\t\t\tteamMembers: bulkService.getBulkItemsObj(teamMembersArr)\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(function (error) {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\t$scope.init = function () {\n\n\t\tinit();\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('teamImportsCtrl', [\n\t'$scope',\n\t'$stateParams',\n\t'dataImport',\n\t'filterService',\n\t'importService',\n\t'payrollData',\n\t'searchService',\n\t'IMPORT_MAPPING_TYPES',\n\tfunction (\n\t\t$scope,\n\t\t$stateParams,\n\t\tdataImport,\n\t\tfilterService,\n\t\timportService,\n\t\tpayrollData,\n\t\tsearchService,\n\t\tIMPORT_MAPPING_TYPES\n\t) {\n\n\tconst INCLUDE_DELETED = true;\n\tconst INCLUDE_TEAM_IMPORTS = true;\n\tconst INCLUDE_PERIOD_IMPORTS = false;\n\tconst IMPORT_TYPE = IMPORT_MAPPING_TYPES.team;\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst currentCompanyObj = $scope.currentCompany; // From root\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tpayrollData.getPayPeriodCurrent(agencyProfileId).then((payPeriodObj) => {\n\n\t\t\tdataImport.getUserImportGroups(agencyProfileId, payPeriodObj.AgencyPayPeriodID, INCLUDE_DELETED, INCLUDE_TEAM_IMPORTS, INCLUDE_PERIOD_IMPORTS, IMPORT_TYPE).then((importGroupsArr) => {\n\n\t\t\t\t$scope.vm = {\n\t\t\t\t\tfilterBarOptions: filterService.getFilterBarOptionsTeamImports(currentCompanyObj),\n\t\t\t\t\timportGroups: importGroupsArr.filter(importService.decorateImportGroup),\n\t\t\t\t\timportGroupsFiltered: [],\n\t\t\t\t\tpayPeriod: payPeriodObj,\n\t\t\t\t\tsearchBarOptions: searchService.currentPeriodImports\n\t\t\t\t};\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch((error) => {\n\t\t\t\tconsole.error(error);\n\t\t\t\tsetPageState('error');\n\t\t\t});\n\t\t})\n\t\t.catch((error) => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\trefreshPage: init,\n\t\tagencyProfileId\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('teamLeaversCtrl', [\n\t'$q',\n\t'$scope',\n\t'$stateParams',\n\t'bulkService',\n\t'config',\n\t'filterService',\n\t'payrollData',\n\t'searchService',\n\t'teamData',\n\t'teamService',\n\tfunction (\n\t\t$q,\n\t\t$scope,\n\t\t$stateParams,\n\t\tbulkService,\n\t\tconfig,\n\t\tfilterService,\n\t\tpayrollData,\n\t\tsearchService,\n\t\tteamData,\n\t\tteamService\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction decorateTeamMembers (teamMemberObj) {\n\n\t\tteamService.decorateTeamMember(teamMemberObj);\n\n\t\t// Hide actions on leaver card\n\t\tteamMemberObj.isArchivedLeaver = teamMemberObj.ArchivedEmploymentID !== config.guidEmpty;\n\n\t\treturn teamMemberObj;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst RETURN_LEAVERS = true;\n\n\t\tconst getTeamMembers = teamData.getTeamMembers(agencyProfileId, RETURN_LEAVERS);\n\t\tconst getTeamMembersForArchivedEmployments = teamData.getTeamMembersForArchivedEmployments(agencyProfileId);\n\t\tconst getPayPeriodMinimum = payrollData.getPayPeriodMinimum(agencyProfileId);\n\n\t\t$q.all([getTeamMembers, getTeamMembersForArchivedEmployments, getPayPeriodMinimum])\n\t\t\t.then(([leaversArr, archivedEmploymentsArr, payPeriodObj]) => {\n\n\t\t\t\tconst teamMembersArr = leaversArr.concat(archivedEmploymentsArr).filter(decorateTeamMembers);\n\n\t\t\t\t$scope.vm = {\n\t\t\t\t\tcurrentPayPeriod: payPeriodObj,\n\t\t\t\t\tleavers: bulkService.getBulkItemsObj(teamMembersArr)\n\t\t\t\t};\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\trefreshLeavers: init,\n\n\t\tfilterBarOptions: filterService.leavers,\n\t\tsearchBarOptions: searchService.leavers,\n\t\tagencyProfileId: agencyProfileId,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('teamManagerCtrl', [\n\t'$scope',\n\t'$stateParams',\n\t'bulkService',\n\t'searchService',\n\t'teamData',\n\n\tfunction (\n\t\t$scope,\n\t\t$stateParams,\n\t\tbulkService,\n\t\tsearchService,\n\t\tteamData\n\t) {\n\n\tconst LEAVERS = false;\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tteamData.getTeamMembers(agencyProfileId, LEAVERS)\n\t\t\t.then(teamMembersArr => {\n\n\t\t\t\t$scope.vm = {\n\t\t\t\t\tteamMembers: bulkService.getBulkItemsObj(teamMembersArr),\n\t\t\t\t\tsearchBarOptions: searchService.teamManager,\n\t\t\t\t};\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tinit,\n\n\t\tagencyProfileId\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('teamCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'agency',\n\t'bulkService',\n\t'filterService',\n\t'payrollData',\n\t'reportData',\n\t'searchService',\n\t'teamData',\n\t'utilities',\n\t'DOCUMENT_TYPES',\n\t'CORRECTIONAL_SUBMISSION_TYPES',\n\t'FORM_WIZARD_KEYS',\n\t'PAYROLL_MOVE_STATUSES',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tagency,\n\t\tbulkService,\n\t\tfilterService,\n\t\tpayrollData,\n\t\treportData,\n\t\tsearchService,\n\t\tteamData,\n\t\tutilities,\n\t\tDOCUMENT_TYPES,\n\t\tCORRECTIONAL_SUBMISSION_TYPES,\n\t\tFORM_WIZARD_KEYS,\n\t\tPAYROLL_MOVE_STATUSES\n\t) {\n\n\tconst LEAVERS = false;\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst applyfilter = $stateParams.applyfilter;\n\tconst currentCompanyObj = $rootScope.currentCompany;\n\tconst presetFilterKey = $stateParams.presetfilterkey;\n\n\tfunction getApplicableTeamMembers (teamMemberObj) {\n\t\t// Remove excluded team members that are in the process of moving payrolls, otherwise they'll appear in two places\n\t\treturn !(teamMemberObj.ExcludeFromPayroll && teamMemberObj.PayrollMoveStatus === PAYROLL_MOVE_STATUSES.Outward);\n\t}\n\n\tfunction getHasSetupBusinessCategories (businessCategoriesArr) {\n\t\treturn businessCategoriesArr.some(businessCategoryObj => businessCategoryObj.BusinessCodes.length > 0);\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getTeamMembers = teamData.getTeamMembers(agencyProfileId, LEAVERS);\n\t\tconst getPayPeriodMinimum = payrollData.getPayPeriodMinimum(agencyProfileId);\n\t\tconst getBusinessCategoriesList = reportData.getBusinessCategoryListForAgency(agencyProfileId);\n\t\tconst getAgencyDepartments = agency.getAgencyDepartments(agencyProfileId);\n\n\t\t$q.all([getTeamMembers, getPayPeriodMinimum, getBusinessCategoriesList, getAgencyDepartments])\n\t\t\t.then(([teamMembersArr, payPeriodObj, businessCategoriesArr, departmentsArr]) => {\n\n\t\t\t\tangular.extend($scope, {\n\t\t\t\t\tcompany: currentCompanyObj,\n\t\t\t\t\tcurrentPayPeriod: payPeriodObj,\n\t\t\t\t\tfilterBarOptions: filterService.getFilterBarOptionsTeam(currentCompanyObj, departmentsArr),\n\t\t\t\t\thasSetupBusinessCategories: getHasSetupBusinessCategories(businessCategoriesArr),\n\t\t\t\t\tsearchBarOptions: searchService.team,\n\t\t\t\t\tteamMembers: bulkService.getBulkItemsObj(teamMembersArr.filter(getApplicableTeamMembers)),\n\t\t\t\t});\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openAddLinkRateForm (filteredTeamMembers) {\n\n\t\tconst selectedTeamMemberIdsArr = bulkService.getValuesFromSelectedItems(filteredTeamMembers, 'UserID');\n\n\t\tif (!selectedTeamMemberIdsArr.length) {\n\t\t\tconsole.warn('Team members need to be selected to add link rates.');\n\t\t\treturn;\n\t\t}\n\n\t\tif (selectedTeamMemberIdsArr.length > 1) {\n\t\t\t$rootScope.openSlideInForm({\n\t\t\t\tagencyProfileId: agencyProfileId,\n\t\t\t\tformKey: 'link-rate',\n\t\t\t\tuserId: selectedTeamMemberIdsArr[0],\n\t\t\t\tuserIds: selectedTeamMemberIdsArr\n\t\t\t});\n\t\t}\n\t\telse {\n\t\t\t$rootScope.openSlideInForm({\n\t\t\t\tagencyProfileId: agencyProfileId,\n\t\t\t\tcontextType: 'user',\n\t\t\t\tformKey: 'link-rate',\n\t\t\t\tuserId: selectedTeamMemberIdsArr[0]\n\t\t\t});\n\t\t}\n\t}\n\n\tfunction openAddTeamMemberWizard () {\n\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tisPayPeriodCurrentRequired: true,\n\t\t\twizardKey: FORM_WIZARD_KEYS.teamMemberAdd\n\t\t});\n\t}\n\n\tfunction openAddToBusinessCategoryForm (filteredTeamMembers) {\n\n\t\tconst selectedTeamMemberIDs = bulkService.getValuesFromSelectedItems(filteredTeamMembers, 'UserID');\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'add-to-business-category',\n\t\t\tuserIds: selectedTeamMemberIDs\n\t\t});\n\t}\n\n\tfunction openAdvanceFuturePeriodsForm (filteredTeamMembers, currentPayPeriodObj) {\n\n\t\tconst selectedTeamMemberIDs = bulkService.getValuesFromSelectedItems(filteredTeamMembers, 'UserID');\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\t// Context is 'user' when a single team member has been selected, 'company' for bulk operations\n\t\t\tcontextType: selectedTeamMemberIDs.length === 1 ? 'user' : 'company',\n\t\t\tformKey: 'advance-future-periods',\n\t\t\t// UserID used for context type 'user', otherwise not applicable\n\t\t\tuserId: selectedTeamMemberIDs.length === 1 ? selectedTeamMemberIDs[0] : undefined,\n\t\t\tuserIds: selectedTeamMemberIDs,\n\t\t\tcurrentPayPeriod: currentPayPeriodObj\n\t\t});\n\t}\n\n\tfunction getTeamMemberCounts (teamMembersArr) {\n\n\t\tlet teamMemberCounts = {\n\t\t\tcanBeDeleted: [],\n\t\t\tcannotBeDeleted: [],\n\t\t\ttotal: teamMembersArr.length\n\t\t};\n\n\t\tteamMembersArr.forEach(teamMemberObj => {\n\n\t\t\t// Only applicable to team members in setup mode who aren't restarters\n\t\t\tif (teamMemberObj.IsInSetupMode && !teamMemberObj.IsRestarter) {\n\t\t\t\tteamMemberCounts.canBeDeleted.push(teamMemberObj);\n\t\t\t}\n\t\t\telse {\n\t\t\t\tteamMemberCounts.cannotBeDeleted.push(teamMemberObj);\n\t\t\t}\n\t\t});\n\n\t\treturn teamMemberCounts;\n\t}\n\n\tfunction openDeleteTeamMembersForm (teamMembersArr) {\n\n\t\tconst selectedTeamMemberIdsArr = bulkService.getValuesFromSelectedItems(teamMembersArr, 'UserID');\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'delete-team-member',\n\t\t\tuserIds: selectedTeamMemberIdsArr\n\t\t});\n\t}\n\n\tfunction openCorrectionalSubmissionForm (correctionalSubmissionType, filteredTeamMembers) {\n\n\t\tconst selectedTeamMembers = bulkService.getValuesFromSelectedItems(filteredTeamMembers, 'UserID');\n\n\t\tif (!filteredTeamMembers.length) {\n\t\t\tconsole.warn(`Team members need to be selected to ${correctionalSubmissionType === CORRECTIONAL_SUBMISSION_TYPES.YTDFPS ? 'submit an Earlier Year FPS' : 'run an early year update'}.`);\n\t\t\treturn;\n\t\t}\n\n\t\tconst eyuFormOptionsObj = {\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcorrectionalSubmissionType: correctionalSubmissionType,\n\t\t\tformKey: 'correctional-submission',\n\t\t\ttitle: correctionalSubmissionType === CORRECTIONAL_SUBMISSION_TYPES.YTDFPS ? 'Submit Earlier Year FPS' : 'Earlier year update',\n\t\t\tuserIds: selectedTeamMembers\n\t\t};\n\n\t\tif (selectedTeamMembers.length === 1) {\n\t\t\tangular.extend(eyuFormOptionsObj, {\n\t\t\t\tcontextType: 'user',\n\t\t\t\tuserId: selectedTeamMembers[0]\n\t\t\t});\n\t\t}\n\n\t\t$rootScope.openSlideInForm(eyuFormOptionsObj);\n\t}\n\n\tfunction openFurloughForm (filteredTeamMembers) {\n\n\t\tconst selectedTeamMembersUserIdsArr = bulkService.getValuesFromSelectedItems(filteredTeamMembers, 'UserID');\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'furlough',\n\t\t\tuserIds: selectedTeamMembersUserIdsArr\n\t\t});\n\t}\n\n\tfunction openInviteToRegisterForm (filteredTeamMembersArr) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'invite-to-register',\n\t\t\tuserIds: bulkService.getValuesFromSelectedItems(filteredTeamMembersArr, 'UserID')\n\t\t});\n\t}\n\n\tfunction openFurloughModal () {\n\n\t\t$rootScope.openModalDialog({\n\t\t\tcallback: openFurloughForm.bind(undefined, $scope.teamMembers.filtered),\n\t\t\tmodalKey: 'team-furlough',\n\t\t});\n\t}\n\n\tfunction openOnHoldForm (filteredTeamMembers, markAsOnHold) {\n\n\t\tconst selectedTeamMembersUserIdsArr = bulkService.getValuesFromSelectedItems(filteredTeamMembers, 'UserID');\n\n\t\tlet formOptions = {\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'on-hold',\n\t\t\tisOnHold: markAsOnHold ? false : true,\n\t\t\ttitle: markAsOnHold ? 'Mark as ‘On hold’' : 'Mark as ‘Active on payroll’'\n\t\t};\n\n\t\tif (selectedTeamMembersUserIdsArr.length === 1) {\n\t\t\tformOptions.userId = selectedTeamMembersUserIdsArr[0];\n\t\t\tformOptions.contextType = 'user';\n\t\t}\n\t\telse {\n\t\t\tformOptions.userIds = selectedTeamMembersUserIdsArr;\n\t\t}\n\n\t\t$rootScope.openSlideInForm(formOptions);\n\t}\n\n\tfunction openSupplementaryPayRunForm (filteredTeamMembers) {\n\n\t\tconst selectedTeamMembersUserIdsArr = bulkService.getValuesFromSelectedItems(filteredTeamMembers, 'UserID');\n\n\t\t// Pass in team member if just a single one has been selected\n\t\tlet teamMember;\n\t\tif (filteredTeamMembers.length === 1) {\n\t\t\tteamMember = filteredTeamMembers[0];\n\t\t}\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tavailableWhenTeamMemberIsAdvancingOrAdvanced: filteredTeamMembers.length > 1 ? true : false,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'supplementary-pay-run',\n\t\t\tteamMember,\n\t\t\tuserId: teamMember ? teamMember.UserID : null,\n\t\t\tuserIds: selectedTeamMembersUserIdsArr\n\t\t});\n\t}\n\n\tfunction openUnmarkAsAdvancingForm (filteredTeamMembers) {\n\n\t\tconst selectedTeamMemberIDs = bulkService.getValuesFromSelectedItems(filteredTeamMembers, 'UserID');\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\t// Context is 'user' when a single team member has been selected, 'company' for bulk operations\n\t\t\tcontextType: selectedTeamMemberIDs.length === 1 ? 'user' : 'company',\n\t\t\tformKey: 'unmark-as-advancing',\n\t\t\t// UserID used for context type 'user', otherwise not applicable\n\t\t\tuserId: selectedTeamMemberIDs.length === 1 ? selectedTeamMemberIDs[0] : undefined,\n\t\t\tuserIds: selectedTeamMemberIDs\n\t\t});\n\t}\n\n\tfunction refreshTeamMemberFromObject (callbackObj) {\n\n\t\tconst index = utilities.getArrayItemIndexByPropertyName($scope.teamMembers.all, null, callbackObj.userId, 'UserID');\n\n\n\n\t\tif (index !== null) {\n\n\t\t\t// Set original PayrollIDSequence to add back to team member once updted\n\t\t\t// https://www.notion.so/paycircle/Team-Payroll-ID-sort-order-becomes-incorrect-when-adding-a-change-in-current-period-e413a8f6d40f424bb321cc0198116b41#b38b16d43cd0482689ccfb36cb29af15\n\t\t\tcallbackObj.updatedTeamMemberObj.PayrollIDSequence = $scope.teamMembers.all[index].PayrollIDSequence;\n\n\t\t\t$scope.teamMembers.all[index] = callbackObj.updatedTeamMemberObj;\n\t\t}\n\t\telse {\n\t\t\t$rootScope.paycircleMessage('Unable to match user by user ID to refresh', 'warn');\n\t\t}\n\t}\n\n\tfunction reviewAdvanceFuturePeriodTeamMembers (filteredTeamMembers, currentPayPeriod) {\n\n\t\tconst selectedTeamMembersArr = bulkService.getSelectedItems(filteredTeamMembers);\n\n\t\tconst advanceFuturePeriods = {\n\t\t\tteamMembers: [],\n\t\t\tcounts: {\n\t\t\t\tadvancingOrAdvanced: 0,\n\t\t\t\tonHold: 0,\n\t\t\t\tincomplete: 0,\n\t\t\t\tleaverOrLeaving: 0,\n\t\t\t\tother: 0,\n\t\t\t\ttotal: selectedTeamMembersArr.length,\n\t\t\t\ttotalAllowed: 0,\n\t\t\t\ttotalNotAllowed: 0\n\t\t\t}\n\t\t};\n\n\t\t// Count up team members based on validity or invalidity w.r.t. advance future periods operation\n\t\tselectedTeamMembersArr.forEach(teamMemberObj => {\n\n\t\t\tif (teamMemberObj.IsAdvancingFuturePeriods || teamMemberObj.HasAdvancedFuturePeriods) {\n\t\t\t\tadvanceFuturePeriods.counts.advancingOrAdvanced++;\n\t\t\t}\n\t\t\telse if (teamMemberObj.IsOnHold) {\n\t\t\t\tadvanceFuturePeriods.counts.onHold++;\n\t\t\t}\n\t\t\telse if (!teamMemberObj.IsComplete) {\n\t\t\t\tadvanceFuturePeriods.counts.incomplete++;\n\t\t\t}\n\t\t\telse if (teamMemberObj.IsLeaver || teamMemberObj.IsLeaving) {\n\t\t\t\tadvanceFuturePeriods.counts.leaverOrLeaving++;\n\t\t\t}\n\t\t\telse if (!teamMemberObj.CanAdvanceFuturePeriods) {\n\t\t\t\tadvanceFuturePeriods.counts.other++;\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// This one's OK ....\n\t\t\t\tadvanceFuturePeriods.teamMembers.push(teamMemberObj);\n\t\t\t\tadvanceFuturePeriods.counts.totalAllowed++;\n\t\t\t}\n\t\t});\n\n\t\t// Calc total invalid\n\t\tadvanceFuturePeriods.counts.totalNotAllowed = advanceFuturePeriods.counts.total - advanceFuturePeriods.counts.totalAllowed;\n\n\t\t// If any aren't allowed, show the summary, otherwise proceed with the operation\n\t\tif (advanceFuturePeriods.counts.totalNotAllowed !== 0) {\n\t\t\t$rootScope.openModalDialog({\n\t\t\t\tmodalData: advanceFuturePeriods,\n\t\t\t\tmodalKey: 'team-advance-pay-periods',\n\t\t\t\tcallback: () => {\n\t\t\t\t\topenAdvanceFuturePeriodsForm(advanceFuturePeriods.teamMembers, currentPayPeriod);\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\t\telse {\n\t\t\topenAdvanceFuturePeriodsForm(advanceFuturePeriods.teamMembers, currentPayPeriod);\n\t\t}\n\t}\n\n\tfunction reviewDeleteTeamMembers (filteredTeamMembers) {\n\n\t\tconst teamMemberCounts = getTeamMemberCounts(filteredTeamMembers);\n\n\t\t// Noone selected can be deleted\n\t\tif (teamMemberCounts.cannotBeDeleted.length > 0) {\n\n\t\t\t$rootScope.openModalDialog({\n\t\t\t\tmodalKey: 'team-bulk-delete-summary',\n\t\t\t\tmodalData: {\n\t\t\t\t\tagencyProfileId,\n\t\t\t\t\tcallback: init,\n\t\t\t\t\tteamMemberCounts\n\t\t\t\t}\n\t\t\t});\n\n\t\t\treturn;\n\t\t}\n\n\t\topenDeleteTeamMembersForm(teamMemberCounts.canBeDeleted);\n\t}\n\n\tfunction reviewCorrectionalSubmissionTeamMembers (correctionalSubmissionType, filteredTeamMembers) {\n\t\tconst selectedTeamMembersArr = bulkService.getSelectedItems(filteredTeamMembers);\n\n\t\tlet correctionalSubmissionDto = {\n\t\t\tcorrectionalSubmissionType,\n\t\t\tteamMembers: [],\n\t\t\tcounts: {\n\t\t\t\tadvancedOrAdvancing: 0,\n\t\t\t\ttotal: selectedTeamMembersArr.length,\n\t\t\t\ttotalAllowed: 0,\n\t\t\t\ttotalNotAllowed: 0\n\t\t\t}\n\t\t};\n\n\t\tcorrectionalSubmissionDto.teamMembers = selectedTeamMembersArr.filter(teamMemberObj => {\n\n\t\t\tif (teamMemberObj.IsAdvancingFuturePeriods || teamMemberObj.HasAdvancedFuturePeriods) {\n\t\t\t\tcorrectionalSubmissionDto.counts.advancedOrAdvancing++;\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tcorrectionalSubmissionDto.counts.totalAllowed++;\n\n\t\t\treturn teamMemberObj;\n\t\t});\n\n\t\tcorrectionalSubmissionDto.counts.totalNotAllowed = correctionalSubmissionDto.counts.total - correctionalSubmissionDto.counts.totalAllowed;\n\n\t\tif (correctionalSubmissionDto.counts.totalNotAllowed > 0) {\n\t\t\t$rootScope.openModalDialog({\n\t\t\t\tmodalData: correctionalSubmissionDto,\n\t\t\t\tmodalKey: 'team-correctional-submission',\n\t\t\t\ttitle: correctionalSubmissionType === CORRECTIONAL_SUBMISSION_TYPES.YTDFPS ? 'Submit Earlier Year FPS' : 'Earlier year update',\n\t\t\t\tcallback: () => {\n\t\t\t\t\topenCorrectionalSubmissionForm(correctionalSubmissionType, correctionalSubmissionDto.teamMembers);\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\t\telse {\n\t\t\topenCorrectionalSubmissionForm(correctionalSubmissionType, correctionalSubmissionDto.teamMembers);\n\t\t}\n\t}\n\n\tfunction reviewOnHoldTeamMembers (filteredTeamMembers, markAsOnHold) {\n\n\t\t// Get selected team members\n\t\tconst selectedTeamMembersArr = bulkService.getSelectedItems(filteredTeamMembers);\n\n\t\tlet markAsOnHoldOrActive = {\n\t\t\tteamMembers: [],\n\t\t\tcounts: {\n\t\t\t\tadvancedOrAdvancing: 0,\n\t\t\t\t// Applicable when marking as 'on hold'\n\t\t\t\talreadyOnHold: 0,\n\t\t\t\t// Applicable only when marking as 'active' (effectively unmarking as 'on hold')\n\t\t\t\talreadyActive: 0,\n\t\t\t\ttotal: selectedTeamMembersArr.length,\n\t\t\t\ttotalAllowed: 0,\n\t\t\t\ttotalNotAllowed: 0\n\t\t\t},\n\t\t\t// Copy flag to indicate operation - mark as 'on hold' (true) or mark as 'active' (false)\n\t\t\tmarkAsOnHold\n\t\t};\n\n\t\t// Derive counts based on validity of operation\n\t\tselectedTeamMembersArr.forEach(teamMemberObj => {\n\t\t\tif (markAsOnHold && teamMemberObj.IsOnHold) {\n\t\t\t\tmarkAsOnHoldOrActive.counts.alreadyOnHold++;\n\t\t\t}\n\t\t\telse if (!markAsOnHold && !teamMemberObj.IsOnHold) {\n\t\t\t\tmarkAsOnHoldOrActive.counts.alreadyActive++;\n\t\t\t}\n\t\t\telse if (teamMemberObj.IsAdvancingFuturePeriods || teamMemberObj.HasAdvancedFuturePeriods) {\n\t\t\t\tmarkAsOnHoldOrActive.counts.advancedOrAdvancing++;\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// OK to proceed with operation\n\t\t\t\tmarkAsOnHoldOrActive.teamMembers.push(teamMemberObj);\n\t\t\t\tmarkAsOnHoldOrActive.counts.totalAllowed++;\n\t\t\t}\n\t\t});\n\n\t\t// Calculate total invalid\n\t\tmarkAsOnHoldOrActive.counts.totalNotAllowed = markAsOnHoldOrActive.counts.total - markAsOnHoldOrActive.counts.totalAllowed;\n\n\t\t// If any aren't allowed, show the summary, otherwise proceed with the operation as normal\n\t\tif (markAsOnHoldOrActive.counts.totalNotAllowed !== 0) {\n\t\t\t$rootScope.openModalDialog({\n\t\t\t\tmodalData: markAsOnHoldOrActive,\n\t\t\t\tmodalKey: 'team-mark-as-on-hold-or-active',\n\t\t\t\ttitle: markAsOnHold ? 'Mark as ‘On hold’' : 'Mark as ‘Active on payroll’',\n\t\t\t\tcallback: () => {\n\t\t\t\t\topenOnHoldForm(markAsOnHoldOrActive.teamMembers, markAsOnHold);\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\t\telse {\n\t\t\topenOnHoldForm(markAsOnHoldOrActive.teamMembers, markAsOnHold);\n\t\t}\n\t}\n\n\tfunction reviewUnmarkAsAdvancingTeamMembers (filteredTeamMembers) {\n\n\t\tconst selectedTeamMembersArr = bulkService.getSelectedItems(filteredTeamMembers);\n\n\t\tlet unmarkAsAdvancing = {\n\t\t\tteamMembers: [],\n\t\t\tcounts: {\n\t\t\t\tnotAdvancing: 0,\n\t\t\t\ttotal: selectedTeamMembersArr.length,\n\t\t\t\ttotalAllowed: 0,\n\t\t\t\ttotalNotAllowed: 0\n\t\t\t}\n\t\t};\n\n\t\t// Count up team members based on validity or invalidity w.r.t. advance future periods operation\n\t\tselectedTeamMembersArr.forEach(teamMemberObj => {\n\n\t\t\tif (!teamMemberObj.IsAdvancingFuturePeriods) {\n\t\t\t\tunmarkAsAdvancing.counts.notAdvancing++;\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// This one's OK ....\n\t\t\t\tunmarkAsAdvancing.teamMembers.push(teamMemberObj);\n\t\t\t\tunmarkAsAdvancing.counts.totalAllowed++;\n\t\t\t}\n\t\t});\n\n\t\t// Calc total invalid\n\t\tunmarkAsAdvancing.counts.totalNotAllowed = unmarkAsAdvancing.counts.total - unmarkAsAdvancing.counts.totalAllowed;\n\n\t\t// If any aren't allowed, show the summary, otherwise proceed with the operation\n\t\tif (unmarkAsAdvancing.counts.totalNotAllowed !== 0) {\n\t\t\t$rootScope.openModalDialog({\n\t\t\t\tmodalData: unmarkAsAdvancing,\n\t\t\t\tmodalKey: 'team-unmark-as-advancing',\n\t\t\t\tcallback: () => {\n\t\t\t\t\topenUnmarkAsAdvancingForm(unmarkAsAdvancing.teamMembers);\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\t\telse {\n\t\t\topenUnmarkAsAdvancingForm(unmarkAsAdvancing.teamMembers);\n\t\t}\n\t}\n\n\tfunction reviewSupplementaryTeamMembers (filteredTeamMembers) {\n\n\t\tconst selectedTeamMembersArr = bulkService.getSelectedItems(filteredTeamMembers);\n\n\t\tlet supplementaryRun = {\n\t\t\tteamMembers: [],\n\t\t\tcounts: {\n\t\t\t\tadvancedOrAdvancing: 0,\n\t\t\t\tcis: 0,\n\t\t\t\texcludedFromRti: 0,\n\t\t\t\tincludedInRti: 0,\n\t\t\t\tincomplete: 0,\n\t\t\t\tleavers: 0,\n\t\t\t\toffPayroll: 0,\n\t\t\t\toriginal: selectedTeamMembersArr.length,\n\t\t\t\tother: 0,\n\t\t\t\ttotalAllowed: 0,\n\t\t\t\ttotalNotAllowed: 0\n\t\t\t}\n\t\t};\n\n\t\tsupplementaryRun.teamMembers = selectedTeamMembersArr.filter(teamMemberObj => {\n\n\t\t\tif (teamMemberObj.IsExcludedFromRTI) {\n\t\t\t\tsupplementaryRun.counts.excludedFromRti++;\n\t\t\t} else {\n\t\t\t\tsupplementaryRun.counts.includedInRti++;\n\t\t\t}\n\n\t\t\tif (!teamMemberObj.IsComplete) {\n\t\t\t\tsupplementaryRun.counts.incomplete++;\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tif (teamMemberObj.IsCISSubcontractor) {\n\t\t\t\tsupplementaryRun.counts.cis++;\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tif (teamMemberObj.IsOffPayrollWorker) {\n\t\t\t\tsupplementaryRun.counts.offPayroll++;\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tif (teamMemberObj.IsAdvancingFuturePeriods || teamMemberObj.HasAdvancedFuturePeriods) {\n\t\t\t\tsupplementaryRun.counts.advancedOrAdvancing++;\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tif (!teamMemberObj.IsSupplementaryAvailable) {\n\t\t\t\tsupplementaryRun.counts.other++;\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tsupplementaryRun.counts.totalAllowed++;\n\n\t\t\treturn teamMemberObj;\n\t\t});\n\n\t\tsupplementaryRun.counts.totalNotAllowed = supplementaryRun.counts.original - supplementaryRun.counts.totalAllowed;\n\n\t\t$scope.supplementaryRun = supplementaryRun;\n\n\t\t// Show warning for a mix of included and ommitted from RTI team members\n\t\tif (supplementaryRun.counts.excludedFromRti > 0 && supplementaryRun.counts.includedInRti > 0) {\n\t\t\t$rootScope.openModalDialog({\n\t\t\t\tmodalData: supplementaryRun,\n\t\t\t\tmodalKey: 'team-excluded-from-rti'\n\t\t\t});\n\t\t\treturn;\n\t\t}\n\n\t\tif (supplementaryRun.counts.totalNotAllowed > 0) {\n\t\t\t$rootScope.openModalDialog({\n\t\t\t\tcallback: openSupplementaryPayRunForm.bind(undefined, supplementaryRun.teamMembers),\n\t\t\t\tmodalData: {\n\t\t\t\t\tsupplementaryRun\n\t\t\t\t},\n\t\t\t\tmodalKey: 'team-supplementary-pay-run'\n\t\t\t});\n\t\t}\n\t\telse {\n\t\t\topenSupplementaryPayRunForm(supplementaryRun.teamMembers);\n\t\t}\n\t}\n\n\tfunction reviewTeamMembersAccountForRegistration (filteredTeamMembersArr) {\n\n\t\tconst selectedTeamMembersArr = bulkService.getSelectedItems(filteredTeamMembersArr);\n\n\t\tlet inviteToRegisterObj = {\n\t\t\tteamMembers: [],\n\t\t\tcounts: {\n\t\t\t\tmissingEmails: 0,\n\t\t\t\talreadyRegistered: 0,\n\t\t\t\toriginal: selectedTeamMembersArr.length,\n\t\t\t\ttotalAllowed: 0,\n\t\t\t\ttotalNotAllowed: 0\n\t\t\t}\n\t\t};\n\n\t\tinviteToRegisterObj.teamMembers = selectedTeamMembersArr.filter(teamMemberObj => {\n\n\t\t\tif (teamMemberObj.IsRegistered) {\n\t\t\t\tinviteToRegisterObj.counts.alreadyRegistered++;\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tif (teamMemberObj.EmailAddress === '') {\n\t\t\t\tinviteToRegisterObj.counts.missingEmails++;\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tinviteToRegisterObj.counts.totalAllowed++;\n\n\t\t\treturn teamMemberObj;\n\t\t});\n\n\t\tinviteToRegisterObj.counts.totalNotAllowed = inviteToRegisterObj.counts.original - inviteToRegisterObj.counts.totalAllowed;\n\n\t\tif (inviteToRegisterObj.counts.totalNotAllowed > 0) {\n\n\t\t\t$rootScope.openModalDialog({\n\t\t\t\tcallback: openInviteToRegisterForm.bind(undefined, inviteToRegisterObj.teamMembers),\n\t\t\t\tmodalKey: 'team-invite-to-register',\n\t\t\t\tmodalData: {\n\t\t\t\t\tinviteToRegister: inviteToRegisterObj\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\t\telse {\n\t\t\topenInviteToRegisterForm(inviteToRegisterObj.teamMembers);\n\t\t}\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tDOCUMENT_TYPES,\n\t\tCORRECTIONAL_SUBMISSION_TYPES,\n\n\t\tagencyProfileId,\n\t\tapplyfilter,\n\t\tpresetFilterKey,\n\t\topenAddLinkRateForm,\n\t\topenAddTeamMemberWizard,\n\t\topenAddToBusinessCategoryForm,\n\t\topenAdvanceFuturePeriodsForm,\n\t\topenDeleteTeamMembersForm,\n\t\topenFurloughForm,\n\t\topenFurloughModal,\n\t\topenInviteToRegisterForm,\n\t\topenOnHoldForm,\n\t\topenSupplementaryPayRunForm,\n\t\topenUnmarkAsAdvancingForm,\n\t\trefreshTeamMemberFromObject,\n\t\trefreshTeam: init,\n\t\treviewAdvanceFuturePeriodTeamMembers,\n\t\treviewCorrectionalSubmissionTeamMembers,\n\t\treviewDeleteTeamMembers,\n\t\treviewOnHoldTeamMembers,\n\t\treviewSupplementaryTeamMembers,\n\t\treviewTeamMembersAccountForRegistration,\n\t\treviewUnmarkAsAdvancingTeamMembers\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('teamPeopleHrUpdatesCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'bulkService',\n\t'config',\n\t'filterService',\n\t'searchService',\n\t'teamData',\n\t'PEOPLE_HR_UPDATES_EVENT_STATUS',\n\t'PEOPLE_HR_UPDATES_EVENT_SERVICE_STATUS',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tbulkService,\n\t\tconfig,\n\t\tfilterService,\n\t\tsearchService,\n\t\tteamData,\n\t\tPEOPLE_HR_UPDATES_EVENT_STATUS,\n\t\tPEOPLE_HR_UPDATES_EVENT_SERVICE_STATUS\n\t) {\n\t\t\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\t\tconst getIntegrationEvents = teamData.getIntegrationEvents(agencyProfileId);\n\t\tconst getIntegrationServiceStatus = teamData.getIntegrationServiceStatus(agencyProfileId);\n\t\n\t\t$q.all([\n\t\t\tgetIntegrationEvents,\n\t\t\tgetIntegrationServiceStatus\n\t\t]).then(([\n\t\t\tintegrationEventsArr,\n\t\t\tintegrationServiceStatusObj\n\t\t]) => {\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tagencyProfileId,\n\t\t\t\t// All the events\n\t\t\t\tintegrationEvents: bulkService.getBulkItemsObj(processEventDataResults(integrationEventsArr)),\n\n\t\t\t\t// The service status\n\t\t\t\tintegrationStatusData: integrationServiceStatusObj,\n\t\t\t\tintegrationServiceStatusText: getIntegrationServiceStatusText(integrationServiceStatusObj)\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t console.error(error);\n\t}\n\n\tfunction processEventDataResults (eventData) {\n\n\t\treturn eventData.map(item =>{\n\n\t\t\t// Convert the date to unix dates for sorting\n\t\t\titem.receivedTimeISOUnix = moment(item.ReceivedTimeISO, config.dateFormatPrimary).unix();\n\t\t\t// Trim is here because if the names are empty then teamMemberFullName will be an empty string.\n\t\t\titem.teamMemberFullname = `${item.Forename} ${item.Surname}`.trim();\n\t\t\t// Can only select Failed events\n\t\t\titem.cannotBeSelected = item.Status !== PEOPLE_HR_UPDATES_EVENT_STATUS.failed;\t\t\t\n\n\t\t\treturn item;\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction getIntegrationServiceStatusText (integrationServiceStatus) {\n\n\t\tswitch (integrationServiceStatus.Status) {\n\n\t\t\tcase PEOPLE_HR_UPDATES_EVENT_SERVICE_STATUS.active:\n\t\t\t \treturn 'active';\n\n\t\t\tcase PEOPLE_HR_UPDATES_EVENT_SERVICE_STATUS.paused:\n\t\t\t\treturn 'paused';\n\t\t }\n\t}\n\n\tfunction retryUpdates () {\n\n\t\tconst messageIds = $scope.integrationEvents.filtered\n\t\t\t\t\t\t\t.filter(event => event.isSelected)\n\t\t\t\t\t\t\t.map(event => event.MessageID);\n\n\t\t// Open the retry form\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $scope.agencyProfileId,\n\t\t\tformKey: 'people-hr-updates-data',\n\t\t\tmessageId: messageIds,\n\t\t\tcallback: init\n\t\t});\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tfilterBarOptions: filterService.peopleHrUpdates,\n\t\tinit,\n\t\tretryUpdates,\n\t\tPEOPLE_HR_UPDATES_EVENT_SERVICE_STATUS,\n\t\tsearchBarOptions: searchService.peopleHrUpdates\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('profileCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'config',\n\t'dataTransfer',\n\t'growl',\n\t'payrollData',\n\t'pensionService',\n\t'scheduleService',\n\t'securityData',\n\t'session',\n\t'tabService',\n\t'teamData',\n\t'teamService',\n\t'user',\n\t'BUSINESS_TYPES',\n\t'CORRECTIONAL_SUBMISSION_TYPES',\n\t'EMPLOYMENT_TYPES',\n\t'EMPLOYMENT_PAYROLL_TYPES',\n\t'FORM_WIZARD_KEYS',\n\t'PAY_PERIOD_TYPES',\n\t'PAYMENT_TYPES',\n\t'PAYROLL_MOVE_STATUSES',\n\t'PENSION_ENROLMENT_STATES',\n\t'PENSION_TYPES',\n\t'PROGRESS_CARD_TYPES',\n\t'PROGRESS_GROUP_ACTION_IDS',\n\t'PROGRESS_GROUP_IDS',\n\t'TAB_KEYS',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\tconfig,\n\t\tdataTransfer,\n\t\tgrowl,\n\t\tpayrollData,\n\t\tpensionService,\n\t\tscheduleService,\n\t\tsecurityData,\n\t\tsession,\n\t\ttabService,\n\t\tteamData,\n\t\tteamService,\n\t\tuser,\n\t\tBUSINESS_TYPES,\n\t\tCORRECTIONAL_SUBMISSION_TYPES,\n\t\tEMPLOYMENT_TYPES,\n\t\tEMPLOYMENT_PAYROLL_TYPES,\n\t\tFORM_WIZARD_KEYS,\n\t\tPAY_PERIOD_TYPES,\n\t\tPAYMENT_TYPES,\n\t\tPAYROLL_MOVE_STATUSES,\n\t\tPENSION_ENROLMENT_STATES,\n\t\tPENSION_TYPES,\n\t\tPROGRESS_CARD_TYPES,\n\t\tPROGRESS_GROUP_ACTION_IDS,\n\t\tPROGRESS_GROUP_IDS,\n\t\tTAB_KEYS\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst archivedEmploymentId = $stateParams.archivedEmploymentId;\n\tconst userId = $stateParams.userId;\n\tconst currentCompanyObj = $rootScope.currentCompany;\n\n\tfunction callback () {\n\n\t\tinit();\n\t}\n\n\tfunction changeEmployeePayrollType (employeePayrollType, title) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\temployeePayrollType: employeePayrollType,\n\t\t\tformKey: 'change-employee-payroll-type',\n\t\t\tshowContext: true,\n\t\t\ttitle,\n\t\t\tuserId\n\t\t});\n\t}\n\n\tfunction checkEditTeamMemberEmploymentWizard (teamMemberObj, activeStepIndex, currentPayPeriodObj) {\n\n\t\tif (teamMemberObj.Company.PayrollMoveStatus === PAYROLL_MOVE_STATUSES.InwardPending) {\n\t\t\t$rootScope.openSlideInForm({\n\t\t\t\tagencyProfileId,\n\t\t\t\tcallback: openEditTeamMemberEmploymentWizard.bind(null, activeStepIndex, currentPayPeriodObj),\n\t\t\t\tcontextType: 'user',\n\t\t\t\tfromCompanyName: teamMemberObj.Company.PayrollMoveCompanyName,\n\t\t\t\tformKey: 'moved-payrolls-warning',\n\t\t\t\tshowContext: true,\n\t\t\t\ttitle: 'Changing Employment Information',\n\t\t\t\tuserId\n\t\t\t});\n\t\t}\n\t\telse {\n\t\t\topenEditTeamMemberEmploymentWizard(activeStepIndex, currentPayPeriodObj);\n\t\t}\n\t}\n\n\tfunction decorateTeamMember (teamMemberObj) {\n\n\t\tfunction getOptionalDataBlock (teamMemberObj) {\n\n\t\t\t// Not needed if in non-setup mode\n\t\t\tif (!teamMemberObj.IsInSetupMode || currentCompanyObj.IsPayslipManagerActive) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tfunction getContinuousEmploymentGroup (teamMemberObj) {\n\n\t\t\t\tif (teamMemberObj.IsCISSubcontractor) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tconst continuousEmploymentDataArr = [];\n\t\t\t\tconst continuousEmploymentActionsArr = [];\n\n\t\t\t\tif (teamMemberObj.Company.ContinuousEmployment.ContinuousEmploymentStartDateISO) {\n\n\t\t\t\t\tcontinuousEmploymentDataArr.push(\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Start date',\n\t\t\t\t\t\t\tvalue: $filter('dateformat')(teamMemberObj.Company.ContinuousEmployment.ContinuousEmploymentStartDateISO)\n\t\t\t\t\t\t}\n\t\t\t\t\t);\n\n\t\t\t\t\tif (teamMemberObj.Company.ContinuousEmployment.ContinuousEmploymentEmployerName) {\n\t\t\t\t\t\tcontinuousEmploymentDataArr.unshift(\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Previous employer',\n\t\t\t\t\t\t\t\tvalue: teamMemberObj.Company.ContinuousEmployment.ContinuousEmploymentEmployerName\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t);\n\t\t\t\t\t}\n\n\t\t\t\t\tcontinuousEmploymentActionsArr.push(\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tcopy: 'Edit',\n\t\t\t\t\t\t\ticon: 'icon-edit',\n\t\t\t\t\t\t\tonClick: openContinuousEmploymentForm\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tcopy: 'Delete',\n\t\t\t\t\t\t\ticon: 'icon-trash',\n\t\t\t\t\t\t\tonClick: () => {\n\t\t\t\t\t\t\t\topenContinuousEmploymentForm('delete-employment');\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t);\n\t\t\t\t}\n\t\t\t\telse {\n\n\t\t\t\t\tcontinuousEmploymentActionsArr.push({\n\t\t\t\t\t\tcopy: 'Add information',\n\t\t\t\t\t\ticon: 'icon-add',\n\t\t\t\t\t\tonClick: openContinuousEmploymentForm\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\treturn {\n\t\t\t\t\tactions: continuousEmploymentActionsArr,\n\t\t\t\t\tdata: continuousEmploymentDataArr,\n\t\t\t\t\theading: 'Continuous employment',\n\t\t\t\t\ticon: 'icon-calendar',\n\t\t\t\t\tid: 'profile-continuous-employment',\n\t\t\t\t\ttheme: 'is-primary',\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tfunction getPassportGroup (teamMemberObj) {\n\n\t\t\t\tfunction getIsTeamMemberPassportDetailsEntered (teamMemberObj) {\n\n\t\t\t\t\treturn [\n\t\t\t\t\t\t'Nationality',\n\t\t\t\t\t\t'PassportNumber',\n\t\t\t\t\t\t'UKArrivalDateISO',\n\t\t\t\t\t\t'VisaNumber'\n\t\t\t\t\t].some(property => teamMemberObj.Personal[property]);\n\t\t\t\t}\n\n\t\t\t\tconst isTeamMemberPassportDetailsEntered = getIsTeamMemberPassportDetailsEntered(teamMemberObj);\n\n\t\t\t\tconst passportVisaDataArr = [];\n\t\t\t\tconst passportVisaActionsArr = [];\n\n\t\t\t\tif (isTeamMemberPassportDetailsEntered){\n\t\t\t\t\tpassportVisaDataArr.push(\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Passport number',\n\t\t\t\t\t\t\tvalue: `${teamMemberObj.Personal.PassportNumber}${teamMemberObj.Personal.PassportExpiryDateISO ? ` (expires ${$filter('dateformat')(teamMemberObj.Personal.PassportExpiryDateISO)})` : ''}`\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'EU Citizen',\n\t\t\t\t\t\t\tvalue: teamMemberObj.Personal.EUCitizen ? 'Yes' : 'No'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Nationality',\n\t\t\t\t\t\t\tvalue: teamMemberObj.Personal.Nationality\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Visa number',\n\t\t\t\t\t\t\tvalue: `${teamMemberObj.Personal.VisaNumber}${teamMemberObj.Personal.VisaExpiryDateISO ? ` (expires ${$filter('dateformat')(teamMemberObj.Personal.VisaExpiryDateISO)})` : ''}`\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Arrival in UK date',\n\t\t\t\t\t\t\tvalue: $filter('dateformat')(teamMemberObj.Personal.UKArrivalDateISO)\n\t\t\t\t\t\t}\n\t\t\t\t\t);\n\n\t\t\t\t\tpassportVisaActionsArr.push(\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tcopy: 'Edit',\n\t\t\t\t\t\t\ticon: 'icon-edit',\n\t\t\t\t\t\t\tonClick: openPassportForm\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tcopy: 'Delete',\n\t\t\t\t\t\t\ticon: 'icon-trash',\n\t\t\t\t\t\t\tonClick: () => {\n\t\t\t\t\t\t\t\topenPassportForm('delete-information');\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t);\n\t\t\t\t}\n\n\t\t\t\telse {\n\t\t\t\t\tpassportVisaActionsArr.push({\n\t\t\t\t\t\tcopy: 'Add information',\n\t\t\t\t\t\ticon: 'icon-add',\n\t\t\t\t\t\tonClick: openPassportForm\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\treturn {\n\t\t\t\t\tactions: passportVisaActionsArr,\n\t\t\t\t\tdata: passportVisaDataArr,\n\t\t\t\t\theading: 'Passport and Visa',\n\t\t\t\t\ticon: 'icon-passport',\n\t\t\t\t\tid: 'profile-passport-and-visa',\n\t\t\t\t\ttheme: 'is-primary'\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tfunction getWorkplaceInformationGroup (teamMemberObj) {\n\n\t\t\t\tif (teamMemberObj.IsCISSubcontractor) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tconst workplaceInformationDataArr = [];\n\t\t\t\tconst workplaceInformationActionsArr = [];\n\n\t\t\t\tif (teamMemberObj.Company.WorkplaceInformation.WorkplacePostcode) {\n\n\t\t\t\t\tworkplaceInformationDataArr.push(\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Workplace postcode',\n\t\t\t\t\t\t\tvalue: teamMemberObj.Company.WorkplaceInformation.WorkplacePostcode\n\t\t\t\t\t\t}\n\t\t\t\t\t);\n\n\t\t\t\t\tworkplaceInformationActionsArr.push(\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tcopy: 'Edit',\n\t\t\t\t\t\t\ticon: 'icon-edit',\n\t\t\t\t\t\t\tonClick: openWorkplaceInformationForm\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tcopy: 'Delete',\n\t\t\t\t\t\t\ticon: 'icon-trash',\n\t\t\t\t\t\t\tonClick: () => {\n\t\t\t\t\t\t\t\topenWorkplaceInformationForm('delete-information');\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t);\n\t\t\t\t}\n\t\t\t\telse {\n\n\t\t\t\t\tworkplaceInformationActionsArr.push({\n\t\t\t\t\t\tcopy: 'Add information',\n\t\t\t\t\t\ticon: 'icon-add',\n\t\t\t\t\t\tonClick: openWorkplaceInformationForm\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\treturn {\n\t\t\t\t\tactions: workplaceInformationActionsArr,\n\t\t\t\t\tdata: workplaceInformationDataArr,\n\t\t\t\t\theading: 'Workplace information',\n\t\t\t\t\ticon: 'icon-company',\n\t\t\t\t\tid: 'profile-workplace-information',\n\t\t\t\t\ttheme: 'is-primary',\n\t\t\t\t};\n\t\t\t}\n\n\t\t\treturn [\n\t\t\t\tgetPassportGroup(teamMemberObj),\n\t\t\t\tgetContinuousEmploymentGroup(teamMemberObj),\n\t\t\t\tgetWorkplaceInformationGroup(teamMemberObj)\n\t\t\t];\n\t\t}\n\n\t\treturn $q((resolve, reject) => {\n\n\t\t\t// If the team member has additional posts, get the business codes for each\n\t\t\tconst getAdditionalPostsBusinessCodes = [];\n\t\t\tteamMemberObj.Posts.forEach(post => {\n\t\t\t\t// Default business codes to empty array, this will remain if no codes have been assigned\n\t\t\t\tpost.businessCodes = [];\n\t\t\t\t// Get business codes API for the post\n\t\t\t\tgetAdditionalPostsBusinessCodes.push(\n\t\t\t\t\tuser.getUserAgencyProfileBusinessCodesForSalaryPolicyPost(\n\t\t\t\t\t\tuserId,\n\t\t\t\t\t\tagencyProfileId,\n\t\t\t\t\t\tpost.SalaryPolicyPostID\n\t\t\t\t\t)\n\t\t\t\t);\n\t\t\t});\n\n\t\t\t/* Get the business codes for additional posts. If there aren't any additional posts, this will be called with\n\t\t\t an empty array, returning an empty array. No problem. */\n\t\t\t$q.all(getAdditionalPostsBusinessCodes).then(additionalPostsBusinessCodesArr => {\n\n\t\t\t\t// For each set of business codes, attach to corresponding post\n\t\t\t\tadditionalPostsBusinessCodesArr.forEach(additionalPostBusinessCodesObj => {\n\n\t\t\t\t\t// There may not be any business codes for this post\n\t\t\t\t\tif (additionalPostBusinessCodesObj.UserAgencyProfileBusinessCodes !== 0) {\n\t\t\t\t\t\tconst salaryPolicyPostId = additionalPostBusinessCodesObj.SalaryPolicyPostID;\n\t\t\t\t\t\t// Find the post and attach the business codes\n\t\t\t\t\t\tconst post = teamMemberObj.Posts.find(post => post.SalaryPolicyPostID === salaryPolicyPostId);\n\t\t\t\t\t\tpost.businessCodes = additionalPostBusinessCodesObj;\n\t\t\t\t\t}\n\t\t\t\t\t// - else post.businessCodes remains as an empty array\n\t\t\t\t});\n\n\t\t\t\t/* Set flag for payroll move status === InwardPending for convenience. This indicates that the team member\n\t\t\t\t is in the process of moving from another payroll to this one, thereby disabling certain fields and displaying\n\t\t\t\t a note about that */\n\t\t\t\tteamMemberObj.Company.isMovingPayrollsInwardPending = (teamMemberObj.Company.PayrollMoveStatus === PAYROLL_MOVE_STATUSES.InwardPending);\n\n\t\t\t\t// Check leaver / archive status for 'back to' link on page\n\t\t\t\tlet backToContext;\n\t\t\t\tif (teamMemberObj.Company.IsArchived) {\n\t\t\t\t\tbackToContext = {\n\t\t\t\t\t\tlinkText: 'moved payrolls',\n\t\t\t\t\t\tsref: 'team.moved-payrolls'\n\t\t\t\t\t};\n\t\t\t\t}\n\t\t\t\telse if (teamMemberObj.Company.IsLeaver) {\n\t\t\t\t\tbackToContext = {\n\t\t\t\t\t\tlinkText: 'leavers',\n\t\t\t\t\t\tsref: 'team.leavers'\n\t\t\t\t\t};\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\tbackToContext = {\n\t\t\t\t\t\tlinkText: 'team',\n\t\t\t\t\t\tsref: 'team.members'\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\tangular.extend(teamMemberObj, {\n\t\t\t\t\tPensions: decorateTeamMemberPensions(teamMemberObj),\n\t\t\t\t\tbackToContext: backToContext,\n\t\t\t\t\tisArchivedEmployment: teamMemberObj.ArchivedEmploymentID !== config.guidEmpty,\n\t\t\t\t\tisCompany: teamMemberObj.Company.IsCISSubcontractor && (teamMemberObj.CIS.BusinessDetails.BusinessType === BUSINESS_TYPES.company || teamMemberObj.CIS.BusinessDetails.BusinessType === BUSINESS_TYPES.trust),\n\t\t\t\t\tisTeamMemberMovingPayrollsOutward: teamMemberObj.Company.PayrollMoveStatus === PAYROLL_MOVE_STATUSES.Outward,\n\t\t\t\t\tpensionIndex: 0,\n\t\t\t\t\toptionalDetails: getOptionalDataBlock(teamMemberObj)\n\t\t\t\t});\n\n\t\t\t\tresolve(teamMemberObj);\n\t\t\t})\n\t\t\t.catch(reject);\n\n\t\t});\n\t}\n\n\tfunction decorateTeamMemberPensions (teamMemberObj) {\n\n\t\t// Reorder pensions to bring AE pension to the beginning\n\t\tpensionService.getOrderedPensionsArray(teamMemberObj.Pensions);\n\n\t\t// Decorate pension with class\n\t\tfor (let pensionObj of teamMemberObj.Pensions) {\n\t\t\tpensionObj.class = pensionService.getStyleForPension(teamMemberObj, currentCompanyObj, pensionObj);\n\t\t}\n\n\t\treturn teamMemberObj.Pensions;\n\t}\n\n\tfunction hasLinkedUserProfile () {\n\n\t\tsecurityData.HasIdentityMigratedUserProfile(userId)\n\t\t\t.then(LinkedUserProfile => {\n\t\t\t\tangular.extend($scope, {\n\t\t\t\t\tlinkedUserProfile: LinkedUserProfile\n\t\t\t\t});\t\t\t\n\t\t\t});\n\t}\n\n\tfunction init () {\n\n\t setPageState('loading');\n\n\t\tif (archivedEmploymentId) {\n\t\t\tinitArchivedEmploymentProfile();\n\n\t\t} else {\n\t\t\tinitTeamMemberProfile();\n\t\t}\n\t}\n\n\tfunction initArchivedEmploymentProfile () {\n\n\t\tconst getTeamMemberInformationForArchivedEmployment = teamData.getTeamMemberInformationForArchivedEmployment(userId, agencyProfileId, archivedEmploymentId);\n\t\tconst getPayPeriodCurrent = payrollData.getPayPeriodCurrent(agencyProfileId);\n\n\t\t$q.all([getTeamMemberInformationForArchivedEmployment, getPayPeriodCurrent]).then(\n\t\t\t([teamMemberObj, currentPayPeriodObj]) => {\n\n\t\t\t// Decorate\n\t\t\tdecorateTeamMember(teamMemberObj).then(() => {\n\n\t\t\t\t// Scope\n\t\t\t\tangular.extend($scope, {\n\t\t\t\t\tcurrentPayPeriod: currentPayPeriodObj,\n\t\t\t\t\tteamMember: teamMemberObj,\n\t\t\t\t\tteamProfileTabBarDef: tabService.getTabsForKey(TAB_KEYS.team.archivedProfile.id, { teamMember: teamMemberObj })\n\t\t\t\t});\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction initTeamMemberProfile () {\n\n\t\tconst getTeamMemberAndAccountInformation = securityData.getTeamMemberAndAccountInformation(userId, agencyProfileId);\n\t\tconst getPayPeriodCurrent = payrollData.getPayPeriodCurrent(agencyProfileId);\n\n\t\t$q.all([getTeamMemberAndAccountInformation, getPayPeriodCurrent]).then(\n\t\t\t([teamMemberObj, currentPayPeriodObj]) => {\n\n\t\t\t// Decorate\n\t\t\tdecorateTeamMember(teamMemberObj).then(() => {\n\n\t\t\t\t// Set complete states\n\t\t\t\tsetCompleteStates(teamMemberObj, currentPayPeriodObj);\n\n\t\t\t\t// Scope\n\t\t\t\tangular.extend($scope, {\n\t\t\t\t\tcurrentPayPeriod:\t\tcurrentPayPeriodObj,\n\t\t\t\t\tteamMember:\t\t\t\tteamMemberObj,\n\t\t\t\t\tpercentCompleted:\t\tteamService.getPercentComplete(teamMemberObj, currentPayPeriodObj, currentCompanyObj),\n\t\t\t\t\tfurloughSchedule:\t\tscheduleService.getScheduleForFurlough(teamMemberObj),\n\t\t\t\t\tteamProfileTabBarDef:\ttabService.getTabsForKey(TAB_KEYS.team.profile.id, { teamMember: teamMemberObj })\n\t\t\t\t});\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction isSalaryChangeVisible (teamMember) {\n\t\treturn ($scope.currentPayPeriod.IsPayrollLocked || teamMember.Company.IsOnHold) && teamMember.Salary.SalaryChangeEffectiveDateISO !== '';\n\t}\n\n\tfunction isWorkPatternVisible (teamMember) {\n\t\tconst isAllowedEmploymentType = [EMPLOYMENT_TYPES.standard, EMPLOYMENT_TYPES.nonStandard].includes(teamMember.Salary.EmploymentType);\n\n\t\treturn ($scope.currentPayPeriod.IsPayrollLocked || teamMember.Company.IsOnHold) && isAllowedEmploymentType;\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction onProgressGroupClick (progressGroup, groupActionId) {\n\t\tswitch (groupActionId) {\n\t\t\tcase PROGRESS_GROUP_ACTION_IDS.employment.deletePost: {\n\t\t\t\topenDeleteAdditionalPostForm(progressGroup.data.additionalPost);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase PROGRESS_GROUP_ACTION_IDS.pension.editPension: {\n\t\t\t\topenEditTeamMemberPensionWizard(progressGroup.data.pension, 0);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase PROGRESS_GROUP_ACTION_IDS.pension.deletePension: {\n\t\t\t\topenPensionTeamRemoveForm(progressGroup.data.pension);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tdefault: {\n\t\t\t\t// This silences the jshints's whinging and moaning\n\t\t\t\tangular.noop();\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction onProgressStepClick (progressGroup, wizardStepIndex) {\n\t\tswitch (progressGroup.id) {\n\t\t\tcase PROGRESS_GROUP_IDS.personal: {\n\t\t\t\topenEditTeamMemberPersonalWizard(wizardStepIndex);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase PROGRESS_GROUP_IDS.employment: {\n\t\t\t\tcheckEditTeamMemberEmploymentWizard($scope.teamMember, wizardStepIndex, $scope.currentPayPeriod);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase PROGRESS_GROUP_IDS.additionalPost: {\n\t\t\t\topenAdditionalPostForm($scope.currentPayPeriod, progressGroup.data.additionalPost, wizardStepIndex);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase PROGRESS_GROUP_IDS.cisCompany: {\n\t\t\t\topenCISCompanyWizard(wizardStepIndex);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase PROGRESS_GROUP_IDS.cisInformationCompanyOrTrust: {\n\t\t\t\topenCISVerificationForm();\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase PROGRESS_GROUP_IDS.cisInformationSoleTraderOrPartnership: {\n\t\t\t\topenCISSubcontractorWizard(wizardStepIndex);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase PROGRESS_GROUP_IDS.aePension:\n\t\t\tcase PROGRESS_GROUP_IDS.additionalPostAEPension: {\n\t\t\t\topenEditTeamMemberPensionWizard(progressGroup.data.pension, wizardStepIndex);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tdefault: {\n\t\t\t\t// Do nothing but placate jshint\n\t\t\t\tangular.noop();\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction onSchedulesUpdate () {\n\n\t\t// Refresh schedules if on schedules page, go to schedules page otherwise\n\t\tif ($state.current.name !== 'team.profile.schedules') {\n\t\t\t$state.go('team.profile.schedules');\n\t\t} else {\n\t\t\t$state.go('team.profile.schedules', {}, {reload: 'team.profile.schedules'});\n\t\t}\n\t}\n\n\tfunction onTeamMemberDelete () {\n\n\t\tgrowl.success($scope.teamMember.Personal.Forename + ' has been deleted.');\n\n\t\t// Navigate to team page, or team manager page if payslip manager is active\n\t\tif (currentCompanyObj.IsPayslipManagerActive) {\n\t\t\t$state.go('team.manager', {agencyProfileId: agencyProfileId});\n\t\t}\n\t\telse {\n\t\t\t$state.go('team.members', {agencyProfileId: agencyProfileId});\n\t\t}\n\t}\n\n\tfunction openAdditionalPostForm (currentPayPeriodObj, additionalPost, stepIndex) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tactiveStep: angular.isDefined(stepIndex) ? stepIndex + 1 : 1,\n\t\t\tadditionalPostAnnualSalaryPolicy: additionalPost,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tcurrentPayPeriod: currentPayPeriodObj,\n\t\t\tformKey: 'additional-post-form',\n\t\t\tshowContext: true,\n\t\t\ttitle: angular.isDefined(additionalPost) ? 'Edit post' : 'Add post',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openAdoptionPayForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onSchedulesUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'adoption-pay',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openAdoptionPayViewForm (scheduleObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tscheduleID: scheduleObj.PaymentScheduleGroupID,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onSchedulesUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'view-adoption-pay',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openAdvanceFuturePeriodsForm (currentPayPeriodObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'advance-future-periods',\n\t\t\tuserId,\n\t\t\tcurrentPayPeriod: currentPayPeriodObj\n\t\t});\n\t}\n\n\tfunction openApplyTaxRefundForm (teamMemberObj, currentPayPeriodObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'apply-tax-refund',\n\t\t\ttitle: teamMemberObj.Tax.HasTaxRefund ? 'Tax refund' : 'Apply tax refund',\n\t\t\tuserId: userId,\n\t\t\tcurrentPayPeriod: currentPayPeriodObj\n\t\t});\n\t}\n\n\tfunction openAttachmentOfEarningsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onSchedulesUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'attachment-of-earnings',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openCancelMovePayrollsForm (teamMemberObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'cancel-move-payrolls',\n\t\t\tteamMember: teamMemberObj,\n\t\t\ttitle: 'Cancel move',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openCancelRejoinLeaver () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'cancel-rejoin-leaver',\n\t\t\tuserId: userId,\n\t\t});\n\t}\n\n\tfunction openChangeAdminStateForm (isExcluding) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'change-admin-state',\n\t\t\tuserId: userId,\n\t\t\tisExcluding: isExcluding\n\t\t});\n\t}\n\n\tfunction openChildcareVouchersForm (paymentScheduleGroupId) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onSchedulesUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'childcare-vouchers',\n\t\t\tuserId: userId,\n\t\t\tpaymentScheduleGroupId: paymentScheduleGroupId\n\t\t});\n\t}\n\n\tfunction openCISVerificationForm (isReverify) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tisReverify: isReverify,\n\t\t\tcontextType: 'user',\n\t\t\ttitle: isReverify ? 'Re-verify' : 'Verification',\n\t\t\tformKey: 'cis-verification',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openCompanyVehicleForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onSchedulesUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'company-vehicle',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openCompanyVehicleViewForm (scheduleObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onSchedulesUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'company-vehicle-view',\n\t\t\tpaymentScheduleGroupId: scheduleObj.PaymentScheduleGroupID,\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openContinuousEmploymentForm (formState) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'continuous-employment',\n\t\t\tformState: formState,\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction onCancelLeavingAdditionalPostClick (additionalPostSalaryObj) {\n\t\topenCancelLeavingAdditionalPostForm (additionalPostSalaryObj);\n\t}\n\n\tfunction openCancelLeavingAdditionalPostForm (additionalPostSalaryObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tsalaryPolicy: additionalPostSalaryObj,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'cancel-leaving-additional-post',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openDeleteAdditionalPostForm (additionalPostSalaryObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tsalaryPolicyId: additionalPostSalaryObj.SalaryPolicyID,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'delete-additional-post',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openDeleteTeamMemberForm (forceDelete) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onTeamMemberDelete,\n\t\t\tcontextType: 'user',\n\t\t\tforceDelete: forceDelete,\n\t\t\tformKey: 'delete-team-member',\n\t\t\tuserId: userId,\n\t\t});\n\t}\n\n\tfunction openCorrectionalSubmissionForm (correctionalSubmissionType) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tcorrectionalSubmissionType: correctionalSubmissionType,\n\t\t\tformKey: 'correctional-submission',\n\t\t\ttitle: correctionalSubmissionType === CORRECTIONAL_SUBMISSION_TYPES.YTDFPS ? 'Submit Earlier Year FPS' : 'Earlier year update',\n\t\t\tuserId: userId,\n\t\t\tuserIds: [userId]\n\t\t});\n\t}\n\n\tfunction openEditTeamMemberEmploymentWizard (activeStepIndex, currentPayPeriodObj) {\n\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\tcontextType: 'user',\n\t\t\tshowContext: true,\n\t\t\tactiveStepIndex: activeStepIndex,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tuserId: userId,\n\t\t\twizardKey: FORM_WIZARD_KEYS.teamMemberEditEmployment,\n\t\t\tcurrentPayPeriod: currentPayPeriodObj\n\t\t});\n\t}\n\n\tfunction openEditTeamMemberPensionWizard (pensionObj, activeStepIndex) {\n\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\tcontextType: 'user',\n\t\t\tshowContext: true,\n\t\t\tactiveStepIndex: activeStepIndex,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tagencyEmployerPensionId: pensionObj.AgencyEmployerPensionID,\n\t\t\tpensionAdditionalPostId: pensionObj.SalaryPolicyPostID,\n\t\t\tcallback: callback,\n\t\t\tuserId: userId,\n\t\t\twizardKey: FORM_WIZARD_KEYS.teamMemberEditAEPension\n\t\t});\n\t}\n\n\tfunction openEditTeamMemberPensionNonAEWizard (pensionObj, activeStepIndex) {\n\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\tcontextType: 'user',\n\t\t\tshowContext: true,\n\t\t\tactiveStepIndex: activeStepIndex,\n\t\t\tagencyEmployerPensionId: pensionObj.AgencyEmployerPensionID,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tuserId: userId,\n\t\t\twizardKey: FORM_WIZARD_KEYS.teamMemberEditNonAEPension\n\t\t});\n\t}\n\n\tfunction openEditTeamMemberPersonalWizard (activeStepIndex) {\n\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\tcontextType: 'user',\n\t\t\tshowContext: true,\n\t\t\tactiveStepIndex: activeStepIndex,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tuserId: userId,\n\t\t\twizardKey: FORM_WIZARD_KEYS.teamMemberEditPersonal\n\t\t});\n\t}\n\n\tfunction openFurloughForm (teamMember) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'furlough',\n\t\t\tlastPayPeriodDateISO: teamMember.Payment.PaymentDateISO,\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openGenerateP45Form () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'generate-p45',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openHealthcareForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onSchedulesUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'healthcare',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openHealthcareViewForm (scheduleObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onSchedulesUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'healthcare-view',\n\t\t\tpaymentScheduleGroupId: scheduleObj.PaymentScheduleGroupID,\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openLeaveAdditionalPostForm (additionalPostSalaryObj, teamMemberObj, currentPayPeriodObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tsalaryPolicy: additionalPostSalaryObj,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tcurrentPayPeriod: currentPayPeriodObj,\n\t\t\tformKey: 'leave-additional-post',\n\t\t\tteamMember: teamMemberObj,\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openLeaverMadeInErrorForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'leaver-made-in-error',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openCISCompanyWizard (activeStepIndex) {\n\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\tcontextType: 'user',\n\t\t\tshowContext: true,\n\t\t\tactiveStepIndex: activeStepIndex,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tuserId: userId,\n\t\t\twizardKey: FORM_WIZARD_KEYS.cisCompany\n\t\t});\n\t}\n\n\tfunction openCISSubcontractorWizard (activeStepIndex) {\n\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\tcontextType: 'user',\n\t\t\tshowContext: true,\n\t\t\tactiveStepIndex: activeStepIndex,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tuserId: userId,\n\t\t\twizardKey: FORM_WIZARD_KEYS.cisSubcontractor\n\t\t});\n\t}\n\n\tfunction openExcludeFromPayrollForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'exclude-from-payroll',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openInviteToRegisterForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'invite-to-register',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\n\tfunction openMaternityPayForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onSchedulesUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'maternity-pay',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openMovePayrollsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'move-payrolls-form',\n\t\t\tparentBureauAgencyProfileId: session.getAgencyProfileParentId(),\n\t\t\ttitle: 'Move Payrolls',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openNewAdminForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'new-admin',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openOnHoldForm (teamMemberObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'on-hold',\n\t\t\tuserId: userId,\n\t\t\tisOnHold: teamMemberObj.Company.IsOnHold,\n\t\t\ttitle: teamMemberObj.Company.IsOnHold ? 'Mark as ‘Active on payroll’' : 'Mark as ‘On hold’'\n\t\t});\n\t}\n\n\tfunction openPassportForm (formState) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'passport',\n\t\t\tformState: formState,\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openPaternityPayForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onSchedulesUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'paternity-pay',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openPayInformationForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'pay-information',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openPaymentAfterLeavingForm (currentPayPeriodObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'add-a-change',\n\t\t\tincludeLeavers: true,\n\t\t\tpayPeriod: currentPayPeriodObj,\n\t\t\ttitle: 'Payment after leaving',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openPayStatementForm (agencyPayPeriodId) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'pay-statement',\n\t\t\tuserId: userId,\n\t\t\tformState: 'personal',\n\t\t\tteamMemberPayment: $scope.teamMember.Payment,\n\t\t\tagencyPayPeriodId: agencyPayPeriodId\n\t\t});\n\t}\n\n\tfunction openPensionTeamContributionsNonAEForm (pensionObj) {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyEmployerPensionId: pensionObj.AgencyEmployerPensionID,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'pension-team-contributions-non-ae',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openSalaryChangeView () {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tpayPeriodId: $scope.currentPayPeriod.PayPeriodID,\n\t\t\thideProfileLink: true,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'salary-change',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openPensionTeamRemoveForm (pensionObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyEmployerPensionId: pensionObj.AgencyEmployerPensionID,\n\t\t\tpensionAdditionalPostId: pensionObj.SalaryPolicyPostID,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'pension-team-remove',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openRejoinLeaverForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'rejoin-leaver',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openRemoveAdminAccessForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tformKey: 'remove-admin-access',\n\t\t\tuserId: userId,\n\t\t});\n\t}\n\n\tfunction openRepaymentScheduleForm (repaymentSchedule) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onSchedulesUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'repayment-schedules',\n\t\t\tpaymentScheduleGroupId: repaymentSchedule !== undefined ? repaymentSchedule.PaymentScheduleGroupID : null,\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openRtiSubmissionForm (teamMemberObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: () => {\n\t\t\t\tcallback();\n\t\t\t\t$state.go('team.profile.overview');\n\t\t\t},\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'rti-submission',\n\t\t\tisExcludedFromRti: teamMemberObj.Company.IsExcludedFromRTI,\n\t\t\ttitle: teamMemberObj.Company.IsExcludedFromRTI ? 'Include in RTI submissions' : 'Omit from RTI submissions',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openSickPayForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onSchedulesUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'sick-pay',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\tfunction openSupplementaryPayRunForm (teamMemberObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tavailableWhenTeamMemberIsAdvancingOrAdvanced: false,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'supplementary-pay-run',\n\t\t\tteamMember: teamMemberObj,\n\t\t\tuserIds: [userId]\n\t\t});\n\t}\n\t\n\tfunction openUnlinkAccessAccountForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback,\n\t\t\tformKey: 'unlink-access-account',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openUnmarkAsAdvancingForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'unmark-as-advancing',\n\t\t\tuserId\n\t\t});\n\t}\n\n\tfunction openUnmarkAsLeaverForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'unmark-as-leaver',\n\t\t\tprimaryButtonText: 'Unmark',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openUnregisterUserForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'unregister-user',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openUpdateLeaverStatusForm (forUpdate) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'update-leaver-status',\n\t\t\tforUpdate: forUpdate,\n\t\t\ttitle: forUpdate ? 'Edit leaver information' : 'Mark as leaver',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openViewWorkPatternForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\thideProfileLink: true,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'view-work-pattern',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openWorkplaceInformationForm (formState) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'workplace-information',\n\t\t\tformState: formState,\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction refreshUser () {\n\n\t\tsetPageState('loading');\n\n\t\tsecurityData.getTeamMemberAndAccountInformation(userId, agencyProfileId)\n\t\t\t.then(teamMemberObj => {\n\n\t\t\t\t// Decorate\n\t\t\t\tdecorateTeamMember(teamMemberObj).then(() => {\n\t\t\t\t\t// Set complete states\n\t\t\t\t\tsetCompleteStates(teamMemberObj, $scope.currentPayPeriod);\n\n\t\t\t\t\tangular.extend($scope, {\n\t\t\t\t\t\tteamMember: teamMemberObj,\n\t\t\t\t\t\tpercentCompleted: teamService.getPercentComplete(teamMemberObj, $scope.currentPayPeriod, currentCompanyObj),\n\t\t\t\t\t\tfurloughSchedule: scheduleService.getScheduleForFurlough(teamMemberObj)\n\t\t\t\t\t});\n\n\t\t\t\t\tsetPageState('ready');\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction setCompleteStates (teamMember, currentPayPeriodObj) {\n\n\t\t// Personal\n\t\tupdatePersonalSteps(teamMember);\n\n\t\t// Employment\n\t\tupdateEmploymentSteps(teamMember, currentPayPeriodObj);\n\n\t\t// CIS\n\t\tupdateCISInformationSteps(teamMember);\n\n\t\t// CIS (company)\n\t\tupdateCISCompanySteps(teamMember);\n\n\t\t// Pensions\n\t\tupdatePensionSteps(teamMember);\n\n\t\treturn teamMember;\n\t}\n\n\tfunction updateCISInformationSteps (teamMember) {\n\n\t\t// CIS steps ...\n\t\tconst cisInformationStepsGroups = [];\n\n\t\t// ... single group\n\t\tconst cisInformationSteps = [];\n\n\t\t// Appliable only to CIS subcontractors\n\t\tif (teamMember.Company.IsCISSubcontractor) {\n\t\t\tlet notice;\n\t\t\tlet progressGroupId;\n\t\t\tif (!teamMember.isCompany) {\n\t\t\t\t// Sole trader or partnership\n\t\t\t\tprogressGroupId = PROGRESS_GROUP_IDS.cisInformationSoleTraderOrPartnership;\n\t\t\t\t// Business setup name differs slightly depending on sole trader or partnership\n\t\t\t\tconst name = teamMember.CIS.BusinessDetails.BusinessType === BUSINESS_TYPES.partnership ? 'Trading name, Partnership UTR' : 'Trading name';\n\t\t\t\tcisInformationSteps.push({\n\t\t\t\t\tname,\n\t\t\t\t\tcomplete: teamMember.BusinessSetupComplete,\n\t\t\t\t\twizardStepIndex: 0\n\t\t\t\t});\n\t\t\t\tcisInformationSteps.push({\n\t\t\t\t\tname: 'VAT registration',\n\t\t\t\t\tcomplete: teamMember.VATSetupComplete,\n\t\t\t\t\twizardStepIndex: 1\n\t\t\t\t});\n\t\t\t\t// Notice displayed conditionally\n\t\t\t\tif (!teamMember.AddressSetupComplete || !teamMember.BusinessSetupComplete) {\n\t\t\t\t\tnotice = 'Please add address, trading, and VAT details before verifying.';\n\t\t\t\t}\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Limited company or trust. No special steps, just a differing notice\n\t\t\t\tprogressGroupId = PROGRESS_GROUP_IDS.cisInformationCompanyOrTrust;\n\t\t\t\t// Notice displayed conditionally\n\t\t\t\tif (!teamMember.CISCompanyDetailsComplete || !teamMember.CISCompanyContactComplete || !teamMember.BankSetupComplete) {\n\t\t\t\t\tnotice = 'Please add company, contact and payment details before verifying';\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Tax treatment - common to both\n\t\t\tconst taxTreatmentDescription = $filter('taxTreatment')(teamMember.CIS.TaxTreatment);\n\t\t\tcisInformationSteps.push({\n\t\t\t\tname: `Verification (${taxTreatmentDescription})`,\n\t\t\t\tcomplete: teamMember.VerificationSetupComplete,\n\t\t\t\t// Not available until address and business setup complete\n\t\t\t\tdisabled: !teamMember.AddressSetupComplete || !teamMember.BusinessSetupComplete,\n\t\t\t\twizardStepIndex: 2\n\t\t\t});\n\n\t\t\tcisInformationStepsGroups.push({\n\t\t\t\tid: progressGroupId,\n\t\t\t\tnotice,\n\t\t\t\tsteps: cisInformationSteps\n\t\t\t});\n\t\t}\n\n\t\tteamMember.cisInformationStepsGroups = cisInformationStepsGroups;\n\t}\n\n\tfunction updateCISCompanySteps (teamMember) {\n\n\t\t// CIS company steps ...\n\t\tconst cisCompanyStepsGroups = [];\n\n\t\t// Applicable to CIS company or trust business types\n\t\tif (teamMember.CIS.BusinessDetails.BusinessType === BUSINESS_TYPES.company || teamMember.CIS.BusinessDetails.BusinessType === BUSINESS_TYPES.trust) {\n\t\t\t// ... single group\n\t\t\tconst cisCompanySteps = [];\n\t\t\t// Company details\n\t\t\tcisCompanySteps.push({\n\t\t\t\tname: 'Company details',\n\t\t\t\tcomplete: teamMember.CISCompanyDetailsComplete,\n\t\t\t\twizardStepIndex: 0\n\t\t\t});\n\n\t\t\t// Company contact\n\t\t\tcisCompanySteps.push({\n\t\t\t\tname: 'Company contact',\n\t\t\t\tcomplete: teamMember.CISCompanyContactComplete,\n\t\t\t\twizardStepIndex: 1\n\t\t\t});\n\n\t\t\t// Payment details\n\t\t\tcisCompanySteps.push({\n\t\t\t\tname: 'Payment details',\n\t\t\t\tcomplete: teamMember.BankSetupComplete,\n\t\t\t\twizardStepIndex: 2\n\t\t\t});\n\n\t\t\tcisCompanyStepsGroups.push({\n\t\t\t\tid: PROGRESS_GROUP_IDS.cisCompany,\n\t\t\t\tsteps: cisCompanySteps\n\t\t\t});\n\t\t}\n\n\t\tteamMember.cisCompanyStepsGroups = cisCompanyStepsGroups;\n\t}\n\n\tfunction updateEmploymentSteps (teamMember, currentPayPeriod) {\n\n\t\t// Employment steps for each post\n\t\tconst employmentStepsGroups = [];\n\n\t\t// Applicable only to non-CIS subcontractors\n\t\tif (!teamMember.Company.IsCISSubcontractor) {\n\t\t\t// Start with the steps for the main role.\n\t\t\tlet employmentSteps = [];\n\t\t\t// Company details\n\t\t\temploymentSteps.push({\n\t\t\t\tname: 'Company details',\n\t\t\t\tcomplete: teamMember.CompanySetupComplete,\n\t\t\t\twizardStepIndex: 0\n\t\t\t});\n\n\t\t\t// Pay information. Not applicable to off-payroll workers\n\t\t\tif (!teamMember.Company.IsOffPayrollWorker) {\n\t\t\t\temploymentSteps.push({\n\t\t\t\t\tname: 'Pay information',\n\t\t\t\t\tcomplete: teamMember.SalarySetupComplete,\n\t\t\t\t\twizardStepIndex: 1\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t// Starter information. Applicable to starters\n\t\t\tif (teamMember.Company.IsStarter) {\n\t\t\t\temploymentSteps.push({\n\t\t\t\t\tname: 'Starter information',\n\t\t\t\t\tcomplete: teamMember.StarterSetupComplete,\n\t\t\t\t\twizardStepIndex: teamMember.Company.IsOffPayrollWorker ? 1 : 2\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t// Payments to date\n\t\t\tif (!teamMember.Company.IsStarter && currentPayPeriod.IsYTDInformationRequired) {\n\t\t\t\temploymentSteps.push({\n\t\t\t\t\tname: 'Payments to date',\n\t\t\t\t\tcomplete: teamMember.YTDSetupComplete,\n\t\t\t\t\twizardStepIndex: teamMember.Company.IsOffPayrollWorker ? 1 : 2\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t// Tax code, student loan\n\t\t\tif ((teamMember.Company.IsStarter && teamMember.Tax.IsP45Available) || !teamMember.Company.IsStarter) {\n\t\t\t\temploymentSteps.push({\n\t\t\t\t\tname: 'Tax code, Student loan',\n\t\t\t\t\tcomplete: teamMember.TaxSetupComplete,\n\t\t\t\t\twizardStepIndex: setWizardStepIndexForTaxStudent(teamMember, currentPayPeriod)\n\t\t\t\t});\n\t\t\t}\n\n\t\t\temploymentStepsGroups.push({\n\t\t\t\tid: PROGRESS_GROUP_IDS.employment,\n\t\t\t\tsteps: employmentSteps\n\t\t\t});\n\n\t\t\t// Add a group for each additional post\n\t\t\tteamMember.Posts.forEach(additionalPost => {\n\t\t\t\tconst additionalPostSteps = [];\n\t\t\t\tadditionalPostSteps.push({\n\t\t\t\t\tname: 'Company details',\n\t\t\t\t\twizardStepIndex: 0,\n\t\t\t\t\tcomplete: additionalPost.JobTitle !== ''\n\t\t\t\t});\n\t\t\t\tadditionalPostSteps.push({\n\t\t\t\t\tname: 'Pay information',\n\t\t\t\t\twizardStepIndex: 1,\n\t\t\t\t\tcomplete: additionalPost.PolicyName !== ''\n\t\t\t\t});\n\t\t\t\temploymentStepsGroups.push({\n\t\t\t\t\tdata: {\n\t\t\t\t\t\tadditionalPost\n\t\t\t\t\t},\n\t\t\t\t\tid: PROGRESS_GROUP_IDS.additionalPost,\n\t\t\t\t\tsteps: additionalPostSteps\n\t\t\t\t});\n\t\t\t});\n\t\t}\n\n\t\tteamMember.employmentStepsGroups = employmentStepsGroups;\n\t}\n\n\tfunction setWizardStepIndexForTaxStudent (teamMember, currentPayPeriod) {\n\n\t\tif (currentPayPeriod.IsYTDInformationRequired && teamMember.Company.IsOffPayrollWorker) {\n\t\t\treturn 2;\n\t\t}\n\n\t\tif (!currentPayPeriod.IsYTDInformationRequired && !teamMember.Company.IsOffPayrollWorker) {\n\t\t\treturn teamMember.Company.IsStarter ? 3 : 2;\n\t\t}\n\n\t\tif (currentPayPeriod.IsYTDInformationRequired && !teamMember.Company.IsOffPayrollWorker) {\n\t\t\treturn 3;\n\t\t}\n\n\t\tif (!currentPayPeriod.IsYTDInformationRequired && teamMember.Company.IsOffPayrollWorker) {\n\t\t\treturn teamMember.Company.IsStarter ? 2 : 1;\n\t\t}\n\n\t\tconsole.error('No tab was returned for \"Tax code, Student loan\"');\n\t}\n\n\tfunction updatePensionSteps (teamMember) {\n\n\t\t// Pension steps for each AE pension\n\t\tconst pensionStepsGroups = [];\n\n\t\t// Not applicable if pensions not active, or the team member is CIS or off-payroll\n\t\tif (currentCompanyObj.IsPensionActive && !teamMember.Company.IsCISSubcontractor && !teamMember.Company.IsOffPayrollWorker) {\n\n\t\t\t// Grab AE pensions\n\t\t\tconst aePensions = pensionService.filterAndSortPensions(teamMember.Pensions, PENSION_TYPES.autoEnrolment);\n\n\t\t\t/* Do something sneaky here. If there are no pensions, stuff in a dummy one. A progress card should be created when there\n\t\t\t are no pensions to display, to show bugger-all progress and to allow user to make some. */\n\t\t\tif (aePensions.length === 0) {\n\t\t\t\taePensions.push({\n\t\t\t\t\tPensionSchemeSetupComplete: false,\n\t\t\t\t\tPensionSetupComplete: false,\n\t\t\t\t\tPensionGroupSetupComplete: false\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t/* ... Aye. Create a progress group for each AE pension. There should only be one for the main post and each additional post\n\t\t\t\t(though the data model doesn't preclude multiple) */\n\t\t\taePensions.forEach(aePension => {\n\t\t\t\tlet pensionSteps = [];\n\n\t\t\t\tpensionSteps.push({\n\t\t\t\t\tname: 'Status',\n\t\t\t\t\tcomplete: aePension.PensionSchemeSetupComplete && aePension.PensionSetupComplete,\n\t\t\t\t\tdisabled: !aePension.PensionSchemeSetupComplete,\n\t\t\t\t\twizardStepIndex: 1\n\t\t\t\t});\n\t\t\t\tpensionSteps.push({\n\t\t\t\t\tname: aePension.UsePensionPolicy ? 'Band' : 'Group',\n\t\t\t\t\tcomplete: aePension.PensionGroupSetupComplete,\n\t\t\t\t\tdisabled: !aePension.PensionSchemeSetupComplete,\n\t\t\t\t\twizardStepIndex: 2\n\t\t\t\t});\n\t\t\t\tpensionSteps.push({\n\t\t\t\t\tname: 'Contributions',\n\t\t\t\t\tcomplete: aePension.PensionGroupSetupComplete,\n\t\t\t\t\tdisabled: !aePension.PensionSchemeSetupComplete,\n\t\t\t\t\twizardStepIndex: 3\n\t\t\t\t});\n\n\t\t\t\t// Salary sacrifice if applicable\n\t\t\t\tif (aePension.CanBeSalarySacrifice) {\n\t\t\t\t\tpensionSteps.push({\n\t\t\t\t\t\tname: 'Salary sacrifice',\n\t\t\t\t\t\tcomplete: aePension.PensionGroupSetupComplete,\n\t\t\t\t\t\tdisabled: !aePension.PensionSchemeSetupComplete,\n\t\t\t\t\t\twizardStepIndex: 4\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\tpensionStepsGroups.push({\n\t\t\t\t\tdata: {\n\t\t\t\t\t\tpension: aePension\n\t\t\t\t\t},\n\t\t\t\t\tid: aePension.IsAdditionalPost ? PROGRESS_GROUP_IDS.additionalPostAEPension : PROGRESS_GROUP_IDS.aePension,\n\t\t\t\t\tsteps: pensionSteps\n\t\t\t\t});\n\t\t\t});\n\t\t}\n\n\t\t// Grab bonafide (non excluded, not ghost, etc) non-AE pensions.\n\t\tconst nonAePensions = teamMember.Pensions.filter(pension =>\n\t\t\tpensionService.isNonAEPension(pension) &&\n\t\t\tpension.AgencyEmployerPensionID !== config.guidEmpty &&\n\t\t\t!pension.PensionIsExcluded &&\n\t\t\t!pension.IsGhostPension\n\t\t);\n\n\t\tangular.extend(teamMember, {\n\t\t\tnonAePensions,\n\t\t\tpensionStepsGroups\n\t\t});\n\t}\n\n\tfunction updatePersonalSteps (teamMember) {\n\n\t\t// Personal steps ...\n\t\tconst personalStepsGroups = [];\n\n\t\t// Only applicable to non-CIS company types\n\t\tif (teamMember.CIS.BusinessDetails.BusinessType !== BUSINESS_TYPES.company && teamMember.CIS.BusinessDetails.BusinessType !== BUSINESS_TYPES.trust) {\n\t\t\t// ... single group ...\n\t\t\tlet personalSteps = [];\n\n\t\t\t// ... this is straightforward stuff, applicable to all ...\n\t\t\tpersonalSteps.push({\n\t\t\t\tname: 'Name, Date of birth, NI Number',\n\t\t\t\tcomplete: teamMember.PersonalSetupComplete,\n\t\t\t\twizardStepIndex: 0\n\t\t\t});\n\t\t\tpersonalSteps.push({\n\t\t\t\tname: 'Email address',\n\t\t\t\tcomplete: teamMember.EmailSetupComplete,\n\t\t\t\twizardStepIndex: 1\n\t\t\t});\n\t\t\tpersonalSteps.push({\n\t\t\t\tname: 'Address',\n\t\t\t\tcomplete: teamMember.AddressSetupComplete,\n\t\t\t\twizardStepIndex: 2\n\t\t\t});\n\t\t\tpersonalSteps.push({\n\t\t\t\tname: 'Contact details',\n\t\t\t\tcomplete: teamMember.TelephoneSetupComplete,\n\t\t\t\twizardStepIndex: 3\n\t\t\t});\n\t\t\tpersonalSteps.push({\n\t\t\t\tname: 'Payment details',\n\t\t\t\tcomplete: teamMember.BankSetupComplete,\n\t\t\t\twizardStepIndex: 4\n\t\t\t});\n\n\t\t\tpersonalStepsGroups.push({\n\t\t\t\tid: PROGRESS_GROUP_IDS.personal,\n\t\t\t\tsteps: personalSteps\n\t\t\t});\n\t\t}\n\n\t\tteamMember.personalStepsGroups = personalStepsGroups;\n\t}\n\n\tfunction setPageState (newState) {\n\t\t$scope.pageState = newState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\n\t\t// Constants\n\t\tBUSINESS_TYPES,\n\t\tCORRECTIONAL_SUBMISSION_TYPES,\n\t\tEMPLOYMENT_TYPES,\n\t\tEMPLOYMENT_PAYROLL_TYPES,\n\t\tPAY_PERIOD_TYPES,\n\t\tPAYMENT_TYPES,\n\t\tPAYROLL_MOVE_STATUSES,\n\t\tPENSION_ENROLMENT_STATES,\n\t\tPENSION_TYPES,\n\t\tPROGRESS_CARD_TYPES,\n\n\t\t// Variables\n\t\tagencyProfileId,\n\n\t\t// Functions\n\t\tchangeEmployeePayrollType,\n\t\tcheckEditTeamMemberEmploymentWizard,\n\t\tdownloadFile: dataTransfer.downloadFile,\n\t\thasLinkedUserProfile,\n\t\tisSalaryChangeVisible,\n\t\tisWorkPatternVisible,\n\t\tonProgressGroupClick,\n\t\tonProgressStepClick,\n\t\topenAdditionalPostForm,\n\t\topenAdoptionPayForm,\n\t\topenAdoptionPayViewForm,\n\t\topenAdvanceFuturePeriodsForm,\n\t\topenApplyTaxRefundForm,\n\t\topenAttachmentOfEarningsForm,\n\t\tonCancelLeavingAdditionalPostClick,\n\t\topenCancelMovePayrollsForm,\n\t\topenCancelRejoinLeaver,\n\t\topenChangeAdminStateForm,\n\t\topenChildcareVouchersForm,\n\t\topenCISCompanyWizard,\n\t\topenCISSubcontractorWizard,\n\t\topenCISVerificationForm,\n\t\topenCompanyVehicleForm,\n\t\topenCompanyVehicleViewForm,\n\t\topenCorrectionalSubmissionForm,\n\t\topenDeleteAdditionalPostForm,\n\t\topenDeleteTeamMemberForm,\n\t\topenEditTeamMemberPensionWizard,\n\t\topenEditTeamMemberPensionNonAEWizard,\n\t\topenEditTeamMemberPersonalWizard,\n\t\topenExcludeFromPayrollForm,\n\t\topenFurloughForm,\n\t\topenGenerateP45Form,\n\t\topenHealthcareForm,\n\t\topenHealthcareViewForm,\n\t\topenInviteToRegisterForm,\n\t\topenLeaveAdditionalPostForm,\n\t\topenLeaverMadeInErrorForm,\n\t\topenMaternityPayForm,\n\t\topenMovePayrollsForm,\n\t\topenNewAdminForm,\n\t\topenOnHoldForm,\n\t\topenPaternityPayForm,\n\t\topenPayInformationForm,\n\t\topenPaymentAfterLeavingForm,\n\t\topenPayStatementForm,\n\t\topenPensionTeamContributionsNonAEForm,\n\t\topenPensionTeamRemoveForm,\n\t\topenRejoinLeaverForm,\n\t\topenRemoveAdminAccessForm,\n\t\topenRepaymentScheduleForm,\n\t\topenRtiSubmissionForm,\n\t\topenSalaryChangeView,\n\t\topenSickPayForm,\n\t\topenSupplementaryPayRunForm,\n\t\topenUnlinkAccessAccountForm,\n\t\topenUnmarkAsAdvancingForm,\n\t\topenUnmarkAsLeaverForm,\n\t\topenUnregisterUserForm,\n\t\topenUpdateLeaverStatusForm,\n\t\topenViewWorkPatternForm,\n\t\trefreshUser\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('profileLinkRatesCtrl', ['$q', '$rootScope', '$scope', '$stateParams', 'adjustmentsService', 'filterService', 'payrollData', 'searchService', 'utilities', function ($q, $rootScope, $scope, $stateParams, adjustmentsService, filterService, payrollData, searchService, utilities) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst userId = $stateParams.userId;\n\n\tfunction attachPayElementToLinkRates (payElementDetailsObj, linkElementsDetailsObj) {\n\n\t\tpayElementDetailsObj.PayElements.forEach(payElementObj => {\n\n\t\t\tpayElementObj.linkElement = utilities.getArrayItemByPropertyName(linkElementsDetailsObj.LinkElements, 'LinkElementID', payElementObj.LinkElementID);\n\t\t});\n\t}\n\n\tfunction init () {\n\n\t\tvar AGENCY_PAY_PERIOD_ID; // Undefined\n\t\tvar FUTURE_ADJUSTMENTS = false;\n\t\tvar LINK_ELEMENTS = true;\n\t\tvar USER_IMPORT_GROUP_ID; // Undefined\n\n\t\tsetPageState('loading');\n\n\t\tconst getLinkElements = payrollData.getLinkElements(agencyProfileId);\n\t\tconst getUserPayElements = payrollData.getUserPayElements(agencyProfileId, AGENCY_PAY_PERIOD_ID, userId, FUTURE_ADJUSTMENTS, USER_IMPORT_GROUP_ID, LINK_ELEMENTS);\n\n\t\t$q.all([getLinkElements, getUserPayElements]).then(dataArr => {\n\n\t\t\tconst linkElementsDetailsObj = dataArr[0];\n\t\t\tconst userPayElementDetailsArr = dataArr[1];\n\n\t\t\tlet linkRateDetailsObj;\n\n\t\t\tif (userPayElementDetailsArr.length) {\n\n\t\t\t\tlinkRateDetailsObj = userPayElementDetailsArr[0];\n\n\t\t\t\tattachPayElementToLinkRates(linkRateDetailsObj, linkElementsDetailsObj);\n\t\t\t}\n\t\t\telse {\n\t\t\t\tlinkRateDetailsObj = null;\n\t\t\t}\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tfilterBarOptions: filterService.linkRates,\n\t\t\t\topenLinkRateForm,\n\t\t\t\trefreshLinkRates: init,\n\t\t\t\tsearchBarOptions: searchService.linkRates,\n\t\t\t\tuserId,\n\t\t\t\tuserPayElementDetails: linkRateDetailsObj\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction openLinkRateForm (appliedLinkRatesArr) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tappliedLinkRates: appliedLinkRatesArr,\n\t\t\tcallback: init,\n\t\t\tformContext: 'user',\n\t\t\tformKey: 'link-rate',\n\t\t\tuserId\n\t\t});\n\t}\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('profileInformationCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'companyData',\n\t'config',\n\t'journalsService',\n\t'reportData',\n\t'utilities',\n\t'BUSINESS_TYPES',\n\t'CALCULATION_METHODS',\n\t'DEMO_TASKS',\n\t'EMPLOYMENT_TYPES',\n\t'LEAVING_REASONS',\n\t'POLICY_PAY_BASES',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tcompanyData,\n\t\tconfig,\n\t\tjournalsService,\n\t\treportData,\n\t\tutilities,\n\t\tBUSINESS_TYPES,\n\t\tCALCULATION_METHODS,\n\t\tDEMO_TASKS,\n\t\tEMPLOYMENT_TYPES,\n\t\tLEAVING_REASONS,\n\t\tPOLICY_PAY_BASES\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst currentCompanyObj = $rootScope.currentCompany;\n\tconst userId = $stateParams.userId;\n\n\t// From parent controller\n\tconst currentPeriodObj = $scope.currentPayPeriod;\n\tconst refreshUser = $scope.refreshUser;\n\tconst teamMemberObj = $scope.teamMember;\n\n\tfunction getCompanyDetailsBlock (teamMemberObj, businessCategoriesArr, additionalPostAnnualSalaryPolicy) {\n\n\t\tfunction getCompanyDetailsBusinessCategoriesGroup (businessCategoriesArr, editAction) {\n\n\t\t\t// Decide where to get the business codes. Either from the main or additional post\n\t\t\tlet businessCodesArr;\n\t\t\tif (angular.isDefined(additionalPostAnnualSalaryPolicy)) {\n\t\t\t\t// Use business codes attached to the additional post (decorateTeamMember in parent controller)\n\t\t\t\tbusinessCodesArr = additionalPostAnnualSalaryPolicy.businessCodes.UserAgencyProfileBusinessCodes;\n\t\t\t}\n\t\t\telse if (angular.isDefined(teamMemberObj.Company.BusinessCodes) && teamMemberObj.Company.BusinessCodes != null) {\n\t\t\t\t// Use business codes attached to the team member company object\n\t\t\t\tbusinessCodesArr = teamMemberObj.Company.BusinessCodes.UserAgencyProfileBusinessCodes;\n\t\t\t}\n\n\t\t\t// Business Codes\n\t\t\tif (angular.isDefined(businessCodesArr) && businessCategoriesArr && businessCategoriesArr.length > 0) {\n\n\t\t\t\tjournalsService.decorateBusinessCodesWithBusinessCategories(businessCodesArr, businessCategoriesArr);\n\n\t\t\t\t/* Cycle through all business categories, if there's a match in the team member business codes, it will\n\t\t\t\t\tbe displayed as normal. If not, it needs to be shown with default placeholder text for unknown values */\n\t\t\t\tlet businessCodeDetailsArr = [];\n\t\t\t\tbusinessCategoriesArr.forEach(businessCategory => {\n\t\t\t\t\tlet teamMemberBusinessCode = businessCodesArr.find(teamMemberBusinessCode => {\n\t\t\t\t\t\treturn teamMemberBusinessCode.BusinessCategoryID === businessCategory.BusinessCategoryID;\n\t\t\t\t\t});\n\t\t\t\t\tif (teamMemberBusinessCode) {\n\t\t\t\t\t\tbusinessCodeDetailsArr.push({\n\t\t\t\t\t\t\tlabel: businessCategory.BusinessCategoryName,\n\t\t\t\t\t\t\tvalue: teamMemberBusinessCode.businessCodeDetail.BusinessCodeNarrative\n\t\t\t\t\t\t});\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\tbusinessCodeDetailsArr.push({\n\t\t\t\t\t\t\tlabel: businessCategory.BusinessCategoryName,\n\t\t\t\t\t\t\tvalue: '' // The UI will show some placeholder 'unknown' text for empty values\n\t\t\t\t\t\t});\n\t\t\t\t\t}\n\t\t\t\t});\n\n\t\t\t\treturn {\n\t\t\t\t\teditAction,\n\t\t\t\t\tid: 'profile-business-categories',\n\t\t\t\t\tdetails: businessCodeDetailsArr\n\t\t\t\t};\n\t\t\t}\n\t\t}\n\n\t\tfunction getCompanyDetailsCostSplitGroup () {\n\n\t\t\t// Decide where to get the business codes cost splits. Either from the main or additional post\n\t\t\tlet costSplitObj;\n\t\t\tif (angular.isDefined(additionalPostAnnualSalaryPolicy)) {\n\t\t\t\t// Use business codes cost splits attached to the additional post (decorateTeamMember in parent controller)\n\t\t\t\tcostSplitObj = additionalPostAnnualSalaryPolicy.businessCodes.BusinessCodeCostSplit;\n\t\t\t}\n\t\t\telse if (angular.isDefined(teamMemberObj.Company.BusinessCodes) && teamMemberObj.Company.BusinessCodes != null) {\n\t\t\t\t// Use business codes cost splits attached to the team member company object\n\t\t\t\tcostSplitObj = teamMemberObj.Company.BusinessCodes.BusinessCodeCostSplit;\n\t\t\t}\n\n\t\t\tfunction sortPrimaryFirst(userBusinessCode) {\n\t\t\t\treturn userBusinessCode.UserAgencyProfileBusinessCodePrimary ? -1 : 1;\n\t\t\t}\n\n\t\t\tfunction sortBusinessCodesStringsObj (a, b) {\n\t\t\t\t// We want primary business codes at the top\n\t\t\t\tif (a.primary) {\n\t\t\t\t\treturn -1;\n\t\t\t\t} else if (b.primary) {\n\t\t\t\t\treturn 1;\n\t\t\t\t}\n\t\n\t\t\t\t// Sort by descending percentage (multiplied by -1 to reverse the default comparison order)\n\t\t\t\tconst percentComparison = utilities.comparator('percentage')(a, b) * -1;\n\t\t\t\t\n\t\t\t\t// If the percentages are equal, sort by business code name\n\t\t\t\tif (percentComparison === 0) {\n\t\t\t\t\treturn utilities.comparator('businessCodeNarrative')(a, b);\n\t\t\t\t} else {\n\t\t\t\t\treturn percentComparison;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tlet costSplitValue = 'Not added';\n\n\t\t\t// Build a string containing the business category and a comma separated list of each cost split to show under company details\n\t\t\tif (angular.isDefined(costSplitObj) && costSplitObj != null && costSplitObj.UserAgencyProfileBusinessCodes !== null && costSplitObj.UserAgencyProfileBusinessCodes.length > 1) {\n\t\t\t\tconst businessCategory = businessCategoriesArr.find(businessCategory => businessCategory.BusinessCategoryID === costSplitObj.BusinessCategoryID);\n\t\t\t\tconst businessCodesStringsObj = costSplitObj.UserAgencyProfileBusinessCodes.sort(sortPrimaryFirst).map(costSplitBusinessCode => {\n\t\t\t\t\tconst businessCodeObj = businessCategory.BusinessCodes.find(businessCodeObj => businessCodeObj.BusinessCodeID === costSplitBusinessCode.BusinessCodeID);\n\n\t\t\t\t\treturn {\n\t\t\t\t\t\tbusinessCodeNarrative: businessCodeObj.BusinessCodeNarrative,\n\t\t\t\t\t\tpercentage: costSplitBusinessCode.UserAgencyProfileBusinessCodePercent,\n\t\t\t\t\t\tprimary: costSplitBusinessCode.UserAgencyProfileBusinessCodePrimary,\n\t\t\t\t\t\tcostSplitText: `${businessCodeObj.BusinessCodeNarrative} - ${costSplitBusinessCode.UserAgencyProfileBusinessCodePercent.toFixed(4)}%`\n\t\t\t\t\t};\n\t\t\t\t});\n\n\t\t\t\t// Example - \"Department: Marketing - 50.0000% / Sales - 50.0000%\"\n\t\t\t\tcostSplitValue = `${businessCategory.BusinessCategoryName}: ${businessCodesStringsObj.sort(sortBusinessCodesStringsObj).map(ubc => ubc.costSplitText).join(' / ')}`;\n\t\t\t}\n\n\t\t\treturn {\n\t\t\t\tdetails: [{\n\t\t\t\t\tlabel: 'Cost Split',\n\t\t\t\t\tvalue: costSplitValue,\n\t\t\t\t\ttype: 'multiline-text'\n\t\t\t\t}]\n\t\t\t};\n\t\t}\n\n\t\tlet companyDetailGroupDetailsArr;\n\t\tlet editAction;\n\t\t// Are these company details for an additional post?\n\t\tif (angular.isDefined(additionalPostAnnualSalaryPolicy)) {\n\t\t\teditAction = () => openSlideInForm('additional-post-form', {\n\t\t\t\tadditionalPostAnnualSalaryPolicy,\n\t\t\t\tactiveStep: 1,\n\t\t\t\tcurrentPayPeriod: currentPeriodObj,\n\t\t\t\tshowFormAsWizard: false,\n\t\t\t\ttitle: 'Edit post'\n\t\t\t});\n\t\t\tcompanyDetailGroupDetailsArr = [\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Job title',\n\t\t\t\t\tvalue: additionalPostAnnualSalaryPolicy.JobTitle\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Post start date',\n\t\t\t\t\ttype: 'date',\n\t\t\t\t\tvalue: additionalPostAnnualSalaryPolicy.EffectiveDateISO\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Post identifier',\n\t\t\t\t\tvalue: additionalPostAnnualSalaryPolicy.SalaryPolicyPostReference\n\t\t\t\t}\n\t\t\t];\n\t\t}\n\t\telse {\n\t\t\teditAction = () => openSlideInForm('company-details');\n\t\t\tcompanyDetailGroupDetailsArr = [\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Job title',\n\t\t\t\t\tvalue: $filter('checkEmpty')(teamMemberObj.Company.JobTitle, 'No job title')\n\t\t\t\t}\n\t\t\t];\n\t\t\tif (currentCompanyObj.IsHRActive) {\n\t\t\t\tcompanyDetailGroupDetailsArr.push(\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Job grade',\n\t\t\t\t\t\tvalue: $filter('checkEmpty')(teamMemberObj.Company.PolicyGradeName, 'None')\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Post identifier',\n\t\t\t\t\t\tvalue: teamMemberObj.Company.PrimarySalaryPolicyPostReference\n\t\t\t\t\t}\n\t\t\t\t);\n\t\t\t}\n\n\t\t\tcompanyDetailGroupDetailsArr.push({\n\t\t\t\tlabel: 'Start date',\n\t\t\t\ttype: 'date',\n\t\t\t\tvalue: teamMemberObj.Company.StartDateISO\n\t\t\t});\n\n\t\t\tcompanyDetailGroupDetailsArr.push({\n\t\t\t\tlabel: 'Payroll ID',\n\t\t\t\tvalue: teamMemberObj.Company.StaffNumber\n\t\t\t});\n\n\t\t\t// Expats\n\t\t\tif (currentCompanyObj.IsExpatActive) {\n\t\t\t\tcompanyDetailGroupDetailsArr.push({\n\t\t\t\t\tlabel: 'Expat',\n\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\tvalue: teamMemberObj.Company.IsExpatriate\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t// Show HMRC ID for non pension only\n\t\t\tif (!currentCompanyObj.PensionOnly) {\n\t\t\t\tcompanyDetailGroupDetailsArr.push({\n\t\t\t\t\tlabel: 'HMRC Submission ID',\n\t\t\t\t\tvalue: teamMemberObj.Company.PayrollNumber\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tcompanyDetailGroupDetailsArr.push({\n\t\t\t\tlabel: 'Omit from RTI?',\n\t\t\t\ttype: 'boolean',\n\t\t\t\tvalue: teamMemberObj.Company.IsExcludedFromRTI\n\t\t\t});\n\n\t\t\tcompanyDetailGroupDetailsArr.push({\n\t\t\t\tlabel: 'Director?',\n\t\t\t\ttype: 'boolean',\n\t\t\t\tvalue: teamMemberObj.Company.IsDirectorInTaxYear\n\t\t\t});\n\n\t\t\t// Director-specific info where applicable\n\t\t\tif (teamMemberObj.Company.IsDirectorInTaxYear) {\n\n\t\t\t\t// Appointment / appointment end dates\n\t\t\t\tif (teamMemberObj.Company.DirectorStartDateISO !== '') {\n\t\t\t\t\tcompanyDetailGroupDetailsArr.push({\n\t\t\t\t\t\tlabel: 'Appointment date',\n\t\t\t\t\t\tvalue: teamMemberObj.Company.DirectorStartDateISO,\n\t\t\t\t\t\ttype: 'date'\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\tcompanyDetailGroupDetailsArr.push({\n\t\t\t\t\tlabel: 'Director NI Payment Method',\n\t\t\t\t\tvalue: teamMemberObj.Company.DirectorNIStandard ? 'Standard' : 'Alternative'\n\t\t\t\t});\n\n\t\t\t\tif (teamMemberObj.Company.HasDirectorEndDateInTaxYear) {\n\t\t\t\t\tcompanyDetailGroupDetailsArr.push({\n\t\t\t\t\t\tlabel: 'Appointment end date',\n\t\t\t\t\t\tvalue: teamMemberObj.Company.DirectorEndDateISO,\n\t\t\t\t\t\ttype: 'date'\n\t\t\t\t\t});\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Leaver info if applicable\n\t\t\tif (teamMemberObj.Company.LeaveDateISO) {\n\t\t\t\tcompanyDetailGroupDetailsArr.push({\n\t\t\t\t\tlabel: 'Leave date',\n\t\t\t\t\ttype: 'date',\n\t\t\t\t\tvalue: teamMemberObj.Company.LeaveDateISO\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Reason for leaving',\n\t\t\t\t\tvalue: LEAVING_REASONS.find(leavingReason => {\n\t\t\t\t\t\treturn leavingReason.id === teamMemberObj.Company.LeaveReason;\n\t\t\t\t\t}).name\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Additional notes',\n\t\t\t\t\tvalue: teamMemberObj.Company.LeaveNote ? teamMemberObj.Company.LeaveNote : '(none)',\n\t\t\t\t\ttype: 'multiline-text'\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tcompanyDetailGroupDetailsArr.push({\n\t\t\t\tlabel: 'Apprentice?',\n\t\t\t\ttype: 'boolean',\n\t\t\t\tvalue: teamMemberObj.Company.IsApprentice\n\t\t\t});\n\n\t\t\tcompanyDetailGroupDetailsArr.push({\n\t\t\t\tlabel: 'Irregular worker?',\n\t\t\t\ttype: 'boolean',\n\t\t\t\tvalue: teamMemberObj.Company.IsIrregularWorker\n\t\t\t});\n\n\t\t\tif ($rootScope.currentCompany.IsPeopleHRIntegrationEnabled) {\n\t\t\t\tcompanyDetailGroupDetailsArr.push({\n\t\t\t\t\tlabel: 'PeopleHR Employee ID',\n\t\t\t\t\tvalue: teamMemberObj.Company.PhrEmployeeID\n\t\t\t\t});\n\t\t\t}\n\t\t}\n\n\t\treturn {\n\t\t\ticon: 'company',\n\t\t\ttitle: 'Company details',\n\t\t\tlayout: 'inline',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction,\n\t\t\t\t\tdetails: companyDetailGroupDetailsArr,\n\t\t\t\t\tid: 'profile-company-details'\n\t\t\t\t},\n\t\t\t\tgetCompanyDetailsBusinessCategoriesGroup(businessCategoriesArr, editAction),\n\t\t\t\tgetCompanyDetailsCostSplitGroup()\n\t\t\t],\n\t\t};\n\t}\n\n\tfunction getPayInformationBlock (teamMemberObj, calculationDetailsObj, annualSalaryPolicyObj, annualAllowancePoliciesArr) {\n\n\t\tif (teamMemberObj.Company.IsOffPayrollWorker || teamMemberObj.isArchivedEmployment) {\n\t\t\treturn;\n\t\t}\n\n\t\tfunction getPayInformationWorkPatternsGroups (teamMemberObj, payInformationDetailGroupsArr, payInformationGroupSalaryDetailsArr) {\n\n\t\t\t// Work Patterns\n\t\t\tteamMemberObj.WorkPatterns.forEach(workPatternObj => {\n\n\t\t\t\tpayInformationDetailGroupsArr.push(\n\t\t\t\t\t{\n\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Work Pattern',\n\t\t\t\t\t\t\t\tvalue: workPatternObj.Description\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Pattern Length',\n\t\t\t\t\t\t\t\ticon: 'pay-periods',\n\t\t\t\t\t\t\t\ttype: 'pluralize',\n\t\t\t\t\t\t\t\tvalue: workPatternObj.NonWorkingDays + workPatternObj.WorkingDays,\n\t\t\t\t\t\t\t\tpluralValues: {\n\t\t\t\t\t\t\t\t\tsingle: 'day',\n\t\t\t\t\t\t\t\t\tplural: 'days'\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Working Hours',\n\t\t\t\t\t\t\t\ticon: 'clock',\n\t\t\t\t\t\t\t\ttype: 'pluralize',\n\t\t\t\t\t\t\t\tvalue: workPatternObj.TotalHours,\n\t\t\t\t\t\t\t\tpluralValues: {\n\t\t\t\t\t\t\t\t\tsingle: 'hr',\n\t\t\t\t\t\t\t\t\tplural: 'hrs'\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Working Days',\n\t\t\t\t\t\t\t\ticon: 'calendar',\n\t\t\t\t\t\t\t\ttype: 'pluralize',\n\t\t\t\t\t\t\t\tvalue: workPatternObj.WorkingDays,\n\t\t\t\t\t\t\t\tpluralValues: {\n\t\t\t\t\t\t\t\t\tsingle: 'day',\n\t\t\t\t\t\t\t\t\tplural: 'days'\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Non-working Days',\n\t\t\t\t\t\t\t\ticon: 'menu-close',\n\t\t\t\t\t\t\t\ttype: 'pluralize',\n\t\t\t\t\t\t\t\tvalue: workPatternObj.NonWorkingDays,\n\t\t\t\t\t\t\t\tpluralValues: {\n\t\t\t\t\t\t\t\t\tsingle: 'day',\n\t\t\t\t\t\t\t\t\tplural: 'days'\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t]\n\t\t\t\t\t}\n\t\t\t\t);\n\n\t\t\t\tif (workPatternObj.EffectiveDateISO !== '') {\n\t\t\t\t\tpayInformationGroupSalaryDetailsArr.splice(2, 0, {\n\t\t\t\t\t\tlabel: 'Effective From',\n\t\t\t\t\t\ttype: 'date',\n\t\t\t\t\t\tvalue: workPatternObj.EffectiveDateISO\n\t\t\t\t\t});\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\n\t\tfunction getPayInformationPaymentTypeDetail (teamMemberObj) {\n\n\t\t\t// Salary or Hourly rate\n\t\t\tconst paymentRate = $filter('salaryRateDescription')(teamMemberObj.Salary);\n\n\t\t\t// Rates (daily/hourly)\n\t\t\tif (paymentRate) {\n\t\t\t\treturn {\n\t\t\t\t\tlabel: 'Rate',\n\t\t\t\t\tvalue: `${paymentRate}`\n\t\t\t\t};\n\t\t\t}\n\n\t\t\t// Salary\n\t\t\tswitch (teamMemberObj.Salary.EmploymentType) {\n\n\t\t\t\tcase EMPLOYMENT_TYPES.paidHourly:\n\t\t\t\t\treturn {\n\t\t\t\t\t\tlabel: 'Paid hourly',\n\t\t\t\t\t\ttype: 'monetise',\n\t\t\t\t\t\tvalue: teamMemberObj.Salary.SalaryHourlyRate,\n\t\t\t\t\t\tprecision: config.precision.salaryRates\n\t\t\t\t\t};\n\n\t\t\t\tcase EMPLOYMENT_TYPES.netPay:\n\t\t\t\t\treturn {\n\t\t\t\t\t\tlabel: 'Net pay per ' + $filter('payPeriodTypeDescription')(currentPeriodObj.PayPeriodType, 'month'),\n\t\t\t\t\t\ttype: 'monetise',\n\t\t\t\t\t\tvalue: teamMemberObj.Salary.SalaryYearly,\n\t\t\t\t\t\tprecision: config.precision.salaryRates\n\t\t\t\t\t};\n\n\t\t\t\tcase EMPLOYMENT_TYPES.standard:\n\t\t\t\tcase EMPLOYMENT_TYPES.nonStandard:\n\t\t\t\t\treturn {\n\t\t\t\t\t\tlabel: 'Annual salary',\n\t\t\t\t\t\ttype: 'monetise',\n\t\t\t\t\t\tvalue: teamMemberObj.Salary.SalaryYearly,\n\t\t\t\t\t\tprecision: config.precision.salaryRates\n\t\t\t\t\t};\n\t\t\t}\n\t\t}\n\n\t\tfunction getCalculationsSettingsDetail (teamMemberObj, payInformationDetailGroupsArr, calculationDetailsObj) {\n\n\t\t\t// Calculation settings (All employment types but pay policy)\n\t\t\tif (teamMemberObj.Salary.EmploymentType === EMPLOYMENT_TYPES.payPolicy) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tconst calculationDetailsToUseObj = teamMemberObj.Salary.UseCompanyDefaults ? calculationDetailsObj : teamMemberObj.Salary.CalculationDetails;\n\n\t\t\tconst calculationAndPaymentsDetailsArr = [\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Calculate gross to net elements before net to gross',\n\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\tvalue: calculationDetailsToUseObj.CalculateGrossToNetElementsFirst\n\t\t\t\t}\n\t\t\t];\n\n\t\t\tif (teamMemberObj.Salary.CalculationDetails.HasNetToGrossEENIPaidByEmployer) {\n\t\t\t\tcalculationAndPaymentsDetailsArr.push(\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Gross up for Employee NI',\n\t\t\t\t\t\tvalue: calculationDetailsToUseObj.NetToGrossEENIPaidByEmployer,\n\t\t\t\t\t\ttype: 'boolean'\n\t\t\t\t\t}\n\t\t\t\t);\n\t\t\t}\n\n\t\t\tcalculationAndPaymentsDetailsArr.push(\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Gross up for pension contributions',\n\t\t\t\t\tvalue: calculationDetailsToUseObj.NetToGrossPensionPaidByEmployer,\n\t\t\t\t\ttype: 'boolean'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Gross up for student loans (Plan 1, 2, and 4)',\n\t\t\t\t\tvalue: calculationDetailsToUseObj.NetToGrossSLPaidByEmployer,\n\t\t\t\t\ttype: 'boolean'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Gross up for postgraduate loans',\n\t\t\t\t\tvalue: calculationDetailsToUseObj.NetToGrossPGLPaidByEmployer,\n\t\t\t\t\ttype: 'boolean'\n\t\t\t\t}\n\t\t\t);\n\n\t\t\tpayInformationDetailGroupsArr.push({\n\t\t\t\ttitle: 'Calculation settings',\n\t\t\t\tdetails: calculationAndPaymentsDetailsArr\n\t\t\t});\n\t\t}\n\n\t\tfunction getTaxNISettingsDetail (teamMemberObj, payInformationDetailGroupsArr) {\n\n\t\t\t// Tax and NI settings (Expats && Net Pay || Standard Pattern)\n\t\t\tif (\n\t\t\t\t!(\n\t\t\t\t\tcurrentCompanyObj.IsExpatActive && teamMemberObj.Company.IsExpatriate &&\n\t\t\t\t\t[EMPLOYMENT_TYPES.netPay, EMPLOYMENT_TYPES.standard].includes(teamMemberObj.Salary.EmploymentType)\n\t\t\t\t)\n\t\t\t) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Change salary to show currency\n\t\t\tif (teamMemberObj.Salary.CurrencyID !== config.guidEmpty) {\n\t\t\t\tpayInformationPaymentTypeDetail.currency = teamMemberObj.Salary.CurrencyLabel;\n\t\t\t}\n\n\n\t\t\tconst taxNiSettingsDetailsArr = [];\n\n\t\t\ttaxNiSettingsDetailsArr.push(\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Exempt from Employee’s NI',\n\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\tvalue: teamMemberObj.Salary.EENIExcluded\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Exempt from Employer’s NI',\n\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\tvalue: teamMemberObj.Salary.ERNIExcluded\n\t\t\t\t}\n\t\t\t);\n\n\t\t\tif (!teamMemberObj.Salary.EENIExcluded) {\n\t\t\t\ttaxNiSettingsDetailsArr.push({\n\t\t\t\t\tlabel: 'Employee’s NI is paid by:',\n\t\t\t\t\tvalue: teamMemberObj.Salary.EENIPaidByEmployer ? 'Employer' : 'Employee'\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tif (teamMemberObj.Salary.TaxExcemptPercent > 0) {\n\t\t\t\ttaxNiSettingsDetailsArr.push({\n\t\t\t\t\tlabel: 'Tax exempt percentage',\n\t\t\t\t\tvalue: teamMemberObj.Salary.TaxExcemptPercent+'%'\n\t\t\t\t});\n\t\t\t}\n\n\t\t\ttaxNiSettingsDetailsArr.push({\n\t\t\t\tlabel: 'Allow tax greater than 50%?',\n\t\t\t\ttype: 'boolean',\n\t\t\t\tvalue: teamMemberObj.Salary.TaxCanExceed50Percent\n\t\t\t});\n\n\t\t\tpayInformationDetailGroupsArr.push({\n\t\t\t\ttitle: 'NI and Tax settings',\n\t\t\t\tdetails: taxNiSettingsDetailsArr\n\t\t\t});\n\t\t}\n\n\t\tfunction getSalaryChangeDetails (teamMemberObj, payInformationDetailGroupsArr) {\n\n\t\t\tif (!currentPeriodObj.IsPayrollLocked && !teamMemberObj.Company.IsOnHold) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Add group cta if salary change exists\n\t\t\tif (teamMemberObj.Salary.SalaryChangeEffectiveDateISO !== '') {\n\t\t\t\tpayInformationDetailGroupsArr.groupCta = {\n\t\t\t\t\tviewAction: () => {\n\t\t\t\t\t\topenSlideInForm('salary-change', { payPeriodId: currentPeriodObj.PayPeriodID });\n\t\t\t\t\t},\n\t\t\t\t\teditAction: () => {\n\t\t\t\t\t\topenSlideInForm('salary-change', { payPeriodId: currentPeriodObj.PayPeriodID });\n\t\t\t\t\t},\n\t\t\t\t\tviewLabel: 'Salary change',\n\t\t\t\t\teditCopy: 'View',\n\t\t\t\t\tcopy: `Effective date: ${$filter('dateformat')(teamMemberObj.Salary.SalaryChangeEffectiveDateISO)}`,\n\t\t\t\t\tcopyTheme: 'is-medium',\n\t\t\t\t\ttheme: 'tertiary',\n\t\t\t\t\tcustomClass: 'cheese'\n\t\t\t\t};\n\t\t\t}\n\t\t}\n\n\t\tconst canViewWorkPattern = [EMPLOYMENT_TYPES.standard, EMPLOYMENT_TYPES.nonStandard].includes(teamMemberObj.Salary.EmploymentType) &&\n\t\t(currentPeriodObj.IsPayrollLocked || teamMemberObj.Company.IsOnHold);\n\n\t\tconst payInformationPaymentTypeDetail = getPayInformationPaymentTypeDetail(teamMemberObj);\n\t\tconst payInformationGroupSalaryDetailsArr = [\n\t\t\t{\n\t\t\t\tactionFunction: () => openSlideInForm('view-work-pattern', { hideProfileLink: true }),\n\t\t\t\tlabel: 'Employment Type',\n\t\t\t\ttype: canViewWorkPattern ? 'action-link' : 'string',\n\t\t\t\tvalue: $filter('employmentTypeDescription')(teamMemberObj.Salary.EmploymentType)\n\t\t\t},\n\t\t\tpayInformationPaymentTypeDetail,\n\t\t];\n\n\t\tif (![EMPLOYMENT_TYPES.paidHourly, EMPLOYMENT_TYPES.payPolicy].includes(teamMemberObj.Salary.EmploymentType)) {\n\n\t\t\tpayInformationGroupSalaryDetailsArr.push({\n\t\t\t\tlabel: 'Overtime hourly rate',\n\t\t\t\ttype: 'monetise',\n\t\t\t\tvalue: teamMemberObj.Salary.SalaryHourlyRateOvertime,\n\t\t\t\tprecision: config.precision.salaryRates\n\t\t\t},\n\t\t\t{\n\t\t\t\tlabel: 'Overtime daily rate',\n\t\t\t\ttype: 'monetise',\n\t\t\t\tvalue: teamMemberObj.Salary.SalaryDailyRateOvertime,\n\t\t\t\tprecision: config.precision.salaryRates\n\t\t\t});\n\n\t\t\tif (teamMemberObj.Salary.EmploymentType !== EMPLOYMENT_TYPES.netPay) {\n\t\t\t\tpayInformationGroupSalaryDetailsArr.push({\n\t\t\t\t\tlabel: 'Day rate calculation',\n\t\t\t\t\tvalue: $filter('calculationMethodDescription')(teamMemberObj.Salary.ProRatingType)\n\t\t\t\t});\n\t\t\t}\n\t\t}\n\n\t\t// Determine edit action. This is different for additional posts\n\t\tlet editAction;\n\t\tif (angular.isUndefined(annualSalaryPolicyObj)) {\n\t\t\teditAction = () => openSlideInForm('pay-information');\n\t\t}\n\t\telse {\n\t\t\teditAction = () => openSlideInForm('additional-post-form', {\n\t\t\t\tadditionalPostAnnualSalaryPolicy: annualSalaryPolicyObj,\n\t\t\t\tactiveStep: 2,\n\t\t\t\tcurrentPayPeriod: currentPeriodObj,\n\t\t\t\tshowFormAsWizard: false,\n\t\t\t\ttitle: 'Edit post'\n\t\t\t});\n\t\t}\n\n\t\tconst payInformationSalaryGroup = {\n\t\t\teditAction,\n\t\t\tdemoTooltip: DEMO_TASKS.team.editSalary,\n\t\t\tdetails: payInformationGroupSalaryDetailsArr,\n\t\t\tid: 'profile-pay-information'\n\t\t};\n\n\t\tconst payInformationDetailGroupsArr = [\n\t\t\tpayInformationSalaryGroup\n\t\t];\n\n\t\tif (teamMemberObj.Salary.EmploymentType === EMPLOYMENT_TYPES.payPolicy) {\n\n\t\t\t// Get salary policy (should be 1 present) and annual allowance policies (0+) if they haven't been presented for an additional post\n\t\t\tif (angular.isUndefined(annualSalaryPolicyObj)) {\n\t\t\t\tannualSalaryPolicyObj = teamMemberObj.Salary.Policies.find(salaryPolicy => salaryPolicy.PolicyPayBasis === POLICY_PAY_BASES.annualSalary && salaryPolicy.IsPrimary);\n\t\t\t}\n\t\t\tif (angular.isUndefined(annualAllowancePoliciesArr)) {\n\t\t\t\tannualAllowancePoliciesArr = teamMemberObj.Salary.AllowancePolicies;\n\t\t\t}\n\n\t\t\t// Generate a description for the selected annual salary policy band that includes the annual amount (without FTE adjustment)\n\t\t\tconst annualSalaryPolicyBandDescription = `${annualSalaryPolicyObj.Band.PolicyBandName} (${$filter('monetise')(annualSalaryPolicyObj.Band.PolicyBandAnnualSalary)})`;\n\n\t\t\t// Salary policy\n\t\t\tpayInformationDetailGroupsArr.push({\n\t\t\t\ttitle: 'Pay',\n\t\t\t\tdetails: [\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Pay policy',\n\t\t\t\t\t\tvalue: annualSalaryPolicyObj.PolicyName\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Pay point',\n\t\t\t\t\t\tvalue: annualSalaryPolicyBandDescription\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Contracted hours per week',\n\t\t\t\t\t\ttype: 'number',\n\t\t\t\t\t\tvalue: annualSalaryPolicyObj.HoursPerWeek\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Contracted weeks per year',\n\t\t\t\t\t\ttype: 'number',\n\t\t\t\t\t\tvalue: annualSalaryPolicyObj.WeeksPerYear\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Full time equivalent',\n\t\t\t\t\t\ttype: 'percent',\n\t\t\t\t\t\tvalue: annualSalaryPolicyObj.FTEPercent\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Annual salary',\n\t\t\t\t\t\ttype: 'monetise',\n\t\t\t\t\t\tvalue: annualSalaryPolicyObj.FTEAnnualSalary\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Hourly rate',\n\t\t\t\t\t\tprecision: config.precision.salaryRates,\n\t\t\t\t\t\ttype: 'monetise',\n\t\t\t\t\t\tvalue: annualSalaryPolicyObj.Band.PolicyBandHourlyRate\n\t\t\t\t\t}\n\t\t\t\t]\n\t\t\t});\n\n\t\t\t// Annual allowance policies\n\t\t\tannualAllowancePoliciesArr.forEach(annualAllowancePolicy => {\n\t\t\t\t// Generate a description for the selected annual salary policy band that includes the annual amount (without FTE adjustment)\n\t\t\t\tconst annualAllowancePolicyBandDescription = `${annualAllowancePolicy.Band.PolicyBandName} (${$filter('monetise')(annualAllowancePolicy.Band.PolicyBandAnnualAllowance)})`;\n\n\t\t\t\tpayInformationDetailGroupsArr.push({\n\t\t\t\t\ttitle: 'Annual allowance',\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Pay policy',\n\t\t\t\t\t\t\tvalue: annualAllowancePolicy.PolicyName\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Pay point',\n\t\t\t\t\t\t\tvalue: annualAllowancePolicyBandDescription\n\t\t\t\t\t\t},\n\t\t\t\t\t\t// Get correct annual allowance salary depending on FTEApply\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Annual allowance',\n\t\t\t\t\t\t\ttype: 'monetise',\n\t\t\t\t\t\t\tvalue: annualAllowancePolicy.FTEApply ? annualAllowancePolicy.FTEAnnualSalary : annualAllowancePolicy.Band.PolicyBandAnnualAllowance\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Calculated at FTE?',\n\t\t\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\t\t\tvalue: annualAllowancePolicy.FTEApply\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t});\n\t\t\t});\n\n\t\t\tpayInformationDetailGroupsArr.push({\n\t\t\t\ttitle: 'Day rate calculations',\n\t\t\t\tdetails: [\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Starting/Leaving',\n\t\t\t\t\t\tvalue: CALCULATION_METHODS.find(calculationMethod => calculationMethod.key === annualSalaryPolicyObj.PeriodProRatingMethod).description\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Pay elements',\n\t\t\t\t\t\tvalue: CALCULATION_METHODS.find(calculationMethod => calculationMethod.key === annualSalaryPolicyObj.ElementProRatingMethod).description\n\t\t\t\t\t}\n\t\t\t\t]\n\t\t\t});\n\t\t}\n\n\t\tif ([EMPLOYMENT_TYPES.standard, EMPLOYMENT_TYPES.nonStandard].includes(teamMemberObj.Salary.EmploymentType)) {\n\t\t\tgetPayInformationWorkPatternsGroups(teamMemberObj, payInformationDetailGroupsArr, payInformationGroupSalaryDetailsArr);\n\t\t}\n\n\t\t// Tax and NI Settings\n\t\tgetTaxNISettingsDetail(teamMemberObj, payInformationDetailGroupsArr);\n\n\t\t// Calculation Settings\n\t\tgetCalculationsSettingsDetail(teamMemberObj, payInformationDetailGroupsArr, calculationDetailsObj);\n\n\t\t// Salary change read only details\n\t\tgetSalaryChangeDetails(teamMemberObj, payInformationSalaryGroup);\n\n\t\treturn {\n\t\t\tdetailGroups: payInformationDetailGroupsArr,\n\t\t\thasBeenUpdated: teamMemberObj.Salary.PatternUpdated,\n\t\t\ticon: 'setup-user',\n\t\t\tlayout: 'inline',\n\t\t\ttitle: 'Pay information'\n\t\t};\n\t}\n\n\tfunction getTeamMemberDetailBlocks (teamMemberObj, businessCategoriesArr, calculationDetailsObj) {\n\n\t\tfunction getAdditionalPostsSections (teamMemberObj, businessCategoriesArr) {\n\n\t\t\tfunction setDetailGroupActionIdsForAdditionalPostDetailBlock (additionalPostIndex, detailBlockObj) {\n\n\t\t\t\tfor (let detailGroupObj of detailBlockObj.detailGroups) {\n\t\t\t\t\tif (detailGroupObj.id) {\n\t\t\t\t\t\tdetailGroupObj.id = `${detailGroupObj.id}-post-${additionalPostIndex}`;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tlet additionalPostsSections;\n\t\t\tif (teamMemberObj.Posts.length !== 0) {\n\n\t\t\t\tadditionalPostsSections = [];\n\n\t\t\t\tfor (let additionalPostIndex = 0; additionalPostIndex < teamMemberObj.Posts.length; additionalPostIndex++) {\n\n\t\t\t\t\tconst additionalPostAnnualSalaryPolicy = teamMemberObj.Posts[additionalPostIndex];\n\n\t\t\t\t\t// Theme for additional post detail blocks is greyscale if the policy is locked\n\t\t\t\t\tconst theme = additionalPostAnnualSalaryPolicy.IsLocked ? 'greyscale' : 'primary';\n\t\t\t\t\tconst companyDetails = getCompanyDetailsBlock(teamMemberObj, businessCategoriesArr, additionalPostAnnualSalaryPolicy);\n\t\t\t\t\tconst payInformation = getPayInformationBlock(teamMemberObj, calculationDetailsObj, additionalPostAnnualSalaryPolicy, additionalPostAnnualSalaryPolicy.AllowancePolicies);\n\n\t\t\t\t\tsetDetailGroupActionIdsForAdditionalPostDetailBlock(additionalPostIndex, companyDetails);\n\t\t\t\t\tsetDetailGroupActionIdsForAdditionalPostDetailBlock(additionalPostIndex, payInformation);\n\n\t\t\t\t\tcompanyDetails.theme = theme;\n\t\t\t\t\tpayInformation.theme = theme;\n\t\t\t\t\tadditionalPostsSections.push({\n\t\t\t\t\t\tcompanyDetails,\n\t\t\t\t\t\tpayInformation,\n\t\t\t\t\t\tsalaryPolicy: additionalPostAnnualSalaryPolicy,\n\t\t\t\t\t\tshowAdditionalPost: true,\n\t\t\t\t\t\ttitle: additionalPostAnnualSalaryPolicy.JobTitle,\n\t\t\t\t\t\ttheme: additionalPostAnnualSalaryPolicy.IsLocked ? 'greyscale' : 'primary'\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\t// Get additional posts policies\n\t\t\t\treturn additionalPostsSections;\n\t\t\t}\n\t\t}\n\n\t\tfunction getIsNewStarterInformationBlockVisible (teamMemberObj) {\n\n\t\t\t// Not applicable if archived\n\t\t\tif (teamMemberObj.isArchivedEmployment) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\t// Seconded expats have their own declaration state\n\t\t\tif (!teamMemberObj.Company.IsSeconded && !teamMemberObj.Tax.StarterDeclaration) {\n\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\treturn true;\n\t\t}\n\n\t\tfunction getEmploymentSection (teamMemberObj, businessCategoriesArr, calculationDetailsObj) {\n\n\t\t\t// Don't show personal section for CIS/Payslip manager companies\n\t\t\tif (teamMemberObj.Company.IsCISSubcontractor || currentCompanyObj.IsPayslipManagerActive) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tfunction getNewStarterInformationBlock (teamMemberObj) {\n\n\t\t\t\tif (!getIsNewStarterInformationBlockVisible(teamMemberObj)) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Seconded Expats\n\t\t\t\tif (teamMemberObj.Company.IsSeconded) {\n\n\t\t\t\t\treturn {\n\t\t\t\t\t\ticon: 'joiners',\n\t\t\t\t\t\ttitle: 'New starter information',\n\t\t\t\t\t\tlayout: 'inline',\n\t\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Starter declaration',\n\t\t\t\t\t\t\t\t\t\tvalue: $filter('secondedStateDescription')(teamMemberObj.Tax.SecondedState)\n\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\t\teditAction: () => openSlideInForm('new-starter-information'),\n\t\t\t\t\t\t\t\tid: 'profile-new-starter-information'\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t]\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t// Everyone else\n\t\t\t\treturn {\n\t\t\t\t\ticon: 'joiners',\n\t\t\t\t\ttitle: 'New starter information',\n\t\t\t\t\tlayout: 'inline',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Has P45?',\n\t\t\t\t\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.Tax.IsP45Available\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Has P6?',\n\t\t\t\t\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.Tax.IsP6Available\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Starter declaration',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.Tax.StarterDeclaration\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\teditAction: () => openSlideInForm('new-starter-information'),\n\t\t\t\t\t\t\tid: 'profile-new-starter-information',\n\t\t\t\t\t\t\tshow: !(teamMemberObj.Tax.IsP45Available || teamMemberObj.Tax.IsP6Available)\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Has P45?',\n\t\t\t\t\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.Tax.IsP45Available\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Leaving date on P45',\n\t\t\t\t\t\t\t\t\ttype: 'date',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.YTD.YTDLeaveDatePreviousEmploymentISO\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Total pay in previous employment',\n\t\t\t\t\t\t\t\t\ttype: 'monetise',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.YTD.YTDGrossPreviousEmployment\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Total tax paid in previous employment',\n\t\t\t\t\t\t\t\t\ttype: 'monetise',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.YTD.YTDTaxPreviousEmployment\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\teditAction: () => openSlideInForm('new-starter-information'),\n\t\t\t\t\t\t\tid: 'profile-new-starter-information',\n\t\t\t\t\t\t\tshow: teamMemberObj.Tax.IsP45Available\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Has P6?',\n\t\t\t\t\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.Tax.IsP6Available\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Total pay in previous employment',\n\t\t\t\t\t\t\t\t\ttype: 'monetise',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.YTD.YTDGrossPreviousEmployment\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Total tax paid in previous employment',\n\t\t\t\t\t\t\t\t\ttype: 'monetise',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.YTD.YTDTaxPreviousEmployment\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\teditAction: () => openSlideInForm('new-starter-information'),\n\t\t\t\t\t\t\tid: 'profile-new-starter-information',\n\t\t\t\t\t\t\tshow: teamMemberObj.Tax.IsP6Available\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tfunction getYearToDatesBlock (teamMemberObj) {\n\n\t\t\t\treturn {\n\t\t\t\t\ticon: 'payslip',\n\t\t\t\t\ttitle: 'Year to dates',\n\t\t\t\t\tlayout: 'inline',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'YTD gross pay',\n\t\t\t\t\t\t\t\t\ttype: 'monetise',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.YTD.YTDGrossCurrentEmploymentTotal\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'YTD gross pay for Tax',\n\t\t\t\t\t\t\t\t\ttype: 'monetise',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.YTD.YTDGrossCurrentEmploymentforTax + teamMemberObj.YTD.YTDGrossPreviousEmployment\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'YTD gross pay for NIC',\n\t\t\t\t\t\t\t\t\ttype: 'monetise',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.YTD.YTDGrossCurrentEmploymentforNIC\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'YTD tax paid',\n\t\t\t\t\t\t\t\t\ttype: 'monetise',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.YTD.YTDTaxCurrentEmployment + teamMemberObj.YTD.YTDTaxPreviousEmployment\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\teditAction: () => openSlideInForm('payments-to-date'),\n\t\t\t\t\t\t\tid: 'profile-payments-to-date'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tfunction getContinuousEmploymentBlock (teamMemberObj) {\n\n\t\t\t\tif (teamMemberObj.isArchivedEmployment) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\treturn {\n\t\t\t\t\ticon: 'calendar',\n\t\t\t\t\ttitle: 'Continuous employment',\n\t\t\t\t\tlayout: 'inline',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Company name',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.Company.ContinuousEmployment.ContinuousEmploymentEmployerName\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Start date',\n\t\t\t\t\t\t\t\t\ttype: teamMemberObj.Company.ContinuousEmployment.ContinuousEmploymentStartDateISO ? 'date' : null,\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.Company.ContinuousEmployment.ContinuousEmploymentStartDateISO ? teamMemberObj.Company.ContinuousEmployment.ContinuousEmploymentStartDateISO : ''\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\teditAction: () => openSlideInForm('continuous-employment'),\n\t\t\t\t\t\t\tid: 'profile-continuous-employment'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tfunction getWorkplaceInformationBlock (teamMemberObj) {\n\n\t\t\t\tif (teamMemberObj.isArchivedEmployment) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\treturn {\n\t\t\t\t\ticon: 'company',\n\t\t\t\t\ttitle: 'Workplace information',\n\t\t\t\t\tlayout: 'inline',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Workplace postcode',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.Company.WorkplaceInformation.WorkplacePostcode\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\teditAction: () => openSlideInForm('workplace-information'),\n\t\t\t\t\t\t\tid: 'profile-workplace-information'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\t\t\t}\n\n\t\t\treturn {\n\t\t\t\tshowEmployment: true,\n\t\t\t\tnewStarterInformation: getNewStarterInformationBlock(teamMemberObj),\n\t\t\t\tyearToDates: getYearToDatesBlock(teamMemberObj),\n\t\t\t\tcompanyDetails: getCompanyDetailsBlock(teamMemberObj, businessCategoriesArr),\n\t\t\t\tpayInformation: getPayInformationBlock(teamMemberObj, calculationDetailsObj),\n\t\t\t\tcontinuousEmployment: getContinuousEmploymentBlock(teamMemberObj),\n\t\t\t\tworkplaceInformation: getWorkplaceInformationBlock(teamMemberObj)\n\t\t\t};\n\t\t}\n\n\t\tfunction getPersonalSection (teamMemberObj) {\n\n\t\t\t// Don't show personal section for companies or archived employments\n\t\t\tif (teamMemberObj.isCompany || teamMemberObj.isArchivedEmployment) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tfunction getPersonalDetailsBlock (teamMemberObj) {\n\t\t\t\tconst personalDetailsGroupsArr = [\n\t\t\t\t\t{\n\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Title',\n\t\t\t\t\t\t\t\tvalue: `${teamMemberObj.Personal.Title}`\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Name',\n\t\t\t\t\t\t\t\tvalue: `${teamMemberObj.Personal.Forename} ${teamMemberObj.Personal.Surname}`\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Date of birth',\n\t\t\t\t\t\t\t\tvalue: $filter('dateformat')(teamMemberObj.Personal.DOBISO)\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Age',\n\t\t\t\t\t\t\t\tvalue: $filter('yearsold')(teamMemberObj.Personal.DOBISO)\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'NI Number',\n\t\t\t\t\t\t\t\tvalue: teamMemberObj.Personal.NINumberPending ? 'Waiting' : teamMemberObj.Personal.NINumber\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Gender',\n\t\t\t\t\t\t\t\tvalue: teamMemberObj.Personal.Gender\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t ],\n\t\t\t\t\t\t editAction: () => openSlideInForm('personal'),\n\t\t\t\t\t\t id: 'profile-personal-details'\n\t\t\t\t\t}\n\t\t\t\t];\n\n\t\t\t\treturn {\n\t\t\t\t\ticon: 'user',\n\t\t\t\t\ttitle: 'Personal details',\n\t\t\t\t\tlayout: 'inline',\n\t\t\t\t\tdetailGroups: personalDetailsGroupsArr\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tfunction getContactDetailsBlock (teamMemberObj) {\n\n\t\t\t\tconst contactDetailsGroupsArr = [\n\t\t\t\t\t{\n\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Email address',\n\t\t\t\t\t\t\t\ttype: teamMemberObj.Personal.DummyEmail ? null : 'email',\n\t\t\t\t\t\t\t\tvalue: teamMemberObj.Personal.DummyEmail ? 'Doesn\\'t have an email address' : teamMemberObj.Personal.Email === '' ? 'No email address added' : teamMemberObj.Personal.Email\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t],\n\t\t\t\t\t\teditAction: () => openSlideInForm('email-address'),\n\t\t\t\t\t\tid: 'profile-contact-details-email-address'\n\t\t\t\t\t}\n\t\t\t\t];\n\n\t\t\t\t// Company is not a payslip manager company\n\t\t\t\tif (!currentCompanyObj.IsPayslipManagerActive) {\n\t\t\t\t\tcontactDetailsGroupsArr.push({\n\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Main contact number',\n\t\t\t\t\t\t\t\ttype: 'phone',\n\t\t\t\t\t\t\t\tvalue: teamMemberObj.Personal.PhoneNumberPrimary\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Other contact number',\n\t\t\t\t\t\t\t\ttype: 'phone',\n\t\t\t\t\t\t\t\tvalue: teamMemberObj.Personal.PhoneNumberSecondary\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t],\n\t\t\t\t\t\teditAction: () => openSlideInForm('telephone'),\n\t\t\t\t\t\tid: 'profile-contact-details-telephone'\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\treturn {\n\t\t\t\t\ticon: 'email',\n\t\t\t\t\ttitle: 'Contact details',\n\t\t\t\t\tlayout: 'inline',\n\t\t\t\t\tdetailGroups: contactDetailsGroupsArr\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tfunction getAddressBlock (teamMemberObj) {\n\n\t\t\t\treturn {\n\t\t\t\t\ticon: 'building-society',\n\t\t\t\t\ttitle: 'Address',\n\t\t\t\t\tlayout: 'inline single',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\ttype: 'address',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.HasForeignAddress ? teamMemberObj.ForeignAddress : teamMemberObj.Address,\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\teditAction: () => openSlideInForm('address'),\n\t\t\t\t\t\t\tid: 'profile-address'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tfunction getBankDetailsBlock (teamMemberObj) {\n\n\t\t\t\tif (currentCompanyObj.IsPayslipManagerActive) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tconst bankDetailsGroupsDetailsArr = [\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Account type',\n\t\t\t\t\t\tvalue: teamMemberObj.Bank.BankAccountNumber === '' ? '' : (teamMemberObj.Bank.BuildingSocietyReference === '' ? 'Bank account' : 'Building society account')\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Account number',\n\t\t\t\t\t\tvalue: (teamMemberObj.Bank.BuildingSocietyReference === '' ? '' : teamMemberObj.Bank.BuildingSocietyReference + '/') + teamMemberObj.Bank.BankAccountNumber\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Sort code',\n\t\t\t\t\t\tvalue: teamMemberObj.Bank.SortCode === '000000' ? '' : teamMemberObj.Bank.SortCode\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Account holder name',\n\t\t\t\t\t\tvalue: teamMemberObj.Bank.BankAccountName\n\t\t\t\t\t}\n\t\t\t\t];\n\n\t\t\t\t// International\n\t\t\t\tif (teamMemberObj.Bank.BankIBAN !== '') {\n\t\t\t\t\tbankDetailsGroupsDetailsArr.push({\n\t\t\t\t\t\tlabel: 'IBAN',\n\t\t\t\t\t\tvalue: teamMemberObj.Bank.BankIBAN\n\t\t\t\t\t});\n\t\t\t\t}\n\t\t\t\tif (teamMemberObj.Bank.BankBIC !== '') {\n\t\t\t\t\tbankDetailsGroupsDetailsArr.push({\n\t\t\t\t\t\tlabel: 'BIC',\n\t\t\t\t\t\tvalue: teamMemberObj.Bank.BankBIC\n\t\t\t\t\t});\n\t\t\t\t}\n\t\t\t\tif (currentCompanyObj.IsExpatActive && teamMemberObj.Bank.CurrencyID !== config.guidEmpty) {\n\t\t\t\t\tbankDetailsGroupsDetailsArr.push({\n\t\t\t\t\t\tlabel: 'Currency',\n\t\t\t\t\t\tvalue: teamMemberObj.Bank.CurrencyLabel\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\treturn {\n\t\t\t\t\ticon: 'bank',\n\t\t\t\t\ttitle: 'Bank details',\n\t\t\t\t\tlayout: 'inline',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tdetails: bankDetailsGroupsDetailsArr,\n\t\t\t\t\t\t\teditAction: () => openSlideInForm('payment-details'),\n\t\t\t\t\t\t\tid: 'profile-bank-details'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tfunction getPassportDetailsBlock (teamMemberObj) {\n\n\t\t\t\tif (currentCompanyObj.IsPayslipManagerActive) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tconst passportDetailsArr = [\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Passport number',\n\t\t\t\t\t\tvalue: teamMemberObj.Personal.PassportNumber\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Expiry date',\n\t\t\t\t\t\ttype: 'date',\n\t\t\t\t\t\tvalue: teamMemberObj.Personal.PassportExpiryDateISO\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'EU Citizen?',\n\t\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\t\tvalue: teamMemberObj.Personal.EUCitizen\n\t\t\t\t\t}\n\t\t\t\t];\n\n\t\t\t\tif (teamMemberObj.Personal.Nationality !== '') {\n\t\t\t\t\tpassportDetailsArr.push({\n\t\t\t\t\t\tlabel: 'Nationality',\n\t\t\t\t\t\tvalue: teamMemberObj.Personal.Nationality\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\tif (teamMemberObj.Personal.VisaNumber !== '') {\n\t\t\t\t\tpassportDetailsArr.push({\n\t\t\t\t\t\tlabel: 'Visa Number',\n\t\t\t\t\t\tvalue: teamMemberObj.Personal.VisaNumber\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\tif (teamMemberObj.Personal.VisaExpiryDateISO !== '') {\n\t\t\t\t\tpassportDetailsArr.push({\n\t\t\t\t\t\tlabel: 'Visa expiry date',\n\t\t\t\t\t\ttype: 'date',\n\t\t\t\t\t\tvalue: teamMemberObj.Personal.VisaExpiryDateISO\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\tif (teamMemberObj.Personal.UKArrivalDateISO !== '') {\n\t\t\t\t\tpassportDetailsArr.push({\n\t\t\t\t\t\tlabel: 'Arrival in UK date',\n\t\t\t\t\t\ttype: 'date',\n\t\t\t\t\t\tvalue: teamMemberObj.Personal.UKArrivalDateISO\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\treturn {\n\t\t\t\t\ticon: 'passport',\n\t\t\t\t\ttitle: 'Passport and Visa',\n\t\t\t\t\tlayout: 'inline',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tdetails: passportDetailsArr,\n\t\t\t\t\t\t\teditAction: () => openSlideInForm('passport'),\n\t\t\t\t\t\t\tid: 'profile-passport-and-visa'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\t\t\t}\n\n\t\t\treturn {\n\t\t\t\tshowPersonal: true,\n\t\t\t\tpersonalDetails: getPersonalDetailsBlock(teamMemberObj),\n\t\t\t\tcontactDetails: getContactDetailsBlock(teamMemberObj),\n\t\t\t\taddress: getAddressBlock(teamMemberObj),\n\t\t\t\tbankDetails: getBankDetailsBlock(teamMemberObj),\n\t\t\t\tpassportDetails: getPassportDetailsBlock(teamMemberObj)\n\t\t\t};\n\t\t}\n\n\t\tfunction getCISSubcontractorSection (teamMemberObj) {\n\n\t\t\tif (!teamMemberObj.Company.IsCISSubcontractor) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tfunction getCisInformationBlock (teamMemberObj) {\n\n\t\t\t\tconst cisInformationGroupDetailsArr = [\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Business Type',\n\t\t\t\t\t\tvalue: $filter('cisBusinessType')(teamMemberObj.CIS.BusinessDetails.BusinessType)\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Trading Name',\n\t\t\t\t\t\tvalue: teamMemberObj.CIS.BusinessDetails.TradingName\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Verification Number',\n\t\t\t\t\t\tvalue: teamMemberObj.CIS.VerificationReference\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Deduction rate',\n\t\t\t\t\t\tvalue: $filter('taxTreatment')(teamMemberObj.CIS.TaxTreatment)\n\t\t\t\t\t}\n\t\t\t\t];\n\n\t\t\t\t// CIS Partnerships Only\n\t\t\t\tif (teamMemberObj.CIS.BusinessDetails.BusinessType === BUSINESS_TYPES.partnership) {\n\t\t\t\t\tcisInformationGroupDetailsArr.splice(2, 0, {\n\t\t\t\t\t\tlabel: 'Partnership UTR',\n\t\t\t\t\t\tvalue: teamMemberObj.CIS.BusinessDetails.PartnershipUTR\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\t// CIS Subcontractors Only\n\t\t\t\tif (teamMemberObj.Company.IsCISSubcontractor) {\n\t\t\t\t\tcisInformationGroupDetailsArr.push({\n\t\t\t\t\t\tlabel: 'UTR',\n\t\t\t\t\t\tvalue: teamMemberObj.Personal.UTRPending ? 'Doesn\\'t have a Unique Tax Reference' : teamMemberObj.Personal.UTR\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\treturn {\n\t\t\t\t\ticon: 'cis',\n\t\t\t\t\ttitle: 'CIS information',\n\t\t\t\t\tlayout: 'inline',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tdetails: cisInformationGroupDetailsArr,\n\t\t\t\t\t\t\teditAction: () => openSlideInForm('cis-business-type', {\n\t\t\t\t\t\t\t\ttitle: teamMemberObj.CIS.BusinessDetails.BusinessType === BUSINESS_TYPES.soletrader ? 'Sole Trader details' : 'Partnership details'\n\t\t\t\t\t\t\t}),\n\t\t\t\t\t\t\tid: 'profile-cis-information'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\t\t\t}\n\n\t\t\treturn {\n\t\t\t\tshowCISSubcontractor: true,\n\t\t\t\tcisInformation: getCisInformationBlock(teamMemberObj)\n\t\t\t};\n\t\t}\n\n\t\tfunction getCISCompanySection (teamMemberObj) {\n\n\t\t\tif (!teamMemberObj.isCompany) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tfunction getCISCompanyDetailsBlock (teamMemberObj) {\n\n\t\t\t\treturn {\n\t\t\t\t\ticon: 'cis',\n\t\t\t\t\ttitle: 'Company information',\n\t\t\t\t\tlayout: 'inline',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Company name',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.CIS.BusinessDetails.TradingName\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Company UTR',\n\t\t\t\t\t\t\t\t\tvalue: $filter('checkEmpty')(teamMemberObj.Personal.UTR, 'No UTR provided')\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'VAT registration number',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.CIS.VATRegistrationNumber\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Address',\n\t\t\t\t\t\t\t\t\ttype: 'address',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.Address\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\teditAction: () => openSlideInForm('cis-company-details'),\n\t\t\t\t\t\t\tid: 'profile-company-information'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tfunction getCISCompanyContactDetails (teamMemberObj) {\n\n\t\t\t\treturn {\n\t\t\t\t\ticon: 'user',\n\t\t\t\t\ttitle: 'Company contact',\n\t\t\t\t\tlayout: 'inline',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Name',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.Personal.Title + ' ' + teamMemberObj.Personal.Forename + ' ' + teamMemberObj.Personal.Surname\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Email address',\n\t\t\t\t\t\t\t\t\tvalue: $filter('checkEmpty')(teamMemberObj.Personal.Email, 'No email address added')\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\teditAction: () => openSlideInForm('cis-company-contact'),\n\t\t\t\t\t\t\tid: 'profile-company-contact'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tfunction getCISCompanyPaymentDetails (teamMemberObj) {\n\n\t\t\t\treturn {\n\t\t\t\t\ticon: 'bank',\n\t\t\t\t\ttitle: 'Payment details',\n\t\t\t\t\tlayout: 'inline',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: teamMemberObj.Bank.BuildingSocietyReference === '' ? 'Bank account' : 'Building society account',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.Bank.BuildingSocietyReference !== '' ? teamMemberObj.Bank.BuildingSocietyReference + '/' + teamMemberObj.Bank.BankAccountNumber : teamMemberObj.Bank.BankAccountNumber\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Sort code',\n\t\t\t\t\t\t\t\t\tvalue: teamMemberObj.Bank.SortCode\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\teditAction: () => openSlideInForm('payment-details', {\n\t\t\t\t\t\t\t\tshowContext: false\n\t\t\t\t\t\t\t}),\n\t\t\t\t\t\t\tid: 'profile-payment-detais'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\t\t\t}\n\n\t\t\treturn {\n\t\t\t\tshowCISCompany: true,\n\t\t\t\tcisCompanyDetails: getCISCompanyDetailsBlock(teamMemberObj),\n\t\t\t\tcisCompanyContactDetails: getCISCompanyContactDetails(teamMemberObj),\n\t\t\t\tcisCompanyPaymentDetails: getCISCompanyPaymentDetails(teamMemberObj)\n\t\t\t};\n\t\t}\n\n\t\treturn {\n\t\t\tadditionalPosts: getAdditionalPostsSections(teamMemberObj, businessCategoriesArr, calculationDetailsObj),\n\t\t\temployment: getEmploymentSection(teamMemberObj, businessCategoriesArr, calculationDetailsObj),\n\t\t\tpersonal: getPersonalSection(teamMemberObj),\n\t\t\tcisSubContractor: getCISSubcontractorSection(teamMemberObj),\n\t\t\tcisCompany: getCISCompanySection(teamMemberObj)\n\t\t};\n\t}\n\n\tfunction init () {\n\n\t setPageState('loading');\n\n\t\tconst getBusinessCategoriesList = reportData.getBusinessCategoryListForAgency(agencyProfileId);\n\t\tconst getAgencyEmployerCalculationDetails = teamMemberObj.Salary.UseCompanyDefaults && teamMemberObj.Salary.EmploymentType !== EMPLOYMENT_TYPES.payPolicy ? companyData.getAgencyEmployerNetPayCalculationDetails(agencyProfileId) : null;\n\n\t\t$q.all([getBusinessCategoriesList, getAgencyEmployerCalculationDetails])\n\t\t\t.then(([businessCategoriesArr, calculationDetailsObj]) => {\n\n\t\t\t\t$scope.vm = getTeamMemberDetailBlocks(teamMemberObj, businessCategoriesArr, calculationDetailsObj);\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openSlideInForm (formKey, formOptionsObj) {\n\n\t\tconst defaultFormOptionsObj = {\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tavailableWhenCompanyArchived: true,\n\t\t\tcallback: refreshUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: formKey,\n\t\t\tuserId: userId\n\t\t};\n\n\t\t$rootScope.openSlideInForm(angular.extend(defaultFormOptionsObj, formOptionsObj));\n\t}\n\n\tfunction setPageState (newState) {\n\t\t$scope.pageState = newState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\topenSlideInForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('profilePensionCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'pensionData',\n\t'pensionService',\n\t'FORM_WIZARD_KEYS',\n\t'PENSION_ENROLMENT_STATES',\n\t'PENSION_TYPES',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tpensionData,\n\t\tpensionService,\n\t\tFORM_WIZARD_KEYS,\n\t\tPENSION_ENROLMENT_STATES,\n\t\tPENSION_TYPES\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst userId = $stateParams.userId;\n\n\t/* Callback ensures refresh is initiated from the parent controller. If a team member is added or removed from a pension here,\n\t that needs to be updated in the overview. */\n\tconst callback = $scope.refreshUser;\n\n\tfunction decoratePensionPayments (pensionPaymentsArr) {\n\n\t\t// Sort these, so additional post pensions come after main post, in job title order\n\t\tpensionPaymentsArr = pensionService.filterAndSortPensions(pensionPaymentsArr, PENSION_TYPES.all, 'PensionDetails');\n\n\t\tconst aePensionIndex = pensionPaymentsArr.findIndex(paymentObj => paymentObj.PensionDetails.PensionType === PENSION_TYPES.autoEnrolment);\n\t\tconst aePensionObj = angular.copy(pensionPaymentsArr[aePensionIndex]);\n\n\t\tif (aePensionIndex > -1) {\n\n\t\t\t// Remove AE pension from array\n\t\t\tpensionPaymentsArr.splice(aePensionIndex, 1);\n\n\t\t\t// Move excluded pension to end of array\n\t\t\tif (aePensionObj.PensionDetails.PensionState === PENSION_ENROLMENT_STATES.excluded) {\n\t\t\t\tpensionPaymentsArr.push(aePensionObj);\n\n\t\t\t} else {\n\n\t\t\t\t// Bring non-excluded pension to beginning of array\n\t\t\t\tpensionPaymentsArr.unshift(aePensionObj);\n\t\t\t}\n\t\t}\n\n\t\treturn pensionPaymentsArr;\n\t}\n\n\tfunction getPensionCount (pensionPaymentsArr) {\n\t\treturn pensionPaymentsArr.filter(paymentObj => paymentObj.PensionDetails.PensionState !== PENSION_ENROLMENT_STATES.excluded).length;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tpensionData.getTeamMemberPensionPaymentHistory(agencyProfileId, userId)\n\t\t\t.then(pensionPaymentsArr => {\n\n\t\t\t\tconst vmObj = {\n\t\t\t\t\tpensionCount: getPensionCount(pensionPaymentsArr),\n\t\t\t\t\tpensionPayments: decoratePensionPayments(pensionPaymentsArr),\n\t\t\t\t\tactivePayment: null\n\t\t\t\t};\n\n\t\t\t\tsetActivePayment(vmObj, pensionPaymentsArr[0]);\n\n\t\t\t\t$scope.vm = vmObj;\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openAddToPensionWizard (pensionObj) {\n\n\t\tswitch (pensionObj.PensionType) {\n\t\t\tcase PENSION_TYPES.autoEnrolment:\n\t\t\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\t\t\tcontextType: 'user',\n\t\t\t\t\tshowContext: true,\n\t\t\t\t\tactiveStepIndex: 0,\n\t\t\t\t\tagencyProfileId: agencyProfileId,\n\t\t\t\t\tagencyEmployerPensionId: pensionObj.AgencyEmployerPensionID,\n\t\t\t\t\tpensionAdditionalPostId: pensionObj.SalaryPolicyPostID,\n\t\t\t\t\tcallback,\n\t\t\t\t\tuserId: userId,\n\t\t\t\t\twizardKey: FORM_WIZARD_KEYS.teamMemberEditAEPension\n\t\t\t\t});\n\t\t\t\tbreak;\n\n\t\t\tcase PENSION_TYPES.nonAutoEnrolment:\n\t\t\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\t\t\tcontextType: 'user',\n\t\t\t\t\tshowContext: true,\n\t\t\t\t\tactiveStepIndex: 0,\n\t\t\t\t\tagencyEmployerPensionId: pensionObj.AgencyEmployerPensionID,\n\t\t\t\t\tagencyProfileId: agencyProfileId,\n\t\t\t\t\tcallback,\n\t\t\t\t\tuserId: userId,\n\t\t\t\t\twizardKey: FORM_WIZARD_KEYS.teamMemberEditNonAEPension\n\t\t\t\t});\n\t\t\t\tbreak;\n\t\t}\n\t}\n\n\tfunction openSlideInForm (pensionObj, formKey) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tagencyEmployerPensionId: pensionObj.AgencyEmployerPensionID,\n\t\t\tpensionAdditionalPostId: pensionObj.SalaryPolicyPostID,\n\t\t\tcallback,\n\t\t\tcontextType: 'user',\n\t\t\tuserId: userId,\n\t\t\tformKey: formKey\n\t\t});\n\t}\n\n\tfunction setActivePayment (vmObj, paymentObj) {\n\t\tvmObj.activePayment = paymentObj;\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tPENSION_ENROLMENT_STATES,\n\t\tPENSION_TYPES,\n\n\t\tagencyProfileId,\n\n\t\topenAddToPensionWizard,\n\t\topenSlideInForm,\n\t\tsetActivePayment\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('profilePaymentsCtrl', ['$scope', '$stateParams', 'config', 'filterService', 'payrollData', 'searchService', function ($scope, $stateParams, config, filterService, payrollData, searchService) {\n\n\tvar agencyProfileId = $stateParams.agencyProfileId;\n\tvar from = moment().subtract(100, 'years').format(config.dateFormatPrimary);\n\tvar to = moment().add(100, 'years').format(config.dateFormatPrimary);\n\tvar userId = $stateParams.userId;\n\n\tfunction decoratePayments (paymentObj) {\n\n\t\tpaymentObj.userPaymentDateDisplayUnix = moment(paymentObj.UserPaymentDateDisplay, config.dateFormatPrimary).unix();\n\n\t\treturn paymentObj;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tpayrollData.getUserPaymentsForDateRange(userId, agencyProfileId, from, to).then(function (paymentsArray) {\n\n\t\t\t$scope.payments = paymentsArray.filter(decoratePayments);\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(function (error) {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\t// Scope variables\n\t$scope.agencyProfileId \t= agencyProfileId;\n\t$scope.searchBarOptions = searchService.profilePayments;\n\t$scope.userId = userId;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('profileDocumentsCtrl', [\n\t'$rootScope',\n\t'$timeout',\n\t'$scope',\n\t'$stateParams',\n\t'$window',\n\t'config',\n\t'documentsService',\n\t'filterService',\n\t'PAYROLL_MOVE_STATUSES',\n\t'searchService',\n\t'teamData',\n\t'UPLOADS_DOCUMENTS_FORMS',\n\tfunction (\n\t\t$rootScope,\n\t\t$timeout,\n\t\t$scope,\n\t\t$stateParams,\n\t\t$window,\n\t\tconfig,\n\t\tdocumentsService,\n\t\tfilterService,\n\t\tPAYROLL_MOVE_STATUSES,\n\t\tsearchService,\n\t\tteamData,\n\t\tUPLOADS_DOCUMENTS_FORMS\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst archivedEmploymentId = $stateParams.archivedEmploymentId;\n\tconst userId = $stateParams.userId;\n\n\tconst teamMemberObj = $scope.teamMember; // From parent;\n\n\tconst VIEW_MODES = {\n\t\tdesktop: 'desktop',\n\t\tmobile: 'mobile'\n\t};\n\n\tfunction getDocumentsService () {\n\n\t\tif (teamMemberObj.isArchivedEmployment) {\n\t\t\treturn teamData.getAllUserDocumentsForArchivedEmployment(userId, agencyProfileId, archivedEmploymentId);\n\t\t} else {\n\t\t\treturn teamData.getAllUserDocuments(userId, agencyProfileId);\n\t\t}\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tgetDocumentsService()\n\t\t\t.then(documentsArr => {\n\n\t\t\t\t$scope.documents = documentsService.getDecoratedDocuments(documentsArr);\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\n\t\t// On window resize, set the view mode accordingly.\n\t\tangular.element($window).on('resize', () => {\n\t\t\tsetViewMode();\n\t\t});\n\n\t\t// Set initial view mode\n\t\tsetViewMode();\n\t}\n\n\tfunction onError (error) {\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction openRegenerateDocumentsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'regenerate-documents',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openUploadDocumentsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'user-documents',\n\t\t\tformState: UPLOADS_DOCUMENTS_FORMS.uploadFile,\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openPdfDownloadForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'user-downloads-document',\n\t\t\ttitle: 'Download documents',\n\t\t\tuserIds: [userId],\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction setViewMode () {\n\n\t\t// Switch view mode if necessary. Do this in a timeout so the digest cycle runs on change.\n\t\t$timeout(() => {\n\t\t\tif ($window.innerWidth < config.screenPixelMaxWidths.tablet && $scope.viewMode !== VIEW_MODES.mobile) {\n\t\t\t\t$scope.viewMode = VIEW_MODES.mobile;\n\t\t\t}\n\t\t\telse if ($window.innerWidth >= config.screenPixelMaxWidths.tablet && $scope.viewMode !== VIEW_MODES.desktop) {\n\t\t\t\t$scope.viewMode = VIEW_MODES.desktop;\n\t\t\t}\n\t\t}, 0);\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\topenRegenerateDocumentsForm,\n\t\topenUploadDocumentsForm,\n\t\topenPdfDownloadForm,\n\t\trefreshDocuments: init,\n\n\t\tfilterBarOptions: filterService.profileDocuments,\n\t\tPAYROLL_MOVE_STATUSES,\n\t\tsearchBarOptions: searchService.profileDocuments,\n\t\tVIEW_MODES\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('profileHolidayCtrl', ['$rootScope', '$scope', '$stateParams', 'agency', 'filterService', 'holidaySicknessService', 'searchService', function ($rootScope, $scope, $stateParams, agency, filterService, holidaySicknessService, searchService) {\n\n\tvar agencyProfileId = $stateParams.agencyProfileId;\n\tvar userId = $stateParams.userId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tagency.getHolidaySummary(agencyProfileId, userId).then(function (holidayObj) {\n\n\t\t\tif (holidayObj.Holidays.length === 0) {\n\t\t\t\t$rootScope.paycircleMessage('Unable to load holiday for user', 'error');\n\t\t\t\treturn null;\n\t\t\t}\n\n\t\t\t$scope.userHoliday = holidaySicknessService.decorateHolidayDetails(holidayObj);\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(function (error) {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\t$scope.agencyProfileId = agencyProfileId;\n\t$scope.filterBarOptions = filterService.profileHoliday;\n\t$scope.searchBarOptions = searchService.profileHoliday;\n\n\t$scope.openAddLeaveForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\ttitle: 'Add leave',\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tuserId: userId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tleaveType: 'holiday',\n\t\t\tformKey: 'add-leave'\n\t\t});\n\t};\n\n\t$scope.openEditHolidayPolicyForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\ttitle: 'Edit holiday policy',\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tuserId: userId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'edit-holiday-policy'\n\t\t});\n\t};\n\n\t$scope.loadHoliday = function () {\n\n\t\tinit();\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('profileSicknessCtrl', ['$rootScope', '$scope', '$stateParams', 'agency', 'filterService', 'holidaySicknessService', 'searchService', function ($rootScope, $scope, $stateParams, agency, filterService, holidaySicknessService, searchService) {\n\n\tvar agencyProfileId = $stateParams.agencyProfileId;\n\tvar userId = $stateParams.userId;\n\n\tfunction loadSickness () {\n\n\t\t$scope.pageState = 'loading';\n\n\t\tagency.getSicknessSummary(agencyProfileId, userId).then(function (sicknessObj) {\n\n\t\t\t$scope.summary = holidaySicknessService.decorateSicknessDetails(sicknessObj);\n\t\t\t$scope.pageState = 'ready';\n\t\t})\n\t\t.catch(function () {\n\t\t\t$scope.pageState = 'error';\n\t\t});\n\t}\n\n\tloadSickness();\n\n\t$scope.agencyProfileId = agencyProfileId;\n\t$scope.filterBarOptions = filterService.profileSickness;\n\t$scope.searchBarOptions = searchService.profileSickness;\n\n\t$scope.openAddLeaveForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\ttitle: 'Add leave',\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tuserId: userId,\n\t\t\tcallback: loadSickness,\n\t\t\tleaveType: 'sickness',\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'add-leave'\n\t\t});\n\t};\n\n\t$scope.openEditSicknessPolicyForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\ttitle: 'Edit sickness policy',\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tuserId: userId,\n\t\t\tcallback: loadSickness,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'edit-sickness-policy'\n\t\t});\n\t};\n\n\t$scope.loadSickness = function () {\n\n\t\tloadSickness();\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('profileHistoryCtrl', [\n\t'$scope',\n\t'$stateParams',\n\t'base',\n\t'filterService',\n\t'logService',\n\t'searchService',\n\tfunction (\n\t\t$scope,\n\t\t$stateParams,\n\t\tbase,\n\t\tfilterService,\n\t\tlogService,\n\t\tsearchService\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst archivedEmploymentId = $stateParams.archivedEmploymentId;\n\tconst userId = $stateParams.userId;\n\n\tconst teamMemberObj = $scope.teamMember; // From parent\n\n\tfunction getHistoryService () {\n\n\t\tif (teamMemberObj.isArchivedEmployment) {\n\t\t\treturn base.getAgencyLogEntriesForArchivedEmployment(agencyProfileId, userId, archivedEmploymentId);\n\t\t} else {\n\t\t\treturn base.getAgencyLogEntriesForLogCategoryList(agencyProfileId, userId);\n\t\t}\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tgetHistoryService()\n\t\t\t.then(logEntriesArray => {\n\n\t\t\t\tif (!logEntriesArray.length) {\n\t\t\t\t\tsetPageState('no-history');\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t$scope.logEntries = logService.decorateLogEntries(logEntriesArray);\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tfilterBarOptions: filterService.profileHistory,\n\t\tsearchBarOptions: searchService.profileHistory\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('profileAccountCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst teamMemberObj = $scope.teamMember; // From parent scope\n\tconst userId = $stateParams.userId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\t$scope.vm = {\n\t\t\tloginDetails: {\n\t\t\t\ticon: 'padlock',\n\t\t\t\ttitle: 'Sign in',\n\t\t\t\tdetailGroups: [\n\t\t\t\t\t{\n\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Username',\n\t\t\t\t\t\t\t\tvalue: teamMemberObj.Personal.Username\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\temptyText: 'Not set',\n\t\t\t\t\t\t\t\tlabel: 'Recovery email address',\n\t\t\t\t\t\t\t\tvalue: teamMemberObj.Personal.EmailRecovery\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\temptyText: 'Not set',\n\t\t\t\t\t\t\t\tlabel: 'Access account',\n\t\t\t\t\t\t\t\tvalue: teamMemberObj.AccountEmailAddress || ''\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t]\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\ttype: 'buttons',\n\t\t\t\t\t\t\t\tbuttons: [\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Send password reset link',\n\t\t\t\t\t\t\t\t\t\tonClick: openSendPasswordResetLinkForm\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Send username retrieval link',\n\t\t\t\t\t\t\t\t\t\tonClick: openSendUsernameResetLinkForm\n\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t]\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t]\n\t\t\t\t\t},\n\t\t\t\t]\n\t\t\t}\n\t\t};\n\n\t\tsetPageState('ready');\n\t}\n\n\tfunction openSendPasswordResetLinkForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'password-reset',\n\t\t\tuserId\n\t\t});\n\t}\n\n\tfunction openSendUsernameResetLinkForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'username-retrieval',\n\t\t\ttitle: 'Send username retrieval link',\n\t\t\tuserId\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\topenSendPasswordResetLinkForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('profileSchedulesCtrl', ['$q', '$rootScope', '$scope', '$stateParams', 'filterService', 'scheduleService', 'searchService', 'teamData', 'UI_SCHEDULE_TYPES',\n\tfunction ($q, $rootScope, $scope, $stateParams, filterService, scheduleService, searchService, teamData, UI_SCHEDULE_TYPES) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst userId = $stateParams.userId;\n\tconst teamMemberObj = $scope.teamMember; // From parent\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getTeamMemberStatutoryPay = teamData.getTeamMemberStatutoryPay(userId, agencyProfileId);\n\t\tconst getAttachmentOrderInformation = teamData.getAttachmentOrderInformation(userId, agencyProfileId);\n\n\t\t$q.all([\n\t\t\tgetTeamMemberStatutoryPay,\n\t\t\tgetAttachmentOrderInformation\n\t\t]).then(([\n\t\t\tstatPayObj,\n\t\t\taoeInfoObj\n\t\t]) => {\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tstatutoryPay: statPayObj,\n\t\t\t\tschedules: scheduleService.createNormalisedSchedules(statPayObj, aoeInfoObj),\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction openAttachmentOfEarningsViewForm (aoe) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'view-attachment-of-earnings',\n\t\t\tuserId: userId,\n\t\t\taoeId: aoe.AttachmentOrderID\n\t\t});\n\t}\n\n\tfunction openMaternityPayViewForm (maternityPay) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'view-maternity-pay',\n\t\t\tuserId: userId,\n\t\t\tscheduleID: maternityPay.PaymentScheduleGroupID\n\t\t});\n\t}\n\n\tfunction openPaternityPayViewForm (paternityPay) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'view-paternity-pay',\n\t\t\tuserId: userId,\n\t\t\tscheduleID: paternityPay.PaymentScheduleGroupID\n\t\t});\n\t}\n\n\tfunction openSickPayViewForm (sicknessPay) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'view-sick-pay',\n\t\t\tuserId: userId,\n\t\t\tscheduleID: sicknessPay.PaymentScheduleGroupID\n\t\t});\n\t}\n\n\tfunction scheduleOnClick (scheduleObj) {\n\n\t\tswitch (scheduleObj.type) {\n\t\t\tcase UI_SCHEDULE_TYPES.attachmentOfEarnings: {\n\t\t\t\topenAttachmentOfEarningsViewForm(scheduleObj.aoe);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase UI_SCHEDULE_TYPES.covid19SickPay: {\n\t\t\t\topenSickPayViewForm(scheduleObj);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase UI_SCHEDULE_TYPES.maternityPay: {\n\t\t\t\topenMaternityPayViewForm(scheduleObj);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase UI_SCHEDULE_TYPES.paternityPay: {\n\t\t\t\topenPaternityPayViewForm(scheduleObj);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase UI_SCHEDULE_TYPES.sickPay: {\n\t\t\t\topenSickPayViewForm(scheduleObj);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase UI_SCHEDULE_TYPES.carBenefitInKind: {\n\t\t\t\t$scope.openCompanyVehicleViewForm(scheduleObj);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase UI_SCHEDULE_TYPES.covid19SickPay: {\n\t\t\t\topenSickPayViewForm(scheduleObj);\n\t\t\t\tbreak;\n\t\t\t}\n\n\t\t\t// Call from parent scope to avoid duplication\n\t\t\tcase UI_SCHEDULE_TYPES.adoptionPay: {\n\t\t\t\t$scope.openAdoptionPayViewForm(scheduleObj);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase UI_SCHEDULE_TYPES.childcareVouchers: {\n\t\t\t\t$scope.openChildcareVouchersForm(scheduleObj.PaymentScheduleGroupID);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase UI_SCHEDULE_TYPES.companyLoan: {\n\t\t\t\t$scope.openRepaymentScheduleForm(scheduleObj);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase UI_SCHEDULE_TYPES.healthcare: {\n\t\t\t\t$scope.openHealthcareViewForm(scheduleObj);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase UI_SCHEDULE_TYPES.cycleToWorkScheme: {\n\t\t\t\t$scope.openRepaymentScheduleForm(scheduleObj);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase UI_SCHEDULE_TYPES.furlough: {\n\t\t\t\t$scope.openFurloughForm(teamMemberObj);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase UI_SCHEDULE_TYPES.seasonTicketLoan: {\n\t\t\t\t$scope.openRepaymentScheduleForm(scheduleObj);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase UI_SCHEDULE_TYPES.sharedParentalPay: {\n\t\t\t\t// ???\n\t\t\t\tbreak;\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction scheduleOnUpdate () {\n\n\t\tinit();\n\t}\n\n\tfunction setPageState (newState) {\n\t\t$scope.pageState = newState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tscheduleOnClick,\n\t\tscheduleOnUpdate,\n\t\trefreshSchedules: init,\n\n\t\tfilterBarOptions: filterService.schedules,\n\t\tsearchBarOptions: searchService.schedules\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('profileTaxStatusCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'filterService',\n\t'searchService',\n\t'taxUpdatesService',\n\t'userData',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tfilterService,\n\t\tsearchService,\n\t\ttaxUpdatesService,\n\t\tuserData\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst userId = $stateParams.userId;\n\n\tfunction init (refreshUser) {\n\n\t\tsetPageState('loading');\n\n\t\t// From parent controller\n\t\tif (refreshUser) {\n\t\t\t$scope.refreshUser();\n\t\t}\n\n\t\tuserData.getUserTaxUpdates(agencyProfileId, userId)\n\t\t\t.then((taxUpdatesArray) => {\n\n\t\t\t\tif (taxUpdatesArray.length === 0) {\n\t\t\t\t\tsetPageState('no-history');\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t$scope.taxUpdates = taxUpdatesArray.map(taxUpdatesService.decorateTaxUpdateForProfile);\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openAddTaxUpdateForm () {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: refreshTaxUpdates,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'add-tax-update',\n\t\t\tinitCallbackOnClose: true,\n\t\t\ttaxUpdates: $scope.taxUpdates,\n\t\t\tuserId,\n\t\t});\n\t}\n\n\tfunction refreshTaxUpdates () {\n\n\t\tinit(true);\n\t}\n\n\tfunction setPageState (newState) {\n\n\t\t$scope.pageState = newState;\n\t}\n\n\tinit(false);\n\n\tangular.extend($scope, {\n\t\tfilterBarOptions: filterService.taxUpdates,\n\t\topenAddTaxUpdateForm,\n\t\trefreshTaxUpdates,\n\t\tsearchBarOptions: searchService.taxUpdates\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config([\n\t'$stateProvider',\n\t'POLICY_CATEGORIES',\nfunction (\n\t$stateProvider,\n\tPOLICY_CATEGORIES\n) {\n\n\tconst directory = 'features/app/hr/';\n\tconst policiesDirectory = directory + 'policies/';\n\tconst policiesTabsDirectory = policiesDirectory + 'tabs/';\n\n\t$stateProvider\n\n\t.state('hr', {\n\t\tabstract: true,\n\t\turl: '/hr/:agencyProfileId?applyfilter&presetfilterkey&page&search&search-filter',\n\t\ttemplateUrl: directory + 'hrView.html',\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\tdata: {\n\t\t\tpermissions: [\n\t\t\t\t'isHRVisible'\n\t\t\t],\n\t\t\ttitle: 'HR'\n\t\t}\n\t})\n\t\t.state('hr.job-grades', {\n\t\t\turl: '',\n\t\t\ttemplateUrl: directory + 'job-grades/jobGradesView.html',\n\t\t\treloadOnSearch: false,\n\t\t\tcontroller: 'jobGradesCtrl',\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\ttags: ['company-job-grades']\n\t\t\t\t}\n\t\t\t}\n\t\t})\n\n\t\t.state('hr.policies', {\n\t\t\tabstract: true,\n\t\t\turl: '/policies',\n\t\t\ttemplateUrl: policiesDirectory + 'policiesView.html',\n\t\t\tcontroller: 'policiesCtrl',\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\ttags: ['company-policies']\n\t\t\t\t}\n\t\t\t}\n\t\t})\n\t\t\t.state('hr.policies.holiday', {\n\t\t\t\turl: '',\n\t\t\t\ttemplateUrl: policiesTabsDirectory + 'policiesHolidayView.html',\n\t\t\t\tcontroller: 'policiesHolidayCtrl'\n\t\t\t})\n\n\t\t\t.state('hr.policies.sickness', {\n\t\t\t\turl: '/sickness',\n\t\t\t\ttemplateUrl: policiesTabsDirectory + 'policiesTabView.html',\n\t\t\t\tcontroller: 'policiesTabCtrl',\n\t\t\t\tdata: {\n\t\t\t\t\tpolicyCategory: POLICY_CATEGORIES.sickness\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('hr.policies.parental', {\n\t\t\t\tdata: {\n\t\t\t\t\tpolicyCategory: POLICY_CATEGORIES.parental\n\t\t\t\t},\n\t\t\t\turl: '/parental',\n\t\t\t\ttemplateUrl: policiesTabsDirectory + 'policiesTabView.html',\n\t\t\t\tcontroller: 'policiesTabCtrl'\n\t\t\t})\n\n\t\t\t.state('hr.policies.pension', {\n\t\t\t\tdata: {\n\t\t\t\t\tpolicyCategory: POLICY_CATEGORIES.pension\n\t\t\t\t},\n\t\t\t\turl: '/pension',\n\t\t\t\ttemplateUrl: policiesTabsDirectory + 'policiesTabView.html',\n\t\t\t\tcontroller: 'policiesTabCtrl'\n\t\t\t})\n\n\t\t\t.state('hr.policies.pay', {\n\t\t\t\tdata: {\n\t\t\t\t\tpolicyCategory: POLICY_CATEGORIES.pay\n\t\t\t\t},\n\t\t\t\turl: '/pay',\n\t\t\t\ttemplateUrl: policiesTabsDirectory + 'policiesTabView.html',\n\t\t\t\tcontroller: 'policiesTabCtrl'\n\t\t\t})\n\n\t\t.state('hr.holiday-sickness', {\n\t\t\turl: '/holiday-sickness',\n\t\t\ttemplateUrl: directory + 'holiday-sickness/holidaySicknessView.html',\n\t\t\tcontroller: 'holidaySicknessCtrl',\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\ttags: ['company-holiday-and-sickness']\n\t\t\t\t}\n\t\t\t}\n\t\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('holidaySicknessCtrl', ['$q', '$rootScope', '$scope', '$stateParams', '$timeout', 'agency', 'config', 'holidaySicknessService', 'growl', 'utilities', 'LEAVE_TYPE_DESCRIPTIONS', function ($q, $rootScope, $scope, $stateParams, $timeout, agency, config, holidaySicknessService, growl, utilities, LEAVE_TYPE_DESCRIPTIONS) {\n\n\tconst AGENCY_PROFILE_ID = $stateParams.agencyProfileId;\n\tconst DATE_ID_FORMAT = 'MM-DD-YY';\n\n function addHalfDayFrom (leaveItemObj, teamMemberObj) {\n\n \tholidaySicknessService.addHalfDayFrom(leaveItemObj);\n \tupdateLeave(leaveItemObj);\n \ttoggleMenu(leaveItemObj, teamMemberObj);\n }\n\n function addHalfDayTo (leaveItemObj, teamMemberObj) {\n\n \tholidaySicknessService.addHalfDayTo(leaveItemObj);\n \tupdateLeave(leaveItemObj);\n \ttoggleMenu(leaveItemObj, teamMemberObj);\n }\n\n\tfunction changeDate (direction) {\n\n\t\tswitch (direction) {\n\t\t\tcase -1:\n\t\t\t\t$scope.HS.calendar.currentDate = $scope.HS.calendar.currentDate.subtract(1, 'M');\n\t\t\t\tsetMonth();\n\t\t\t\tbreak;\n\t\t\tcase 1:\n\t\t\t\t$scope.HS.calendar.currentDate = $scope.HS.calendar.currentDate.add(1, 'M');\n\t\t\t\tsetMonth();\n\t\t\t\tbreak;\n\t\t\tdefault:\n\t\t\t\t$scope.HS.calendar.currentDate = moment();\n\t\t\t\tsetMonth();\n\t\t\t\tbreak;\n\t\t}\n\n\t\t$timeout(function() {\n\t\t\t$scope.HS.calendar.scrollMonthIntoView(1);\n\t\t});\n\t}\n\n\tfunction createNewLeave (teamMemberObj, dayObj) {\n\n\t\tif (teamMemberObj.leaveDetails[dayObj.id] || !$scope.userCanManageTeamHR) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Add support for DST\n\t\tlet dayISO = utilities.offsetDateForDST(moment(dayObj.id, DATE_ID_FORMAT));\n\n\t\tlet newLeaveItemObj = {\n\t\t day: dayObj.id,\n\t\t forename: teamMemberObj.Name.split(' ')[0],\n\t\t halfDayFrom: false,\n\t\t halfDayTo: false,\n\t\t startDateIso: dayISO,\n\t\t leaveDays: 1,\n\t\t theme: getLeaveTheme(-1),\n\t\t endDateIso: dayISO,\n\t\t userId: teamMemberObj.UserID,\n\t\t};\n\n\t\tif ($scope.HS.emptyLeave.length) {\n\t\t delete $scope.HS.teamMembers[$scope.HS.emptyLeave[0]].leaveDetails[$scope.HS.emptyLeave[1]];\n\t\t}\n\t\t$scope.HS.emptyLeave = [teamMemberObj.id, dayObj.id];\n\n\t\tplaceLeaveInCalendar(newLeaveItemObj, teamMemberObj, dayObj.id);\n\t\ttoggleMenu(newLeaveItemObj, teamMemberObj);\n\t}\n\n\tfunction decorateLeaveItemsForTeamMember (teamMemberObj) {\n\n\t\tlet teamMemberLeaveDefaultObj = {\n\t\t\tforename: teamMemberObj.Name.split(' ')[0],\n\t\t\tuserId: teamMemberObj.UserID,\n\t\t};\n\n\t\tfor (let teamMemberleaveItemObj of teamMemberObj.allLeaveDetails) {\n\n\t\t\tlet leaveDetailsObj = getLeaveDetails(teamMemberleaveItemObj);\n\t\t\tangular.extend(leaveDetailsObj, teamMemberLeaveDefaultObj);\n\n\t\t\tplaceLeaveInCalendar(leaveDetailsObj, teamMemberObj, leaveDetailsObj.day);\n\t\t}\n\n\t\treturn teamMemberObj;\n\t}\n\n\tfunction decorateTeamLeaveDetails (holidayObj, sicknessObj) {\n\n return holidayObj.Holidays.reduce((teamMembersArr, teamMemberObj, teamMemberIndex) => {\n\n let teamMemberSicknessDetailsArr = sicknessObj.Sickness.find(teamMemberSicknessObj => teamMemberSicknessObj.UserID === teamMemberObj.UserID).SicknessDetails;\n\n angular.extend(teamMemberObj, {\n allLeaveDetails: teamMemberObj.HolidayDetails.concat(teamMemberSicknessDetailsArr),\n id: teamMemberIndex,\n leaveDetails: {},\n SicknessDetails: teamMemberSicknessDetailsArr,\n });\n\n decorateLeaveItemsForTeamMember(teamMemberObj);\n\n return teamMembersArr.concat(teamMemberObj);\n }, []);\n }\n\n\tfunction deleteAllFromTeamMembers () {\n\n\t\tif ($rootScope.userHasRole('paycircle') && window.confirm('This is a destructive action: Are you sure?')) {\n\t\t\tfor (let teamMemberObj of $scope.HS.summary.holiday.Holidays) {\n\t\t\t\tfor (let holidayObj of teamMemberObj.HolidayDetails) {\n\t\t\t\t\tagency.deleteHolidayDetail(holidayObj.UserAgencyProfileHolidayID).catch(onError);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfor (let teamMemberObj of $scope.HS.summary.sickness.Sickness) {\n\t\t\t\tfor (let sicknessObj of teamMemberObj.SicknessDetails) {\n\t\t\t\t\tagency.deleteSicknessDetail(sicknessObj.UserAgencyProfileSicknessID).catch(onError);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction deleteLeave (leaveItemObj, teamMemberObj) {\n\n\t\tif (isLeaveItemTypeHoliday(leaveItemObj.obj)) {\n\n\t\t\tif (leaveItemObj.obj.UserAgencyProfileHolidayID !== config.guidEmpty) {\n\t\t\t\tagency.deleteHolidayDetail(leaveItemObj.obj.UserAgencyProfileHolidayID).then(() => {\n\n\t growl.success(`${leaveItemObj.leaveDays} day(s) holiday for ${teamMemberObj.Name} have been deleted.`);\n\t\t\t\t\tdelete teamMemberObj.leaveDetails[leaveItemObj.day];\n\t\t\t\t\tupdateSummary('holiday');\n\t\t\t\t\t$scope.HS.menuShown = [];\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\t\t\t}\n\t\t} else {\n\n\t\t\tif (leaveItemObj.obj.UserAgencyProfileSicknessID !== config.guidEmpty) {\n\t\t\t\tagency.deleteSicknessDetail(leaveItemObj.obj.UserAgencyProfileSicknessID).then(() => {\n\n\t\t\t\t\tgrowl.success(`${leaveItemObj.leaveDays} day(s) sickness leave for ${teamMemberObj.Name} have been deleted.`);\n\t\t\t\t\tdelete teamMemberObj.leaveDetails[leaveItemObj.day];\n\t\t\t\t\tupdateSummary('sickness');\n\t\t\t\t\t$scope.HS.menuShown = [];\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction generateStats (holidayObj, sicknessObj) {\n\n\t\tif (holidayObj.AnnualLeaveDaysPreviousYear !== 0 && holidayObj.AnnualLeaveDaysPreviousYear !== holidayObj.AnnualLeaveDays) {\n\t\t\tholidayObj.holidayDiff = holidayObj.AnnualLeaveDaysPreviousYear > holidayObj.AnnualLeaveDays ? false : true;\n\t\t\tholidayObj.holidayDiffDisplay = Math.abs(holidayObj.AnnualLeaveDaysPreviousYear - holidayObj.AnnualLeaveDays);\n\t\t}\n\t\tif (sicknessObj.SickLeaveDaysPreviousYear !== 0 && sicknessObj.SickLeaveDaysPreviousYear !== sicknessObj.SickLeaveDays) {\n\t\t\tsicknessObj.sicknessDaysDiff = sicknessObj.SickLeaveDaysPreviousYear > sicknessObj.SickLeaveDays ? false : true;\n\t\t\tsicknessObj.sicknessDaysDiffDisplay = Math.abs(sicknessObj.SickLeaveDaysPreviousYear - sicknessObj.SickLeaveDays);\n\t\t}\n\t\tif (sicknessObj.AbsenceRatePreviousYear !== 0 && sicknessObj.AbsenceRatePreviousYear !== sicknessObj.AbsenceRate) {\n\t\t\tsicknessObj.absenceDiff = sicknessObj.AbsenceRatePreviousYear > sicknessObj.AbsenceRate ? false : true;\n\t\t\tsicknessObj.absenceDiffDisplay = Math.abs(sicknessObj.AbsenceRatePreviousYear - sicknessObj.AbsenceRate);\n\t\t}\n\t\tif (sicknessObj.MostAbsentDaysPreviousYear !== 0 && sicknessObj.MostAbsentDaysPreviousYear !== sicknessObj.MostAbsentDays) {\n\t\t\tsicknessObj.mostAbsenceDaysDiff = sicknessObj.MostAbsentDaysPreviousYear > sicknessObj.MostAbsentDays ? false : true;\n\t\t\tsicknessObj.mostAbsenceDaysDiffDisplay = Math.abs(sicknessObj.MostAbsentDaysPreviousYear - sicknessObj.MostAbsentDays);\n\t\t}\n\t\tif (sicknessObj.LeastAbsentDaysPreviousYear !== 0 && sicknessObj.LeastAbsentDaysPreviousYear !== sicknessObj.LeastAbsentDays) {\n\t\t\tsicknessObj.leastAbsenceDaysDiff = sicknessObj.LeastAbsentDaysPreviousYear > sicknessObj.LeastAbsentDays ? false : true;\n\t\t\tsicknessObj.leastAbsenceDaysDiffDisplay = Math.abs(sicknessObj.LeastAbsentDaysPreviousYear - sicknessObj.LeastAbsentDays);\n\t\t}\n\n\t\t$scope.HS.summary.holiday = holidayObj;\n\t\t$scope.HS.summary.sickness = sicknessObj;\n\t}\n\n\tfunction getDayID (fromDate) {\n\t\treturn moment(fromDate).format(DATE_ID_FORMAT);\n\t}\n\n\tfunction getLeaveDetails (leaveItemObj) {\n\n\t\tif (isLeaveItemTypeHoliday(leaveItemObj)) {\n\n\t\t\tlet leaveDays = parseFloat(leaveItemObj.HolidayDays);\n\n\t\t\treturn {\n\t\t\t\tday: getDayID(leaveItemObj.HolidayDateFromISO),\n\t\t\t\tendDateIso: leaveItemObj.HolidayDateToISO,\n\t\t\t\thalfDayFrom: leaveItemObj.HolidayDateFromHalfDay,\n\t\t\t\thalfDayTo: leaveItemObj.HolidayDateToHalfDay,\n\t\t\t\tleaveDays: leaveDays,\n\t\t\t\tobj: leaveItemObj,\n\t\t\t\tstartDateIso: leaveItemObj.HolidayDateFromISO,\n\t\t\t\ttheme: getLeaveTheme(leaveItemObj.HolidayType),\n\t\t\t};\n\n\t\t} else {\n\n\t\t\tlet leaveDays = parseFloat(leaveItemObj.SicknessDays);\n\n\t\t\treturn {\n\t\t\t\tday: getDayID(leaveItemObj.SicknessDateFromISO),\n\t\t\t\tendDateIso: leaveItemObj.SicknessDateToISO,\n\t\t\t\thalfDayFrom: leaveItemObj.SicknessDateFromHalfDay,\n\t\t\t\thalfDayTo: leaveItemObj.SicknessDateToHalfDay,\n\t\t\t\tleaveDays: leaveDays,\n\t\t\t\tobj: leaveItemObj,\n\t\t\t\tstartDateIso: leaveItemObj.SicknessDateFromISO,\n\t\t\t\ttheme: getLeaveTheme(leaveItemObj.SicknessType),\n\t\t\t};\n\t\t}\n\t}\n\n\tfunction getLeaveTheme (typeId) {\n\n\t\tincrementLeaveTypeCounts($scope.HS.calendar.count, typeId);\n\n\t\tswitch(typeId) {\n\t\t\tcase LEAVE_TYPE_DESCRIPTIONS.annualLeave:\n\t\t\t\treturn {\n\t\t\t\t\tclass: 'secondary',\n\t\t\t\t\tdisplay: 'Annual Leave',\n\t\t\t\t\ttype: 'holiday',\n\t\t\t\t\tcount: $scope.HS.calendar.count.annualLeave,\n\t\t\t\t\tid: LEAVE_TYPE_DESCRIPTIONS.annualLeave\n\t\t\t\t};\n\t\t\tcase LEAVE_TYPE_DESCRIPTIONS.specialLeave:\n\t\t\t\treturn {\n\t\t\t\t\tclass: 'quarternary',\n\t\t\t\t\tdisplay: 'Special Leave',\n\t\t\t\t\ttype: 'holiday',\n\t\t\t\t\tcount: $scope.HS.calendar.count.specialLeave,\n\t\t\t\t\tid: LEAVE_TYPE_DESCRIPTIONS.specialLeave\n\t\t\t\t};\n\t\t\tcase LEAVE_TYPE_DESCRIPTIONS.sickLeave:\n\t\t\t\treturn {\n\t\t\t\t\tclass: 'assertive',\n\t\t\t\t\tdisplay: 'Sick Leave',\n\t\t\t\t\ttype: 'sickness',\n\t\t\t\t\tcount: $scope.HS.calendar.count.sickLeave,\n\t\t\t\t\tid: LEAVE_TYPE_DESCRIPTIONS.sickLeave\n\t\t\t\t};\n\t\t\tcase LEAVE_TYPE_DESCRIPTIONS.unpaidLeave:\n\t\t\t\treturn {\n\t\t\t\t\tclass: 'greyscale',\n\t\t\t\t\tdisplay: 'Unpaid Leave',\n\t\t\t\t\ttype: 'holiday',\n\t\t\t\t\tcount: $scope.HS.calendar.count.unpaidLeave,\n\t\t\t\t\tid: LEAVE_TYPE_DESCRIPTIONS.unpaidLeave\n\t\t\t\t};\n\t\t\tdefault:\n\t\t\t\treturn {\n\t\t\t\t\tclass: 'primary',\n\t\t\t\t\tdisplay: '',\n\t\t\t\t\ttype: 'add'\n\t\t\t\t};\n\t\t}\n\t}\n\n function incrementLeaveTypeCounts (countObj, leaveTypeId) {\n\n switch(leaveTypeId) {\n case LEAVE_TYPE_DESCRIPTIONS.annualLeave:\n countObj.annualLeave++;\n break;\n case LEAVE_TYPE_DESCRIPTIONS.specialLeave:\n countObj.specialLeave++;\n break;\n case LEAVE_TYPE_DESCRIPTIONS.sickLeave:\n countObj.sickLeave++;\n break;\n case LEAVE_TYPE_DESCRIPTIONS.unpaidLeave:\n countObj.unpaidLeave++;\n break;\n }\n }\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\t$scope.HS = {\n\t\t\tcalendar: {\n\t\t\t\tdayWidth: 69,\n\t\t\t\thalfDay: 0.5,\n\t\t\t\tcurrentDate: moment(),\n\t\t\t\tmonths: [],\n\t\t\t\tposition: {},\n\t\t\t\tcount: {\n\t\t\t\t\tunpaidLeave: 0,\n\t\t\t\t\tannualLeave: 0,\n\t\t\t\t\tspecialLeave: 0,\n\t\t\t\t\tsickLeave: 0,\n\t\t\t\t},\n\t\t\t\tcurrentMonth: {},\n\t\t\t\tsetCurrentMonth: monthObj => setCurrentMonth(monthObj)\n\t\t\t},\n\t\t\tsummary: {},\n\t\t\tmenuShown: [],\n\t\t\ttempLeave: [],\n\t\t\temptyLeave: []\n\t\t};\n\n\t\tconst getHolidaySummary = agency.getHolidaySummary(AGENCY_PROFILE_ID, config.guidEmpty);\n\t\tconst getSicknessSummary = agency.getSicknessSummary(AGENCY_PROFILE_ID, config.guidEmpty);\n\n\t\t$q.all([getHolidaySummary, getSicknessSummary]).then(dataArr => {\n\n\t\t\tlet holidayObj = dataArr[0];\n\t\t\tlet sicknessObj = dataArr[1];\n\n\t\t\tgenerateStats(holidayObj, sicknessObj);\n\n\t\t\t$scope.HS.teamMembers = decorateTeamLeaveDetails(holidayObj, sicknessObj);\n\n\t\t\tif ($scope.HS.teamMembers.length > 0) {\n\t\t\t\tloadCalendar();\n\t\t\t} else {\n\t\t\t\tsetPageState('ready');\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n function isLeaveItemTypeHoliday (leaveItemObj) {\n return leaveItemObj.UserAgencyProfileHolidayID;\n }\n\n\tfunction loadCalendar () {\n\n\t\tsetMonth();\n\t\t$scope.pageState = 'ready';\n\n\t\t$timeout(function() {\n\t\t\t$scope.HS.calendar.scrollMonthIntoView(1);\n\t\t});\n\t}\n\n\tfunction placeLeaveInCalendar (leaveItemObj, teamMemberObj, dayId) {\n\n\t\tangular.extend(leaveItemObj, {\n\t\t\tupdate: () => updateLeave(leaveItemObj),\n\t\t\treplace: () => replaceLeave(teamMemberObj, leaveItemObj)\n\t\t});\n\n\t\tif (teamMemberObj.leaveDetails[dayId]) {\n\t\t\tteamMemberObj.leaveDetails[dayId].push(leaveItemObj);\n\t\t} else {\n\t\t\tteamMemberObj.leaveDetails[dayId] = [leaveItemObj];\n\t\t}\n\n\t\t$timeout(function() {\n\t\t\tif (typeof leaveItemObj.checkMenuPosition === 'function' && !leaveItemObj.obj) {\n\t\t\t\tleaveItemObj.checkMenuPosition();\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openHolidaySicknessForm (userId) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\ttitle: 'Holiday and sickness',\n\t\t\tagencyProfileId: AGENCY_PROFILE_ID,\n\t\t\tuserId: userId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'holiday-sickness',\n\t\t});\n\t}\n\n\tfunction replaceLeave (teamMember, leave) {\n\n\t\tvar dayId;\n\t\tvar updatedLeave = angular.copy(leave);\n\t\tdelete teamMember.leaveDetails[leave.day];\n\n\t\tif (updatedLeave.theme.id === LEAVE_TYPE_DESCRIPTIONS.sickLeave) {\n\t\t\tdayId = getDayID(leave.obj.SicknessDateFromISO);\n\t\t} else {\n\t\t\tdayId = getDayID(leave.obj.HolidayDateFromISO);\n\t\t}\n\n\t\tupdatedLeave.day = dayId;\n\t\tplaceLeaveInCalendar(updatedLeave, teamMember, dayId);\n\t\tupdateLeaveLengths(leave.obj, teamMember);\n\t\ttoggleMenu(updatedLeave, teamMember);\n\t}\n\n\tfunction saveNewLeave (leaveItemObj) {\n\n\t const emptyLeaveDetailPromise = leaveItemObj.theme.id === LEAVE_TYPE_DESCRIPTIONS.sickLeave ? agency.getEmptySicknessDetail() : agency.getEmptyHolidayDetail();\n\n\t emptyLeaveDetailPromise.then(emptyLeaveDetailObj => {\n\n\t leaveItemObj.obj = emptyLeaveDetailObj;\n\t updateLeave(leaveItemObj);\n\t })\n\t .catch(onError);\n\t}\n\n\tfunction setCurrentMonth (monthObj) {\n\n\t\t$timeout(function () {\n\t\t\tif ($scope.HS.calendar.currentMonth.monthDisplay !== monthObj.monthDisplay) {\n\t\t\t\t$scope.HS.calendar.currentMonth = monthObj;\n\t\t\t\t$scope.HS.calendar.currentDate = moment(monthObj.id, DATE_ID_FORMAT);\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction setLeaveTypeForNewLeaveItem (teamMemberObj, leaveItemObj, typeId) {\n\n\t $scope.HS.emptyLeave = [];\n\t leaveItemObj.theme = getLeaveTheme(typeId);\n\t toggleMenu(leaveItemObj, teamMemberObj);\n\t saveNewLeave(leaveItemObj);\n\t}\n\n\tfunction setMonth () {\n\n\t\tconst currentDate = angular.copy($scope.HS.calendar.currentDate);\n\t\tconst startOfPeriodMoment = angular.copy(currentDate).subtract(1, 'M').startOf('month');\n\t\tconst endOfPeriodMoment = currentDate.add(1, 'M').endOf('month').subtract(1, 'days');\n\t\tconst monthsArr = [];\n\n\t\tfor (let monthMoment = startOfPeriodMoment; monthMoment.diff(endOfPeriodMoment, 'months') <= 0; monthMoment.add(1, 'months')) {\n\n\t\t\tconst startOfMonthMoment = angular.copy(monthMoment).startOf('month');\n\t\t\tconst endOfMonthMoment = monthMoment.endOf('month').subtract(1, 'days');\n\t\t\tconst daysArr = [];\n\n\t\t\tfor (let dayMoment = startOfMonthMoment; dayMoment.diff(endOfMonthMoment, 'days') <= 0; dayMoment.add(1, 'days')) {\n\t\t\t\tdaysArr.push({\n\t\t\t\t\tnameDisplay: dayMoment.format('dd'),\n\t\t\t\t\tdate: dayMoment.format('D'),\n\t\t\t\t\tid: dayMoment.format(DATE_ID_FORMAT)\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tmonthsArr.push({\n\t\t\t\tdays: daysArr,\n\t\t\t\tid: monthMoment.format(DATE_ID_FORMAT),\n\t\t\t\tmonthDisplay: monthMoment.format('MMMM'),\n\t\t\t\tyearDisplay: monthMoment.format('Y'),\n\t\t\t});\n\t\t}\n\n\t\tangular.extend($scope.HS.calendar, {\n\t\t\tmonths: monthsArr,\n\t\t\tendOfPeriod: moment(monthsArr[2].id, DATE_ID_FORMAT).endOf('month'),\n\t\t\tstartOfPeriod: moment(monthsArr[0].id, DATE_ID_FORMAT).startOf('month'),\n\t\t});\n\n\t\tif ($scope.HS.tempLeave.length) {\n\t\t\tfor (let templeaveItemObj of $scope.HS.tempLeave) {\n\t\t\t\tdelete $scope.HS.teamMembers[templeaveItemObj[0]].leaveDetails[templeaveItemObj[1]];\n\t\t\t}\n\t\t}\n\n\t\t$timeout(function() {\n\t\t\t$scope.HS.teamMembers.filter(updateTeamMemberLeaves);\n\t\t}, 100);\n\t}\n\n\tfunction setPageState (newState){\n\t\t$scope.pageState = newState;\n\t}\n\n\tfunction toggleMenu (leave, teamMember) {\n\n\t\tif (leave.showMenu) {\n\t\t\tleave.showMenu = false;\n\t\t\t$scope.HS.menuShown = [];\n\t\t} else {\n\n\t\t\tif ($scope.HS.menuShown.length) {\n\t\t\t\tif ($scope.HS.teamMembers[$scope.HS.menuShown[0]].leaveDetails[$scope.HS.menuShown[1]]) {\n\t\t\t\t\tif (!$scope.HS.teamMembers[$scope.HS.menuShown[0]].leaveDetails[$scope.HS.menuShown[1]][0].obj) {\n\t\t\t\t\t\tdelete $scope.HS.teamMembers[$scope.HS.menuShown[0]].leaveDetails[$scope.HS.menuShown[1]];\n\t\t\t\t\t\t$scope.HS.menuShown = [];\n\t\t\t\t\t} else {\n\t\t\t\t\t\t$scope.HS.teamMembers[$scope.HS.menuShown[0]].leaveDetails[$scope.HS.menuShown[1]][0].showMenu = false;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t\tleave.showMenu = true;\n\t\t\t$scope.HS.menuShown = [teamMember.id, leave.day];\n\t\t}\n\t}\n\n\tfunction updateLeave (leave) {\n\n\t\tvar leaveStartDate = utilities.offsetDateForDST(leave.startDateIso);\n\t\tvar leaveEndDate = utilities.offsetDateForDST(leave.endDateIso);\n\n\t\tif (leave.theme.id === LEAVE_TYPE_DESCRIPTIONS.sickLeave) {\n\n\t\t\tangular.extend(leave.obj, {\n\t\t\t\tSicknessDateFromHalfDay: leave.halfDayFrom,\n\t\t\t\tSicknessDateFromISO: leaveStartDate,\n\t\t\t\tSicknessDateToHalfDay: leave.halfDayTo,\n\t\t\t\tSicknessDateToISO: leaveEndDate,\n\t\t\t\tSicknessDays: leave.leaveDays,\n\t\t\t\tSicknessType: LEAVE_TYPE_DESCRIPTIONS.sickLeave,\n\t\t\t});\n\n\t\t\tagency.updateSicknessDetail(leave.userId, AGENCY_PROFILE_ID, leave.obj).then(newSicknessObj => {\n\n\t\t\t\tleave.obj = newSicknessObj;\n\t\t\t\tleave.replace();\n\t\t\t\tupdateSummary('sickness');\n\t\t\t\t$rootScope.setDemoTaskAsComplete('addSickness', leave.forename);\n\t\t\t})\n\t\t\t.catch(onError);\n\t\t} else {\n\n\t\t\tangular.extend(leave.obj, {\n\t\t\t\tHolidayDateFromHalfDay: leave.halfDayFrom,\n\t\t\t\tHolidayDateFromISO: leaveStartDate,\n\t\t\t\tHolidayDateToHalfDay: leave.halfDayTo,\n\t\t\t\tHolidayDateToISO: leaveEndDate,\n\t\t\t\tHolidayDays: leave.leaveDays,\n\t\t\t\tHolidayType: leave.theme.id,\n\t\t\t});\n\n\t\t\tagency.updateHolidayDetail(leave.userId, AGENCY_PROFILE_ID, leave.obj).then(newHolidayObj => {\n\n\t\t\t\tleave.obj = newHolidayObj;\n\t\t\t\tleave.replace();\n\t\t\t\tupdateSummary('holiday');\n\t\t\t\t$rootScope.setDemoTaskAsComplete('addHoliday', leave.forename);\n\t\t\t\t$rootScope.setDemoTaskAsComplete('editHoliday', leave.forename);\n\t\t\t})\n\t\t\t.catch(onError);\n\t\t}\n\t}\n\n\tfunction updateLeaveLengths (leaveItemObj, teamMember) {\n\n\t const startOfPeriod = moment($scope.HS.calendar.startOfPeriod);\n\t const endOfPeriod = moment($scope.HS.calendar.endOfPeriod);\n\t const newDayId = getDayID(startOfPeriod.toISOString());\n\n\t if (isLeaveItemTypeHoliday(leaveItemObj)) {\n\t let toDate = moment(leaveItemObj.HolidayDateToISO);\n\t let fromDate = moment(leaveItemObj.HolidayDateFromISO);\n\t let dayId = getDayID(leaveItemObj.HolidayDateFromISO);\n\t let teamMemberDayArr = teamMember.leaveDetails[dayId];\n\n\t for (let i = 0; i < teamMemberDayArr.length; i++) {\n\n\t if (toDate.isAfter(endOfPeriod)) {\n\n\t let daysInBetween = toDate.diff(endOfPeriod, 'days')+1;\n\n\t if (teamMemberDayArr[i].endDateIso === leaveItemObj.HolidayDateToISO) {\n\t teamMemberDayArr[i].sublength = teamMemberDayArr[i].leaveDays-daysInBetween;\n\t teamMemberDayArr[i].theme.layoutClass = 'leave-calendar__leave--gone-over';\n\t }\n\n\t } else if (toDate.isAfter(startOfPeriod) && fromDate.isBefore(startOfPeriod)) {\n\n\t let daysInBetween = toDate.diff(startOfPeriod, 'days')+1;\n\n\t if (teamMemberDayArr[i].endDateIso === leaveItemObj.HolidayDateToISO) {\n\t teamMemberDayArr[i].sublength = daysInBetween;\n\t teamMemberDayArr[i].theme.layoutClass = 'leave-calendar__leave--come-over';\n\n\t placeLeaveInCalendar(teamMemberDayArr[i], teamMember, newDayId);\n\t $scope.HS.tempLeave.push([teamMember.id, newDayId]);\n\t }\n\n\t } else {\n\t teamMemberDayArr[i].theme.layoutClass = '';\n\t teamMemberDayArr[i].sublength = null;\n\t }\n\t }\n\n\t } else {\n\t let toDate = moment(leaveItemObj.SicknessDateToISO);\n\t let fromDate = moment(leaveItemObj.SicknessDateFromISO);\n\t let leaveId = getDayID(leaveItemObj.SicknessDateFromISO);\n\n\t for (let i = 0; i < teamMember.leaveDetails[leaveId].length; i++) {\n\n\t if (toDate.isAfter(endOfPeriod)) {\n\n\t let daysInBetween = toDate.diff(endOfPeriod, 'days')+1;\n\n\t if (teamMember.leaveDetails[leaveId][i].endDateIso === leaveItemObj.SicknessDateToISO) {\n\t teamMember.leaveDetails[leaveId][i].sublength = teamMember.leaveDetails[leaveId][i].leaveDays-daysInBetween;\n\t teamMember.leaveDetails[leaveId][i].theme.layoutClass = 'leave-calendar__leave--gone-over';\n\t }\n\n\t } else if (toDate.isAfter(startOfPeriod) && fromDate.isBefore(startOfPeriod)) {\n\n\t let daysInBetween = toDate.diff(startOfPeriod, 'days')+1;\n\n\t if (teamMember.leaveDetails[leaveId][i].endDateIso === leaveItemObj.SicknessDateToISO) {\n\t teamMember.leaveDetails[leaveId][i].sublength = daysInBetween;\n\t teamMember.leaveDetails[leaveId][i].theme.layoutClass = 'leave-calendar__leave--come-over';\n\t placeLeaveInCalendar(teamMember.leaveDetails[leaveId][i], teamMember, newDayId);\n\t $scope.HS.tempLeave.push([teamMember.id, newDayId]);\n\t }\n\t } else {\n\n\t teamMember.leaveDetails[leaveId][i].theme.layoutClass = '';\n\t teamMember.leaveDetails[leaveId][i].sublength = null;\n\t }\n\t }\n\t }\n\t}\n\n\tfunction updateSummary (which) {\n\n\t switch (which) {\n\n\t case 'holiday':\n\t agency.getHolidaySummary(AGENCY_PROFILE_ID, config.guidEmpty).then(newHolidaySummaryObj => {\n\t generateStats(newHolidaySummaryObj, $scope.HS.summary.sickness);\n\t })\n\t .catch(onError);\n\t break;\n\n\t case 'sickness':\n\t agency.getSicknessSummary(AGENCY_PROFILE_ID, config.guidEmpty).then(newSicknessSummaryObj => {\n\t generateStats($scope.HS.summary.holiday, newSicknessSummaryObj);\n\t })\n\t .catch(onError);\n\t break;\n\t }\n\t}\n\n\tfunction updateTeamMemberLeaves (teamMemberObj) {\n\n\t\tfor (let leaveItemObj of teamMemberObj.allLeaveDetails) {\n\t\t\tupdateLeaveLengths(leaveItemObj, teamMemberObj);\n\t\t}\n\n\t\treturn teamMemberObj;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tAGENCY_PROFILE_ID,\n\t\tLEAVE_TYPE_DESCRIPTIONS,\n\n\t\tuserCanManageTeamHR: $rootScope.currentUser.Permissions.HR.canManageTeamHR,\n\n\t\tchangeDate,\n\t\tcreateNewLeave,\n\t\taddHalfDayFrom,\n\t\taddHalfDayTo,\n\t\tdeleteAllFromTeamMembers,\n\t\tdeleteLeave,\n\t\topenHolidaySicknessForm,\n\t\tsetLeaveTypeForNewLeaveItem,\n\t\ttoggleMenu\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('jobGradesCtrl', ['$rootScope', '$scope', '$stateParams', 'bulkService', 'companyData', 'searchService', 'SEARCH_BAR_ACTIONS', function ($rootScope, $scope, $stateParams, bulkService, companyData, searchService, SEARCH_BAR_ACTIONS) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tconst PAGE_STATES = {\n\t\terror: 'error',\n\t\tloading: 'loading',\n\t\tready: 'ready'\n\t};\n\n\tfunction addJobGrade (jobGradesArr) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'update-job-grade',\n\t\t\tjobGrades: jobGradesArr || [],\n\t\t\ttitle: 'Add job grade'\n\t\t});\n\t}\n\n\tfunction init () {\n\t\tsetPageState(PAGE_STATES.loading);\n\n\t\tcompanyData.getPolicyGrades(agencyProfileId).then(policyGradesArr => {\n\n\t\t\t// Do some stuff here with the array\n\t\t\tangular.extend($scope.vm, {\n\t\t\t\tjobGrades: bulkService.getBulkItemsObj(policyGradesArr),\n\t\t\t});\n\t\t\tsetPageState(PAGE_STATES.ready);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState(PAGE_STATES.error);\n\t}\n\n\tfunction refresh () {\n\t\tinit();\n\t}\n\n\tfunction searchBarActionSelected (searchBarActionKey) {\n\t\tif (searchBarActionKey === SEARCH_BAR_ACTIONS.jobGrades.addJobGrade) {\n\t\t\taddJobGrade($scope.vm.jobGrades.all);\n\t\t}\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tPAGE_STATES,\n\n\t\tagencyProfileId,\n\t\tvm: {\n\t\t\tsearchBarOptions: searchService.jobGrades\n\t\t},\n\n\t\taddJobGrade,\n\t\trefresh,\n\t\tsearchBarActionSelected\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('policiesCtrl', ['$scope', '$stateParams', 'USER_ROLES', function ($scope, $stateParams, USER_ROLES) {\n\n\t// From parent\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\t\tsetPageState('ready');\n\n\t\t$scope.vm = {\n\t\t\tagencyProfileId\n\t\t};\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tUSER_ROLES\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('policiesHolidayCtrl', ['$q', '$rootScope', '$scope', '$stateParams', '$timeout', 'agency', 'config', function ($q, $rootScope, $scope, $stateParams, $timeout, agency, config) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tagency.getHolidayPolicies(agencyProfileId).then(holidayPoliciesArr => {\n\n\t\t\t// Use first holiday policy to check for setup\n\t\t\tconst holidayPolicy = holidayPoliciesArr[0];\n\n\t\t\tif (holidayPolicy.HolidayPolicyID === config.guidEmpty) {\n\t\t\t\tsetPageState('holiday-policy-not-setup');\n\t\t\t}\n\t\t\telse {\n\t\t\t\tpopulateDetails(holidayPoliciesArr);\n\t\t\t\tsetPageState('ready');\n\t\t\t}\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction openHolidayForm (holidayPolicyObj) {\n\n\t\tconst isExistingHolidayPolicy = angular.isDefined(holidayPolicyObj);\n\n\t\t$scope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tholidayPolicyId: isExistingHolidayPolicy ? holidayPolicyObj.HolidayPolicyID : undefined,\n\t\t\ttitle: isExistingHolidayPolicy ? 'Holiday policy' : 'New holiday policy',\n\t\t\tcallback: isExistingHolidayPolicy ? init : updateHrActive,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'company-settings-holiday-policy'\n\t\t});\n\t}\n\n\tfunction populateDetails (holidayPoliciesArr) {\n\n\t\tlet holidayDetailsBlock = {\n\t\t\ticon: 'holiday',\n\t\t\ttitle: 'Holiday',\n\t\t\ttheme: 'quarternary stacked',\n\t\t\tdetailGroups: []\n\t\t};\n\n\t\tholidayPoliciesArr.forEach(holidayPolicy => {\n\t\t\tconst holidayDetailBlock = {\n\t\t\t\teditAction: () => openHolidayForm(holidayPolicy),\n\t\t\t\tdetails: [\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: holidayPolicy.HolidayPolicyName,\n\t\t\t\t\t\tvalue: holidayPolicy.HolidayPolicyDescription\n\t\t\t\t\t}\n\t\t\t\t]\n\t\t\t};\n\t\t\tholidayDetailsBlock.detailGroups.push(holidayDetailBlock);\n\t\t});\n\n\t\t$scope.vm = {\n\t\t\tholidayDetailsBlock\n\t\t};\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction updateHrActive () {\n\n\t\tinit();\n\t\t$rootScope.currentCompany.HasHR = true;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tagencyProfileId,\n\n\t\topenHolidayForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('policiesTabCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'bulkService',\n\t'filterService',\n\t'policyService',\n\t'searchService',\n\t'POLICY_CATEGORIES',\n\t'SEARCH_BAR_ACTIONS',\n\t'UPDATE_POLICY_MODES',\nfunction (\n\t$rootScope,\n\t$scope,\n\t$state,\n\t$stateParams,\n\tbulkService,\n\tfilterService,\n\tpolicyService,\n\tsearchService,\n\tPOLICY_CATEGORIES,\n\tSEARCH_BAR_ACTIONS,\n\tUPDATE_POLICY_MODES\n) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst policyCategory = $state.current.data.policyCategory;\n\n\tconst PAGE_STATES = {\n\t\terror: 'error',\n\t\tloading: 'loading',\n\t\tready: 'ready'\n\t};\n\n\tfunction openUpdatePolicyForm (vmObj, updatePolicyMode) {\n\n\t\tfunction getTitleForUpdatePolicyForm (updatePolicyMode) {\n\n\t\t\tswitch (updatePolicyMode) {\n\t\t\t\tcase UPDATE_POLICY_MODES.import:\n\t\t\t\t\treturn `Import ${policyCategory} policy`;\n\n\t\t\t\tdefault:\n\t\t\t\t\treturn `Add ${policyCategory} policy`;\n\t\t\t}\n\t\t}\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'update-policy',\n\t\t\tpolicyCategory,\n\t\t\tpolicies: vmObj.policies.all,\n\t\t\ttitle: getTitleForUpdatePolicyForm(updatePolicyMode),\n\t\t\tupdatePolicyMode: updatePolicyMode\n\t\t});\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState(PAGE_STATES.loading);\n\n\t\t// Get legacy policies to include in the list. Only applicable for sickness, won't do any harm otherwise.\n\t\tconst INCLUDE_LEGACY_POLICIES = true;\n\n\t\tpolicyService.getPoliciesForCategory(agencyProfileId, policyCategory, INCLUDE_LEGACY_POLICIES).then(policiesArr => {\n\n\t\t\t$scope.vm = {\n\t\t\t\tpolicies: bulkService.getBulkItemsObj(policiesArr),\n\t\t\t\tpolicyCategory,\n\t\t\t\tsearchBarOptions: searchService.policies\n\t\t\t};\n\n\t\t\t// Filter for pay policies only\n\t\t\tif (policyCategory === POLICY_CATEGORIES.pay) {\n\t\t\t\t$scope.vm.filterBarOptions = filterService.payPolicies;\n\t\t\t}\n\n\t\t\tsetPageState(PAGE_STATES.ready);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState(PAGE_STATES.error);\n\t}\n\n\tfunction refresh () {\n\t\tinit();\n\t}\n\n\tfunction searchBarActionSelected (searchBarActionKey) {\n\t\tif (searchBarActionKey === SEARCH_BAR_ACTIONS.policies.addPolicy) {\n\t\t\topenUpdatePolicyForm($scope.vm, UPDATE_POLICY_MODES.create);\n\t\t}\n\t}\n\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\n\t\tagencyProfileId,\n\n\t\tPAGE_STATES,\n\t\tPOLICY_CATEGORIES,\n\t\tUPDATE_POLICY_MODES,\n\n\t\taddPolicy: openUpdatePolicyForm,\n\t\trefresh,\n\t\tsearchBarActionSelected\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar directory = 'features/app/data-importer/';\n\n\t$stateProvider\n\n\t.state('data-importer', {\n\t\turl: '/data-importer/:agencyProfileId?backState',\n\t\ttemplateUrl: directory + 'data-importer.view.html',\n\t\tdata: {\n\t\t fullPage: true,\n\t\t title: 'Importer'\n\t\t},\n\t\tparams: {\n\t\t\tendOnValidate: false\n\t\t},\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t}\n\t})\n\t\t.state('data-importer.my-files', {\n\t\t\turl: '/my-files/:agencyDocumentType',\n\t\t\ttemplateUrl: directory + 'my-files/data-importer-my-files.view.html',\n\t\t\tcontroller: 'dataImporterMyFilesCtrl'\n\t\t})\n\t\t.state('data-importer.upload-file', {\n\t\t\turl: '/upload-file/:agencyDocumentType/:payPeriodId?from&importMappingData',\n\t\t\ttemplateUrl: directory + 'upload-file/data-importer-upload-file.view.html',\n\t\t\tcontroller: 'dataImporterUploadFileCtrl'\n\t\t})\n\t\t.state('data-importer.validate-file', {\n\t\t\turl: '/validate-file/:payPeriodId/:agencyDocumentId/:agencyDocumentType/:importMappingType?importMappingTemplateId?layoutType',\n\t\t\ttemplateUrl: directory + 'validate-file/data-importer-validate-file.view.html',\n\t\t\tcontroller: 'dataImporterValidateFileCtrl'\n\t\t})\n\t\t.state('data-importer.select-import-type', {\n\t\t\turl: '/select-import-type/:payPeriodId/:agencyDocumentId/:agencyDocumentType?layoutType',\n\t\t\ttemplateUrl: directory + 'select-import-type/data-importer-select-import-type.view.html',\n\t\t\tcontroller: 'dataImporterSelectImportTypeCtrl'\n\t\t})\n\t\t.state('data-importer.select-import-file-type', {\n\t\t\turl: '/select-import-file-type/:agencyDocumentType',\n\t\t\ttemplateUrl: directory + 'select-import-file-type/data-importer-select-import-file-type.view.html',\n\t\t\tcontroller: 'dataImporterSelectImportFileTypeCtrl'\n\t\t})\n\t\t.state('data-importer.select-import-file-type-bcat', {\n\t\t\turl: '/select-import-file-type-bcat/:agencyDocumentType',\n\t\t\ttemplateUrl: directory + 'select-import-file-type-bcat/data-importer-select-import-file-type-bcat.view.html',\n\t\t\tcontroller: 'dataImporterSelectImportFileTypeBcatCtrl'\n\t\t})\n\t\t.state('data-importer.select-import-file-type-xero', {\n\t\t\turl: '/select-import-file-type-xero/:agencyDocumentType',\n\t\t\ttemplateUrl: directory + 'select-import-file-type-xero/data-importer-select-import-file-type-xero.view.html',\n\t\t\tcontroller: 'dataImporterSelectImportFileTypeXeroCtrl'\n\t\t})\n\t\t.state('data-importer.select-mapping-type', {\n\t\t\turl: '/select-mapping-type/:agencyDocumentId',\n\t\t\ttemplateUrl: directory + 'select-mapping-type/data-importer-select-mapping-type.view.html',\n\t\t\tcontroller: 'dataImporterSelectMappingTypeCtrl'\n\t\t})\n\t\t.state('data-importer.import-data', {\n\t\t\turl: '/import-data/:payPeriodId/:agencyDocumentId/:agencyDocumentType/:importMappingType?importMappingTemplateId?layoutType&importMappingData',\n\t\t\ttemplateUrl: directory + 'import-data/data-importer-import-data.view.html',\n\t\t\tcontroller: 'dataImporterValidateFileCtrl'\n\t\t})\n\t\t.state('data-importer.validate-xml-file', {\n\t\t\turl: '/validate-xml-file/:payPeriodId/:agencyDocumentId/:agencyDocumentType/:importMappingType?importMappingTemplateId?layoutType',\n\t\t\ttemplateUrl: directory + 'validate-xml-file/data-importer-validate-xml-file.view.html',\n\t\t\tcontroller: 'dataImporterValidateXMLFileCtrl'\n\t\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('dataImporterMyFilesCtrl', ['$filter', '$rootScope', '$scope', '$stateParams', 'base', 'growl', 'importService', 'payrollData', 'DOCUMENT_STATES', 'DOCUMENT_TYPES',\n\tfunction ($filter, $rootScope, $scope, $stateParams, base, growl, importService, payrollData, DOCUMENT_STATES, DOCUMENT_TYPES) {\n\n\tconst agencyDocumentType = parseInt($stateParams.agencyDocumentType);\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst backState = $stateParams.backState;\n\n\tfunction onDeleteDocument (documentsArray, documentObj, documentIndex) {\n\n\t\tdocumentsArray.splice(documentIndex, 1);\n\n\t\tgrowl.success(documentObj.DocumentName + ' has been deleted');\n\t}\n\n\tfunction filterAgencyDocumentsNotValidated (documentObj) {\n\t\treturn documentObj.DocumentState === DOCUMENT_STATES.unchecked;\n\t}\n\n\tfunction filterAgencyDocumentsValidated (documentObj) {\n\t\treturn documentObj.DocumentState === DOCUMENT_STATES.checked;\n\t}\n\n\tfunction init () {\n\n\t\tif (!isStateValid()) {\n\t\t\tsetPageState('error');\n\t\t\treturn;\n\t\t}\n\n\t\tsetPageState('loading');\n\n\t\tpayrollData.getPayPeriodCurrent(agencyProfileId).then((payPeriodObj) => {\n\t\t\tloadDataImports(payPeriodObj);\n\t\t})\n\t\t.catch((error) => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction isStateValid () {\n\n\t\tif (isNaN(agencyDocumentType)) {\n\t\t\t$rootScope.paycircleMessage('dataImporterMyFilesCtrl: No agency document type defined', 'error');\n\t\t\treturn false;\n\t\t}\n\n\t\tif (angular.isUndefined(agencyProfileId)) {\n\t\t\t$rootScope.paycircleMessage('dataImporterMyFilesCtrl: No agency profile id defined', 'error');\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t}\n\tfunction loadDataImports (payPeriodObj) {\n\n\t\tbase.getAgencyDocumentsForType(agencyProfileId, payPeriodObj.PayPeriodID, agencyDocumentType).then((agencyDocumentsArray) => {\n\n\t\t\tconst showDocumentStateIcon = true;\n\t\t\tagencyDocumentsArray = agencyDocumentsArray.filter(importService.decorateDocumentUploads(agencyDocumentType, showDocumentStateIcon));\n\n\t\t\t$scope.vm = {\n\t\t\t\tagencyDocuments: agencyDocumentsArray,\n\t\t\t\tagencyDocumentsNotValidated: agencyDocumentsArray.filter(filterAgencyDocumentsNotValidated),\n\t\t\t\tagencyDocumentsValidated: agencyDocumentsArray.filter(filterAgencyDocumentsValidated),\n\t\t\t\tcurrentPayPeriod: payPeriodObj\n\t\t\t};\n\n\t\t\t// Not team type and no complete team members\n\t\t\tif (agencyDocumentType !== DOCUMENT_TYPES.teamImport && payPeriodObj.NumberOfCompleteTeamMembers === 0) {\n\t\t\t\tsetPageState('no-team-members');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch((error) => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tDOCUMENT_TYPES,\n\t\tagencyDocumentType,\n\t\tagencyProfileId,\n\t\tbackNgHref: importService.getImportBackHrefForAgencyDocumentType(agencyDocumentType, agencyProfileId, backState),\n\t\tdefaultImportMappingType: importService.getImportMappingTypeForAgencyDocumentType(agencyDocumentType),\n\t\tonDeleteDocument\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('dataImporterSelectImportFileTypeCtrl', [\n\t'$scope',\n\t'$stateParams',\n\t'base',\n\t'dataTransfer',\n\t'importService',\n\t'payrollData',\n\t'DOCUMENT_TYPES',\n\tfunction (\n\t\t$scope, \n\t\t$stateParams,\n\t\tbase,\n\t\tdataTransfer,\n\t\timportService,\n\t\tpayrollData,\n\t\tDOCUMENT_TYPES\n\t) {\n\n\n\tconst agencyDocumentType = parseInt($stateParams.agencyDocumentType);\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tconst backNgHref = importService.getImportBackHrefForAgencyDocumentType(agencyDocumentType, agencyProfileId);\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tpayrollData.getPayPeriodCurrent(agencyProfileId).then((payPeriodObj) => {\n\t\t\t\n\t\t\tbase.getAgencyDocumentsForType(agencyProfileId, payPeriodObj.PayPeriodID, agencyDocumentType).then((agencyDocumentsArray) => {\n\n\t\t\t\t$scope.vm = {\n\t\t\t\t\tDOCUMENT_TYPES,\n\t\t\t\t\tagencyDocumentType,\n\t\t\t\t\tagencyDocuments: agencyDocumentsArray,\n\t\t\t\t\tagencyProfileId,\n\t\t\t\t\tbackNgHref\n\t\t\t\t};\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch((error) => {\n\t\t\t\tconsole.error(error);\n\t\t\t\tsetPageState('error');\n\t\t\t});\n\t\t})\n\t\t.catch((error) => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction downloadImportTemplate () {\n\n\t\tconst containerName = '';\n\t\tconst blobName = 'ImportTemplate.csv';\n\t\tconst downloadUrl = dataTransfer.getBlobBasicDownloadUrl(containerName, blobName);\n\t\tdataTransfer.downloadFile(downloadUrl, blobName);\n\t}\n\n\t$scope.downloadImportTemplate = function () {\n\n\t\tdownloadImportTemplate();\n\t};\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('dataImporterSelectImportFileTypeBcatCtrl', [\n\t'$q',\n\t'$scope',\n\t'$stateParams',\n\t'config',\n\t'importService',\n\t'payrollData',\n\t'reportData',\n\t'ACCOUNTING_INTEGRATION_TYPES',\n\t'DOCUMENT_TYPES',\n\t'IMPORT_MAPPING_TYPES',\n\tfunction (\n\t\t$q,\n\t\t$scope,\n\t\t$stateParams,\n\t\tconfig,\n\t\timportService,\n\t\tpayrollData,\n\t\treportData,\n\t\tACCOUNTING_INTEGRATION_TYPES,\n\t\tDOCUMENT_TYPES,\n\t\tIMPORT_MAPPING_TYPES\n\t) {\n\n\tconst agencyDocumentType = parseInt($stateParams.agencyDocumentType);\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tconst backNgHref = importService.getImportBackHrefForAgencyDocumentType(agencyDocumentType, agencyProfileId);\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getAccountingIntegrationConnection = reportData.getAccountingIntegrationConnection(agencyProfileId);\n\t\tconst getPayPeriodCurrent = payrollData.getPayPeriodCurrent(agencyProfileId);\n\n\t\t$q.all([\n\t\t\tgetPayPeriodCurrent,\n\t\t\tgetAccountingIntegrationConnection\n\t\t]).then(([\n\t\t\tpayPeriodObj,\n\t\t\taccountingIntegrationConnectionObj\n\t\t]) => {\n\t\t\t\n\t\t\t$scope.vm = {\n\t\t\t\tACCOUNTING_INTEGRATION_TYPES,\n\t\t\t\tDOCUMENT_TYPES,\n\t\t\t\tIMPORT_MAPPING_TYPES,\n\t\t\t\tagencyDocumentId: config.guidEmpty,\n\t\t\t\tagencyProfileId,\n\t\t\t\tbackNgHref,\n\t\t\t\tpayPeriod: payPeriodObj,\n\t\t\t\tpayPeriodId: config.guidEmpty,\n\t\t\t\taccountingIntegrationConnection: accountingIntegrationConnectionObj\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('dataImporterSelectImportFileTypeXeroCtrl', [\n\t'$q',\n\t'$scope',\n\t'$stateParams',\n\t'config',\n\t'importService',\n\t'payrollData',\n\t'reportData',\n\t'ACCOUNTING_INTEGRATION_TYPES',\n\t'DOCUMENT_TYPES',\n\t'IMPORT_MAPPING_TYPES',\n\tfunction (\n\t\t$q,\n\t\t$scope,\n\t\t$stateParams,\n\t\tconfig,\n\t\timportService,\n\t\tpayrollData,\n\t\treportData,\n\t\tACCOUNTING_INTEGRATION_TYPES,\n\t\tDOCUMENT_TYPES,\n\t\tIMPORT_MAPPING_TYPES\n\t) {\n\n\tconst agencyDocumentType = parseInt($stateParams.agencyDocumentType);\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tconst backNgHref = importService.getImportBackHrefForAgencyDocumentType(agencyDocumentType, agencyProfileId);\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getAccountingIntegrationConnection = reportData.getAccountingIntegrationConnection(agencyProfileId);\n\t\tconst getPayPeriodCurrent = payrollData.getPayPeriodCurrent(agencyProfileId);\n\n\t\t$q.all([\n\t\t\tgetPayPeriodCurrent,\n\t\t\tgetAccountingIntegrationConnection\n\t\t]).then(([\n\t\t\tpayPeriodObj,\n\t\t\taccountingIntegrationConnectionObj\n\t\t]) => {\n\t\t\t\n\t\t\t$scope.vm = {\n\t\t\t\tACCOUNTING_INTEGRATION_TYPES,\n\t\t\t\tDOCUMENT_TYPES,\n\t\t\t\tIMPORT_MAPPING_TYPES,\n\t\t\t\tagencyDocumentId: config.guidEmpty,\n\t\t\t\tagencyProfileId,\n\t\t\t\tbackNgHref,\n\t\t\t\tpayPeriod: payPeriodObj,\n\t\t\t\tpayPeriodId: config.guidEmpty,\n\t\t\t\taccountingIntegrationConnection: accountingIntegrationConnectionObj\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('dataImporterSelectImportTypeCtrl', ['$q', '$rootScope', '$scope', '$stateParams', 'agency', 'base', 'importService', 'DOCUMENT_TYPES', 'IMPORT_MAPPING_TYPES', 'INTERFACE_TYPES', function ($q, $rootScope, $scope, $stateParams, agency, base, importService, DOCUMENT_TYPES, IMPORT_MAPPING_TYPES, INTERFACE_TYPES) {\n\n\tconst IS_BUREAU_MAPPING = $rootScope.currentCompany.CompanyType === INTERFACE_TYPES.bureau;\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst agencyDocumentId = $stateParams.agencyDocumentId;\n\tconst agencyDocumentType = parseInt($stateParams.agencyDocumentType);\n\tconst backState = $stateParams.backState;\n\tconst currentCompany = $rootScope.currentCompany;\n\tconst layoutType = $stateParams.layoutType;\n\tconst payPeriodId = $stateParams.payPeriodId;\n\n\tconst backNgHref = importService.getImportBackHrefForAgencyDocumentType(agencyDocumentType, agencyProfileId, backState);\n\tconst isCISActive = importService.getIsCISActiveForCompany(currentCompany);\n\tconst isExpatsActive = importService.getIsExpatsActiveForCompany(currentCompany);\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getAgencyProfileImportOrientationVertical = agency.getAgencyProfileImportOrientationVertical(agencyProfileId);\n\t\tconst getCompanyDocument = base.getCompanyDocument(agencyDocumentId);\n\n\t\t$q.all([getCompanyDocument, getAgencyProfileImportOrientationVertical]).then(dataArr => {\n\n\t\t\tconst documentObj = dataArr[0];\n\t\t\tconst companyLayoutTypeIsVertical = dataArr[1];\n\n\t\t\tconst isVertical = importService.getIsVerticalLayout(companyLayoutTypeIsVertical, layoutType);\n\n\t\t\t$scope.vm = {\n\t\t\t\tagencyDocumentId,\n\t\t\t\tagencyDocumentType,\n\t\t\t\tagencyProfileId,\n\t\t\t\tdataImportTypes: importService.getMappingOptionsForDocumentType(agencyDocumentType, isVertical, isCISActive, isExpatsActive),\n\t\t\t\tdocument: documentObj,\n\t\t\t\tisVertical,\n\t\t\t\tlayoutType,\n\t\t\t\tpayPeriodId\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch((error) => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tDOCUMENT_TYPES,\n\t\tIMPORT_MAPPING_TYPES,\n\t\tINTERFACE_TYPES,\n\t\tIS_BUREAU_MAPPING,\n\t\tbackNgHref\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('dataImporterSelectMappingTypeCtrl', ['$scope', '$stateParams', 'importService', 'IMPORT_MAPPING_TYPES', function ($scope, $stateParams, importService, IMPORT_MAPPING_TYPES) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst agencyDocumentId = $stateParams.agencyDocumentId;\n\n\tangular.extend($scope, {\n\t\tIMPORT_MAPPING_TYPES,\n\t\tagencyDocumentId,\n\t\tagencyProfileId,\n\t\tmappingTypes: importService.getMappingTypes()\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('dataImporterUploadFileCtrl', [\n\t'$q',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'$timeout',\n\t'agency',\n\t'dataImport',\n\t'dataTransfer',\n\t'growl',\n\t'importService',\n\t'libraries',\n\t'payrollData',\n\t'payrollWorker',\n\t'utilities',\n\t'DOCUMENT_TYPES',\n\t'FILE_TYPES',\n\t'IMPORT_MAPPING_TYPES',\n\t'IMPORT_TYPES',\n\t'STATE_TYPES',\n\t'SUBMISSION_STATES',\n\t'VALIDATION_FIELD_TYPES',\n\tfunction (\n\t\t$q,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tagency,\n\t\tdataImport,\n\t\tdataTransfer,\n\t\tgrowl,\n\t\timportService,\n\t\tlibraries,\n\t\tpayrollData,\n\t\tpayrollWorker,\n\t\tutilities,\n\t\tDOCUMENT_TYPES,\n\t\tFILE_TYPES,\n\t\tIMPORT_MAPPING_TYPES,\n\t\tIMPORT_TYPES,\n\t\tSTATE_TYPES,\n\t\tSUBMISSION_STATES,\n\t\tVALIDATION_FIELD_TYPES\n\t) {\n\n\tconst agencyDocumentType = parseInt($stateParams.agencyDocumentType);\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst statePeriodId = $stateParams.payPeriodId;\n\tconst importMappingData = $stateParams.importMappingData;\n\tconst from = $stateParams.from;\n\n\tconst backNgHref = importService.getImportBackHrefForAgencyDocumentType(agencyDocumentType, agencyProfileId);\n\tconst documentTypeId = importService.getDocumentTypeIdForAgencyDocumentType(agencyDocumentType);\n\tconst fileTypeAcceptOption = importService.getFileTypeAcceptForDocumentType(agencyDocumentType);\n\n\tfunction getImportMappingTypeForDocumentType (agencyDocumentType) {\n\n\t\tswitch (agencyDocumentType) {\n\t\t\tcase DOCUMENT_TYPES.nominalCodes:\n\t\t\tcase DOCUMENT_TYPES.xeroNominalCodes:\n\t\t\tcase DOCUMENT_TYPES.accessFinancialsNominalAccountsImport:\n\t\t\t\treturn IMPORT_MAPPING_TYPES.nominalCodes;\n\t\t\tcase DOCUMENT_TYPES.businessCategories:\n\t\t\tcase DOCUMENT_TYPES.accessFinancialsBusinessCategoriesImport:\n\t\t\t\treturn IMPORT_MAPPING_TYPES.businessCategories;\n\t\t\tcase DOCUMENT_TYPES.payslipManagerFullRun:\n\t\t\tcase DOCUMENT_TYPES.payslipManagerSupplementaryRun:\n\t\t\t\treturn IMPORT_MAPPING_TYPES.payslipManager;\n\t\t\tcase DOCUMENT_TYPES.periodImport:\n\t\t\t\treturn IMPORT_MAPPING_TYPES.users;\n\t\t\tcase DOCUMENT_TYPES.teamImport:\n\t\t\t\treturn IMPORT_MAPPING_TYPES.team;\n\t\t\tcase DOCUMENT_TYPES.policyImport:\n\t\t\t\treturn IMPORT_MAPPING_TYPES.policyImport;\n\t\t}\n\t}\n\n\tfunction getPayPeriodForImporter () {\n\n\t\tif (statePeriodId) {\n\t\t\treturn payrollData.getPayPeriodSpecific(statePeriodId);\n\t\t} else {\n\t\t\treturn payrollData.getPayPeriodCurrent(agencyProfileId);\n\t\t}\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tgetPayPeriodForImporter().then((currentPayPeriodObj) => {\n\n\t\t\tcurrentPayPeriodObj.dataImportState = SUBMISSION_STATES.unsubmitted;\n\n\t\t\t$scope.currentPayPeriod = currentPayPeriodObj;\n\n\t\t\tsetupImporter(currentPayPeriodObj);\n\t\t})\n\t\t.catch((error) => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction resetImporter (payPeriodObj) {\n\n\t\tpayPeriodObj.dataImportState = 0;\n\n\t\tangular.extend($scope, {\n\t\t\tuploadFilename: null,\n\t\t\tuploadingProgress: 0\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction setupImporter (payPeriodObj) {\n\n\t\tvar payPeriodId = utilities.isEmptyGuid(statePeriodId) ? statePeriodId : payPeriodObj.PayPeriodID;\n\n\t\t// Set up the uploader for the import\n\t\tvar uploader = $scope.uploader = dataTransfer.getNewFileUploader({\n\t\t\tformData: [{\n\t\t\t\tagencyPayPeriodId: payPeriodId,\n\t\t\t\tagencyProfileId,\n\t\t\t\tdocumentTypeId\n\t\t\t}],\n\t\t\turl: libraries.httpHandler.upload.importFile,\n\t\t\tqueueLimit: 1,\n\t\t\tonAfterAddingFile: (fileItem) => {\n\n\t\t\t\t$scope.uploadFilename = fileItem.file.name;\n\n\t\t\t\tpayPeriodObj.dataImportState = SUBMISSION_STATES.submitting;\n\n\t\t\t\tuploader.uploadAll();\n\t\t\t},\n\t\t\tonProgressItem: (fileItem, progress) => {\n\n\t\t\t\t$scope.uploadingProgress = progress;\n\t\t\t},\n\n\t\t\tonSuccessItem: (item, fileUploadArr) => {\n\n\t\t\t\t// If file upload is unsuccessful (file size too bug/contains virus)\n\t\t\t\tif (fileUploadArr.length === 0) {\n\t\t\t\t\tuploader.clearQueue();\n\t\t\t\t\tpayPeriodObj.dataImportState = SUBMISSION_STATES.failed;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t$timeout(() => {\n\n\t\t\t\t\tswitch (agencyDocumentType) {\n\n\t\t\t\t\t\tcase DOCUMENT_TYPES.businessCategories:\n\t\t\t\t\t\tcase DOCUMENT_TYPES.accessFinancialsBusinessCategoriesImport:\n\t\t\t\t\t\tcase DOCUMENT_TYPES.nominalCodes:\n\t\t\t\t\t\tcase DOCUMENT_TYPES.xeroNominalCodes:\n\t\t\t\t\t\tcase DOCUMENT_TYPES.accessFinancialsNominalAccountsImport:\n\t\t\t\t\t\tcase DOCUMENT_TYPES.policyImport:\n\n\t\t\t\t\t\t\t// Import data\n\t\t\t\t\t\t\t$state.go('data-importer.import-data', {\n\t\t\t\t\t\t\t\tagencyDocumentId: fileUploadArr[0],\n\t\t\t\t\t\t\t\tagencyDocumentType: agencyDocumentType,\n\t\t\t\t\t\t\t\tagencyProfileId: agencyProfileId,\n\t\t\t\t\t\t\t\timportMappingData,\n\t\t\t\t\t\t\t\timportMappingType: getImportMappingTypeForDocumentType(agencyDocumentType),\n\t\t\t\t\t\t\t\tpayPeriodId: payPeriodId,\n\t\t\t\t\t\t\t});\n\n\t\t\t\t\t\t\tbreak;\n\n\t\t\t\t\t\tcase DOCUMENT_TYPES.payslipManagerFullRun:\n\n\t\t\t\t\t\t\t// Import data\n\t\t\t\t\t\t\t$state.go('data-importer.validate-xml-file', {\n\t\t\t\t\t\t\t\tagencyDocumentId: fileUploadArr[0],\n\t\t\t\t\t\t\t\tagencyDocumentType: agencyDocumentType,\n\t\t\t\t\t\t\t\tagencyProfileId: agencyProfileId,\n\t\t\t\t\t\t\t\timportMappingType: getImportMappingTypeForDocumentType(agencyDocumentType),\n\t\t\t\t\t\t\t\tpayPeriodId: payPeriodId\n\t\t\t\t\t\t\t});\n\n\t\t\t\t\t\t\tbreak;\n\n\t\t\t\t\t\t// Bureau mapping template > Different flow\n\t\t\t\t\t\tcase DOCUMENT_TYPES.bureauMappingTemplate:\n\n\t\t\t\t\t\t\t// Select mapping type\n\t\t\t\t\t\t\t$state.go('data-importer.select-mapping-type', {\n\t\t\t\t\t\t\t\tagencyDocumentId: fileUploadArr[0],\n\t\t\t\t\t\t\t\tagencyProfileId\n\t\t\t\t\t\t\t});\n\n\t\t\t\t\t\t\tbreak;\n\n\t\t\t\t\t\tdefault:\n\n\t\t\t\t\t\t\t// Validate file\n\t\t\t\t\t\t\t$state.go('data-importer.validate-file', {\n\t\t\t\t\t\t\t\tagencyDocumentId: fileUploadArr[0],\n\t\t\t\t\t\t\t\tagencyDocumentType: agencyDocumentType,\n\t\t\t\t\t\t\t\tagencyProfileId: agencyProfileId,\n\t\t\t\t\t\t\t\timportMappingType: getImportMappingTypeForDocumentType(agencyDocumentType),\n\t\t\t\t\t\t\t\tpayPeriodId: payPeriodId\n\t\t\t\t\t\t\t});\n\t\t\t\t\t}\n\n\t\t\t\t}, 2000);\n\t\t\t},\n\t\t\tonCompleteAll: () => {\n\t\t\t\tuploader.clearQueue();\n\t\t\t},\n\t\t\tonWhenAddingFileFailed: (item, filter) => {\n\n\t\t\t\tuploader.clearQueue();\n\n\t\t\t\tswitch (filter.name) {\n\t\t\t\t\tcase 'validateNumberOfColumns':\n\t\t\t\t\t\tpayPeriodObj.dataImportState = -2;\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase 'validateFileType':\n\t\t\t\t\t\tpayPeriodObj.dataImportState = -1;\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\t\t});\n\n\t\t// Validate file type is correct type\n\t\tuploader.filters.push(\n\t\t\t{\n\t\t\t\tname: 'validateFileType',\n\t\t\t\tfn: (fileItem) => {\n\n\t\t\t\t\tif (fileItem.name.toLowerCase().indexOf(fileTypeAcceptOption.fileExtension) > -1) {\n\t\t\t\t\t\treturn true;\n\t\t\t\t\t}\n\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\t\t\t}\n\t\t);\n\n\t\t// Validate CVS file\n\t\tif (fileTypeAcceptOption.key === FILE_TYPES.csv) {\n\t\t\tuploader.filters.push({\n\t\t\t\tname: 'validateNumberOfColumns',\n\t\t\t\tfn: (fileItem, b, referred) => {\n\n\t\t\t\t\tvar reader = new FileReader();\n\n\t\t\t\t\treader.onload = (e) => {\n\n\t\t\t\t\t\tconst parsedCsvObj = importService.parseCSV(e.target.result);\n\n\t\t\t\t\t\tif (parsedCsvObj.errors.length > 0) {\n\t\t\t\t\t\t\tpayPeriodObj.errors = parsedCsvObj.errors;\n\t\t\t\t\t\t\treferred.reject(false);\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\treferred.resolve(true);\n\t\t\t\t\t};\n\n\t\t\t\t\treader.readAsText(fileItem);\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\n\t\tsetPageState('ready');\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tDOCUMENT_TYPES,\n\t\tSUBMISSION_STATES,\n\t\tVALIDATION_FIELD_TYPES,\n\t\tagencyDocumentType,\n\t\tagencyProfileId,\n\t\tbackNgHref,\n\t\tfrom,\n\t\tresetImporter,\n\t\tuploadingProgress: 0,\n\t\tfileTypeAcceptOption: fileTypeAcceptOption.fileExtension,\n\t\tuploader: null\n\t});\n}]);\n\n// jshint maxstatements:200\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('dataImporterValidateFileCtrl', [\n\t'$element',\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'$timeout',\n\t'adjustmentsService',\n\t'agency',\n\t'applicationService',\n\t'base',\n\t'config',\n\t'dataImport',\n\t'filterService',\n\t'growl',\n\t'importService',\n\t'payrollData',\n\t'tooltipsService',\n\t'utilities',\n\t'DOCUMENT_TYPES',\n\t'FILTER_KEYS',\n\t'IMPORT_CONTEXT_TYPES',\n\t'IMPORT_MAPPING_COLUMN_TYPES',\n\t'IMPORT_MAPPING_TYPES',\n\t'INTERFACE_TYPES',\n\t'REGEX',\n\t'VALIDATION_COLUMN_TYPES',\n\t'VALIDATION_COLUMN_TYPES_NAMES',\n\t'VALIDATION_TYPES',\n\t'VALIDATION_TYPE_LEVELS',\n\tfunction (\n\t\t$element,\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tadjustmentsService,\n\t\tagency,\n\t\tapplicationService,\n\t\tbase,\n\t\tconfig,\n\t\tdataImport,\n\t\tfilterService,\n\t\tgrowl,\n\t\timportService,\n\t\tpayrollData,\n\t\ttooltipsService,\n\t\tutilities,\n\t\tDOCUMENT_TYPES,\n\t\tFILTER_KEYS,\n\t\tIMPORT_CONTEXT_TYPES,\n\t\tIMPORT_MAPPING_COLUMN_TYPES,\n\t\tIMPORT_MAPPING_TYPES,\n\t\tINTERFACE_TYPES,\n\t\tREGEX,\n\t\tVALIDATION_COLUMN_TYPES,\n\t\tVALIDATION_COLUMN_TYPES_NAMES,\n\t\tVALIDATION_TYPES,\n\t\tVALIDATION_TYPE_LEVELS\n\t) {\n\n\tconst DEFAULT_MAPPING_COLUMNS_VISIBLE = 10;\n\tconst ERROR_STATES = {\n\t\tadjustmentTypeColumnNotDefined: 'adjustment-type-column-undefined'\n\t};\n\tconst INCLUDE_ADMIN_ACCESS_ENTRIES = true;\n\tconst IS_BUREAU_MAPPING = $rootScope.currentCompany.CompanyType === INTERFACE_TYPES.bureau;\n\tconst SHOW_HIDDEN_COLUMNS = false;\n\tconst TEAM_MEMBER_VIEW_TYPES = [\n\t\t{\n\t\t\tkey: 'full-name',\n\t\t\tdescription: 'Full name'\n\t\t},\n\t\t{\n\t\t\tkey: 'ni-number',\n\t\t\tdescription: 'NI Number'\n\t\t}\n\t\t/* Requires PayrollID to be added to TeamMember obj\n\t\t{\n\t\t\tkey: 'payroll-id',\n\t\t\tdescription: 'Payroll ID'\n\t\t}\n\t\t*/\n\t];\n\n\tlet importMappingType = parseInt($stateParams.importMappingType);\n\tconst agencyDocumentId = $stateParams.agencyDocumentId;\n\tconst agencyDocumentType = parseInt($stateParams.agencyDocumentType);\n\tconst agencyDocumentTypeId = importService.getDocumentTypeIdForAgencyDocumentType(agencyDocumentType);\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst backState = $stateParams.backState;\n\tconst importMappingData = $stateParams.importMappingData;\n\tconst importMappingTemplateId = angular.isDefined($stateParams.importMappingTemplateId) ? $stateParams.importMappingTemplateId : config.guidEmpty;\n\tconst importMappingTypeDisplay = parseInt($stateParams.importMappingType);\n\tconst layoutType = $stateParams.layoutType;\n\tconst payPeriodId = $stateParams.payPeriodId;\n\tconst importMappingTypeOriginal = importMappingType;\n\n\tconst IS_AUTO_MAPPED = importService.getIsImportMappingTypeAutoMapped(importMappingType);\n\tconst IS_IN_DEBUG_MODE = utilities.isDevelopment() && config.isInDebugMode;\n\tconst IS_LINK_RATES_APPLICABLE = importService.getIsLinkRatesApplicableForImportMappingType(importMappingType);\n\tconst IS_PAY_ELEMENTS_APPLICABLE = importService.getIsPayElementsApplicableForImportMappingType(importMappingType);\n\tconst IS_PAY_ELEMENTS_APPLICABLE_CIS = importService.getIsPayElementsCISApplicableForImportMappingType(importMappingType);\n\tconst IS_PAY_ELEMENTS_APPLICABLE_DEEMED = importService.getIsPayElementsDeemedApplicableForImportMappingType(importMappingType);\n\tconst backNgHref = importService.getImportBackHrefForAgencyDocumentType(agencyDocumentType, agencyProfileId, backState);\n\n\t/**\n\t * A manual action to map headers against the files header cells\n\t**/\n\tfunction autoMapColumnsByName (vmObj) {\n\n\t\tconst IS_BULK_MAPPING = true;\n\t\tconst IS_MANUAL_DROP = true;\n\t\tconst numberOfFileColumns = getFileColumnsLength(vmObj);\n\t\tconst numberOfMappingHeaders = getMappingColumnsLength(vmObj);\n\n\t\tlet autoMatchedIndexesArr = [];\n\t\tlet i = 0;\n\n\t\t// Loop over columns and action ones that are mapped\n\t\tfor (i; i < numberOfFileColumns; i++) {\n\n\t\t\tconst fileColumnObj = getFileColumnByIndex(vmObj, i);\n\n\t\t\tlet j = 0;\n\n\t\t\t// Loop over mapping headers and match up to mapped column\n\t\t\tfor (j; j < numberOfMappingHeaders; j++) {\n\n\t\t\t\tconst mappingHeaderObj = getMappingColumnByIndex(vmObj, j);\n\n\t\t\t\t// Ignore if not mappable\n\t\t\t\tif (!isMappingHeaderMappable(mappingHeaderObj)) {\n\t\t\t\t\tcontinue;\n\t\t\t\t}\n\n\t\t\t\tif (mappingHeaderObj.ImportMappingColumnText.toLowerCase() === fileColumnObj.ImportMappingColumnText.toLowerCase()) {\n\n\t\t\t\t\tautoMatchedIndexesArr.push({\n\t\t\t\t\t\theaderOriginalIndex: mappingHeaderObj.originalIndex,\n\t\t\t\t\t\tfileColumnOriginalIndex: fileColumnObj.originalIndex\n\t\t\t\t\t});\n\n\t\t\t\t\t// Make sure any auto-mapped hidden columns are visible\n\t\t\t\t\tif (fileColumnObj.isHidden) {\n\t\t\t\t\t\ttoggleShowColumn(vmObj, fileColumnObj);\n\t\t\t\t\t}\n\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t// Delay updating so that we can validate the entire file once all columns are matched\n\t\tif (autoMatchedIndexesArr.length > 0) {\n\n\t\t\tmatchHeadersByIndexes(vmObj, autoMatchedIndexesArr, IS_MANUAL_DROP, IS_BULK_MAPPING);\n\t\t}\n\n\t\telse {\n\t\t\tgrowl.warning('No headers could be auto mapped');\n\t\t}\n\t}\n\n\t/**\n\t * An action triggered by a mapping template being used\n\t * Mapping headers have property values assigned which are used to apply the correct mapping\n\t**/\n\tfunction autoMapColumnsByProperty (vmObj) {\n\n\t\tconst IS_MANUAL_DROP = false;\n\t\tconst numberOfFileColumns = getFileColumnsLength(vmObj);\n\t\tconst numberOfMappingHeaders = getMappingColumnsLength(vmObj);\n\n\t\tlet autoMatchedIndexesArr = [];\n\t\tlet i = 0;\n\n\t\t// Loop over columns and action ones that are mapped\n\t\tfor (i; i < numberOfFileColumns; i++) {\n\n\t\t\tconst fileColumnObj = getFileColumnByIndex(vmObj, i);\n\n\t\t\t// Skip if not mapped\n\t\t\tif (fileColumnObj.ImportMappingColumnProperty === '') {\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\tlet j = 0;\n\n\t\t\t// Loop over mapping headers and match up to mapped column\n\t\t\tfor (j; j < numberOfMappingHeaders; j++) {\n\n\t\t\t\tconst mappingHeaderObj = getMappingColumnByIndex(vmObj, j);\n\n\t\t\t\tif (mappingHeaderObj.ImportMappingColumnProperty === fileColumnObj.ImportMappingColumnProperty) {\n\n\t\t\t\t\tautoMatchedIndexesArr.push({\n\t\t\t\t\t\theaderOriginalIndex: mappingHeaderObj.originalIndex,\n\t\t\t\t\t\tfileColumnOriginalIndex: fileColumnObj.originalIndex\n\t\t\t\t\t});\n\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t// Delay updating so that we can validate the entire file once all columns are matched\n\t\tif (autoMatchedIndexesArr.length > 0) {\n\n\t\t\tmatchHeadersByIndexes(vmObj, autoMatchedIndexesArr, IS_MANUAL_DROP);\n\t\t}\n\t}\n\n\t/**\n\t * Reviews file column headers for duplicates and populates an array of duplicates, if present\n\t**/\n\tfunction checkDuplicateFileHeaders (vmObj) {\n\n\t\tfunction isDuplicateHeader (columnObj, columnHeadersArr) {\n\n\t\t\treturn columnHeadersArr.includes(columnObj.ImportMappingColumnText);\n\t\t}\n\n\t\tvmObj.duplicateFileColumns = [];\n\n\t\tlet columnHeadersArr = [];\n\n\t\tvmObj.fileData.Columns.forEach(columnObj => {\n\n\t\t\tif (isDuplicateHeader(columnObj, columnHeadersArr)) {\n\n\t\t\t\tlet duplicateFileColumnObj = vmObj.duplicateFileColumns.find(duplicateFileColumnObj => duplicateFileColumnObj.importMappingColumnText === columnObj.ImportMappingColumnText);\n\n\t\t\t\t// Duplicate already exists, so append column number\n\t\t\t\tif (angular.isDefined(duplicateFileColumnObj)) {\n\t\t\t\t\tduplicateFileColumnObj.importMappingColumnNumbers.push(columnObj.ImportMappingColumnNumber + 1);\n\t\t\t\t}\n\n\t\t\t\t// Duplicate doesn't exist, so create it and attach the original column number\n\t\t\t\telse {\n\n\t\t\t\t\tconst duplicateFileColumnObj = {\n\t\t\t\t\t\timportMappingColumnNumbers: [columnObj.ImportMappingColumnNumber + 1],\n\t\t\t\t\t\timportMappingColumnText: columnObj.ImportMappingColumnText\n\t\t\t\t\t};\n\t\t\t\t\tconst originalDuplicateFileColumnObj = vmObj.fileData.Columns.find(fileColumnObj => fileColumnObj.ImportMappingColumnText === columnObj.ImportMappingColumnText);\n\n\t\t\t\t\t// Make sure original duplicate column number is included\n\t\t\t\t\tif (angular.isDefined(originalDuplicateFileColumnObj)) {\n\t\t\t\t\t\tduplicateFileColumnObj.importMappingColumnNumbers.unshift(originalDuplicateFileColumnObj.ImportMappingColumnNumber + 1);\n\t\t\t\t\t}\n\n\t\t\t\t\t// Add duplicate to array\n\t\t\t\t\tvmObj.duplicateFileColumns.push(duplicateFileColumnObj);\n\t\t\t\t}\n\t\t\t}\n\t\t\telse {\n\t\t\t\tcolumnHeadersArr.push(columnObj.ImportMappingColumnText);\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction countPopulatedCellsForAllColumns (vmObj) {\n\n\t\tvmObj.fileData.Columns.forEach(columnObj => {\n\n\t\t\tcountPopulatedCellsForColumn(vmObj, columnObj);\n\t\t});\n\t}\n\n\tfunction countPopulatedCellsForColumn (vmObj, columnObj) {\n\n\t\tlet cellCountNotEmpty = 0;\n\n\t\tvmObj.fileData.Rows.forEach(rowObj => {\n\n\t\t\tconst rowCellValue = getRowCellValue(vmObj, rowObj.originalIndex, columnObj.originalIndex);\n\n\t\t\tif (rowCellValue !== '') {\n\t\t\t\tcellCountNotEmpty++;\n\t\t\t}\n\t\t});\n\n\t\tcolumnObj.cellCountNotEmpty = cellCountNotEmpty;\n\t}\n\n\tfunction countPopulatedCellsForColumnByCellIndex (vmObj, cellOriginalIndex) {\n\n\t\tconst columnObj = getFileColumnByOriginalIndex(vmObj, cellOriginalIndex);\n\n\t\tcountPopulatedCellsForColumn(vmObj, columnObj);\n\t}\n\n\tfunction decorateMappingColumn (mappingColumnObj, fileColumnIndex) {\n\n\t\tmappingColumnObj.isInUse = false;\n\t\tmappingColumnObj.isIgnored = false;\n\t\tmappingColumnObj.originalIndex = fileColumnIndex;\n\t}\n\n\tfunction decorateMappingColumns (vmObj) {\n\n\t\tvmObj.mappingColumns.forEach((mappingColumnObj, mappingColumnIndex) => {\n\n\t\t\tdecorateMappingColumn(mappingColumnObj, mappingColumnIndex);\n\n\t\t\tconst tooltipObj = tooltipsService.getTooltipForImportMappingTypeColumn(vmObj.mappingColumns, vmObj.importMappingType, mappingColumnObj.ImportMappingColumnText);\n\n\t\t\t// Add tooltip\n\t\t\tangular.extend(mappingColumnObj, {\n\t\t\t\thasTooltip: tooltipObj !== null,\n\t\t\t\ttooltip: tooltipObj\n\t\t\t});\n\n\t\t});\n\n\t\treturn vmObj;\n\t}\n\n\tfunction decorateMappingColumnsArrForMappingType (mappingColumnsArr, importMappingType) {\n\n\t\tswitch (importMappingType) {\n\n\t\t\t// Can be re-used\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsFixed:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsFixedRecurring:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsFixedCIS:\n\n\t\t\t\tmappingColumnsArr.forEach(mappingColumnObj => {\n\n\t\t\t\t\tangular.extend(mappingColumnObj, {\n\t\t\t\t\t\tisPayElementNetable: importService.getIsMappingColumnNetable(mappingColumnObj),\n\t\t\t\t\t\tisReusable: importService.getIsMappingColumnReuseable(mappingColumnObj)\n\t\t\t\t\t});\n\t\t\t\t});\n\n\t\t\t\treturn mappingColumnsArr;\n\n\t\t\t// Grouped columns\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsHourlyRate:\n\n\t\t\t\tconst NUMBER_OF_COLUMNS_IN_GROUP = 2;\n\n\t\t\t\tlet mappingColumnGroupId = 0;\n\n\t\t\t\tmappingColumnsArr.forEach((mappingColumnObj, i) => {\n\t\t\t\t\tmappingColumnObj.mappingColumnGroupId = mappingColumnGroupId;\n\n\t\t\t\t\tif (i % NUMBER_OF_COLUMNS_IN_GROUP > 0) {\n\t\t\t\t\t\tmappingColumnGroupId++;\n\t\t\t\t\t}\n\t\t\t\t});\n\n\t\t\t\treturn mappingColumnsArr;\n\n\t\t\tdefault:\n\t\t\t\treturn mappingColumnsArr;\n\t\t}\n\t}\n\n\tfunction decorateMappingTemplates (mappingTemplatesArr) {\n\n\t\t// Add default label to template name\n\t\tmappingTemplatesArr.forEach(mappingTemplateObj => {\n\t\t\tmappingTemplateObj.isTemplate = true;\n\t\t});\n\n\t\tconst placeholderTemplate = mappingTemplatesArr.find(template => template.IgnoreTemplate && template.IsDefault);\n\n\t\tconst emptyTemplate = {\n\t\t\tImportMappingID: config.guidEmpty,\n\t\t\tIsDefault: false,\n\t\t\tIsGlobalTemplate: false,\n\t\t\tMappingType: importMappingType,\n\t\t\tName: 'Do not use a template',\n\t\t\tIsTemplateInUse: false\n\t\t};\n\n\t\tif (angular.isDefined(placeholderTemplate)) {\n\t\t\tangular.extend(emptyTemplate, {\n\t\t\t\tImportMappingID: placeholderTemplate.ImportMappingID,\n\t\t\t\tIsDefault: placeholderTemplate.IsDefault,\n\t\t\t\tisTemplate: placeholderTemplate.isTemplate\n\t\t\t});\n\t\t}\n\n\t\t// Add option to not use a template\n\t\tmappingTemplatesArr.unshift(emptyTemplate);\n\n\t\treturn mappingTemplatesArr;\n\t}\n\n\tfunction deleteColumnMapping (vmObj, fileColumnOriginalIndex, mappingHeaderOriginalIndex) {\n\n\t\tlet fileColumnObj = getFileColumnByOriginalIndex(vmObj, fileColumnOriginalIndex);\n\t\tlet fileColumnObjMappingColumnGroupId = fileColumnObj.mappingColumnGroupId;\n\t\tlet isLinked = false;\n\n\t\t// Pay Element Mapping Headers\n\t\tif (isPayElementMappingHeader(vmObj, mappingHeaderOriginalIndex)) {\n\n\t\t\t// Horizontal\n\t\t\tif (isPayElementMappingHeaderHorizontal(vmObj, mappingHeaderOriginalIndex)) {\n\n\t\t\t\t// Reset flag to hide any UI elements\n\t\t\t\tvmObj.isChangeTypeMapped = false;\n\n\t\t\t\t// Reset the file column\n\t\t\t\tresetFileColumnObj(fileColumnObj);\n\n\t\t\t\t// Reset the adjustment type mapping\n\t\t\t\tunmapAdjustmentTypesHorizontal(vmObj);\n\n\t\t\t\t// Reset the mapping column (note: needs to happen before resetting file column obj)\n\t\t\t\tresetMappingHeaderByOriginalIndex(vmObj, mappingHeaderOriginalIndex);\n\t\t\t}\n\n\t\t\t// Vertical\n\t\t\telse {\n\n\t\t\t\tswitch (fileColumnObj.ImportMappingColumnType) {\n\t\t\t\t\tcase IMPORT_MAPPING_COLUMN_TYPES.rate:\n\t\t\t\t\tcase IMPORT_MAPPING_COLUMN_TYPES.unit:\n\n\t\t\t\t\t\tisLinked = true;\n\n\t\t\t\t\t\tlet columnGroupArr = getColumnsArrByGroupId(vmObj, fileColumnObjMappingColumnGroupId);\n\n\t\t\t\t\t\t// Map details for both rate and unit columns\n\t\t\t\t\t\tcolumnGroupArr.forEach(_ => {\n\n\t\t\t\t\t\t\t// Reset mapping header\n\t\t\t\t\t\t\tresetMappingHeaderByOriginalIndex(vmObj, _.mappingHeader.originalIndex);\n\n\t\t\t\t\t\t\t// Reset file column\n\t\t\t\t\t\t\tresetFileColumnObj(_);\n\n\t\t\t\t\t\t\t// Update\n\t\t\t\t\t\t\tdataImport.updateImportMappingColumn(_).then(updatedFileColumnObj => {\n\n\t\t\t\t\t\t\t\tupdatedFileColumnObj.isPayElementNetable = false;\n\n\t\t\t\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t\t\t\tangular.extend(_, updatedFileColumnObj, {\n\t\t\t\t\t\t\t\t\t\tloadingState: 'ready'\n\t\t\t\t\t\t\t\t\t});\n\t\t\t\t\t\t\t\t});\n\t\t\t\t\t\t\t})\n\t\t\t\t\t\t\t.catch(onError);\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\tsetAndUpdateRatesAndUnitsFilterIndex(vmObj, fileColumnObjMappingColumnGroupId);\n\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tdefault:\n\t\t\t\t\t\t\n\t\t\t\t\t\t// Reset the file column\n\t\t\t\t\t\tresetFileColumnObj(fileColumnObj);\n\n\t\t\t\t\t\t// Reset the mapping column (note: needs to happen before resetting file column obj)\n\t\t\t\t\t\tresetMappingHeaderByOriginalIndex(vmObj, mappingHeaderOriginalIndex);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\telse {\n\n\t\t\t// Reset the file column\n\t\t\tresetFileColumnObj(fileColumnObj);\n\n\t\t\t// Reset the mapping column (note: needs to happen before resetting file column obj)\n\t\t\tresetMappingHeaderByOriginalIndex(vmObj, mappingHeaderOriginalIndex);\n\t\t}\n\n\t\t// Track manual template mapping changes\n\t\tvmObj.hasTemplateMappingChanged = true;\n\n\t\t// Reset rows/cells\n\t\tresetRowsForFileColumnObj(vmObj, fileColumnObj);\n\n\t\t// Re-evaluate the mapping to see whether the overall form is valid or not\n\t\tvalidateMapping(vmObj);\n\t\tvalidateRowData(vmObj);\n\n\t\t// Save to DB\n\t\tif (!isLinked) {\n\t\t\tdataImport.updateImportMappingColumn(fileColumnObj).then(updatedFileColumnObj => {\n\n\t\t\t\tupdatedFileColumnObj.loadingState = 'ready';\n\n\t\t\t\tangular.extend(fileColumnObj, updatedFileColumnObj);\n\t\t\t})\n\t\t\t.catch(onError);\n\t\t}\n\t}\n\n\tfunction editCell (cellObj, rowIndex, $event) {\n\n\t\tconst cellWidth = angular.element($event.srcElement)[0].offsetWidth;\n\n\t\tcellObj.state = 'editing';\n\t\tcellObj.width = cellWidth + 16; // Additional padding added to align with value element, to avoid jumping\n\n\t\t// Focus\n\t\tif (!angular.isUndefined(rowIndex)) {\n\n\t\t\t$timeout(() => {\n\n\t\t\t\tconst inputId = 'cell-' + rowIndex + '-' + cellObj.originalIndex;\n\n\t\t\t\tdocument.getElementById(inputId).focus();\n\t\t\t});\n\t\t}\n\t}\n\n\tfunction generateUserImport (vmObj, reviewValidRows) {\n\n\t\treviewValidRows = angular.isDefined(reviewValidRows) ? true : false;\n\n\t\tif (getIsNothingToImport(vmObj, reviewValidRows)) {\n\n\t\t\t$rootScope.openModalDialog({\n\t\t\t\tmodalKey: 'imports-nothing-to-import'\n\t\t\t});\n\n\t\t\treturn;\n\t\t}\n\n\t\tvmObj.state = 'importing';\n\n\t\t$timeout(() => {\n\t\t\tvmObj.importingPercentComplete = 100;\n\t\t}, 200);\n\n\t\timportService.reMapValues(vmObj.fileData.Rows);\n\n\t\tdataImport.generateUserImport(agencyProfileId, payPeriodId, agencyDocumentId, vmObj.fileData, importMappingType)\n\t\t\t.then(importSummaryObj => {\n\n\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\thasImportMadeUpdates: importService.getHasImportMadeUpdates(importSummaryObj),\n\t\t\t\t\timportSummary: importSummaryObj\n\t\t\t\t});\n\n\t\t\t\t$timeout(() => {\n\t\t\t\t\tvmObj.state = 'imported';\n\t\t\t\t}, 2000);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction getAdjustmentDetailsByString (vmObj, searchString) {\n\n\t\tconst numberOfAdjustmentLabels = vmObj.adjustmentLabels.length;\n\t\tconst numberOfAdjustmentTypes = vmObj.adjustmentTypes.length;\n\t\tlet i = 0;\n\t\tlet j = 0;\n\t\tlet responseObj = {\n\t\t\tadjustmentTypeObj: '',\n\t\t\tadjustmentLabelObj: '',\n\t\t\tmatchType: null\n\t\t};\n\n\t\t// Check against adjustment types\n\t\tfor (i; i < numberOfAdjustmentTypes; i++) {\n\n\t\t\tconst adjustmentTypeObj = vmObj.adjustmentTypes[i];\n\n\t\t\tif (adjustmentTypeObj.AgencyAdjustmentGroupEntryText.toLowerCase() === searchString.toLowerCase()) {\n\n\t\t\t\tresponseObj.adjustmentTypeObj = angular.copy(adjustmentTypeObj);\n\t\t\t\tresponseObj.matchType = 'adjustment';\n\n\t\t\t\treturn responseObj;\n\t\t\t}\n\t\t}\n\n\t\t// Check against adjustment labels\n\t\tfor (j; j < numberOfAdjustmentLabels; j++) {\n\n\t\t\tconst adjustmentLabelObj = vmObj.adjustmentLabels[j];\n\n\t\t\tif (adjustmentLabelObj.AgencyAdjustmentLabelText.toLowerCase() === searchString.toLowerCase()) {\n\n\t\t\t\tresponseObj.adjustmentTypeObj = angular.copy(adjustmentLabelObj.adjustmentType);\n\t\t\t\tresponseObj.adjustmentLabelObj = angular.copy(adjustmentLabelObj);\n\t\t\t\tresponseObj.matchType = 'label';\n\n\t\t\t\treturn responseObj;\n\t\t\t}\n\t\t}\n\n\t\treturn responseObj;\n\t}\n\n\tfunction getLinkElementDetailsByString (vmObj, searchString) {\n\n\t\tconst numberOfLinkElements = vmObj.linkElementsDetails.LinkElements.length;\n\t\tlet i = 0;\n\n\t\t// Check against adjustment types\n\t\tfor (i; i < numberOfLinkElements; i++) {\n\n\t\t\tconst linkElementObj = vmObj.linkElementsDetails.LinkElements[i];\n\n\t\t\tif (linkElementObj.LinkElementName.toLowerCase() === searchString.toLowerCase()) {\n\n\t\t\t\treturn linkElementObj;\n\t\t\t}\n\t\t}\n\n\t\treturn null;\n\t}\n\n\tfunction getAdjustmentTypeFilterKey () {\n\n\t\t// Deemed only\n\t\tif (IS_PAY_ELEMENTS_APPLICABLE_DEEMED) {\n\t\t\treturn 'deemed';\n\t\t}\n\n\t\t// CIS only\n\t\tif (IS_PAY_ELEMENTS_APPLICABLE_CIS) {\n\t\t\treturn 'cis';\n\t\t}\n\n\t\treturn 'paye';\n\t}\n\n\tfunction getAdjustmentTypeValueForRow (vmObj, fileRowOriginalIndex) {\n\n\t\tconst cellIndex = vmObj.columnIndexes.adjustmentType;\n\n\t\tif (angular.isUndefined(cellIndex)) {\n\t\t\t$rootScope.paycircleMessage('dataImporterFileController: No Adjustment Type column mapped > Unable to match change', 'error');\n\t\t\tsetPageState('error', ERROR_STATES.adjustmentTypeColumnNotDefined);\n\t\t\treturn;\n\t\t}\n\n\t\treturn getRowCellValue(vmObj, fileRowOriginalIndex, cellIndex);\n\t}\n\n\tfunction getColumnIndexForAdjustmentLabelId (vmObj) {\n\n\t\treturn getIndexForColumnType(vmObj, VALIDATION_COLUMN_TYPES.adjustmentLabel);\n\t}\n\n\tfunction getColumnIndexForAdjustmentTypeId (vmObj) {\n\n\t\treturn getIndexForColumnType(vmObj, VALIDATION_COLUMN_TYPES.adjustmentId);\n\t}\n\n\tfunction getColumnIndexForNetToGrossId (vmObj) {\n\n\t\treturn getIndexForColumnType(vmObj, VALIDATION_COLUMN_TYPES.netToGross);\n\t}\n\n\tfunction getColumnIndexForUserId (vmObj) {\n\n\t\treturn getIndexForColumnType(vmObj, VALIDATION_COLUMN_TYPES.userId);\n\t}\n\n\tfunction getColumnsArrByGroupId (vmObj, columnGroupId) {\n\n\t\treturn vmObj.fileData.Columns.filter(columnObj => {\n\t\t\treturn columnObj.mappingColumnGroupId === columnGroupId;\n\t\t});\n\t}\n\n\tfunction getDataValidationStateForFileColumnIndex (vmObj, columnIndex) {\n\n\t\tvalidateCellsForColumn(vmObj, columnIndex);\n\n\t\tconst fileColumnObj = getFileColumnByIndex(vmObj, columnIndex);\n\t\tconst isColumnValid = getIsColumnValid(vmObj, columnIndex);\n\n\t\tif (fileColumnObj.ImportMappingColumnProperty === '') {\n\t\t\treturn null;\n\t\t}\n\n\t\treturn isColumnValid ? 'valid' : 'invalid';\n\t}\n\n\tfunction getDefaultMappingTemplate (mappingTemplatesArr) {\n\n\t\tconst defaultMappingTemplateObj = angular.copy(mappingTemplatesArr.find(_ => _.IsDefault));\n\t\tconst noMappingTemplateObj = angular.copy(mappingTemplatesArr.find(_ => !_.isTemplate));\n\n\t\t// Template ID is passed in to URL\n\t\tif (angular.isDefined(importMappingTemplateId) && importMappingTemplateId !== config.guidEmpty) {\n\n\t\t\tconst selectedMappingTemplateObj = angular.copy(mappingTemplatesArr.find(_ => _.ImportMappingID === importMappingTemplateId));\n\n\t\t\tif (angular.isDefined(selectedMappingTemplateObj)) {\n\t\t\t\treturn selectedMappingTemplateObj;\n\t\t\t}\n\t\t}\n\n\t\treturn angular.isDefined(defaultMappingTemplateObj) ? defaultMappingTemplateObj : noMappingTemplateObj;\n\t}\n\n\tfunction getFileCellByOriginalIndex (vmObj, rowOriginalIndex, cellOriginalIndex) {\n\n\t\tlet fileRowObj = getFileRowByOriginalIndex(vmObj, rowOriginalIndex);\n\n\t\treturn utilities.getArrayItemByPropertyName(fileRowObj.cells, 'originalIndex', cellOriginalIndex);\n\t}\n\n\tfunction getFileColumnByIndex (vmObj, fileColumnIndex) {\n\n\t\treturn vmObj.fileData.Columns[fileColumnIndex];\n\t}\n\n\tfunction getFileColumnByOriginalIndex (vmObj, columnOriginalIndex) {\n\n\t\treturn utilities.getArrayItemByPropertyName(vmObj.fileData.Columns, 'originalIndex', columnOriginalIndex);\n\t}\n\n\tfunction getFileColumnsLength (vmObj) {\n\n\t\treturn vmObj.fileData.Columns.length;\n\t}\n\n\tfunction getFileRowByOriginalIndex (vmObj, rowOriginalIndex) {\n\n\t\treturn utilities.getArrayItemByPropertyName(vmObj.fileData.Rows, 'originalIndex', rowOriginalIndex);\n\t}\n\n\tfunction getFiltersForImportMappingType (mappingColumnsArr) {\n\n\t\t// Rates / Units\n\t\tif (importService.getIsRatesUnitsImportMappingType(importMappingType)) {\n\t\t\treturn [];\n\t\t}\n\n\t\t// Everything else\n\t\treturn filterService.getFilterBarOptionsImportMappingColumns(mappingColumnsArr);\n\t}\n\n\tfunction getFullNameDescriptionForRow (rowObj, isTruncated) {\n\n\t\tif (!rowObj.isTeamMemberValid) {\n\t\t\treturn 'Select team member';\n\t\t}\n\n\t\tconst teamMemberFullName = `${rowObj.TeamMember.Forename} ${rowObj.TeamMember.Surname}`;\n\n\t\tif (isTruncated) {\n\t\t\treturn $filter('truncate')(teamMemberFullName, 20);\n\t\t}\n\n\t\treturn teamMemberFullName;\n\t}\n\n\tfunction getIndexForColumnType (vmObj, columnType) {\n\n\t\tconst returnIndex = utilities.getArrayItemIndexByPropertyName(vmObj.fileData.Columns, 'ImportMappingColumnText', columnType);\n\n\t\t// Column not found\n\t\tif (!returnIndex) {\n\t\t\t$rootScope.paycircleMessage('Importer: Unable to get column index for ' + VALIDATION_COLUMN_TYPES_NAMES[columnType], 'error');\n\t\t\tsetPageState('error');\n\t\t\treturn returnIndex;\n\t\t}\n\n\t\treturn returnIndex;\n\t}\n\n\tfunction getIsCellObjValid (vmObj, columnOriginalIndex, rowOriginalIndex) {\n\n\t\tconst fileColumnObj = getFileColumnByOriginalIndex(vmObj, columnOriginalIndex);\n\t\tconst fileRowObj = getFileRowByOriginalIndex(vmObj, rowOriginalIndex);\n\t\tconst fileCellObj = getFileCellByOriginalIndex(vmObj, rowOriginalIndex, columnOriginalIndex);\n\n\t\tconst isValidationApplicable = getIsValidationApplicableForFileColumn(fileColumnObj);\n\n\t\t// Row is ignored\n\t\tif (fileRowObj.Ignore || IS_BUREAU_MAPPING) {\n\n\t\t\tif (IS_IN_DEBUG_MODE) {\n\t\t\t\tconsole.info(`Row ${rowOriginalIndex}: Row ignored or is Bureau mapping`);\n\t\t\t}\n\n\t\t\treturn true;\n\t\t}\n\n\t\t// Only applies to Pay Element > Horizontal\n\t\tif (isPayElementMappingHeaderHorizontal(vmObj, fileColumnObj.mappingHeader.originalIndex)) {\n\n\t\t\t// Adjustment type is required\n\t\t\tif (!fileRowObj.adjustmentType) {\n\n\t\t\t\tif (IS_IN_DEBUG_MODE) {\n\t\t\t\t\tconsole.info(`Row ${rowOriginalIndex}, Cell ${columnOriginalIndex}: Horizontal and adjustment mapping header and adjustment not set`);\n\t\t\t\t}\n\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\n\t\t// No cells are allowed to contain a comma\n\t\tif (fileCellObj.value.indexOf(',') > -1) {\n\n\t\t\tif (IS_IN_DEBUG_MODE) {\n\t\t\t\tconsole.info(`Row ${rowOriginalIndex}, Cell ${columnOriginalIndex}: Comma found in value`);\n\t\t\t}\n\n\t\t\treturn false;\n\t\t}\n\n\t\t// Validate (default to true)\n\t\tif (isValidationApplicable) {\n\n\t\t\t// Validate DOB (bespoke date validation)\n\t\t\tif (fileColumnObj.ImportMappingColumnLocalValidation) {\n\t\t\t\tif (!importService.getIsCellDateValueValid(fileCellObj.value)) {\n\n\t\t\t\t\tif (IS_IN_DEBUG_MODE) {\n\t\t\t\t\t\tconsole.info(`Row ${rowOriginalIndex}, Cell ${columnOriginalIndex}: Bespoke date validation failed`);\n\t\t\t\t\t}\n\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Validate REGEX\n\t\t\tconst isRegexValid = getIsFieldValidByRegexString(fileColumnObj.ImportMappingColumnRegex, fileCellObj.value);\n\n\t\t\tif (IS_IN_DEBUG_MODE && !isRegexValid) {\n\t\t\t\tconsole.info(`Row ${rowOriginalIndex}, Cell ${columnOriginalIndex}: Regex validation failed (${fileColumnObj.ImportMappingColumnRegex}) on value '${fileCellObj.value}'`);\n\t\t\t}\n\n\t\t\treturn isRegexValid;\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction getIsColumnValid (vmObj, fileColumnIndex) {\n\n\t\tconst numberOfFileRows = vmObj.fileData.Rows.length;\n\t\tlet i = 0;\n\n\t\tfor (i; i < numberOfFileRows; i++) {\n\n\t\t\tconst rowObj = vmObj.fileData.Rows[i];\n\n\t\t\tconst cellObj = rowObj.cells[fileColumnIndex];\n\n\t\t\tif (!cellObj.isValid) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction getIsFieldValidByRegexString (regexString, value) {\n\n\t\tif (regexString === '') {\n\t\t\treturn true;\n\t\t}\n\n\t\tvar regex = new RegExp(regexString);\n\n\t\treturn regex.test(value);\n\t}\n\n\tfunction getIsIgnoreAllRowsEnabled (vmObj) {\n\n\t\tif (vmObj.activeValidationResultFilter && vmObj.fileData.filteredRows) {\n\t\t\treturn vmObj.fileData.filteredRows.every(rowObj => rowObj.Ignore);\n\t\t}\n\t\telse {\n\t\t\treturn vmObj.fileData.Rows.every(rowObj => rowObj.Ignore);\n\t\t}\n\t}\n\n\tfunction getIsNothingToImport (vmObj, reviewValidRows) {\n\t\treturn (\n\t\t\treviewValidRows &&\n\t\t\t(vmObj.fileData.validRowCount === 0 || vmObj.fileData.Rows.length === 0) ||\n\t\t\t(vmObj.fileData.ignoreRowCount === vmObj.fileData.Rows.length)\n\t\t);\n\t}\n\n\tfunction getIsValidationApplicableForFileColumn (fileColumnObj) {\n\n\t\t// Doesn't apply to bureau mappings\n\t\tif (IS_BUREAU_MAPPING) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// Column not mapped\n\t\tif (fileColumnObj.ImportMappingColumnProperty === '') {\n\t\t\treturn false;\n\t\t}\n\n\t\t// No validation defined\n\t\tif (fileColumnObj.ImportMappingColumnRegex === '' && !fileColumnObj.ImportMappingColumnLocalValidation) {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction getMappingColumnByIndex (vmObj, index) {\n\n\t\treturn vmObj.mappingColumns[index];\n\t}\n\n\tfunction getMappingColumnByOriginalIndex (vmObj, originalIndex) {\n\n\t\treturn utilities.getArrayItemByPropertyName(vmObj.mappingColumns, 'originalIndex', originalIndex);\n\t}\n\n\tfunction getMappingColumnIndex (vmObj, originalPropertyValue) {\n\n\t\tlet columnGroupsArr = [];\n\n\t\tvmObj.fileData.Columns\n\n\t\t\t// Only interested in mapped columns\n\t\t\t.filter(_ => {\n\t\t\t\treturn angular.isNumber(_.mappingColumnGroupId);\n\t\t\t})\n\n\t\t\t// Group mapped columns by their property value\n\t\t\t.forEach(_ => {\n\n\t\t\t\tlet columnGroupObj = utilities.getArrayItemByPropertyName(columnGroupsArr, 'property', _.mappingColumnGroupId);\n\n\t\t\t\tif (angular.isUndefined(columnGroupObj)) {\n\t\t\t\t\tcolumnGroupsArr.push({\n\t\t\t\t\t\tproperty: _.mappingColumnGroupId,\n\t\t\t\t\t\tcolumns: [\n\t\t\t\t\t\t\tangular.copy(_)\n\t\t\t\t\t\t]\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\telse {\n\t\t\t\t\tcolumnGroupObj.columns.push(angular.copy(_));\n\t\t\t\t}\n\t\t\t});\n\n\t\t// Shift all mappings when one is deleted\n\t\tif (angular.isDefined(originalPropertyValue)) {\n\n\t\t\tconst REVERSE = false;\n\n\t\t\t// Needs to descend so they are not overridden\n\t\t\tcolumnGroupsArr = $filter('orderBy')(columnGroupsArr, 'property', REVERSE);\n\n\t\t\tcolumnGroupsArr.forEach(_ => {\n\n\t\t\t\t// Only applies to groups added after\n\t\t\t\tif (_.property > originalPropertyValue) {\n\n\t\t\t\t\t_.columns.forEach(columnObj => {\n\n\t\t\t\t\t\tconst IS_MANUAL_DROP = false;\n\n\t\t\t\t\t\tconst mappingHeaderOriginalIndexOld = columnObj.mappingHeader.originalIndex;\n\t\t\t\t\t\tconst mappingHeaderOriginalIndexNew = columnObj.mappingHeader.originalIndex - 2;\n\n\t\t\t\t\t\t// Unmap\n\t\t\t\t\t\tresetFileColumnObjByOriginalIndex(vmObj, columnObj.originalIndex);\n\t\t\t\t\t\tresetMappingHeaderByOriginalIndex(vmObj, mappingHeaderOriginalIndexOld);\n\n\t\t\t\t\t\t// Remap\n\t\t\t\t\t\tupdateColumnMapping(vmObj, mappingHeaderOriginalIndexNew, columnObj.originalIndex, IS_MANUAL_DROP, {\n\t\t\t\t\t\t\tAgencyAdjustmentGroupEntryID: angular.copy(columnObj.AgencyAdjustmentGroupEntryID),\n\t\t\t\t\t\t\tAgencyAdjustmentID: angular.copy(columnObj.AgencyAdjustmentID),\n\t\t\t\t\t\t\tAgencyAdjustmentLabel: angular.copy(columnObj.AgencyAdjustmentLabel),\n\t\t\t\t\t\t\tadjustmentType: angular.copy(columnObj.adjustmentType)\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\t// Save to DB\n\t\t\t\t\t\tsaveColumnMapping(vmObj, columnObj.originalIndex);\n\t\t\t\t\t});\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\n\t\treturn columnGroupsArr.length;\n\t}\n\n\tfunction getMappingColumnsLength (vmObj) {\n\n\t\treturn vmObj.mappingColumns.length;\n\t}\n\n\tfunction getMappingFilterOptionsByGroupIndex (vmObj, groupIndex) {\n\n\t\t// No filter groups\n\t\tif (!vmObj.filterBarOptions.filterGroups.length) {\n\t\t\t$rootScope.paycircleMessage('No filter groups defined', 'warn');\n\t\t\treturn [];\n\t\t}\n\n\t\tconst filterGroup = vmObj.filterBarOptions.filterGroups[groupIndex];\n\n\t\t// No filter options\n\t\tif (!filterGroup.filterOptions.length) {\n\t\t\t$rootScope.paycircleMessage('No filter options defined', 'warn');\n\t\t\treturn [];\n\t\t}\n\n\t\treturn filterGroup.filterOptions;\n\t}\n\n\tfunction getNewMappingColumn (vmObj) {\n\n\t\tconst originalMappingColumnsIds = vmObj.mappingColumns.map(_ => _.LinkElementID);\n\n\t\tlet deferred = $q.defer();\n\n\t\tdataImport.getImportMappingColumns2(agencyProfileId, importMappingType).then(mappingColumnsArr => {\n\n\t\t\tmappingColumnsArr.forEach((mappingColumnObj, mappingColumnIndex) => {\n\n\t\t\t\t// We only want the new mapping column\n\t\t\t\tif (originalMappingColumnsIds.indexOf(mappingColumnObj.LinkElementID) === -1) {\n\n\t\t\t\t\t// Decorate new mapping column\n\t\t\t\t\tdecorateMappingColumn(mappingColumnObj, mappingColumnIndex);\n\n\t\t\t\t\tvmObj.mappingColumns.push(mappingColumnObj);\n\t\t\t\t}\n\t\t\t});\n\n\t\t\tdeferred.resolve(vmObj);\n\t\t})\n\t\t.catch(error => {\n\t\t\tdeferred.reject();\n\t\t\tonError(error);\n\t\t});\n\n\t\treturn deferred.promise;\n\t}\n\n\tfunction getNIDescriptionForRow (rowObj) {\n\n\t\t// No team member\n\t\tif (!rowObj.TeamMember) {\n\t\t\treturn 'Unknown';\n\t\t}\n\n\t\t// No NI number\n\t\tif (rowObj.TeamMember.NINumber === '') {\n\t\t\treturn 'N/A';\n\t\t}\n\n\t\treturn rowObj.TeamMember.NINumber;\n\t}\n\n\tfunction getRowCellByOriginalIndex (vmObj, rowOriginalIndex, cellOriginalIndex) {\n\n\t\tconst rowObj = getFileRowByOriginalIndex(vmObj, rowOriginalIndex);\n\n\t\treturn rowObj.cells[cellOriginalIndex];\n\t}\n\n\tfunction getRowCellValue (vmObj, rowOriginalIndex, cellOriginalIndex) {\n\n\t\tconst cellObj = getRowCellByOriginalIndex(vmObj, rowOriginalIndex, cellOriginalIndex);\n\n\t\tif (!cellObj) {\n\t\t\treturn '';\n\t\t}\n\n\t\treturn cellObj.value;\n\t}\n\n\tfunction hasDefaultMappingTemplateChanged (vmObj) {\n\n\t\treturn vmObj.importMappingTemplate.IsDefault && vmObj.importMappingTemplate.ImportMappingID !== vmObj.importMappingTemplateDefaultId;\n\t}\n\n\tfunction hideEmptyColumns (vmObj) {\n\n\t\tvmObj.fileData.Columns.forEach(columnObj => {\n\n\t\t\t// Ignore if already hidden\n\t\t\tif (columnObj.isHidden) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\telse {\n\n\t\t\t\tcountPopulatedCellsForColumn(vmObj, columnObj);\n\n\t\t\t\tcolumnObj.isHidden = columnObj.cellCountNotEmpty === 0;\n\n\t\t\t\t// Loop over every row and hide cell for hidden columns\n\t\t\t\tif (columnObj.isHidden) {\n\n\t\t\t\t\tvmObj.fileData.Rows.forEach(rowObj => {\n\n\t\t\t\t\t\tlet cellObj = getRowCellByOriginalIndex(vmObj, rowObj.originalIndex, columnObj.originalIndex);\n\n\t\t\t\t\t\tcellObj.isHidden = true;\n\t\t\t\t\t});\n\t\t\t\t}\n\t\t\t}\n\t\t});\n\n\t\tvmObj.emptyColumnsState = 'hidden';\n\t}\n\n\tfunction init (FORCE_TEMPLATE_SELECTION) {\n\n\t\tif (!isStateValid()) {\n\t\t\tsetPageState('error');\n\t\t\treturn;\n\t\t}\n\n\t\tFORCE_TEMPLATE_SELECTION = angular.isDefined(FORCE_TEMPLATE_SELECTION) ? FORCE_TEMPLATE_SELECTION : false;\n\n\t\tsetPageState('loading');\n\n\t\t// Review import mapping type. E.g. -1 = CIS pay elements but uses pay elements type\n\t\timportMappingType = importService.reviewImportMappingType(importMappingType);\n\n\t\tconst getImportMappingTemplates = dataImport.getImportMappingTemplates(agencyProfileId, importMappingType);\n\t\tconst getCompanyDocument = importMappingType === IMPORT_MAPPING_TYPES.xeroNominalCodes || IMPORT_MAPPING_TYPES.accessFinancialsNominalAccounts ? null : base.getCompanyDocument(agencyDocumentId);\n\n\t\t$q.all([\n\t\t\tgetCompanyDocument,\n\t\t\tgetImportMappingTemplates\n\t\t]).then(([\n\t\t\tdocumentObj,\n\t\t\tmappingTemplatesArr\n\t\t]) => {\n\n\t\t\tmappingTemplatesArr = decorateMappingTemplates(mappingTemplatesArr);\n\n\t\t\t// Pre-select either 'Default', if set or 'Do not use a template'\n\t\t\tconst defaultMappingTemplateObj = getDefaultMappingTemplate(mappingTemplatesArr);\n\n\t\t\t$scope.vm = {\n\t\t\t\tIS_AUTO_MAPPED,\n\t\t\t\tagencyDocumentId: agencyDocumentId,\n\t\t\t\tagencyProfileId: agencyProfileId,\n\t\t\t\tdocument: documentObj,\n\t\t\t\temptyColumnsState: 'visible',\n\t\t\t\thasSavedFileMapping: false,\n\t\t\t\timportMappingTemplate: defaultMappingTemplateObj,\n\t\t\t\timportMappingTemplateDefaultId: defaultMappingTemplateObj.isTemplate ? angular.copy(defaultMappingTemplateObj.ImportMappingID) : null, // Take snapshot of default import mapping id (if exists) to know whether the default has changed\n\t\t\t\timportMappingType,\n\t\t\t\timportMappingTypeDisplay,\n\t\t\t\timportMappingTypeDescription: $filter('importMappingTypeDescription')(importMappingType),\n\t\t\t\tmappingTemplates: mappingTemplatesArr.filter(template => angular.isUndefined(template.IgnoreTemplate) || !template.IgnoreTemplate),\n\t\t\t\tstate: 'mapping-templates',\n\t\t\t\tstateKey: $state.current.name\n\t\t\t};\n\n\t\t\t// Check if mapping templates exists and whether a default is applied\n\t\t\tif (mappingTemplatesArr.length > 1) {\n\n\t\t\t\t// Ignore mapping templates, not applicable\n\t\t\t\tif (IS_BUREAU_MAPPING) {\n\t\t\t\t\tinitMapping($scope.vm);\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Mapping template id can be passed in as URL param\n\t\t\t\tif (utilities.isValidGuid(importMappingTemplateId) && !FORCE_TEMPLATE_SELECTION) {\n\t\t\t\t\tinitMapping($scope.vm);\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Auto map default template selection\n\t\t\t\tif (defaultMappingTemplateObj.isTemplate && defaultMappingTemplateObj.IsDefault && !FORCE_TEMPLATE_SELECTION) {\n\t\t\t\t\tinitMapping($scope.vm);\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Select template\n\t\t\t\tsetPageState('ready');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// If validating users, check row settings > Not currently active (due: v3)\n\t\t\t/*\n\t\t\tif (importMappingType === IMPORT_MAPPING_TYPES.users) {\n\t\t\t\tsetImportState($scope.vm, 'row-settings');\n\t\t\t\tsetPageState('ready');\n\t\t\t\treturn;\n\t\t\t}\n\t\t\t*/\n\n\t\t\tinitMapping($scope.vm);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction initMapping (vmObj) {\n\n\t\tsetPageState('loading');\n\n\t\tconst HAS_USED_TEMPLATE = vmObj.importMappingTemplate.isTemplate;\n\n\t\tconst importDataCheckFormat = dataImport.importDataCheckFormat(agencyProfileId, payPeriodId, agencyDocumentTypeId, agencyDocumentId, importMappingType, vmObj.importMappingTemplate.ImportMappingID);\n\t\tconst getImportMappingColumns2 = dataImport.getImportMappingColumns2(agencyProfileId, importMappingType);\n\t\tconst getLinkElements = IS_LINK_RATES_APPLICABLE ? payrollData.getLinkElements(agencyProfileId) : null;\n\t\tconst getAgencyAdjustmentGroupCombined = IS_PAY_ELEMENTS_APPLICABLE ? payrollData.getAgencyAdjustmentGroupCombined(agencyProfileId, INCLUDE_ADMIN_ACCESS_ENTRIES) : null;\n\t\tconst getAgencyAdjustmentLabels = IS_PAY_ELEMENTS_APPLICABLE ? payrollData.getAgencyAdjustmentLabels(agencyProfileId) : null;\n\t\tconst getAgencyProfileImportOrientationVertical = IS_BUREAU_MAPPING ? null : agency.getAgencyProfileImportOrientationVertical(agencyProfileId);\n\n\t\t$q.all([importDataCheckFormat, getImportMappingColumns2, getLinkElements, getAgencyAdjustmentGroupCombined, getAgencyAdjustmentLabels, getAgencyProfileImportOrientationVertical]).then((dataArr) => {\n\n\t\t\tlet fileDataObj = dataArr[0];\n\t\t\tlet mappingColumnsArr = dataArr[1];\n\t\t\tlet linkElementsDetailsObj = dataArr[2];\n\t\t\tlet adjustmentGroupsObj = dataArr[3];\n\t\t\tlet adjustmentLabelsArray = dataArr[4];\n\t\t\tlet companyLayoutTypeIsVertical = dataArr[5];\n\n\t\t\tconst hiddenColumnsArr = importService.getHiddenColumnsArr(fileDataObj);\n\t\t\tconst importContext = importService.getImportContextForImportMappingType(importMappingType);\n\n\t\t\tangular.extend(vmObj, {\n\t\t\t\tDEFAULT_MAPPING_COLUMNS_VISIBLE,\n\t\t\t\tactiveMappingHeaderIndex: null,\n\t\t\t\tactiveValidationResultFilter: null,\n\t\t\t\tagencyDocumentType: agencyDocumentType,\n\t\t\t\tcolumnIndexes: {\n\t\t\t\t\tadjustmentType: null\n\t\t\t\t},\n\t\t\t\tduplicateFileColumns: [],\n\t\t\t\tfileData: importService.decorateFileDataObj(fileDataObj, importMappingType, importMappingData),\n\t\t\t\tfilterBarOptions: filterService.dataImporterValidate,\n\t\t\t\tfilterBarOptionsMappingColumns: {\n\t\t\t\t\tdisplayOption: {\n\t\t\t\t\t\tkey: 'is-layout-row',\n\t\t\t\t\t\ticon: 'rows',\n\t\t\t\t\t\tname: 'Row'\n\t\t\t\t\t},\n\t\t\t\t\tdisplayOptions: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'is-layout-row',\n\t\t\t\t\t\t\ticon: 'single-header-row',\n\t\t\t\t\t\t\tname: 'Row'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tkey: 'is-layout-grid',\n\t\t\t\t\t\t\ticon: 'multi-header-row',\n\t\t\t\t\t\t\tname: 'Grid'\n\t\t\t\t\t\t}\n\t\t\t\t\t],\n\t\t\t\t\tfilters: getFiltersForImportMappingType(mappingColumnsArr),\n\t\t\t\t\tonDisplayChange\n\t\t\t\t},\n\t\t\t\thasTemplateMappingChanged: false,\n\t\t\t\thasUsedTemplate: HAS_USED_TEMPLATE,\n\t\t\t\thiddenColumnsArr,\n\t\t\t\timportContext,\n\t\t\t\timportingPercentComplete: 0,\n\t\t\t\tisChangeTypeMapped: false,\n\t\t\t\tisContextVisible: true,\n\t\t\t\tisIgnoreAllRowsEnabled: false,\n\t\t\t\tisMappingHeaderActive: false,\n\t\t\t\tisMappingValid: false,\n\t\t\t\tisPayElementImportMappingType: importService.getIsPayElementImportMappingType(importMappingType),\n\t\t\t\tisRowDataValid: importService.isRowDataValid(fileDataObj, importMappingType, IS_BUREAU_MAPPING),\n\t\t\t\tisVertical: importService.getIsVerticalLayout(companyLayoutTypeIsVertical, layoutType),\n\t\t\t\tleavers: importService.getLeavers(fileDataObj, importContext, importMappingType),\n\t\t\t\tlinkElementsDetails: linkElementsDetailsObj,\n\t\t\t\tmappingColumns: decorateMappingColumnsArrForMappingType(mappingColumnsArr, importMappingType),\n\t\t\t\tmappingColumnsVisible: angular.copy(DEFAULT_MAPPING_COLUMNS_VISIBLE),\n\t\t\t\tmappingColumnsFiltered: [],\n\t\t\t\tmappingColumnsIndex: 0,\n\t\t\t\tpayPeriodId: payPeriodId,\n\t\t\t\tshowHiddenColumnsFilter: (value) => {\n\n\t\t\t\t\tif (SHOW_HIDDEN_COLUMNS) {\n\t\t\t\t\t\treturn value;\n\t\t\t\t\t}\n\n\t\t\t\t\t// Hidden on platform\n\t\t\t\t\tif (value.ImportMappingColumnHidden) {\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\n\t\t\t\t\t// Hidden in UI (e.g. hide empty columns)\n\t\t\t\t\tif (value.isHidden) {\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\n\t\t\t\t\treturn value;\n\t\t\t\t},\n\t\t\t\tshowHiddenColumnsFilterForCells: (value) => {\n\n\t\t\t\t\tif (SHOW_HIDDEN_COLUMNS) {\n\t\t\t\t\t\treturn value;\n\t\t\t\t\t}\n\n\t\t\t\t\t// Has to compare against ignored header columns array\n\t\t\t\t\tif (hiddenColumnsArr.indexOf(value.originalIndex) > -1) {\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\n\t\t\t\t\t// Hidden in UI (e.g. hide empty columns)\n\t\t\t\t\tif (value.isHidden) {\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\n\t\t\t\t\treturn value;\n\t\t\t\t},\n\t\t\t\tstate: getInitialState(importMappingType),\n\t\t\t\tteamMemberViewTypes: TEAM_MEMBER_VIEW_TYPES,\n\t\t\t\tteamMemberViewType: angular.copy(TEAM_MEMBER_VIEW_TYPES[0]),\n\t\t\t\ttotalValidationValue: 0,\n\t\t\t\tuploadingProgress: 0,\n\t\t\t\txeroLoadingPercentage: 0,\n\t\t\t\tfinancialsLoadingPercentage: 0\n\t\t\t});\n\n\t\t\t// Mapping types that require the selection of pay elements or labels\n\t\t\tif (IS_PAY_ELEMENTS_APPLICABLE) {\n\n\t\t\t\tconst adjustmentTypeFilterKey = getAdjustmentTypeFilterKey();\n\n\t\t\t\t// Get all adjustment types as a single array (move to platform?)\n\t\t\t\tlet adjustmentTypesArr = adjustmentsService.getAllAdjustmentTypesFromAdjustmentGroup(adjustmentGroupsObj, adjustmentTypeFilterKey);\n\n\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\tadjustmentLabels: adjustmentsService.decorateLabelsWithAdjustmentTypes(adjustmentLabelsArray, adjustmentTypesArr),\n\t\t\t\t\tadjustmentTypes: adjustmentTypesArr\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tcountPopulatedCellsForAllColumns(vmObj);\n\t\t\tdecorateMappingColumns(vmObj);\n\t\t\tselectMappingFilter(vmObj);\n\t\t\thideEmptyColumns(vmObj);\n\n\t\t\t// Auto map headers if template used\n\t\t\tif (HAS_USED_TEMPLATE) {\n\t\t\t\tautoMapColumnsByProperty(vmObj);\n\n\t\t\t\tcheckDuplicateFileHeaders(vmObj);\n\t\t\t}\n\n\t\t\t// Default mapping template has changed > save to server\n\t\t\tif (hasDefaultMappingTemplateChanged(vmObj)) {\n\t\t\t\tupdateImportMappingTemplateDefault(vmObj);\n\t\t\t}\n\n\t\t\t// Rates & Units\n\t\t\tif (importService.getIsRatesUnitsImportMappingType(importMappingType)) {\n\t\t\t\tupdateRatesAndUnitsFilter(vmObj);\n\t\t\t}\n\n\t\t\t// Post Identifier\n\t\t\tsetPostIdentifierHeaderAsIgnored(vmObj);\n\n\t\t\t// Some specific import mapping types are automatically mapped (e.g. link rates)\n\t\t\tif (IS_AUTO_MAPPED) {\n\t\t\t\tautoMapColumnsByName(vmObj);\n\t\t\t}\n\n\t\t\tsetPageState('ready');\n\n\t\t\t// Xero indicative loading screen\n\t\t\tif (importMappingType === IMPORT_MAPPING_TYPES.xeroNominalCodes) {\n\n\t\t\t\t$timeout(() => {\n\t\t\t\t\t$scope.vm.xeroLoadingPercentage = 50;\n\n\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t$scope.vm.xeroLoadingPercentage = 100;\n\n\t\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t\tsetImportState(vmObj, 'mapping');\n\t\t\t\t\t\t}, 1000);\n\t\t\t\t\t}, 1000);\n\t\t\t\t}, 1000);\n\t\t\t}\n\n\t\t\t// Financials indicative loading screen\n\t\t\tif (importMappingType === IMPORT_MAPPING_TYPES.accessFinancialsNominalAccounts ||\n\t\t\t\timportMappingType === IMPORT_MAPPING_TYPES.accessFinancialsBusinessCategories) {\n\n\t\t\t\t$timeout(() => {\n\t\t\t\t\t$scope.vm.financialsLoadingPercentage = 50;\n\n\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t$scope.vm.financialsLoadingPercentage = 100;\n\n\t\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t\tsetImportState(vmObj, 'mapping');\n\t\t\t\t\t\t}, 1000);\n\t\t\t\t\t}, 1000);\n\t\t\t\t}, 1000);\n\t\t\t}\n\n\t\t\t// Check for duplicate headers in file\n\t\t\tif (vmObj.duplicateFileColumns.length > 0) {\n\t\t\t\t$rootScope.openModalDialog({\n\t\t\t\t\tmodalData: {\n\t\t\t\t\t\tfileColumns: vmObj.duplicateFileColumns\n\t\t\t\t\t},\n\t\t\t\t\tmodalKey: 'imports-duplicate-mapping-headers'\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t// Show message if leavers appear in validated import file\n\t\t\tif (vmObj.leavers.length > 0) {\n\t\t\t\t$rootScope.openModalDialog({\n\t\t\t\t\tmodalData: {\n\t\t\t\t\t\tleavers: vmObj.leavers\n\t\t\t\t\t},\n\t\t\t\t\tmodalKey: 'imports-leavers'\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t// Optional debugging\n\t\t\tif (IS_IN_DEBUG_MODE) {\n\t\t\t\tconsole.info({\n\t\t\t\t\thasUsedTemplate: HAS_USED_TEMPLATE,\n\t\t\t\t\tisAutoMapped: IS_AUTO_MAPPED,\n\t\t\t\t\tisBureauMapping: IS_BUREAU_MAPPING,\n\t\t\t\t\tisPayElementsApplicable: {\n\t\t\t\t\t\tpaye: IS_PAY_ELEMENTS_APPLICABLE,\n\t\t\t\t\t\tcis: IS_PAY_ELEMENTS_APPLICABLE_CIS\n\t\t\t\t\t},\n\t\t\t\t\tmappingDirection: vmObj.isVertical ? 'vertical' : 'horizontal'\n\t\t\t\t});\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction isMappingHeaderMappable (mappingHeaderObj) {\n\n\t\tif (mappingHeaderObj.isReusable) {\n\t\t\treturn true;\n\t\t}\n\n\t\tif (mappingHeaderObj.isInUse) {\n\t\t\treturn false;\n\t\t}\n\n\t\tif (mappingHeaderObj.isIgnored) {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction isPayElementMappingHeader (vmObj, mappingHeaderIndex) {\n\n\t\t// Based on Mapping Type\n\t\tif (vmObj.isPayElementImportMappingType) {\n\t\t\treturn true;\n\t\t}\n\n\t\t// Based on Mapping Header Type: Horizontal > Fixed & Fixed recurring\n\t\tif (isPayElementMappingHeaderHorizontal(vmObj, mappingHeaderIndex)) {\n\t\t\treturn true;\n\t\t}\n\n\t\treturn false;\n\t}\n\n\tfunction isPayElementMappingHeaderHorizontal (vmObj, mappingHeaderOriginalIndex) {\n\n\t\tconst mappingHeaderObj = getMappingColumnByOriginalIndex(vmObj, mappingHeaderOriginalIndex);\n\n\t\tif (vmObj.isVertical) {\n\t\t\treturn false;\n\t\t}\n\n\t\tif (mappingHeaderObj.ImportMappingColumnText === 'Type') {\n\t\t\treturn true;\n\t\t}\n\n\t\treturn false;\n\t}\n\n\tfunction isStateValid () {\n\n\t\tif (angular.isUndefined(agencyDocumentId)) {\n\t\t\t$rootScope.paycircleMessage('No document id defined', 'error');\n\t\t\treturn false;\n\t\t}\n\n\t\tif (isNaN(agencyDocumentType)) {\n\t\t\t$rootScope.paycircleMessage('No agency document type defined', 'error');\n\t\t\treturn false;\n\t\t}\n\n\t\tif (angular.isUndefined(agencyProfileId)) {\n\t\t\t$rootScope.paycircleMessage('No agency profile id defined', 'error');\n\t\t\treturn false;\n\t\t}\n\n\t\tif (isNaN(importMappingType)) {\n\t\t\t$rootScope.paycircleMessage('No import mapping type defined', 'error');\n\t\t\treturn false;\n\t\t}\n\n\t\tif (angular.isUndefined(payPeriodId)) {\n\t\t\t$rootScope.paycircleMessage('No pay period id defined', 'error');\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction mapAdjustmentTypes (vmObj, columnIndex, searchString) {\n\n\t\t// Rows\n\t\tvmObj.fileData.Rows.forEach((rowObj, rowIndex) => {\n\n\t\t\t// Adjustment Type (string)\n\t\t\tconst searchTerm = angular.isDefined(searchString) ? searchString : rowObj.cells[columnIndex].value;\n\n\t\t\t// Match adjustment type\n\t\t\tconst adjustmentDetailsObj = getAdjustmentDetailsByString(vmObj, searchTerm);\n\n\t\t\t// Set values\n\t\t\tupdateRowAdjustmentTypeByIndex(vmObj, rowIndex, adjustmentDetailsObj.adjustmentTypeObj);\n\n\t\t\tif (adjustmentDetailsObj.matchType === 'label') {\n\t\t\t\tupdateRowAdjustmentLabelByIndex(vmObj, rowIndex, adjustmentDetailsObj.adjustmentLabelObj.AgencyAdjustmentLabelText);\n\t\t\t}\n\t\t\telse {\n\t\t\t\trowObj.adjustmentLabel = '';\n\t\t\t}\n\t\t});\n\n\t\t// For validation and UI display\n\t\tvmObj.isChangeTypeMapped = true;\n\t}\n\n\tfunction mapLinkElements (vmObj, columnIndex, searchString) {\n\n\t\t// Rows\n\t\tvmObj.fileData.Rows.forEach((rowObj, rowIndex) => {\n\n\t\t\t// Adjustment Type (string)\n\t\t\tconst searchTerm = angular.isDefined(searchString) ? searchString : rowObj.cells[columnIndex].value;\n\n\t\t\t// Match adjustment type\n\t\t\tconst linkElementObj = getLinkElementDetailsByString(vmObj, searchTerm);\n\n\t\t\t// Set values\n\t\t\tif (linkElementObj) {\n\t\t\t\tupdateRowAdjustmentTypeByIndexForLinkElement(vmObj, rowIndex, linkElementObj);\n\t\t\t}\n\t\t});\n\n\t\t// For validation and UI display\n\t\tvmObj.isLinkElementMapped = true;\n\t}\n\n\tfunction getLoadingString (headerCount) {\n\n\t\tconst dynamicString = headerCount === 1 ? 'header' : 'headers';\n\n\t\treturn `Auto-mapping ${headerCount} ${dynamicString}. This may take a few moments depending on the size of your file.`;\n\t}\n\n\tfunction matchHeadersByIndexes (vmObj, autoMatchedIndexesArr, IS_MANUAL_DROP, IS_BULK_MAPPING) {\n\n\t\tconst VALIDATE_FILE = false;\n\t\tconst deferred = $q.defer();\n\n\t\t// Delay updating so that we can validate the entire file once all columns are matched\n\t\tif (autoMatchedIndexesArr.length === 0) {\n\t\t\tdeferred.resolve('No matched mapping headers');\n\t\t\treturn deferred.promise;\n\t\t}\n\n\t\tconst loadingString = getLoadingString(autoMatchedIndexesArr.length);\n\n\t\tapplicationService.displaySecondaryLoader(loadingString);\n\n\t\tlet updatedMappingHeadersArr = [];\n\n\t\t// Reset duplicate mapping headers array\n\t\tvmObj.duplicateFileColumns = [];\n\n\t\tautoMatchedIndexesArr.forEach(autoMatchedIndexObj => {\n\n\t\t\t// Update mapping header object\n\t\t\tupdateColumnMapping(vmObj, autoMatchedIndexObj.headerOriginalIndex, autoMatchedIndexObj.fileColumnOriginalIndex, IS_MANUAL_DROP, {}, VALIDATE_FILE, IS_BULK_MAPPING);\n\n\t\t\t// Add updated mapping header object to array\n\t\t\tupdatedMappingHeadersArr.push(getFileColumnByOriginalIndex(vmObj, autoMatchedIndexObj.fileColumnOriginalIndex));\n\t\t});\n\n\t\t$timeout(() => {\n\n\t\t\tdataImport.updateImportMappingColumnBulk(updatedMappingHeadersArr).then(() => {\n\n\t\t\t\tvalidateMapping(vmObj);\n\t\t\t\tvalidateRowData(vmObj);\n\n\t\t\t\t// Reset active mapping header\n\t\t\t\tresetActiveMappingHeader(vmObj);\n\n\t\t\t\tapplicationService.hideSecondaryLoader();\n\n\t\t\t\t// Duplicate headers\n\t\t\t\tif (vmObj.duplicateFileColumns.length > 0) {\n\t\t\t\t\t$rootScope.openModalDialog({\n\t\t\t\t\t\tmodalData: {\n\t\t\t\t\t\t\tfileColumns: vmObj.duplicateFileColumns\n\t\t\t\t\t\t},\n\t\t\t\t\t\tmodalKey: 'imports-duplicate-mapping-headers'\n\t\t\t\t\t});\n\t\t\t\t}\n\t\t\t})\n\t\t\t.catch(error => {\n\t\t\t\tonError(error);\n\t\t\t\tthrow('Unable to update import mapping column bulk');\n\t\t\t});\n\t\t});\n\t}\n\n\tfunction onDisplayChange (filterBarOptionsObj) {\n\n\t\tswitch (filterBarOptionsObj.displayOption.key) {\n\t\t\tcase 'is-layout-row':\n\n\t\t\t\t// Hides/Disables 'More' link\n\t\t\t\t$scope.vm.mappingColumnsVisible = Infinity;\n\n\t\t\t\tbreak;\n\n\t\t\tcase 'is-layout-grid':\n\n\t\t\t\t// Re-enables 'More' link\n\t\t\t\t$scope.vm.mappingColumnsVisible = DEFAULT_MAPPING_COLUMNS_VISIBLE;\n\n\t\t\t\tbreak;\n\t\t}\n\t}\n\n\tfunction onError (error) {\n\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction onToggleFullScreen () {\n\n\t\tconst dataImpoterContentElement = $element[0].querySelector('#data-importer-content');\n\n\t\tutilities.toggleBrowserFullScreen(dataImpoterContentElement);\n\t}\n\n\tfunction openEditPayElementNetToGrossForm (vmObj, columnOriginalIndex) {\n\n\t\tconst fileColumnObj = getFileColumnByOriginalIndex(vmObj, columnOriginalIndex);\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tfileColumn: fileColumnObj,\n\t\t\tcallback: callbackObj => {\n\n\t\t\t\t// Update column data based on selection in form\n\t\t\t\tfileColumnObj.AgencyAdjustmentNetToGross = callbackObj.isNetImport;\n\n\t\t\t\t// Save to DB\n\t\t\t\tsaveColumnMapping(vmObj, columnOriginalIndex);\n\n\t\t\t\t// Track manual template mapping changes\n\t\t\t\tvmObj.hasTemplateMappingChanged = true;\n\t\t\t},\n\t\t\tformKey: 'pay-element-net-to-gross'\n\t\t});\n\t}\n\n\tfunction openMappingTemplateForm (vmObj, actionType) {\n\n\t\t// If no template is used, use ImportMappingID from file date service\n\t\tif (!vmObj.importMappingTemplate.isTemplate) {\n\t\t\tangular.extend(vmObj.importMappingTemplate, {\n\t\t\t\tImportMappingID: vmObj.fileData.ImportMappingID,\n\t\t\t\tName: ''\n\t\t\t});\n\t\t}\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tactionType,\n\t\t\tagencyDocumentId: vmObj.agencyDocumentId,\n\t\t\tagencyProfileId,\n\t\t\tcallback: callbackResponseObj => {\n\n\t\t\t\tangular.extend($scope.vm, {\n\t\t\t\t\thasSavedFileMapping: true,\n\t\t\t\t\thasTemplateMappingChanged: false,\n\t\t\t\t\ttemplateTotalMatchedColumns: angular.copy(vmObj.totalMappedColumns) // Take a snapshot of number of columns changed to know when a saved mapping template has changed\n\t\t\t\t});\n\n\t\t\t\trefreshMappingTemplates($scope.vm, callbackResponseObj.updatedMappingTemplate);\n\t\t\t},\n\t\t\tformKey: 'mapping-template',\n\t\t\theaderCount: vmObj.totalMappedColumns,\n\t\t\tfileColumns: vmObj.fileData.Columns,\n\t\t\timportMappingTemplate: vmObj.importMappingTemplate,\n\t\t\ttitle: actionType === 'update' ? 'Update mapping' : null\n\t\t});\n\t}\n\n\t/**\n\t * Matches 'hidden' columns within each row for horizontal imports:\n\t * Adjustment Type (guid)\n\t * Adjustment Label (string)\n\t * Net to Gross (bool)\n\t**/\n\tfunction openMatchChangeTypeFormHorizontal (vmObj, fileRowOriginalIndex) {\n\n\t\tlet rowObj = getFileRowByOriginalIndex(vmObj, fileRowOriginalIndex);\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tadjustmentLabel: rowObj.adjustmentLabel,\n\t\t\tadjustmentLabels: vmObj.adjustmentLabels,\n\t\t\tadjustmentType: rowObj.adjustmentType,\n\t\t\tadjustmentTypes: vmObj.adjustmentTypes,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: responseObj => {\n\n\t\t\t\tswitch (responseObj.responseState) {\n\n\t\t\t\t\tcase 'update': {\n\n\t\t\t\t\t\tconst originalCellValue = getAdjustmentTypeValueForRow(vmObj, fileRowOriginalIndex);\n\n\t\t\t\t\t\t// Update all change types with the same cell value\n\t\t\t\t\t\tvmObj.fileData.Rows.forEach((rowObj, rowIndex) => {\n\n\t\t\t\t\t\t\tlet rowAdjustmentTypeCellValue = getAdjustmentTypeValueForRow(vmObj, rowIndex);\n\n\t\t\t\t\t\t\t// Replace all row values of the same original value\n\t\t\t\t\t\t\tif (rowAdjustmentTypeCellValue.toLowerCase() === originalCellValue.toLowerCase()) {\n\n\t\t\t\t\t\t\t\tconst newCellValue = responseObj.adjustmentLabel !== '' ? responseObj.adjustmentLabel : responseObj.adjustmentType.AgencyAdjustmentGroupEntryText;\n\n\t\t\t\t\t\t\t\t// Update adjustment type / label / net to gross values for the row\n\t\t\t\t\t\t\t\tupdateRowAdjustmentTypeByIndex(vmObj, rowIndex, responseObj.adjustmentType);\n\t\t\t\t\t\t\t\tupdateRowAdjustmentLabelByIndex(vmObj, rowIndex, responseObj.adjustmentLabel);\n\t\t\t\t\t\t\t\tupdateRowNetToGrossCellValueByIndex(vmObj, rowIndex, responseObj.isNetImport);\n\t\t\t\t\t\t\t\trowObj.NetToGross = responseObj.isNetImport;\n\n\t\t\t\t\t\t\t\t// Update cell value\n\t\t\t\t\t\t\t\tupdateRowAdjustmentTypeCellValueByIndex(vmObj, rowIndex, newCellValue);\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\treValidateAll(vmObj);\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t},\n\t\t\tformKey: 'match-change-type',\n\t\t\timportMappingType: vmObj.importMappingType,\n\t\t\tisNetImport: rowObj.NetToGross\n\t\t});\n\t}\n\n\t// Matches Adjustment Type (guid) & Adjustment Label (string) to the mapped file column (vertical)\n\tfunction openMatchChangeTypeFormVertical (vmObj, columnOriginalIndex) {\n\n\t\tlet fileColumnObj = getFileColumnByOriginalIndex(vmObj, columnOriginalIndex);\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tadjustmentLabel: fileColumnObj.AgencyAdjustmentLabel,\n\t\t\tadjustmentLabels: vmObj.adjustmentLabels,\n\t\t\tadjustmentType: fileColumnObj.adjustmentType,\n\t\t\tadjustmentTypes: vmObj.adjustmentTypes,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: responseObj => {\n\n\t\t\t\tlet columnGroupArr = getColumnsArrByGroupId(vmObj, fileColumnObj.mappingColumnGroupId);\n\n\t\t\t\tswitch (responseObj.responseState) {\n\n\t\t\t\t\tcase 'update':\n\n\t\t\t\t\t\tconst adjustmentGroupEntryId = responseObj.adjustmentType ? adjustmentsService.getAgencyAdjustmentGroupEntryId(responseObj.adjustmentType) : '';\n\n\t\t\t\t\t\t// Map details for both rate and unit columns\n\t\t\t\t\t\tcolumnGroupArr.forEach(_ => {\n\n\t\t\t\t\t\t\t// Map adjustment type & label\n\t\t\t\t\t\t\t_.AgencyAdjustmentGroupEntryID = adjustmentGroupEntryId;\n\t\t\t\t\t\t\t_.AgencyAdjustmentID = responseObj.adjustmentType.AgencyAdjustmentID;\n\t\t\t\t\t\t\t_.AgencyAdjustmentLabel = responseObj.adjustmentLabel;\n\t\t\t\t\t\t\t_.AgencyAdjustmentNetToGross = responseObj.isNetImport;\n\t\t\t\t\t\t\t_.adjustmentType = responseObj.adjustmentType;\n\n\t\t\t\t\t\t\t// Update column text\n\t\t\t\t\t\t\t_.mappingHeader.ImportMappingColumnText = responseObj.adjustmentType.AgencyAdjustmentGroupEntryText;\n\t\t\t\t\t\t\t_.mappingHeader.isPayElementNetable = responseObj.isPayElementNetable;\n\n\t\t\t\t\t\t\t// Save to DB\n\t\t\t\t\t\t\tdataImport.updateImportMappingColumn(_).then(updatedFileColumnObj => {\n\n\t\t\t\t\t\t\t\tangular.extend(_, updatedFileColumnObj);\n\t\t\t\t\t\t\t})\n\t\t\t\t\t\t\t.catch(onError);\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\t// Increment Rates / Units headers pair\n\t\t\t\t\t\tsetAndUpdateRatesAndUnitsFilterIndex(vmObj);\n\n\t\t\t\t\t\t// Validate\n\t\t\t\t\t\treValidateAll(vmObj);\n\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase 'cancel':\n\n\t\t\t\t\t\t// Map details for both rate and unit columns\n\t\t\t\t\t\tcolumnGroupArr.forEach(_ => {\n\n\t\t\t\t\t\t\t// Reset mapping header\n\t\t\t\t\t\t\tresetMappingHeaderByOriginalIndex(vmObj, _.mappingHeader.originalIndex);\n\n\t\t\t\t\t\t\t// Reset file column\n\t\t\t\t\t\t\tresetFileColumnObj(_);\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\t// Increment Rates / Units headers pair\n\t\t\t\t\t\tsetAndUpdateRatesAndUnitsFilterIndex(vmObj);\n\n\t\t\t\t\t\t// Validate\n\t\t\t\t\t\treValidateAll(vmObj);\n\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t},\n\t\t\tcanCloseForm: false,\n\t\t\tformKey: 'match-change-type',\n\t\t\timportMappingType: vmObj.importMappingType,\n\t\t});\n\t}\n\n\t// Matches link element (horizontal)\n\tfunction openMatchLinkElementFormHorizontal (vmObj, fileRowOriginalIndex) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tlayoutType: 'horizontal',\n\t\t\tlinkElements: vmObj.linkElementsDetails.LinkElements,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callbackObj => {\n\n\t\t\t\tswitch (callbackObj.actionType) {\n\n\t\t\t\t\t// 1. Open 'Match link rate' form\n\t\t\t\t\t// 2. Click 'Create a new Link Element' > Save\n\t\t\t\t\t// 3. Link elements are reloaded (to include newly created one)\n\t\t\t\t\t// 4. 'Match link rate' form is then re-opened with the new set of link elements\n\t\t\t\t\tcase 'updated':\n\n\t\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t\trefreshLinkElements(vmObj).then(vmObj => {\n\t\t\t\t\t\t\t\topenMatchLinkElementFormHorizontal(vmObj, fileRowOriginalIndex);\n\t\t\t\t\t\t\t});\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\t// 1. Take original cell value (that has been mapped to Link Element)\n\t\t\t\t\t// 2. Compare original cell value to all cell values in the same row\n\t\t\t\t\t// 3. Update Link Element for all matched cell rows\n\t\t\t\t\tdefault:\n\n\t\t\t\t\t\t// Compare to original cell value to update any cells with the same value to use the same\n\t\t\t\t\t\tconst originalCellValue = getAdjustmentTypeValueForRow(vmObj, fileRowOriginalIndex);\n\n\t\t\t\t\t\t// Update all change types with the same cell value\n\t\t\t\t\t\tvmObj.fileData.Rows.forEach((rowObj, rowIndex) => {\n\n\t\t\t\t\t\t\tlet rowAdjustmentTypeCellValue = getAdjustmentTypeValueForRow(vmObj, rowIndex);\n\n\t\t\t\t\t\t\t// Replace all row values of the same original value\n\t\t\t\t\t\t\tif (rowAdjustmentTypeCellValue.toLowerCase() === originalCellValue.toLowerCase()) {\n\n\t\t\t\t\t\t\t\tconst newCellValue = callbackObj.linkElement.LinkElementName;\n\n\t\t\t\t\t\t\t\t// Update adjustment type / label for the row\n\t\t\t\t\t\t\t\tupdateRowAdjustmentTypeByIndexForLinkElement(vmObj, rowIndex, callbackObj.linkElement);\n\n\t\t\t\t\t\t\t\t// Update cell value\n\t\t\t\t\t\t\t\tupdateRowAdjustmentTypeCellValueByIndex(vmObj, rowIndex, newCellValue);\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\treValidateAll(vmObj);\n\t\t\t\t}\n\t\t\t},\n\t\t\tformKey: 'match-link-element',\n\t\t\timportMappingType: vmObj.importMappingType\n\t\t});\n\t}\n\n\t// Matches link element (vertical)\n\tfunction openMatchLinkElementFormVertical (vmObj, columnOriginalIndex) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tlayoutType: 'vertical',\n\t\t\tmappingHeaders: vmObj.mappingColumns,\n\t\t\tcallback: callbackObj => {\n\n\t\t\t\tswitch (callbackObj.actionType) {\n\n\t\t\t\t\t// 1. Open 'Match link rate' form\n\t\t\t\t\t// 2. Click 'Create a new Link Element' > Save\n\t\t\t\t\t// 3. Mapping columns are reloaded (to include newly created one)\n\t\t\t\t\t// 4. 'Match link rate' form is then re-opened with the new set of mapping headers\n\t\t\t\t\tcase 'updated':\n\n\t\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t\tgetNewMappingColumn(vmObj).then((vmObj) => {\n\t\t\t\t\t\t\t\topenMatchLinkElementFormVertical(vmObj, columnOriginalIndex);\n\t\t\t\t\t\t\t});\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tdefault:\n\n\t\t\t\t\t\tconst IS_MANUAL_DROP = true;\n\n\t\t\t\t\t\tupdateColumnMapping(vmObj, callbackObj.linkElement.originalIndex, columnOriginalIndex, IS_MANUAL_DROP);\n\n\t\t\t\t\t\tsaveColumnMapping(vmObj, columnOriginalIndex);\n\t\t\t\t}\n\n\t\t\t},\n\t\t\tformKey: 'match-link-element'\n\t\t});\n\t}\n\n\tfunction openMatchPayslipLabelForm (vmObj, columnOriginalIndex) {\n\n\t\tlet fileColumnObj = getFileColumnByOriginalIndex(vmObj, columnOriginalIndex);\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tadjustmentLabel: fileColumnObj.AgencyAdjustmentLabel,\n\t\t\tfileColumn: fileColumnObj,\n\t\t\tcallback: callbackObj => {\n\n\t\t\t\tswitch (fileColumnObj.ImportMappingColumnType) {\n\t\t\t\t\tcase IMPORT_MAPPING_COLUMN_TYPES.rate:\n\t\t\t\t\tcase IMPORT_MAPPING_COLUMN_TYPES.unit:\n\n\t\t\t\t\t\tlet columnGroupArr = getColumnsArrByGroupId(vmObj, fileColumnObj.mappingColumnGroupId);\n\n\t\t\t\t\t\t// Map details for both rate and unit columns\n\t\t\t\t\t\tcolumnGroupArr.forEach(_ => {\n\n\t\t\t\t\t\t\t// Map adjustment label\n\t\t\t\t\t\t\t_.AgencyAdjustmentLabel = callbackObj.adjustmentLabel;\n\n\t\t\t\t\t\t\tdataImport.updateImportMappingColumn(_).catch(onError);\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tdefault:\n\n\t\t\t\t\t\tfileColumnObj.AgencyAdjustmentLabel = callbackObj.adjustmentLabel;\n\n\t\t\t\t\t\t// Update label on server\n\t\t\t\t\t\tdataImport.updateImportMappingColumn(fileColumnObj).catch(onError);\n\t\t\t\t}\n\n\t\t\t},\n\t\t\tformKey: 'match-payslip-label'\n\t\t});\n\t}\n\n\tfunction openUpdateValidationResultForm (rowObj, validationResult) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: (responseObj) => {\n\t\t\t\tupdateValidationResult(responseObj, validationResult);\n\t\t\t},\n\t\t\tformKey: 'update-validation-result',\n\t\t\trowObj,\n\t\t\ttitle: validationResult.ValidationType.ValidationTypeText,\n\t\t\tvalidationResult\n\t\t});\n\t}\n\n\tfunction openValidateDataForm (rowObj, validationObj) {\n\n\t\t// As there can be multiple validation results, attach the specific validation result related to this action\n\t\trowObj.validationResult = validationObj;\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: (responseObj) => {\n\t\t\t\tupdateValidationResult(responseObj, validationObj);\n\t\t\t},\n\t\t\tformKey: 'validate-data',\n\t\t\trowObj: rowObj,\n\t\t\ttitle: rowObj.actionMessage\n\t\t});\n\t}\n\n\tfunction refreshLinkElements (vmObj) {\n\n\t\tlet deferred = $q.defer();\n\n\t\tpayrollData.getLinkElements(agencyProfileId).then(linkElementsDetailsObj => {\n\n\t\t\tvmObj.linkElementsDetails = linkElementsDetailsObj;\n\n\t\t\tdeferred.resolve(vmObj);\n\t\t})\n\t\t.catch(error => {\n\t\t\tdeferred.reject();\n\t\t\tonError(error);\n\t\t});\n\n\t\treturn deferred.promise;\n\t}\n\n\tfunction refreshMappingTemplates (vmObj, updatedMappingTemplate) {\n\n\t\tdataImport.getImportMappingTemplates(agencyProfileId, importMappingType).then(mappingTemplatesArr => {\n\n\t\t\t// Inconsistencies in service objects mean we can only map based on name currently - to be improved (JE)\n\t\t\tangular.extend(vmObj, {\n\t\t\t\tmappingTemplates: decorateMappingTemplates(mappingTemplatesArr).filter(template => angular.isUndefined(template.IgnoreTemplate) || !template.IgnoreTemplate),\n\t\t\t\timportMappingTemplate: angular.copy(mappingTemplatesArr.find(mappingTemplateObj => mappingTemplateObj.Name === updatedMappingTemplate.Name))\n\t\t\t});\n\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction resetActiveMappingHeader (vmObj) {\n\n\t\tangular.extend(vmObj, {\n\t\t\tactiveMappingHeaderIndex: null\n\t\t});\n\t}\n\n\tfunction resetFileColumnObj (fileColumnObj) {\n\n\t\tfileColumnObj.AgencyAdjustmentGroupEntryID = config.guidEmpty;\n\t\tfileColumnObj.AgencyAdjustmentID = config.guidEmpty;\n\t\tfileColumnObj.AgencyAdjustmentLabel = '';\n\t\tfileColumnObj.ImportMappingColumnProperty = '';\n\t\tfileColumnObj.ImportMappingColumnRegex = '';\n\t\tfileColumnObj.ImportMappingColumnValidationValue = 0;\n\n\t\tfileColumnObj.adjustmentType = null;\n\t\tfileColumnObj.isInUse = false;\n\t\tfileColumnObj.isLinked = false;\n\t\tfileColumnObj.mappingColumnGroupId = null;\n\t\tfileColumnObj.mappingHeader = null;\n\t\tfileColumnObj.state = null;\n\t}\n\n\tfunction resetFileColumnObjByOriginalIndex (vmObj, fileColumnOriginalIndex) {\n\n\t\tlet fileColumnObj = getFileColumnByOriginalIndex(vmObj, fileColumnOriginalIndex);\n\n\t\tresetFileColumnObj(fileColumnObj);\n\t}\n\n\tfunction resetFileRowCellsByOriginalIndex (vmObj, fileRowOriginalIndex) {\n\n\t\tlet fileRowObj = getFileRowByOriginalIndex(vmObj, fileRowOriginalIndex);\n\n\t\tfileRowObj.isInvalid = false;\n\t}\n\n\tfunction resetMappingHeaderByOriginalIndex (vmObj, mappingHeaderOriginalIndex) {\n\n\t\tlet mappingHeaderObj = getMappingColumnByOriginalIndex(vmObj, mappingHeaderOriginalIndex);\n\n\t\tmappingHeaderObj.isInUse = false;\n\t\tmappingHeaderObj.state = null;\n\t}\n\n\tfunction resetRowsForFileColumnObj (vmObj, fileColumnObj) {\n\n\t\tvmObj.fileData.Rows.forEach((fileRowObj) => {\n\n\t\t\tvar cellObj = fileRowObj.cells[fileColumnObj.ImportMappingColumnNumber];\n\n\t\t\t// Validate (default to true)\n\t\t\tcellObj.isValid = true;\n\t\t});\n\t}\n\n\tfunction reviewActiveMappingColumn (vmObj, mappingHeaderObj) {\n\n\t\tif (vmObj.activeMappingHeaderIndex === mappingHeaderObj.originalIndex) {\n\t\t\tvmObj.activeMappingHeaderIndex = null;\n\t\t}\n\t}\n\n\tfunction reValidateAll (vmObj) {\n\n\t\tvalidateColumnsInUse(vmObj);\n\t\tvalidateRowData(vmObj);\n\n\t\t// Not applicable to validation results\n\t\tif (vmObj.state !== 'validation-results') {\n\t\t\tvalidateMapping(vmObj);\n\t\t}\n\t}\n\n\tfunction selectMappingFilter (vmObj, filterObj) {\n\n\t\t// Select first available\n\t\tif (angular.isUndefined(filterObj)) {\n\n\t\t\tconst filterOptionsArr = getMappingFilterOptionsByGroupIndex(vmObj, 0);\n\n\t\t\tfilterObj = filterOptionsArr[0];\n\t\t}\n\n\t\tvmObj.activeMappingFilterKey = filterObj.key;\n\t\tvmObj.filterBarOptions.appliedFilter = filterObj.filterExp;\n\t\t//vmObj.activeMappingFilterExp = filterObj.filterExp;\n\t}\n\n\tfunction selectMappingFilterByKey (vmObj, key) {\n\n\t\tconst filterOptionsArr = getMappingFilterOptionsByGroupIndex(vmObj, 0);\n\t\tconst filterOptionsCount = filterOptionsArr.length;\n\n\t\tlet i = 0;\n\t\tlet selectedMappingFilterObj;\n\n\t\tfor (i; i < filterOptionsCount; i++) {\n\n\t\t\tconst filterOptionObj = filterOptionsArr[i];\n\n\t\t\tif (filterOptionObj.key === key) {\n\t\t\t\tselectedMappingFilterObj = angular.copy(filterOptionObj);\n\t\t\t\tbreak;\n\t\t\t}\n\t\t}\n\n\t\t// Unable to find filter obj by key\n\t\tif (angular.isUndefined(selectedMappingFilterObj)) {\n\t\t\t$rootScope.paycircleMessage('dataImporterValidateFileController.js > selectMappingFilterByKey: Unable to select mapping filter obj by key', 'error');\n\t\t\treturn;\n\t\t}\n\n\t\tselectMappingFilter(vmObj, selectedMappingFilterObj);\n\t}\n\n\tfunction setActiveValidationResultFilter (vmObj, validationResultFilterObj) {\n\n\t\tvmObj.activeValidationResultFilter = validationResultFilterObj;\n\n\t\t$timeout(() => {\n\t\t\tvmObj.isIgnoreAllRowsEnabled = getIsIgnoreAllRowsEnabled(vmObj);\n\t\t});\n\t}\n\n\tfunction setAndUpdateRatesAndUnitsFilterIndex (vmObj, originalPropertyValue) {\n\n\t\tvmObj.mappingColumnsIndex = getMappingColumnIndex(vmObj, originalPropertyValue);\n\n\t\tupdateRatesAndUnitsFilter(vmObj);\n\t}\n\n\tfunction setImportState (vmObj, importState) {\n\n\t\tvmObj.state = importState;\n\t}\n\n\tfunction setPageState (pageState, errorState) {\n\n\t\t$scope.pageState = pageState;\n\n\t\tif (angular.isDefined(errorState)) {\n\t\t\t$scope.errorState = errorState;\n\t\t}\n\t}\n\n\tfunction setPostIdentifierHeaderAsIgnored (vmObj) {\n\n\t\t// Ignore if there are no columns yet\n\t\tif (!vmObj.mappingColumns) {\n\t\t\treturn;\n\t\t}\n\n\t\tconst isPostIdentifierHeaderApplicable = importService.getIsPostIdentifierApplicable(importMappingTypeOriginal, vmObj.isVertical);\n\n\t\t// Hide \"Post identifier\" column\n\t\tif (!isPostIdentifierHeaderApplicable) {\n\t\t\tconst postIdentifierHeaderObj = vmObj.mappingColumns.find(mappingHeaderObj => mappingHeaderObj.ImportMappingColumnType === IMPORT_MAPPING_COLUMN_TYPES.postIdentifier);\n\n\t\t\tif (postIdentifierHeaderObj) {\n\t\t\t\tpostIdentifierHeaderObj.isIgnored = true;\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction setupValidationResultsTabs (vmObj) {\n\n\t\tvmObj.validationResultFilters = [\n\t\t\t{\n\t\t\t\tcanIgnore: true,\n\t\t\t\thasActions: true,\n\t\t\t\tisHiddenWhenEmpty: true,\n\t\t\t\tisTeamMemberMatched: false,\n\t\t\t\ttitle: 'Warnings',\n\t\t\t\ttheme: 'assertive inverse',\n\t\t\t\tthemeActive: 'primary',\n\t\t\t\ttotal: 0,\n\t\t\t\tfilterKey: VALIDATION_TYPE_LEVELS.warning,\n\t\t\t\tfilter: (v) => {\n\t\t\t\t\treturn v.validationResults !== undefined && v.validationResults.length > 0 && v.validationResultTypes.includes(VALIDATION_TYPE_LEVELS.warning);\n\t\t\t\t}\n\t\t\t},\n\t\t\t{\n\t\t\t\tcanIgnore: true,\n\t\t\t\thasActions: false,\n\t\t\t\tisHiddenWhenEmpty: false,\n\t\t\t\tisTeamMemberMatched: false,\n\t\t\t\ttitle: 'New',\n\t\t\t\ttheme: 'primary',\n\t\t\t\tthemeActive: 'primary',\n\t\t\t\ttotal: 0,\n\t\t\t\tfilterKey: VALIDATION_TYPE_LEVELS.new,\n\t\t\t\tfilter: (v) => {\n\t\t\t\t\treturn v.validationResults !== undefined && v.validationResults.length > 0 && v.validationResultTypes.includes(VALIDATION_TYPE_LEVELS.new);\n\t\t\t\t}\n\t\t\t},\n\t\t\t{\n\t\t\t\tcanIgnore: true,\n\t\t\t\thasActions: false,\n\t\t\t\tisHiddenWhenEmpty: false,\n\t\t\t\tisTeamMemberMatched: true,\n\t\t\t\ttitle: 'Updates',\n\t\t\t\ttheme: 'primary',\n\t\t\t\tthemeActive: 'primary',\n\t\t\t\ttotal: 0,\n\t\t\t\tfilterKey: VALIDATION_TYPE_LEVELS.update,\n\t\t\t\tfilter: (v) => {\n\t\t\t\t\treturn v.validationResults !== undefined && v.validationResults.length > 0 && v.validationResultTypes.includes(VALIDATION_TYPE_LEVELS.update);\n\t\t\t\t}\n\t\t\t},\n\t\t\t{\n\t\t\t\tcanIgnore: false,\n\t\t\t\thasActions: false,\n\t\t\t\tisHiddenWhenEmpty: false,\n\t\t\t\tisTeamMemberMatched: true,\n\t\t\t\ttitle: 'Unchanged',\n\t\t\t\ttheme: 'primary',\n\t\t\t\tthemeActive: 'primary',\n\t\t\t\ttotal: 0,\n\t\t\t\tfilterKey: VALIDATION_TYPE_LEVELS.unchanged,\n\t\t\t\tfilter: (v) => {\n\t\t\t\t\treturn v.validationResults !== undefined && v.validationResults.length > 0 && v.validationResultTypes.includes(VALIDATION_TYPE_LEVELS.unchanged);\n\t\t\t\t}\n\t\t\t}\n\t\t];\n\n\t\t// Counts\n\t\tvmObj.fileData.Rows.forEach(rowObj => {\n\n\t\t\t// Skip ignored rows\n\t\t\tif (rowObj.Ignore) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// No validation result returned for row\n\t\t\tif (angular.isUndefined(rowObj.validationResults) || rowObj.validationResults.length === 0) {\n\t\t\t\tconsole.info(rowObj);\n\t\t\t\tthrow `Validation Result not defined for row. Each row should have an associated validation result, whether it's valid or not`;\n\t\t\t}\n\n\t\t\trowObj.validationResults.forEach(validationResultObj => {\n\n\t\t\t\tswitch (validationResultObj.ValidationType.ValidationTypeLevel) {\n\n\t\t\t\t\tcase VALIDATION_TYPE_LEVELS.warning:\n\t\t\t\t\t\tvmObj.validationResultFilters[0].total++;\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase VALIDATION_TYPE_LEVELS.new:\n\t\t\t\t\t\tvmObj.validationResultFilters[1].total++;\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase VALIDATION_TYPE_LEVELS.update:\n\t\t\t\t\t\tvmObj.validationResultFilters[2].total++;\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase VALIDATION_TYPE_LEVELS.unchanged:\n\t\t\t\t\t\tvmObj.validationResultFilters[3].total++;\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t});\n\t\t});\n\n\t\tif (vmObj.validationResultFilters[0].total === 1) {\n\t\t\tvmObj.validationResultFilters[0].title = 'Warning';\n\t\t}\n\n\t\tsetActiveValidationResultFilter(vmObj, importService.getFirstFilterWithResults(vmObj.validationResultFilters));\n\t}\n\n\tfunction showEmptyColumns (vmObj) {\n\n\t\tvmObj.fileData.Columns.forEach(columnObj => {\n\n\t\t\tif (columnObj.isHidden) {\n\n\t\t\t\t// Loop over every row and hide cell for hidden columns\n\t\t\t\tvmObj.fileData.Rows.forEach(rowObj => {\n\n\t\t\t\t\tlet cellObj = getRowCellByOriginalIndex(vmObj, rowObj.originalIndex, columnObj.originalIndex);\n\n\t\t\t\t\tcellObj.isHidden = false;\n\t\t\t\t});\n\n\t\t\t\t// Delay the setting of the hidden flag so we only loop over columns that are already hidden\n\t\t\t\tcolumnObj.isHidden = false;\n\t\t\t}\n\t\t});\n\n\t\tvmObj.emptyColumnsState = 'visible';\n\t}\n\n\tfunction showMoreMappingColumns (vmObj) {\n\n\t\tvmObj.mappingColumnsVisible = vmObj.mappingColumnsVisible + 10;\n\t}\n\n\tfunction toggleIsIgnoreAllRowsEnabled (vmObj, filteredRowsArr) {\n\n\t\tfunction toggleIgnoreRow (rowObj) {\n\n\t\t\tif (rowObj.isDisabled) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\treturn rowObj.Ignore = vmObj.isIgnoreAllRowsEnabled;\n\t\t}\n\n\t\tif (filteredRowsArr) {\n\t\t\tfilteredRowsArr.forEach(toggleIgnoreRow);\n\t\t}\n\t\telse {\n\t\t\tvmObj.fileData.Rows.forEach(toggleIgnoreRow);\n\t\t}\n\n\t\treValidateAll(vmObj);\n\t}\n\n\tfunction toggleMappingFilter (vmObj) {\n\n\t\tconst newFilterKey = vmObj.activeMappingFilterKey === FILTER_KEYS.dataImporterValidate.validationState.all ? FILTER_KEYS.dataImporterValidate.validationState.invalid : FILTER_KEYS.dataImporterValidate.validationState.all;\n\n\t\tselectMappingFilterByKey(vmObj, newFilterKey);\n\t}\n\n\tfunction toggleShowColumn (vmObj, columnObj) {\n\n\t\tcolumnObj.isHidden = !columnObj.isHidden;\n\n\t\t// Loop over every row and hide cell for hidden columns\n\t\tvmObj.fileData.Rows.forEach(rowObj => {\n\n\t\t\tlet cellObj = getRowCellByOriginalIndex(vmObj, rowObj.originalIndex, columnObj.originalIndex);\n\n\t\t\tcellObj.isHidden = columnObj.isHidden;\n\t\t});\n\t}\n\n\tfunction toggleShowContext (vmObj) {\n\n\t\tvmObj.isContextVisible = !vmObj.isContextVisible;\n\t}\n\n\tfunction unmapAdjustmentTypesHorizontal (vmObj) {\n\n\t\tvmObj.fileData.Rows.forEach((rowObj, rowIndex) => {\n\n\t\t\tupdateRowAdjustmentTypeByIndex(vmObj, rowIndex, null);\n\t\t\tupdateRowAdjustmentLabelByIndex(vmObj, rowIndex, '');\n\t\t});\n\t}\n\n\t/**\n\t * Updates a column mapping when either:\n\t * 1. A mapping header has been manually dropped onto a file column\n\t * 2. Mapping headers have been auto-mapped to the file column headers:\n\t * \t\t- Manually (by clicking 'Auto-map' button)\n\t * \t\t- Automatically (by a mapping template being applied)\n\t *\n\t * Considerations:\n\t * \t\t- Mapping headers cannot be re-used, unless specifically set to be re-useable\n\t * \t\t- Rate / Unit mappings are mapped in pairs 😵💫\n\t * \t- Element mappings attach the pay element object\n\t * \t\t- Link elements\n\t**/\n\tfunction updateColumnMapping (vmObj, mappingHeaderOriginalIndex, fileColumnOriginalIndex, IS_MANUAL_DROP, fileColumnMetaObj, VALIDATE_FILE, IS_BULK_MAPPING) {\n\n\t\tIS_BULK_MAPPING = angular.isDefined(IS_BULK_MAPPING) ? IS_BULK_MAPPING : false;\n\t\tIS_MANUAL_DROP = angular.isDefined(IS_MANUAL_DROP) ? IS_MANUAL_DROP : false;\n\t\tVALIDATE_FILE = angular.isDefined(VALIDATE_FILE) ? VALIDATE_FILE : true;\n\n\t\tlet fileColumnObj = getFileColumnByOriginalIndex(vmObj, fileColumnOriginalIndex);\n\t\tlet mappingHeaderObj = getMappingColumnByOriginalIndex(vmObj, mappingHeaderOriginalIndex);\n\n\t\t// Prevent re-use\n\t\tif (!isMappingHeaderMappable(mappingHeaderObj)) {\n\n\t\t\tconst existingDuplicateFileColumnObj = vmObj.duplicateFileColumns.find(_ => _.importMappingColumnText === fileColumnObj.ImportMappingColumnText);\n\n\t\t\t// Only push if not already created to avoid duplicates of the same column header\n\t\t\tif (!angular.isDefined(existingDuplicateFileColumnObj)) {\n\t\t\t\tvmObj.duplicateFileColumns.push({\n\t\t\t\t\timportMappingColumnText: fileColumnObj.ImportMappingColumnText,\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tvmObj.duplicateFileColumns.push(mappingHeaderObj.ImportMappingColumnText);\n\t\t\tconsole.warn(`Mapping header is not mappable: ${mappingHeaderObj.ImportMappingColumnText}`);\n\t\t\treturn;\n\t\t}\n\n\t\t// Mark as in use so it can't be re-used\n\t\tmappingHeaderObj.isInUse = true;\n\n\t\t// Copy mapping column obj across to file column obj\n\t\tangular.extend(fileColumnObj, {\n\t\t\tImportMappingColumnLocalValidation: angular.copy(mappingHeaderObj.ImportMappingColumnLocalValidation),\n\t\t\tImportMappingColumnProperty: angular.copy(mappingHeaderObj.ImportMappingColumnProperty),\n\t\t\tImportMappingColumnRegex: angular.copy(mappingHeaderObj.ImportMappingColumnRegex),\n\t\t\tImportMappingColumnType: angular.copy(mappingHeaderObj.ImportMappingColumnType),\n\t\t\tImportMappingColumnValidationValue: angular.copy(mappingHeaderObj.ImportMappingColumnValidationValue),\n\t\t\tLinkElementID: angular.copy(mappingHeaderObj.LinkElementID),\n\n\t\t\tisInUse: true,\n\t\t\tloadingState: 'loading',\n\t\t\tmappingColumnGroupId: angular.copy(mappingHeaderObj.mappingColumnGroupId),\n\t\t\tmappingHeader: angular.copy(mappingHeaderObj)\n\t\t});\n\n\t\t// Extend with additional info\n\t\tif (angular.isDefined(fileColumnMetaObj)) {\n\n\t\t\tangular.extend(fileColumnObj, fileColumnMetaObj);\n\t\t}\n\n\t\t// Horizontal\n\t\tif (isPayElementMappingHeaderHorizontal(vmObj, mappingHeaderOriginalIndex)) {\n\n\t\t\tswitch (vmObj.importMappingType) {\n\n\t\t\t\t// + Link rate units\n\t\t\t\tcase IMPORT_MAPPING_TYPES.linkRateUnits:\n\n\t\t\t\t\t// Match cells/rows to link elements by name\n\t\t\t\t\tmapLinkElements(vmObj, fileColumnObj.ImportMappingColumnNumber);\n\n\t\t\t\t\tbreak;\n\n\t\t\t\t// + Pay elements\n\t\t\t\tdefault:\n\n\t\t\t\t\t// Match cells/rows to adjustment types by name\n\t\t\t\t\tmapAdjustmentTypes(vmObj, fileColumnObj.ImportMappingColumnNumber);\n\t\t\t}\n\n\t\t\t// Store adjustment type column number to prevent further lookups\n\t\t\tvmObj.columnIndexes.adjustmentType = fileColumnObj.ImportMappingColumnNumber;\n\t\t}\n\n\t\tswitch (mappingHeaderObj.ImportMappingColumnType) {\n\n\t\t\t// Rates / Units\n\t\t\t// Behave slightly differently to other mapping headers as they're paired by \"mappingColumnGroupId\"\n\t\t\tcase IMPORT_MAPPING_COLUMN_TYPES.rate:\n\t\t\tcase IMPORT_MAPPING_COLUMN_TYPES.unit:\n\n\t\t\t\tfileColumnObj.isLinked = true;\n\n\t\t\t\tif (IS_MANUAL_DROP) {\n\n\t\t\t\t\tconst columnHeaderPairingArr = getColumnsArrByGroupId(vmObj, mappingHeaderObj.mappingColumnGroupId);\n\n\t\t\t\t\t// Is paired\n\t\t\t\t\tif (columnHeaderPairingArr.length === 2) {\n\n\t\t\t\t\t\t// Open form to select change type\n\t\t\t\t\t\topenMatchChangeTypeFormVertical(vmObj, fileColumnObj.originalIndex);\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\telse {\n\n\t\t\t\t\t// Increment Rates / Units headers pair\n\t\t\t\t\tsetAndUpdateRatesAndUnitsFilterIndex(vmObj);\n\t\t\t\t}\n\n\t\t\t\tbreak;\n\t\t}\n\n\t\t// Pre-mapped using a saved mapping template\n\t\tif (!IS_MANUAL_DROP) {\n\n\t\t\t// Attach adjustment object if automatically mapped\n\t\t\tif (fileColumnObj.AgencyAdjustmentGroupEntryID !== config.guidEmpty && IS_PAY_ELEMENTS_APPLICABLE) {\n\n\t\t\t\t// Attach adjustment type\n\t\t\t\tfileColumnObj.adjustmentType = adjustmentsService.getAdjustmentTypeById('AgencyAdjustmentGroupEntryID', fileColumnObj.AgencyAdjustmentGroupEntryID, vmObj.adjustmentTypes);\n\n\t\t\t\tif (fileColumnObj.adjustmentType) {\n\n\t\t\t\t\t// Update mapping header label\n\t\t\t\t\tfileColumnObj.mappingHeader.ImportMappingColumnText = fileColumnObj.adjustmentType.AgencyAdjustmentGroupEntryText;\n\t\t\t\t}\n\n\t\t\t\t// Adjustment type cannot be found for the mapping template -> Show a modal to explain\n\t\t\t\telse {\n\t\t\t\t\t$rootScope.paycircleMessage('Data importer: Pay element could not be matched for mapping template', 'warning');\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t// Manual drop\n\t\telse {\n\n\t\t\t// Update adjustment detail\n\t\t\tangular.extend(fileColumnObj, {\n\t\t\t\tAgencyAdjustmentGroupEntryID: angular.copy(mappingHeaderObj.AgencyAdjustmentGroupEntryID),\n\t\t\t\tAgencyAdjustmentID: angular.copy(mappingHeaderObj.AgencyAdjustmentID)\n\t\t\t});\n\n\t\t\t// If Netable and not bulk (auto-mapped), then open Net to Gross form automatically\n\t\t\tif (!IS_BULK_MAPPING && mappingHeaderObj.isPayElementNetable) {\n\n\t\t\t\t// Open form to choose whether to import as net or gross\n\t\t\t\topenEditPayElementNetToGrossForm(vmObj, fileColumnObj.originalIndex);\n\t\t\t}\n\n\t\t\t// Track manual template mapping changes\n\t\t\tvmObj.hasTemplateMappingChanged = true;\n\t\t}\n\n\t\t$timeout(() => {\n\n\t\t\tvalidateCellsForColumn(vmObj, fileColumnObj.ImportMappingColumnNumber);\n\n\t\t\t// Validation state\n\t\t\tfileColumnObj.state = getDataValidationStateForFileColumnIndex(vmObj, fileColumnObj.ImportMappingColumnNumber);\n\n\t\t\t// Validate mapping\n\t\t\tif (VALIDATE_FILE) {\n\n\t\t\t\tvalidateMapping(vmObj);\n\t\t\t\tvalidateRowData(vmObj);\n\n\t\t\t\t// Reset active mapping header\n\t\t\t\tresetActiveMappingHeader(vmObj);\n\t\t\t}\n\t\t});\n\t}\n\n\t/**\n\t * Save the updated column to the DB\n\t**/\n\tfunction saveColumnMapping (vmObj, fileColumnOriginalIndex) {\n\n\t\tlet fileColumnObj = getFileColumnByOriginalIndex(vmObj, fileColumnOriginalIndex);\n\n\t\tdataImport.updateImportMappingColumn(fileColumnObj).then(updatedFileColumnObj => {\n\n\t\t\tupdatedFileColumnObj.loadingState = 'ready';\n\n\t\t\tangular.extend(fileColumnObj, updatedFileColumnObj);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction isMappingHeaderIndexSet (vmObj) {\n\n\t\treturn angular.isDefined(vmObj.activeMappingHeaderIndex) && vmObj.activeMappingHeaderIndex !== null;\n\t}\n\n\tfunction mapColumn (vmObj, columnObj) {\n\n\t\tif (!isMappingHeaderIndexSet(vmObj)) {\n\t\t\treturn;\n\t\t}\n\n\t\tconst IS_MANUAL_DROP = true;\n\n\t\tupdateColumnMapping(vmObj, vmObj.activeMappingHeaderIndex, columnObj.originalIndex, IS_MANUAL_DROP);\n\t\tsaveColumnMapping(vmObj, columnObj.originalIndex);\n\t}\n\n\tfunction updateImportMappingFile (vmObj, reviewValidRows) {\n\n\t\treviewValidRows = angular.isDefined(reviewValidRows) ? true : false;\n\n\t\tif (getIsNothingToImport(vmObj, reviewValidRows)) {\n\n\t\t\t$rootScope.openModalDialog({\n\t\t\t\tmodalKey: 'imports-nothing-to-import'\n\t\t\t});\n\n\t\t\treturn;\n\t\t}\n\n\t\tvmObj.state = 'validating';\n\n\t\t$timeout(() => {\n\n\t\t\tvmObj.uploadingProgress = 50;\n\n\t\t\t// Re-map values\n\t\t\timportService.reMapValues(vmObj.fileData.Rows);\n\n\t\t\tdataImport.updateImportMappingFile(agencyProfileId, payPeriodId, agencyDocumentId, vmObj.fileData, importMappingType).then(updatedFileDataObj => {\n\n\t\t\t\tvmObj.uploadingProgress = 100;\n\n\t\t\t\tvmObj.fileData = importService.decorateFileDataObj(updatedFileDataObj, importMappingType);\n\n\t\t\t\t// Validation results\n\t\t\t\tif (updatedFileDataObj.ValidationResults.length > 0) {\n\n\t\t\t\t\timportService.mapValidationErrors(vmObj.fileData.ValidationResults, vmObj.fileData.Rows);\n\n\t\t\t\t\tvalidateRowData(vmObj);\n\n\t\t\t\t\tsetupValidationResultsTabs(vmObj);\n\t\t\t\t}\n\n\t\t\t\t// Invalid\n\t\t\t\tif (importService.hasInvalidValidationResults(vmObj.fileData.ValidationResults)) {\n\n\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\tswitch (agencyDocumentType) {\n\n\t\t\t\t\t\t\tcase DOCUMENT_TYPES.businessCategories:\n\t\t\t\t\t\t\tcase DOCUMENT_TYPES.accessFinancialsBusinessCategoriesImport:\n\t\t\t\t\t\t\tcase DOCUMENT_TYPES.nominalCodes:\n\t\t\t\t\t\t\tcase DOCUMENT_TYPES.xeroNominalCodes:\n\t\t\t\t\t\t\tcase DOCUMENT_TYPES.accessFinancialsNominalAccountsImport:\n\t\t\t\t\t\t\t\tvmObj.state = 'validation-results';\n\t\t\t\t\t\t\t\tvmObj.uploadingProgress = 0;\n\t\t\t\t\t\t\t\tbreak;\n\n\t\t\t\t\t\t\tdefault:\n\t\t\t\t\t\t\t\tvmObj.state = 'validation-results-team';\n\t\t\t\t\t\t\t\tvmObj.uploadingProgress = 0;\n\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t}\n\t\t\t\t\t}, 2000);\n\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Valid\n\t\t\t\t$timeout(() => {\n\t\t\t\t\tswitch (agencyDocumentType) {\n\n\t\t\t\t\t\t// Automatically trigger import\n\t\t\t\t\t\tcase DOCUMENT_TYPES.businessCategories:\n\t\t\t\t\t\tcase DOCUMENT_TYPES.accessFinancialsBusinessCategoriesImport:\n\t\t\t\t\t\tcase DOCUMENT_TYPES.nominalCodes:\n\t\t\t\t\t\tcase DOCUMENT_TYPES.xeroNominalCodes:\n\t\t\t\t\t\tcase DOCUMENT_TYPES.accessFinancialsNominalAccountsImport:\n\t\t\t\t\t\t\tgenerateUserImport(vmObj);\n\t\t\t\t\t\t\tbreak;\n\n\t\t\t\t\t\tcase DOCUMENT_TYPES.periodImport:\n\t\t\t\t\t\t\tvmObj.state = 'validated';\n\t\t\t\t\t\t\tvmObj.uploadingProgress = 0;\n\t\t\t\t\t\t\tbreak;\n\n\t\t\t\t\t\tcase DOCUMENT_TYPES.teamImport:\n\t\t\t\t\t\t\tvmObj.state = 'validation-results-team';\n\t\t\t\t\t\t\tvmObj.uploadingProgress = 0;\n\t\t\t\t\t\t\tbreak;\n\n\t\t\t\t\t}\n\t\t\t\t}, 2000);\n\t\t\t})\n\t\t\t.catch(onError);\n\t\t}, 200);\n\t}\n\n\tfunction updateImportMappingTemplateDefault (vmObj) {\n\n\t\tdataImport.updateImportMappingTemplateDefault(vmObj.agencyProfileId, vmObj.importMappingTemplate.ImportMappingID, vmObj.importMappingType, vmObj.importMappingTemplate.IsDefault).catch(onError);\n\t}\n\n\tfunction updateRatesAndUnitsFilter (vmObj) {\n\n\t\tangular.extend(vmObj.filterBarOptionsMappingColumns, {\n\t\t\tfilterExp: (value) => {\n\t\t\t\treturn value.mappingColumnGroupId === vmObj.mappingColumnsIndex || value.ImportMappingColumnType === IMPORT_MAPPING_COLUMN_TYPES.postIdentifier;\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction updateRowAdjustmentLabelByIndex (vmObj, rowIndex, adjustmentLabel) {\n\n\t\tconst adjustmentLabelColumnIndex = getColumnIndexForAdjustmentLabelId(vmObj);\n\n\t\tvmObj.fileData.Rows[rowIndex].adjustmentLabel = adjustmentLabel;\n\t\tvmObj.fileData.Rows[rowIndex].Values[adjustmentLabelColumnIndex] = adjustmentLabel;\n\t\tvmObj.fileData.Rows[rowIndex].cells[adjustmentLabelColumnIndex].value = adjustmentLabel;\n\t}\n\n\tfunction updateRowAdjustmentTypeByIndex (vmObj, rowIndex, adjustmentTypeObj) {\n\n\t\tconst adjustmentTypeColumnIndex = getColumnIndexForAdjustmentTypeId(vmObj);\n\t\tconst adjustmentGroupEntryId = adjustmentTypeObj ? adjustmentsService.getAgencyAdjustmentGroupEntryId(adjustmentTypeObj) : '';\n\n\t\tvmObj.fileData.Rows[rowIndex].adjustmentType = adjustmentTypeObj;\n\t\tvmObj.fileData.Rows[rowIndex].Values[adjustmentTypeColumnIndex] = adjustmentGroupEntryId;\n\t\tvmObj.fileData.Rows[rowIndex].cells[adjustmentTypeColumnIndex].value = adjustmentGroupEntryId;\n\t}\n\n\tfunction updateRowAdjustmentTypeByIndexForLinkElement (vmObj, rowIndex, linkElementObj) {\n\n\t\tconst adjustmentTypeColumnIndex = getColumnIndexForAdjustmentTypeId(vmObj);\n\n\t\tvmObj.fileData.Rows[rowIndex].adjustmentType = linkElementObj;\n\t\tvmObj.fileData.Rows[rowIndex].Values[adjustmentTypeColumnIndex] = linkElementObj.LinkElementID;\n\t\tvmObj.fileData.Rows[rowIndex].cells[adjustmentTypeColumnIndex].value = linkElementObj.LinkElementID;\n\t}\n\n\tfunction updateRowAdjustmentTypeCellValueByIndex (vmObj, rowIndex, cellValue) {\n\n\t\tconst adjustmentTypeCellColumnIndex = vmObj.columnIndexes.adjustmentType;\n\n\t\tvmObj.fileData.Rows[rowIndex].Values[adjustmentTypeCellColumnIndex] = cellValue;\n\t\tvmObj.fileData.Rows[rowIndex].cells[adjustmentTypeCellColumnIndex].value = cellValue;\n\t\tvmObj.fileData.Rows[rowIndex].cells[adjustmentTypeCellColumnIndex].state = 'loading';\n\t\t$timeout(() => {\n\t\t\tvmObj.fileData.Rows[rowIndex].cells[adjustmentTypeCellColumnIndex].state = null;\n\t\t});\n\t}\n\n\tfunction updateRowNetToGrossCellValueByIndex (vmObj, rowIndex, cellValue) {\n\n\t\tconst netToGrossCellColumnIndex = getColumnIndexForNetToGrossId(vmObj);\n\n\t\tvmObj.fileData.Rows[rowIndex].adjustmentType.NetToGross = cellValue;\n\t\tvmObj.fileData.Rows[rowIndex].Values[netToGrossCellColumnIndex] = cellValue;\n\t\tvmObj.fileData.Rows[rowIndex].cells[netToGrossCellColumnIndex].value = cellValue;\n\t}\n\n\tfunction updateRowSettings (vmObj) {\n\n\t\tconst importMappingTemplateId = config.guidEmpty;\n\n\t\tbase.updateAgencyDocumentRowCounts(vmObj.agencyDocumentId, vmObj.fileData.TitleRows, vmObj.fileData.FooterRows).then(() => {\n\n\t\t\tdataImport.importDataCheckFormat(agencyProfileId, payPeriodId, agencyDocumentTypeId, agencyDocumentId, importMappingType, importMappingTemplateId).then(updatedFileDataObj => {\n\n\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\tfileData: importService.decorateFileDataObj(updatedFileDataObj, importMappingType)\n\t\t\t\t});\n\n\t\t\t\tinitMapping(vmObj);\n\t\t\t});\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction getRowValidationResultObjById (fileRowObj, validationResultId) {\n\n\t\treturn fileRowObj.validationResults.find(validationResultObj => {\n\t\t\treturn validationResultObj.ValidationResultID === validationResultId;\n\t\t});\n\t}\n\n\tfunction updateRowByValidationResult (vmObj, responseObj) {\n\n\t\tlet fileRowObj = getFileRowByOriginalIndex(vmObj, responseObj.rowObj.originalIndex);\n\t\tconst validationResultObj = getRowValidationResultObjById(fileRowObj, responseObj.validationResult.ValidationResultID);\n\n\t\tif (angular.isUndefined(validationResultObj)) {\n\t\t\t$rootScope.paycircleMessage('Unable to find validation result object by id.', 'warning');\n\t\t\treturn;\n\t\t}\n\n\t\tvalidationResultObj.isUpdated = true;\n\n\t\tfileRowObj.Values[validationResultObj.ValidationResultColNumber] = responseObj.validationResult.ValidationResultImportValue;\n\t\tfileRowObj.cells[validationResultObj.ValidationResultColNumber].value = responseObj.validationResult.ValidationResultImportValue;\n\t}\n\n\tfunction updateRowUserByOriginalIndex (vmObj, fileRowOriginalIndex, userObj) {\n\n\t\tconst userIdColumnIndex = getColumnIndexForUserId(vmObj);\n\n\t\tlet fileRowObj = getFileRowByOriginalIndex(vmObj, fileRowOriginalIndex);\n\n\t\tangular.extend(fileRowObj, {\n\t\t\tTeamMember: userObj,\n\t\t\tisInvalid: false,\n\t\t\tteamMember: {\n\t\t\t\tname: `${userObj.Forename} ${userObj.Surname}`\n\t\t\t}\n\t\t});\n\n\t\tfileRowObj.Values[userIdColumnIndex] = userObj.UserID;\n\t\tfileRowObj.cells[userIdColumnIndex].value = userObj.UserID;\n\t}\n\n\tfunction updateValidationResult (responseObj, validationResultObj) {\n\n\t\tswitch (responseObj.callbackAction) {\n\n\t\t\t// Restart import\n\t\t\tcase 'restart':\n\t\t\t\tinit();\n\t\t\t\tbreak;\n\n\t\t\t// Update user id\n\t\t\tcase 'update-user-id':\n\t\t\t\tupdateRowUserByOriginalIndex($scope.vm, responseObj.rowOriginalIndex, responseObj.userObj);\n\t\t\t\tresetFileRowCellsByOriginalIndex($scope.vm, responseObj.rowOriginalIndex);\n\t\t\t\tvalidateRowData($scope.vm);\n\t\t\t\tbreak;\n\n\t\t\t// Update validation result (generic)\n\t\t\tcase 'update-validation-result':\n\t\t\t\tupdateRowByValidationResult($scope.vm, responseObj);\n\t\t\t\tresetFileRowCellsByOriginalIndex($scope.vm, responseObj.rowObj.originalIndex);\n\t\t\t\tvalidationResultObj.ValidationResultImportValue = responseObj.validationResult.ValidationResultImportValue;\n\t\t\t\tvalidateRowData($scope.vm);\n\t\t\t\tbreak;\n\t\t}\n\t}\n\n\tfunction validateCellData (vmObj, cellObj) {\n\n\t\tcellObj.state = 'loading';\n\n\t\t$timeout(() => {\n\n\t\t\tvalidateColumnState(vmObj, cellObj.originalIndex);\n\t\t\tvalidateRowData(vmObj);\n\t\t\tvalidateMapping(vmObj);\n\t\t\tcountPopulatedCellsForColumnByCellIndex(vmObj, cellObj.originalIndex);\n\n\t\t\tcellObj.state = 'ready';\n\t\t});\n\t}\n\n\tfunction validateCellsForColumn (vmObj, columnOriginalIndex) {\n\n\t\tutilities.profilingStart('Importer Validate Cells');\n\n\t\tvmObj.fileData.Rows.forEach(rowObj => {\n\n\t\t\tlet cellObj = getRowCellByOriginalIndex(vmObj, rowObj.originalIndex, columnOriginalIndex);\n\n\t\t\tconst isCellValid = getIsCellObjValid(vmObj, columnOriginalIndex, rowObj.originalIndex);\n\n\t\t\tcellObj.isValid = isCellValid;\n\t\t});\n\n\t\tutilities.profilingEnd('Importer Validate Cells');\n\t}\n\n\tfunction validateColumnState (vmObj, columnOriginalIndex) {\n\n\t\tlet fileColumnObj = getFileColumnByOriginalIndex(vmObj, columnOriginalIndex);\n\n\t\t// No need to validate if not mapped\n\t\tif (!fileColumnObj.isInUse) {\n\t\t\treturn;\n\t\t}\n\n\t\tfileColumnObj.state = getDataValidationStateForFileColumnIndex(vmObj, columnOriginalIndex);\n\t}\n\n\tfunction validateColumnsInUse (vmObj) {\n\n\t\tvmObj.fileData.Columns.forEach(columnObj => {\n\n\t\t\tif (!IS_BUREAU_MAPPING && columnObj.isInUse) {\n\n\t\t\t\tvalidateCellsForColumn(vmObj, columnObj.originalIndex);\n\t\t\t\tvalidateColumnState(vmObj, columnObj.originalIndex);\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction validateMapping (vmObj) {\n\n\t\tutilities.profilingStart('Importer Validate Mapping');\n\n\t\tvmObj.isMappingValid = true;\n\t\tvmObj.totalValidationValue = 0;\n\t\tvmObj.totalMappedColumns = 0;\n\n\t\t// Check 1: Make sure file data is valid for all and total up validation value\n\t\tvmObj.fileData.Columns.forEach((fileColumnObj) => {\n\n\t\t\tif (fileColumnObj.isInUse) {\n\n\t\t\t\tif (!IS_BUREAU_MAPPING) {\n\t\t\t\t\tvmObj.totalValidationValue += fileColumnObj.ImportMappingColumnValidationValue;\n\n\t\t\t\t\tif (!fileColumnObj.state || angular.isUndefined(fileColumnObj.state) || fileColumnObj.state === 'invalid') {\n\t\t\t\t\t\tvmObj.isMappingValid = false;\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\tvmObj.totalMappedColumns++;\n\t\t\t}\n\t\t});\n\n\t\tutilities.profilingEnd('Importer Validate Mapping');\n\n\t\t// Further validation is not required for Bureau Mapping Templates\n\t\tif (IS_BUREAU_MAPPING) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Further validation is not required in 'validate' phase as header mapping is not applicable\n\t\tif (vmObj.state === 'validation-results-team') {\n\t\t\treturn;\n\t\t}\n\n\t\t// Check 2: Make sure enough headers are mapped (total in use columns should add up to more than 100)\n\t\tif (vmObj.totalValidationValue < 100) {\n\t\t\tvmObj.isMappingValid = false;\n\t\t}\n\t}\n\n\tfunction validateRowData (vmObj) {\n\n\t\tutilities.profilingStart('Importer Validate Rows');\n\n\t\tangular.extend(vmObj, {\n\t\t\tisIgnoreAllRowsEnabled: getIsIgnoreAllRowsEnabled(vmObj),\n\t\t\tisRowDataValid: importService.isRowDataValid(vmObj.fileData, importMappingType, IS_BUREAU_MAPPING),\n\t\t});\n\n\t\tconst filterKey = vmObj.isRowDataValid ? FILTER_KEYS.dataImporterValidate.validationState.all : FILTER_KEYS.dataImporterValidate.validationState.invalid;\n\n\t\tselectMappingFilterByKey(vmObj, filterKey);\n\n\t\tutilities.profilingEnd('Importer Validate Rows');\n\t}\n\n\tfunction getInitialState (importMappingType) {\n\t\tif (importMappingType === IMPORT_MAPPING_TYPES.xeroNominalCodes) {\n\t\t\treturn 'xero-loading';\n\t\t} else if (importMappingType === IMPORT_MAPPING_TYPES.accessFinancialsNominalAccounts || importMappingType === IMPORT_MAPPING_TYPES.accessFinancialsBusinessCategories) {\n\t\t\treturn 'financials-loading';\n\t\t} else {\n\t\t\treturn 'mapping'; // 'mapping', 'validate'\n\t\t}\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tDOCUMENT_TYPES,\n\t\tERROR_STATES,\n\t\tFILTER_KEYS,\n\t\tIMPORT_CONTEXT_TYPES,\n\t\tIMPORT_MAPPING_TYPES,\n\t\tIS_BUREAU_MAPPING,\n\t\tSHOW_HIDDEN_COLUMNS,\n\t\tVALIDATION_TYPES,\n\t\tVALIDATION_TYPE_LEVELS,\n\t\tautoMapColumnsByName,\n\t\tbackNgHref,\n\t\tcountPopulatedCellsForColumn,\n\t\tdeleteColumnMapping,\n\t\teditCell,\n\t\tgetFullNameDescriptionForRow,\n\t\tgetNIDescriptionForRow,\n\t\thasScrollWidth: utilities.hasScrollWidth,\n\t\thideEmptyColumns,\n\t\timportMappingType,\n\t\tinitMapping,\n\t\tisFullScreenActive: utilities.isFullScreenActive,\n\t\tisMappingHeaderIndexSet,\n\t\tgenerateUserImport,\n\t\tmapColumn,\n\t\tonToggleFullScreen,\n\t\topenEditPayElementNetToGrossForm,\n\t\topenMappingTemplateForm,\n\t\topenMatchChangeTypeFormHorizontal,\n\t\topenMatchPayslipLabelForm,\n\t\topenMatchLinkElementFormHorizontal,\n\t\topenMatchLinkElementFormVertical,\n\t\topenUpdateValidationResultForm,\n\t\topenValidateDataForm,\n\t\treValidateAll,\n\t\treviewActiveMappingColumn,\n\t\trestartImport: init,\n\t\tsetActiveValidationResultFilter,\n\t\tsetImportState,\n\t\tshowEmptyColumns,\n\t\tshowMoreMappingColumns,\n\t\ttoggleIsIgnoreAllRowsEnabled,\n\t\ttoggleMappingFilter,\n\t\ttoggleShowColumn,\n\t\ttoggleShowContext,\n\t\tupdateImportMappingFile,\n\t\tupdateRowSettings,\n\t\tvalidateCellData\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('dataImporterValidateXMLFileCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'$timeout',\n\t'base',\n\t'dataImport',\n\t'filterService',\n\t'importService',\n\t'utilities',\n\t'DOCUMENT_TYPES',\n\t'FILTER_KEYS',\n\t'IMPORT_MAPPING_TYPES',\n\t'VALIDATION_COLUMN_TYPES',\n\t'VALIDATION_COLUMN_TYPES_NAMES',\n\t'VALIDATION_TYPES',\n\t'VALIDATION_TYPE_LEVELS',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tbase,\n\t\tdataImport,\n\t\tfilterService,\n\t\timportService,\n\t\tutilities,\n\t\tDOCUMENT_TYPES,\n\t\tFILTER_KEYS,\n\t\tIMPORT_MAPPING_TYPES,\n\t\tVALIDATION_COLUMN_TYPES,\n\t\tVALIDATION_COLUMN_TYPES_NAMES,\n\t\tVALIDATION_TYPES,\n\t\tVALIDATION_TYPE_LEVELS\n\t) {\n\n\tconst SHOW_HIDDEN_COLUMNS = false;\n\n\tconst agencyDocumentId = $stateParams.agencyDocumentId;\n\tconst agencyDocumentType = parseInt($stateParams.agencyDocumentType);\n\tconst agencyDocumentTypeId = importService.getDocumentTypeIdForAgencyDocumentType(agencyDocumentType);\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst backState = $stateParams.backState;\n\tconst payPeriodId = $stateParams.payPeriodId;\n\tlet importMappingType = parseInt($stateParams.importMappingType);\n\n\tconst backNgHref = importService.getImportBackHrefForAgencyDocumentType(agencyDocumentType, agencyProfileId, backState);\n\n\tfunction generateUserImport (vmObj, reviewValidRows) {\n\n\t\treviewValidRows = angular.isDefined(reviewValidRows) ? true : false;\n\n\t\tif (getIsNothingToImport(vmObj, reviewValidRows)) {\n\n\t\t\t$rootScope.openModalDialog({\n\t\t\t\tmodalKey: 'imports-nothing-to-import'\n\t\t\t});\n\n\t\t\treturn;\n\t\t}\n\n\t\tvmObj.state = 'importing';\n\n\t\t$timeout(() => {\n\t\t\tvmObj.importingPercentComplete = 100;\n\t\t}, 200);\n\n\t\timportService.reMapValues(vmObj.fileData.Rows);\n\n\t\tdataImport.generateUserImport(agencyProfileId, payPeriodId, agencyDocumentId, vmObj.fileData, importMappingType).then((responseObj) => {\n\n\t\t\tvmObj.importSummary = responseObj;\n\n\t\t\t$timeout(() => {\n\t\t\t\tvmObj.state = 'imported';\n\t\t\t}, 2000);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction getColumnIndexForUserId (vmObj) {\n\t\treturn getIndexForColumnType(vmObj, VALIDATION_COLUMN_TYPES.userId);\n\t}\n\n\tfunction getFileRowByOriginalIndex (vmObj, fileRowOriginalIndex) {\n\n\t\treturn utilities.getArrayItemByPropertyName(vmObj.fileData.Rows, 'originalIndex', fileRowOriginalIndex);\n\t}\n\n\tfunction getIsIgnoreAllRowsEnabled (vmObj) {\n\n\t\tif (vmObj.activeValidationResultFilter && vmObj.fileData.rowsFiltered && vmObj.fileData.rowsFiltered.length > 0) {\n\t\t\treturn vmObj.fileData.rowsFiltered.every(rowObj => rowObj.Ignore);\n\t\t}\n\t\telse {\n\t\t\treturn vmObj.fileData.Rows.every(rowObj => rowObj.Ignore);\n\t\t}\n\t}\n\n\tfunction getIsNothingToImport (vmObj, reviewValidRows) {\n\t\treturn (\n\t\t\treviewValidRows &&\n\t\t\tvmObj.fileData.validRowCount === 0 ||\n\t\t\t(vmObj.fileData.ignoreRowCount === vmObj.fileData.Rows.length)\n\t\t);\n\t}\n\n\tfunction getIndexForColumnType (vmObj, columnType) {\n\n\t\tconst returnIndex = utilities.getArrayItemIndexByPropertyName(vmObj.fileData.Columns, 'ImportMappingColumnText', columnType);\n\n\t\t// Column not found\n\t\tif (!returnIndex) {\n\t\t\t$rootScope.paycircleMessage('Importer: Unable to get column index for ' + VALIDATION_COLUMN_TYPES_NAMES[columnType], 'error');\n\t\t\tsetPageState('error');\n\t\t\treturn returnIndex;\n\t\t}\n\n\t\treturn returnIndex;\n\t}\n\n\tfunction init () {\n\n\t\tif (!isStateValid()) {\n\t\t\tsetPageState('error');\n\t\t\treturn;\n\t\t}\n\n\t\tsetPageState('loading');\n\n\t\t// Review import mapping type. E.g. -1 = CIS pay elements but uses pay elements type\n\t\timportMappingType = importService.reviewImportMappingType(importMappingType);\n\n\t\tbase.getCompanyDocument(agencyDocumentId).then(documentObj => {\n\n\t\t\t$scope.vm = {\n\t\t\t\tagencyDocumentId: agencyDocumentId,\n\t\t\t\tagencyProfileId: agencyProfileId,\n\t\t\t\tdocument: documentObj,\n\t\t\t\tstateKey: $state.current.name\n\t\t\t};\n\n\t\t\tinitMapping($scope.vm);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction initMapping (vmObj) {\n\n\t\tsetPageState('loading');\n\n\t\tdataImport.importDataCheckFormat(agencyProfileId, payPeriodId, agencyDocumentTypeId, agencyDocumentId, importMappingType).then(fileDataObj => {\n\n\t\t\tangular.extend(vmObj, {\n\t\t\t\tactiveValidationResultFilter: (v) => { return v; },\n\t\t\t\tagencyDocumentType: agencyDocumentType,\n\t\t\t\tcolumnIndexes: {\n\t\t\t\t\tadjustmentType: null\n\t\t\t\t},\n\t\t\t\tfileData: importService.decorateFileDataObj(fileDataObj, importMappingType),\n\t\t\t\tfilterBarOptions: filterService.dataImporterValidate,\n\t\t\t\tfilteredRows: [],\n\t\t\t\thiddenColumnsArr: importService.getHiddenColumnsArr(fileDataObj),\n\t\t\t\timportingPercentComplete: 0,\n\t\t\t\tisIgnoreAllRowsEnabled: false,\n\t\t\t\tisRowDataValid: importService.isRowDataValid(fileDataObj, importMappingType),\n\t\t\t\tisVertical: true,\n\t\t\t\tpayPeriodId: payPeriodId,\n\t\t\t\tshowHiddenColumnsFilter: (value) => {\n\n\t\t\t\t\tif (SHOW_HIDDEN_COLUMNS) {\n\t\t\t\t\t\treturn value;\n\t\t\t\t\t}\n\n\t\t\t\t\treturn !value.ImportMappingColumnHidden;\n\t\t\t\t},\n\t\t\t\tstate: 'validating', // 'mapping', 'validate'\n\t\t\t\tuploadingProgress: 0\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\n\t\t\tupdateImportMappingFile($scope.vm);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction isStateValid () {\n\n\t\tif (angular.isUndefined(agencyDocumentId)) {\n\t\t\t$rootScope.paycircleMessage('No document id defined', 'error');\n\t\t\treturn false;\n\t\t}\n\n\t\tif (isNaN(agencyDocumentType)) {\n\t\t\t$rootScope.paycircleMessage('No agency document type defined', 'error');\n\t\t\treturn false;\n\t\t}\n\n\t\tif (angular.isUndefined(agencyProfileId)) {\n\t\t\t$rootScope.paycircleMessage('No agency profile id defined', 'error');\n\t\t\treturn false;\n\t\t}\n\n\t\tif (isNaN(importMappingType)) {\n\t\t\t$rootScope.paycircleMessage('No import mapping type defined', 'error');\n\t\t\treturn false;\n\t\t}\n\n\t\tif (angular.isUndefined(payPeriodId)) {\n\t\t\t$rootScope.paycircleMessage('No pay period id defined', 'error');\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openValidateDataForm (rowObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateValidationResult,\n\t\t\tformKey: 'validate-data',\n\t\t\trowObj: rowObj,\n\t\t\ttitle: rowObj.actionMessage\n\t\t});\n\t}\n\n\tfunction resetFileRowCellsByOriginalIndex (vmObj, fileRowOriginalIndex) {\n\n\t\tlet fileRowObj = getFileRowByOriginalIndex(vmObj, fileRowOriginalIndex);\n\n\t\tfileRowObj.isInvalid = false;\n\t}\n\n\tfunction reValidateAll (vmObj) {\n\t\tvalidateRowData(vmObj);\n\t}\n\n\tfunction setImportState (vmObj, importState) {\n\t\tvmObj.state = importState;\n\t}\n\n\tfunction setPageState (pageState, errorState) {\n\n\t\t$scope.pageState = pageState;\n\n\t\tif (angular.isDefined(errorState)) {\n\t\t\t$scope.errorState = errorState;\n\t\t}\n\t}\n\n\tfunction setupValidationResultsTabs (vmObj) {\n\n\t\tvmObj.validationResultFilters = [\n\t\t\t{\n\t\t\t\tcanIgnore: true,\n\t\t\t\thasActions: true,\n\t\t\t\tisHiddenWhenEmpty: true,\n\t\t\t\tisTeamMemberMatched: false,\n\t\t\t\ttitle: 'Warnings',\n\t\t\t\ttheme: 'assertive inverse',\n\t\t\t\tthemeActive: 'primary',\n\t\t\t\ttotal: 0,\n\t\t\t\tfilterKey: VALIDATION_TYPE_LEVELS.warning,\n\t\t\t\tfilter: (v) => {\n\t\t\t\t\treturn v.validationResults !== undefined && v.validationResults.length > 0 && v.validationResultTypes.includes(VALIDATION_TYPE_LEVELS.warning);\n\t\t\t\t}\n\t\t\t},\n\t\t\t{\n\t\t\t\tcanIgnore: true,\n\t\t\t\thasActions: false,\n\t\t\t\tisHiddenWhenEmpty: false,\n\t\t\t\tisTeamMemberMatched: true,\n\t\t\t\ttitle: 'Current team',\n\t\t\t\ttheme: 'primary',\n\t\t\t\tthemeActive: 'primary',\n\t\t\t\ttotal: 0,\n\t\t\t\tfilterKey: VALIDATION_TYPE_LEVELS.update,\n\t\t\t\tfilter: (v) => {\n\t\t\t\t\treturn v.validationResults !== undefined && v.validationResults.length > 0 && v.validationResultTypes.includes(VALIDATION_TYPE_LEVELS.update);\n\t\t\t\t}\n\t\t\t},\n\t\t\t{\n\t\t\t\tcanIgnore: true,\n\t\t\t\thasActions: false,\n\t\t\t\tisHiddenWhenEmpty: false,\n\t\t\t\tisTeamMemberMatched: false,\n\t\t\t\ttitle: 'New',\n\t\t\t\ttheme: 'primary',\n\t\t\t\tthemeActive: 'primary',\n\t\t\t\ttotal: 0,\n\t\t\t\tfilterKey: VALIDATION_TYPE_LEVELS.new,\n\t\t\t\tfilter: (v) => {\n\t\t\t\t\treturn v.validationResults !== undefined && v.validationResults.length > 0 && v.validationResultTypes.includes(VALIDATION_TYPE_LEVELS.new);\n\t\t\t\t}\n\t\t\t},\n\t\t\t{\n\t\t\t\tcanIgnore: false,\n\t\t\t\thasActions: false,\n\t\t\t\tisHiddenWhenEmpty: false,\n\t\t\t\tisTeamMemberMatched: true,\n\t\t\t\ttitle: 'Ignored',\n\t\t\t\ttheme: 'primary',\n\t\t\t\tthemeActive: 'primary',\n\t\t\t\ttotal: 0,\n\t\t\t\tfilterKey: VALIDATION_TYPE_LEVELS.unchanged,\n\t\t\t\tfilter: (v) => {\n\t\t\t\t\treturn v.validationResults !== undefined && v.validationResults.length > 0 && v.validationResultTypes.includes(VALIDATION_TYPE_LEVELS.unchanged);\n\t\t\t\t}\n\t\t\t}\n\t\t];\n\n\t\t// Counts\n\t\tvmObj.fileData.Rows.forEach((rowObj) => {\n\n\t\t\t// Skip ignored rows\n\t\t\tif (rowObj.Ignore) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// No validation result returned for row\n\t\t\tif (angular.isUndefined(rowObj.validationResults) || rowObj.validationResults.length === 0) {\n\t\t\t\tconsole.info(rowObj);\n\t\t\t\tthrow `Validation Result not defined for row. Each row should have an associated validation result, whether it's valid or not`;\n\t\t\t}\n\n\t\t\trowObj.validationResults.forEach(validationResultObj => {\n\n\t\t\t\tswitch (validationResultObj.ValidationType.ValidationTypeLevel) {\n\n\t\t\t\t\tcase VALIDATION_TYPE_LEVELS.warning:\n\t\t\t\t\t\tvmObj.validationResultFilters[0].total++;\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase VALIDATION_TYPE_LEVELS.update:\n\t\t\t\t\t\tvmObj.validationResultFilters[1].total++;\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase VALIDATION_TYPE_LEVELS.new:\n\t\t\t\t\t\tvmObj.validationResultFilters[2].total++;\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase VALIDATION_TYPE_LEVELS.unchanged:\n\t\t\t\t\t\tvmObj.validationResultFilters[3].total++;\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t});\n\t\t});\n\n\t\tif (vmObj.validationResultFilters[0].total === 1) {\n\t\t\tvmObj.validationResultFilters[0].title = 'Warning';\n\t\t}\n\n\t\tsetActiveValidationResultFilter(vmObj, importService.getFirstFilterWithResults(vmObj.validationResultFilters));\n\t}\n\n\tfunction setActiveValidationResultFilter (vmObj, validationResultFilterObj) {\n\n\t\tvmObj.activeValidationResultFilter = validationResultFilterObj;\n\n\t\t$timeout(() => {\n\t\t\tvmObj.isIgnoreAllRowsEnabled = getIsIgnoreAllRowsEnabled(vmObj);\n\t\t});\n\t}\n\n\tfunction toggleIsIgnoreAllRowsEnabled (vmObj, filteredRowsArr) {\n\n\t\tfunction toggleIgnoreRow (rowObj) {\n\t\t\treturn rowObj.Ignore = vmObj.isIgnoreAllRowsEnabled;\n\t\t}\n\n\t\tif (filteredRowsArr) {\n\t\t\tfilteredRowsArr.forEach(toggleIgnoreRow);\n\t\t}\n\t\telse {\n\t\t\tvmObj.fileData.Rows.forEach(toggleIgnoreRow);\n\t\t}\n\n\t\treValidateAll(vmObj);\n\t}\n\n\tfunction updateImportMappingFile (vmObj, reviewValidRows) {\n\n\t\treviewValidRows = angular.isDefined(reviewValidRows) ? true : false;\n\n\t\tif (getIsNothingToImport(vmObj, reviewValidRows)) {\n\n\t\t\t$rootScope.openModalDialog({\n\t\t\t\tmodalKey: 'imports-nothing-to-import'\n\t\t\t});\n\n\t\t\treturn;\n\t\t}\n\n\t\tvmObj.state = 'validating';\n\n\t\t$timeout(() => {\n\n\t\t\tvmObj.uploadingProgress = 50;\n\n\t\t\t// Re-map values\n\t\t\timportService.reMapValues(vmObj.fileData.Rows);\n\n\t\t\tdataImport.updateImportMappingFile(agencyProfileId, payPeriodId, agencyDocumentId, vmObj.fileData, importMappingType).then((updatedFileDataObj) => {\n\n\t\t\t\tvmObj.uploadingProgress = 100;\n\n\t\t\t\tvmObj.fileData = importService.decorateFileDataObj(updatedFileDataObj, importMappingType);\n\n\t\t\t\t// Validation results\n\t\t\t\tif (updatedFileDataObj.ValidationResults) {\n\n\t\t\t\t\timportService.mapValidationErrors(vmObj.fileData.ValidationResults, vmObj.fileData.Rows);\n\n\t\t\t\t\tvalidateRowData(vmObj);\n\n\t\t\t\t\tsetupValidationResultsTabs(vmObj);\n\t\t\t\t}\n\n\t\t\t\t// Invalid\n\t\t\t\tif (importService.hasInvalidValidationResults(vmObj.fileData.ValidationResults)) {\n\n\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\tvmObj.state = 'validate';\n\t\t\t\t\t\tvmObj.uploadingProgress = 0;\n\t\t\t\t\t}, 2000);\n\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Valid\n\t\t\t\t$timeout(() => {\n\t\t\t\t\tvmObj.state = 'validate';\n\t\t\t\t\tvmObj.uploadingProgress = 0;\n\t\t\t\t}, 2000);\n\t\t\t})\n\t\t\t.catch(onError);\n\t\t}, 200);\n\t}\n\n\tfunction updateRowUserByOriginalIndex (vmObj, rowOriginalIndex, userObj) {\n\n\t\tconst userIdColumnIndex = getColumnIndexForUserId(vmObj);\n\n\t\tlet fileRowObj = getFileRowByOriginalIndex(vmObj, rowOriginalIndex);\n\n\t\tangular.extend(fileRowObj, {\n\t\t\tTeamMember: userObj,\n\t\t\tisInvalid: false,\n\t\t\tteamMember: {\n\t\t\t\tname: `${userObj.Forename} ${userObj.Surname}`\n\t\t\t}\n\t\t});\n\n\t\tfileRowObj.Values[userIdColumnIndex] = userObj.UserID;\n\t\tfileRowObj.cells[userIdColumnIndex].value = userObj.UserID;\n\t}\n\n\tfunction updateValidationResult (responseObj) {\n\n\t\tswitch (responseObj.callbackAction) {\n\n\t\t\t// Restart import\n\t\t\tcase 'restart':\n\t\t\t\tinit();\n\t\t\t\tbreak;\n\n\t\t\t// Update user id\n\t\t\tcase 'update-user-id':\n\t\t\t\tupdateRowUserByOriginalIndex($scope.vm, responseObj.rowOriginalIndex, responseObj.userObj);\n\t\t\t\tresetFileRowCellsByOriginalIndex($scope.vm, responseObj.rowOriginalIndex);\n\t\t\t\tvalidateRowData($scope.vm);\n\t\t\t\tbreak;\n\t\t}\n\t}\n\n\tfunction validateRowData (vmObj) {\n\n\t\tangular.extend(vmObj, {\n\t\t\tisIgnoreAllRowsEnabled: getIsIgnoreAllRowsEnabled(vmObj),\n\t\t\tisRowDataValid: importService.isRowDataValid(vmObj.fileData, importMappingType),\n\t\t});\n\t}\n\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tDOCUMENT_TYPES,\n\t\tFILTER_KEYS,\n\t\tIMPORT_MAPPING_TYPES,\n\t\tSHOW_HIDDEN_COLUMNS,\n\t\tVALIDATION_TYPE_LEVELS,\n\t\tVALIDATION_TYPES,\n\n\t\tbackNgHref,\n\t\timportMappingType,\n\n\t\tgenerateUserImport,\n\t\tinitMapping,\n\t\topenValidateDataForm,\n\t\trestartImport: init,\n\t\treValidateAll,\n\t\tsetActiveValidationResultFilter,\n\t\tsetImportState,\n\t\ttoggleIsIgnoreAllRowsEnabled,\n\t\tupdateImportMappingFile\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tconst directory = 'features/app/reporting/';\n\n\t$stateProvider\n\n\t.state('reporting', {\n\t\tabstract: true,\n\t\turl: '/reporting/:agencyProfileId',\n\t\tcontroller: 'reportingCtrl',\n\t\tdata: {\n\t\t\thelpAndSupportOptions: {\n\t\t\t\ttags: ['company-reporting']\n\t\t\t},\n\t\t\tpermissions: [\n\t\t\t\t'isReportingVisible'\n\t\t\t],\n\t\t\ttitle: 'Reporting'\n\t\t},\n\t\ttemplateUrl: directory + 'reporting.view.html',\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t}\n\t})\n\n\t\t.state('reporting.summary', {\n\t\t\turl: '',\n\t\t\ttemplateUrl: directory + 'summary/reporting-summary.view.html',\n\t\t\tcontroller: 'reportingSummaryCtrl',\n\t\t\tdata: {\n\t\t\t\tshowReportingHeader: true\n\t\t\t}\n\t\t})\n\n\t\t// .state('reporting.saved-settings', {\n\t\t// \turl: '/saved-settings',\n\t\t// \ttemplateUrl: directory + 'saved-settings/reporting-saved-settings.view.html',\n\t\t// \tcontroller: 'reportingSavedSettingsCtrl',\n\t\t// \tdata: {\n\t\t// \t\tshowReportingHeader: true\n\t\t// \t}\n\t\t// })\n\n\t\t.state('reporting.report', {\n\t\t\treload: true,\n\t\t\turl: '/:reportTemplateId?agencyPayPeriodId',\n\t\t\ttemplateUrl: directory + 'report/reporting-report.view.html',\n\t\t\tcontroller: 'reportingReportCtrl',\n\t\t\tdata: {\n\t\t\t\tshowReportingHeader: false\n\t\t\t},\n\t\t\tparams: {\n\t reportDTO: null,\n\t\t\t\treturnTo: null\n\t }\n\t\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('reportingCtrl', [\n\t'$scope',\n\t'$state',\n\tfunction (\n\t\t$scope,\n\t\t$state\n\t){\n\n\tangular.extend($scope, {\n\t\tshowReportingHeader: $state.current.data.showReportingHeader\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('reportingSummaryCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$stateParams',\n\t'$scope',\n\t'filterService',\n\t'reportData',\n\t'reportsService',\n\t'searchService',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$stateParams,\n\t\t$scope,\n\t\tfilterService,\n\t\treportData,\n\t\treportsService,\n\t\tsearchService\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tif ($rootScope.currentCompany.isPayrollCompany) {\n\t\t\treportData.getReports(agencyProfileId)\n\t\t\t\t.then(loadPage)\n\t\t\t\t.catch(onError);\n\n\t\t} else {\n\n\t\t\treportData.getCustomReports(agencyProfileId)\n\t\t\t\t.then(loadPage)\n\t\t\t\t.catch(onError);\n\t\t}\n\t}\n\n\tfunction decorateReports (reportsArr) {\n\n\t\tfor (let reportObj of reportsArr) {\n\t\t\treportsService.decorateReportDTO(reportObj);\n\t\t}\n\n\t\treturn reportsArr.filter(reportObj => reportObj.CanView);\n\t}\n\n\tfunction loadPage (reportsArr) {\n\n\t\t$scope.vm = {\n\t\t\treports: decorateReports(reportsArr),\n\t\t\tfilterBarOptions: filterService.reports,\n\t\t\treportsFiltered: [],\n\t\t\tsearchBarOptions: searchService.reports\n\t\t};\n\n\t\tsetPageState('ready');\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction setPageState (newPageState) {\n\t\t$scope.pageState = newPageState;\n\t}\n\n\tinit();\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('reportingSavedSettingsCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'searchService',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\tsearchService\n\t) {\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\t//todo: integrate\n\t\tlet savedSettingsArr = [\n\t\t\t{\n\t\t\t\tReportName: 'Saved Settings name',\n\t\t\t\tReportType: 'pension',\n\t\t\t\tReportTypeDisplay: 'Payroll totals by department',\n\t\t\t\tReportCreator: 'Anand Davis',\n\t\t\t\tReportCreationDateISO: '2019-06-06T00:00:00',\n\t\t\t\tReportCompanyCount: 44,\n\t\t\t\treportTheme: 'is-primary'\n\t\t\t},\n\t\t\t{\n\t\t\t\tReportName: 'Saved Settings name 2',\n\t\t\t\tReportType: 'pension',\n\t\t\t\tReportTypeDisplay: 'Payroll totals by department',\n\t\t\t\tReportCreator: 'Anand Davis',\n\t\t\t\tReportCreationDateISO: '2019-05-06T00:00:00',\n\t\t\t\tReportCompanyCount: 44,\n\t\t\t\treportTheme: 'is-secondary'\n\t\t\t},\n\t\t\t{\n\t\t\t\tReportName: 'Saved Settings name 3',\n\t\t\t\tReportType: 'pension',\n\t\t\t\tReportTypeDisplay: 'Payroll totals by department',\n\t\t\t\tReportCreator: 'Anand Davis',\n\t\t\t\tReportCreationDateISO: '2019-04-06T00:00:00',\n\t\t\t\tReportCompanyCount: 44,\n\t\t\t\treportTheme: 'is-tertiary'\n\t\t\t},\n\t\t\t{\n\t\t\t\tReportName: 'Saved Settings name 4',\n\t\t\t\tReportType: 'pension',\n\t\t\t\tReportTypeDisplay: 'Payroll totals by department',\n\t\t\t\tReportCreator: 'Anand Davis',\n\t\t\t\tReportCreationDateISO: '2019-03-06T00:00:00',\n\t\t\t\tReportCompanyCount: 44,\n\t\t\t\treportTheme: 'is-quarternary'\n\t\t\t},\n\t\t\t{\n\t\t\t\tReportName: 'Saved Settings name 5',\n\t\t\t\tReportType: 'pension',\n\t\t\t\tReportTypeDisplay: 'Payroll totals by department',\n\t\t\t\tReportCreator: 'Anand Davis',\n\t\t\t\tReportCreationDateISO: '2019-02-06T00:00:00',\n\t\t\t\tReportCompanyCount: 44,\n\t\t\t\treportTheme: 'is-assertive'\n\t\t\t}\n\t\t];\n\n\t\t$scope.vm = {\n\t\t\tsavedSettings: savedSettingsArr\n\t\t};\n\n\t\tsetPageState('ready');\n\t}\n\n\tfunction setPageState (newPageState) {\n\n\t\t$scope.pageState = newPageState;\n\t}\n\n\tinit();\n\n\t$scope.searchBarOptions = searchService.reportSettings;\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('reportingReportCtrl', [\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\tfunction (\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams\n\t) {\n\n\tfunction onGoBack () {\n\n\t\tconst returnToState = $stateParams.returnTo ? $stateParams.returnTo : 'reporting.summary';\n\n\t\treturn $state.go(returnToState, {\n\t\t\tagencyProfileId: $stateParams.agencyProfileId\n\t\t}, {\n\t\t\treload: true\n\t\t});\n\t}\n\n\tangular.extend($scope, {\n\t\treportOptions: $stateParams,\n\t\tonGoBack\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar directory = 'features/app/eps-importer/';\n\n\t$stateProvider\n\n\t.state('eps-importer', {\n\t\turl: '/eps-importer/{agencyProfileId}&from',\n\t\ttemplateUrl: directory + 'epsImporterView.html',\n\t\tcontroller: 'epsImporterCtrl',\n\t\tdata: {\n\t\t fullPage: true,\n\t\t title: 'EPS Importer'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('epsImporterCtrl', [\n\t'$q',\n\t'$scope',\n\t'$stateParams',\n\t'$timeout',\n\t'agency',\n\t'dataImport',\n\t'dataTransfer',\n\t'growl',\n\t'importService',\n\t'libraries',\n\t'payrollData',\n\t'payrollWorker',\n\t'DOCUMENT_TYPE_IDS',\n\t'IMPORT_TYPES',\n\t'STATE_TYPES',\n\t'SUBMISSION_STATES',\n\t'VALIDATION_FIELD_TYPES',\n\tfunction (\n\t\t$q,\n\t\t$scope,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tagency,\n\t\tdataImport,\n\t\tdataTransfer,\n\t\tgrowl,\n\t\timportService,\n\t\tlibraries,\n\t\tpayrollData,\n\t\tpayrollWorker,\n\t\tDOCUMENT_TYPE_IDS,\n\t\tIMPORT_TYPES,\n\t\tSTATE_TYPES,\n\t\tSUBMISSION_STATES,\n\t\tVALIDATION_FIELD_TYPES\n\t) {\n\n\tvar agencyProfileId = $stateParams.agencyProfileId;\n\tvar timerId;\n\n\tfunction checkWorkerImportState (payPeriod) {\n\n\t\tvar payPeriodId = payPeriod.PayPeriodID;\n\n\t\tif (payPeriod.WorkerImportState === SUBMISSION_STATES.unsubmitted) {\n\n\t\t\tsetPageState('ready');\n\n\t\t\treturn;\n\t\t}\n\n\t\tagency.getAgencyPayPeriodState(payPeriodId, STATE_TYPES.workerimport).then(function (workerImportState) {\n\n\t\t\tpayPeriod.WorkerImportState = workerImportState;\n\n\t\t\tswitch (workerImportState) {\n\n\t\t\t\t// If import has errors then we get those errors and stop checking the status\n\t\t\t\tcase SUBMISSION_STATES.haserrors1:\n\t\t\t\tcase SUBMISSION_STATES.haserrors2:\n\t\t\t\tcase SUBMISSION_STATES.verified:\n\n\t\t\t\t\t// Reset uploader progress state\n\t\t\t\t\t$scope.uploadingProgress = 0;\n\n\t\t\t\t\tbreak;\n\n\t\t\t\tcase SUBMISSION_STATES.submitting:\n\t\t\t\tcase SUBMISSION_STATES.processing1:\n\t\t\t\tcase SUBMISSION_STATES.processing2:\n\n\t\t\t\t\ttimerId = $timeout(function () {\n\t\t\t\t\t\tcheckWorkerImportState(payPeriod);\n\t\t\t\t\t}, 3000);\n\n\t\t\t\t\tbreak;\n\n\t\t\t\tdefault:\n\n\t\t\t\t\t// Reset uploader progress state\n\t\t\t\t\t$scope.uploadingProgress = 0;\n\t\t\t}\n\t\t})\n\t\t.catch(function () {\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction importData (payPeriod) {\n\n\t\t// Set to processing\n\t\tpayPeriod.WorkerImportState = SUBMISSION_STATES.processing2;\n\n\t\t// Actually update the pay period state on the server\n\t\tdataImport.updateAgencyPayPeriodImportWorkerStatus(payPeriod.PayPeriodID, SUBMISSION_STATES.processing2).then(function () {\n\n\t\t\t// Kick start the actual import\n\t\t\tpayrollWorker.payrollDataImport(agencyProfileId, payPeriod.PayPeriodID, IMPORT_TYPES.eps);\n\n\t\t\t// Kick off polling for state, after a short delay\n\t\t\ttimerId = $timeout(function () {\n\t\t\t\tcheckWorkerImportState(payPeriod);\n\t\t\t}, 3000);\n\t\t})\n\t\t.catch(function () {\n\t\t\tgrowl.error('We were unable to change the status of the import.');\n\t\t});\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tpayrollData.getPayPeriodCurrent(agencyProfileId).then(function (currentPayPeriodObj) {\n\n\t\t\t$scope.currentPayPeriod = currentPayPeriodObj;\n\n\t\t\tsetupImporter(currentPayPeriodObj);\n\n\t\t\tcheckWorkerImportState(currentPayPeriodObj);\n\t\t})\n\t\t.catch(function () {\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction resetImporter (payPeriod) {\n\n\t\tpayPeriod.WorkerImportState = 0;\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction setupImporter (payPeriod) {\n\n\t\tvar payPeriodId = payPeriod.PayPeriodID;\n\n\t\t// Set up the uploader for the import\n\t\tvar uploader = $scope.uploader = dataTransfer.getNewFileUploader({\n\t\t\tformData: [{\n\t\t\t\tagencyPayPeriodID: payPeriodId,\n\t\t\t\tagencyProfileID: agencyProfileId,\n\t\t\t\tdocumentTypeID: DOCUMENT_TYPE_IDS.epsImport\n\t\t\t}],\n\t\t\turl: libraries.httpHandler.upload.importFile,\n\t\t\tqueueLimit: 1,\n\t\t\tonAfterAddingFile: function (fileItem) {\n\n\t\t\t\t$scope.uploadFilename = fileItem.file.name;\n\n\t\t\t\tpayPeriod.WorkerImportState = SUBMISSION_STATES.submitting;\n\n\t\t\t\tuploader.uploadAll();\n\t\t\t},\n\t\t\tonProgressItem: function (fileItem, progress) {\n\n\t\t\t\t$scope.uploadingProgress = progress;\n\t\t\t},\n\t\t\tonCompleteAll: function () {\n\n\t\t\t\tdataImport.updateAgencyPayPeriodImportWorkerStatus(payPeriodId, SUBMISSION_STATES.submitted).then(function () {\n\n\t\t\t\t\t// Trigger worker import\n\t\t\t\t\tpayrollWorker.payrollDataImport(agencyProfileId, payPeriodId, IMPORT_TYPES.eps);\n\n\t\t\t\t\ttimerId = $timeout(function () {\n\t\t\t\t\t\tcheckWorkerImportState(payPeriod);\n\t\t\t\t\t}, 3000);\n\t\t\t\t})\n\t\t\t\t.catch(function () {\n\t\t\t\t\tgrowl.error('We were unable to change the status of the import.');\n\t\t\t\t});\n\n\t\t\t\tuploader.clearQueue();\n\t\t\t}\n\t\t});\n\n\t\tsetPageState('ready');\n\t}\n\n\tinit();\n\n\t// Scope constants\n\t$scope.SUBMISSION_STATES = SUBMISSION_STATES;\n\t$scope.VALIDATION_FIELD_TYPES = VALIDATION_FIELD_TYPES;\n\n\t// Scope variables\n\t$scope.agencyProfileId = agencyProfileId;\n\t$scope.uploadingProgress = 0;\n\t$scope.uploader = null;\n\n\t// Scope functions\n\t$scope.importData = function (payPeriod) {\n\n\t\timportData(payPeriod);\n\t};\n\n\t$scope.resetImporter = function (payPeriod) {\n\n\t\tresetImporter(payPeriod);\n\t};\n\n\t$scope.resetEPSImportStatus = function (payPeriod) {\n\n\t\tdataImport.updateAgencyPayPeriodImportWorkerStatus(payPeriod.PayPeriodID, SUBMISSION_STATES.unsubmitted).then(function () {\n\t\t\tcheckWorkerImportState(payPeriod);\n\t\t});\n\t};\n\n\t$scope.$on('$destroy', function () {\n\t\t$timeout.cancel(timerId);\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar directory = 'features/app/fps-importer/';\n\n\t$stateProvider\n\n\t.state('fps-importer', {\n\t\turl: '/fps-importer/:agencyProfileId/:agencyDocumentId?returnState',\n\t\ttemplateUrl: directory + 'fpsImporterView.html',\n\t\tcontroller: 'fpsImporterCtrl',\n\t\tdata: {\n\t\t fullPage: true,\n\t\t title: 'FPS Importer'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('fpsImporterCtrl', [\n\t'$q',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'$timeout',\n\t'agency',\n\t'base',\n\t'dataImport',\n\t'dataTransfer',\n\t'growl',\n\t'importService',\n\t'libraries',\n\t'payrollData',\n\t'payrollWorker',\n\t'DOCUMENT_TYPE_IDS',\n\t'STATE_TYPES',\n\t'SUBMISSION_STATES',\n\t'VALIDATION_FIELD_TYPES',\n\tfunction (\n\t\t$q,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tagency,\n\t\tbase,\n\t\tdataImport,\n\t\tdataTransfer,\n\t\tgrowl,\n\t\timportService,\n\t\tlibraries,\n\t\tpayrollData,\n\t\tpayrollWorker,\n\t\tDOCUMENT_TYPE_IDS,\n\t\tSTATE_TYPES,\n\t\tSUBMISSION_STATES,\n\t\tVALIDATION_FIELD_TYPES\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst agencyDocumentId = $stateParams.agencyDocumentId;\n\tconst returnState = $stateParams.returnState;\n\n\tconst options = {\n\t\taddressSearchString: '',\n\t\tdelay: 3000,\n\t\tdoNotAskAgain: false,\n\t\tshowAddressResult: false\n\t};\n\n\tlet currentIndex = 0;\n\tlet currentResultNumber = 0;\n\tlet timerId;\n\n\tfunction checkWorkerImportState (payPeriodObj) {\n\n\t\tif (payPeriodObj.WorkerImportState === SUBMISSION_STATES.unsubmitted) {\n\t\t\tsetPageState('ready');\n\t\t\treturn;\n\t\t}\n\n\t\tagency.getAgencyPayPeriodState(payPeriodObj.PayPeriodID, STATE_TYPES.workerimport).then(workerImportState => {\n\n\t\t\tpayPeriodObj.WorkerImportState = workerImportState;\n\n\t\t\tswitch (workerImportState) {\n\n\t\t\t\t// If import has errors then we get those errors and stop checking the status\n\t\t\t\tcase SUBMISSION_STATES.haserrors1:\n\t\t\t\tcase SUBMISSION_STATES.haserrors2:\n\t\t\t\tcase SUBMISSION_STATES.verified:\n\n\t\t\t\t\t// Set default internal ID option\n\t\t\t\t\tpayPeriodObj.setInternalId = true;\n\n\t\t\t\t\tloadValidationResults(payPeriodObj);\n\n\t\t\t\t\t// Reset uploader progress state\n\t\t\t\t\t$scope.uploadingProgress = 0;\n\n\t\t\t\t\t// Setup action buttons\n\t\t\t\t\t$scope.canCancelImport = true;\n\t\t\t\t\t$scope.canCloseImport = true;\n\n\t\t\t\t\tbreak;\n\n\t\t\t\tcase SUBMISSION_STATES.submitting:\n\t\t\t\tcase SUBMISSION_STATES.processing1:\n\t\t\t\tcase SUBMISSION_STATES.processing2:\n\n\t\t\t\t\ttimerId = $timeout(() => {\n\t\t\t\t\t\tcheckWorkerImportState(payPeriodObj);\n\t\t\t\t\t}, 3000);\n\n\t\t\t\t\tbreak;\n\n\t\t\t\tdefault:\n\n\t\t\t\t\t// Reset uploader progress state\n\t\t\t\t\t$scope.uploadingProgress = 0;\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction closeImporter () {\n\n\t\tif (returnState) {\n\t\t\t$state.go(returnState, {agencyProfileId});\n\t\t} else {\n\t\t\t$state.go('team.members', {agencyProfileId});\n\t\t}\n\t}\n\n\tfunction goToNext (validationResults, payPeriod, validationForm) {\n\n\t\t$scope.animationStep = 'fadeOutLeft';\n\n\t\t// Validate import on last result\n\t\tif (isLastResult(validationResults)) {\n\n\t\t\t// Reset animation step\n\t\t\t$scope.animationStep = '';\n\t\t\treturn;\n\t\t}\n\n\t\t// Increase index\n\t\tcurrentIndex++;\n\n\t\t// Update current index\n\t\tupdateCurrentIndex(currentIndex);\n\n\t\t// Timeout to allow animation to complete\n\t\t$timeout(() => {\n\n\t\t\t// Select next result\n\t\t\tsetupValidationResult(validationResults);\n\n\t\t\t// Update animation step\n\t\t\t$scope.animationStep = 'fadeInRight';\n\n\t\t\t// Reset form state\n\t\t\tif (validationForm !== undefined) {\n\t\t\t\tvalidationForm.$setPristine();\n\t\t\t}\n\n\t\t}, 300);\n\t}\n\n\tfunction goToPrevious (validationResults, validationForm) {\n\n\t\t// Do nothing if first result\n\t\tif (isFirstResult()) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Show previous worker\n\t\tcurrentIndex--;\n\n\t\t// Update current index\n\t\tupdateCurrentIndex(currentIndex);\n\n\t\t$scope.animationStep = 'fadeOutRight';\n\n\t\t$timeout(() => {\n\n\t\t\t// Select previous result\n\t\t\tsetupValidationResult(validationResults);\n\n\t\t\t$scope.animationStep = 'fadeInLeft';\n\t\t\t$scope.selectedAddress = null;\n\n\t\t\t// Reset form state\n\t\t\tif (validationForm !== undefined) {\n\t\t\t\tvalidationForm.$setPristine();\n\t\t\t}\n\n\t\t}, 300);\n\t}\n\n\tfunction importData (payPeriodObj) {\n\n\t\t// Set to processing\n\t\tpayPeriodObj.WorkerImportState = SUBMISSION_STATES.processing2;\n\n\t\t// Actually update the pay period state on the server\n\t\tdataImport.updateAgencyPayPeriodImportWorkerStatus(payPeriodObj.PayPeriodID, SUBMISSION_STATES.processing2).then(() => {\n\n\t\t\t// Kick start the actual import\n\t\t\tpayrollWorker.payrollStartWorkerImport(agencyProfileId, payPeriodObj.PayPeriodID, payPeriodObj.setInternalId);\n\n\t\t\t// Kick off polling for state, after a short delay\n\t\t\ttimerId = $timeout(() => {\n\t\t\t\tcheckWorkerImportState(payPeriodObj);\n\t\t\t}, 3000);\n\t\t})\n\t\t.catch(error => {\n\t\t\tgrowl.error('We were unable to change the status of the import.');\n\t\t\tonError(error);\n\t\t});\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tpayrollData.getPayPeriodCurrent(agencyProfileId).then(currentPayPeriodObj => {\n\n\t\t\t$scope.currentPayPeriod = currentPayPeriodObj;\n\n\t\t\tsetupImporter(currentPayPeriodObj);\n\n\t\t\tif (agencyDocumentId) {\n\t\t\t\timportUploadedFile(currentPayPeriodObj);\n\t\t\t} else {\n\t\t\t\tcheckWorkerImportState(currentPayPeriodObj);\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction importUploadedFile (payPeriodObj) {\n\n\t\tbase.getCompanyDocument(agencyDocumentId)\n\t\t\t.then(documentObj => {\n\n\t\t\t\t$scope.uploadFilename = documentObj.DocumentName;\n\n\t\t\t\tsetPageState('loading');\n\n\t\t\t\tpayPeriodObj.WorkerImportState = SUBMISSION_STATES.submitting;\n\n\t\t\t\tonFileUpload(payPeriodObj);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction loadValidationResults (payPeriodObj) {\n\n\t\tconst getNumberOfUserImportsByOwner = dataImport.getNumberOfUserImportsByOwner(payPeriodObj.PayPeriodID);\n\t\tconst getUserImportValidationResults = dataImport.getUserImportValidationResults(payPeriodObj.PayPeriodID);\n\n\t\t$q.all([getUserImportValidationResults, getNumberOfUserImportsByOwner]).then(([invalidWorkers, totalWorkers]) => {\n\n\t\t\t// Re-map Invalid Workers array into results array\n\t\t\tconst validationResults = importService.getValidationResults(invalidWorkers);\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tnumberOfNewStarters: importService.getNumberOfNewStarters(validationResults),\n\t\t\t\tnumberOfWorkers: totalWorkers,\n\t\t\t\tvalidationResults,\n\t\t\t\tvalidationResult: validationResults[currentIndex]\n\t\t\t});\n\n\t\t\t// Page state\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\tfunction isFirstResult () {\n\n\t\treturn currentResultNumber === 1;\n\t}\n\n\tfunction isLastResult (validationResultsArr) {\n\n\t\treturn currentResultNumber === validationResultsArr.length;\n\t}\n\n\tfunction onError (errorMessage) {\n\t\tsetPageState('error');\n\t\tconsole.error(errorMessage);\n\t}\n\n\tfunction onFileUpload (payPeriodObj) {\n\n\t\tdataImport.updateAgencyPayPeriodImportWorkerStatus(payPeriodObj.PayPeriodID, SUBMISSION_STATES.submitted).then(() => {\n\n\t\t\t// Trigger worker import\n\t\t\tpayrollWorker.payrollStartWorkerImport(agencyProfileId, payPeriodObj.PayPeriodID);\n\n\t\t\ttimerId = $timeout(() => {\n\t\t\t\tcheckWorkerImportState(payPeriodObj);\n\t\t\t}, 3000);\n\n\t\t})\n\t\t.catch(error => {\n\t\t\tgrowl.error('We were unable to change the status of the import.');\n\t\t\tonError(error);\n\t\t});\n\t}\n\n\tfunction resetImporter (payPeriodObj) {\n\t\tpayPeriodObj.WorkerImportState = 0;\n\t}\n\n\tfunction resetWorkerImportStatus (payPeriodObj, submissionState) {\n\n\t\tdataImport.updateAgencyPayPeriodImportWorkerStatus(\n\t\t\tpayPeriodObj.PayPeriodID, \n\t\t\tsubmissionState === undefined ? SUBMISSION_STATES.unsubmitted : submissionState\n\t\t).then(() => {\n\n\t\t\tcheckWorkerImportState(payPeriodObj);\n\t\t});\n\t}\n\n\tfunction setPageState (newState) {\n\t\t$scope.pageState = newState;\n\t}\n\n\tfunction setupImporter (payPeriodObj) {\n\n\t\t// Set up the uploader for the import\n\t\tconst uploader = dataTransfer.getNewFileUploader({\n\t\t\tformData: [{\n\t\t\t\tagencyPayPeriodID: payPeriodObj.PayPeriodID,\n\t\t\t\tagencyProfileID: agencyProfileId,\n\t\t\t\tdocumentTypeID: DOCUMENT_TYPE_IDS.fpsImport\n\t\t\t}],\n\t\t\turl: libraries.httpHandler.upload.importFile,\n\t\t\tqueueLimit: 1,\n\t\t\tonAfterAddingFile: fileItem => {\n\n\t\t\t\t$scope.uploadFilename = fileItem.file.name;\n\n\t\t\t\tpayPeriodObj.WorkerImportState = SUBMISSION_STATES.submitting;\n\n\t\t\t\tuploader.uploadAll();\n\t\t\t},\n\t\t\tonProgressItem: (fileItem, progress) => {\n\t\t\t\t$scope.uploadingProgress = progress;\n\t\t\t},\n\t\t\tonCompleteItem: (item, response) => {\n\t\t\t\t// The API endpoint does not return an error when the wrong type of file is uploaded.\n\t\t\t\t// The way that we know that no file was uploaded is if we check the response.\n\t\t\t\t// 0 means that no file was uploaded.\n\t\t\t\tif (response.length === 0) {\n\t\t\t\t\tresetWorkerImportStatus(payPeriodObj, SUBMISSION_STATES.failed);\n\t\t\t\t\n\t\t\t\t} else {\n\t\t\t\t\tonFileUpload(payPeriodObj);\n\t\t\t\t}\n\n\t\t\t\tuploader.clearQueue();\n\t\t\t}\n\t\t});\n\n\t\t$scope.uploader = uploader;\n\n\t\tsetPageState('ready');\n\t}\n\n\tfunction setupValidationResult (validationResults) {\n\n\t\t$scope.validationResult = validationResults[currentIndex];\n\t}\n\n\tfunction updateCurrentIndex (value) {\n\n\t\t// Var\n\t\tcurrentIndex \t\t= value;\n\t\tcurrentResultNumber = value + 1;\n\n\t\t// Scope\n\t\t$scope.currentIndex \t\t= value;\n\t\t$scope.currentResultNumber \t= value + 1;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\t// Scope constants\n\t\tSUBMISSION_STATES,\n\t\tVALIDATION_FIELD_TYPES,\n\n\t\t// Scope variables\n\t\tagencyProfileId,\n\t\tcurrentIndex,\n\t\tcurrentResultNumber: currentIndex + 1,\n\t\toptions,\n\t\treturnState: returnState ? returnState : 'team.members',\n\t\tuploader: null,\n\t\tuploadingProgress: 0,\n\n\t\t// Scope functions\n\t\tcloseImporter,\n\t\tgoToNext,\n\t\tgoToPrevious,\n\t\timportData,\n\t\tresetImporter,\n\t\tresetWorkerImportStatus\n\t});\n\n\t$scope.$on('$destroy', () => {\n\t\t$timeout.cancel(timerId);\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n/* Routing */\n.config(['$stateProvider', 'INTERFACE_TYPES', function ($stateProvider, INTERFACE_TYPES) {\n\n\tvar directory = 'features/app/settings';\n\n\t$stateProvider\n\n\t.state('settings', {\n\t\turl: '/settings/{agencyProfileId}?openForm',\n\t\ttemplateUrl: directory + '/settings.view.html',\n\t\tabstract: true,\n\t\tcontroller: 'settingsCtrl',\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\tdata: {\n\t\t\ttitle: 'Settings'\n\t\t}\n\t})\n\n\t\t/* Bureaus */\n\t\t.state('settings.bureau', {\n\t\t\turl: '/bureau',\n\t\t\tabstract: true,\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\tisContextual: true,\n\t\t\t\t\t[INTERFACE_TYPES.bureau]: {\n\t\t\t\t\t\ttags: ['bureau-settings']\n\t\t\t\t\t},\n\t\t\t\t\t[INTERFACE_TYPES.group]: {\n\t\t\t\t\t\ttags: ['group-settings']\n\t\t\t\t\t}\n\t\t\t\t},\n\t\t\t\tpermissions: [\n\t\t\t\t\t'Admin.canManageBureauSettings'\n\t\t\t\t]\n\t\t\t},\n\t\t\ttemplateUrl: directory + '/settings-entity.view.html',\n\t\t})\n\n\t\t\t.state('settings.bureau.access', {\n\t\t\t\tabstract: true,\n\t\t\t\tcontroller: 'settingsAccessCtrl',\n\t\t\t\turl: '',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['bureau-access']\n\t\t\t\t\t},\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'Admin.canManageAccess'\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\ttemplateUrl: directory + '/access/settings-access.view.html'\n\t\t\t})\n\n\t\t\t\t.state('settings.bureau.access.authentication', {\n\t\t\t\t\tcontroller: 'settingsAccessAuthenticationCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/access/authentication/settings-access-authentication.view.html',\n\t\t\t\t\turl: '/access/authentication',\n\t\t\t\t})\n\n\t\t\t\t.state('settings.bureau.access.ip-management', {\n\t\t\t\t\tcontroller: 'settingsAccessIPManagementCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/access/ip-management/settings-access-ip-management.view.html',\n\t\t\t\t\turl: '/access/ip-management'\n\t\t\t\t})\n\n\t\t\t.state('settings.bureau.admins', {\n\t\t\t\turl: '/admins',\n\t\t\t\tcontroller: 'settingsAdminsCtrl',\n\t\t\t\ttemplateUrl: directory + '/admins/settings-admins.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'Admin.canManageBureauAdmins'\n\t\t\t\t\t],\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\tisContextual: true,\n\t\t\t\t\t\t[INTERFACE_TYPES.bureau]: {\n\t\t\t\t\t\t\ttags: ['bureau-admins']\n\t\t\t\t\t\t},\n\t\t\t\t\t\t[INTERFACE_TYPES.group]: {\n\t\t\t\t\t\t\ttags: ['group-admins']\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('settings.bureau.bacs-downloads', {\n\t\t\t\turl: '/bacs-downloads',\n\t\t\t\tcontroller: 'settingsBacsDownloadsCtrl',\n\t\t\t\ttemplateUrl: directory + '/bacs-downloads/settings-bacs-downloads.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['bureau-bacs-downloads']\n\t\t\t\t\t},\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'Admin.canManageBacsDownloads'\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('settings.bureau.customer-codes', {\n\t\t\t\turl: '/customer-codes',\n\t\t\t\tcontroller: 'settingsCustomerCodesCtrl',\n\t\t\t\ttemplateUrl: directory + '/customer-codes/settings-customer-codes.view.html',\n\t\t\t})\n\n\t\t\t.state('settings.bureau.customisation', {\n\t\t\t\turl: '/customisation',\n\t\t\t\tcontroller: 'settingsCustomisationCtrl',\n\t\t\t\ttemplateUrl: directory + '/customisation/settings-customisation.view.html',\n\t\t\t})\n\n\t\t\t.state('settings.bureau.email-notifications', {\n\t\t\t\turl: '/email-notifications',\n\t\t\t\tcontroller: 'settingsEmailNotificationsCtrl',\n\t\t\t\ttemplateUrl: directory + '/email-notifications/settings-email-notifications.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\tisContextual: true,\n\t\t\t\t\t\t[INTERFACE_TYPES.bureau]: {\n\t\t\t\t\t\t\ttags: ['bureau-email-notifications']\n\t\t\t\t\t\t},\n\t\t\t\t\t\t[INTERFACE_TYPES.group]: {\n\t\t\t\t\t\t\ttags: ['group-email-notifications']\n\t\t\t\t\t\t}\n\t\t\t\t\t},\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'Admin.canManageEmailNotifications'\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('settings.bureau.imports', {\n\t\t\t\tabstract: true,\n\t\t\t\tcontroller: 'settingsImportsCtrl',\n\t\t\t\ttemplateUrl: directory + '/imports/settings-imports.view.html',\n\t\t\t\turl: ''\n\t\t\t})\n\n\t\t\t\t.state('settings.bureau.imports.mappings', {\n\t\t\t\t\tcontroller: 'settingsImportsMappingsCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/imports/mappings/settings-imports-mappings.view.html',\n\t\t\t\t\turl: '/imports/mappings',\n\t\t\t\t\tdata: {\n\t\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\t\ttags: ['bureau-mapping-templates']\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t})\n\n\t\t\t.state('settings.bureau.information', {\n\t\t\t\turl: '/information',\n\t\t\t\tcontroller: 'settingsPayrollSettingsCtrl',\n\t\t\t\ttemplateUrl: directory + '/information/settings-information.view.html',\n\t\t\t})\n\n\t\t\t.state('settings.bureau.employee-portal-settings', {\n\t\t\t\turl: '/employee-portal-settings',\n\t\t\t\tcontroller: 'settingsEmployeePortalSettingsCtrl',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-employee-portal-settings']\n\t\t\t\t\t}\n\t\t\t\t},\n\t\t\t\ttemplateUrl: directory + '/employee-portal/settings-employee-portal-settings.view.html'\n\t\t\t})\n\n\t\t\t.state('settings.bureau.modules', {\n\t\t\t\turl: '/modules',\n\t\t\t\tcontroller: 'settingsPayrollSettingsCtrl',\n\t\t\t\ttemplateUrl: directory + '/modules/settings-modules.view.html',\n\t\t\t})\n\n\t\t\t.state('settings.bureau.overview', {\n\t\t\t\turl: '/overview'\n\t\t\t})\n\n\t\t\t.state('settings.bureau.pay-elements', {\n\t\t\t\tabstract: true,\n\t\t\t\tcontroller: 'settingsPayElementsCtrl',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['bureau-pay-elements']\n\t\t\t\t\t}\n\t\t\t\t},\n\t\t\t\ttemplateUrl: directory + '/pay-elements/settings-pay-elements.view.html',\n\t\t\t\turl: ''\n\t\t\t})\n\n\t\t\t\t.state('settings.bureau.pay-elements.core', {\n\t\t\t\t\turl: '/pay-elements/core',\n\t\t\t\t\ttemplateUrl: directory + '/pay-elements/core/settings-pay-elements-core.view.html',\n\t\t\t\t\tcontroller: 'settingsPayElementsCoreCtrl'\n\t\t\t\t})\n\n\t\t\t\t.state('settings.bureau.pay-elements.bik', {\n\t\t\t\t\turl: '/pay-elements/bik',\n\t\t\t\t\ttemplateUrl: directory + '/pay-elements/bik/settings-pay-elements-bik.view.html',\n\t\t\t\t\tcontroller: 'settingsPayElementsBIKCtrl'\n\t\t\t\t})\n\n\t\t\t\t.state('settings.bureau.pay-elements.cis', {\n\t\t\t\t\turl: '/pay-elements/cis',\n\t\t\t\t\ttemplateUrl: directory + '/pay-elements/cis/settings-pay-elements-cis.view.html',\n\t\t\t\t\tcontroller: 'settingsPayElementsCisCtrl'\n\t\t\t\t})\n\n\t\t\t\t.state('settings.bureau.pay-elements.element-packs', {\n\t\t\t\t\tcontroller: 'settingsPayElementsElementPacksCtrl',\n\t\t\t\t\turl: '/pay-elements/element-packs',\n\t\t\t\t\ttemplateUrl: directory + '/pay-elements/element-packs/settings-pay-elements-element-packs.view.html',\n\t\t\t\t})\n\n\t\t\t.state('settings.bureau.payroll-settings', {\n\t\t\t\turl: '/payroll-settings',\n\t\t\t\tcontroller: 'bureauPayrollSettingsCtrl',\n\t\t\t\ttemplateUrl: directory + '/bureau-payroll-settings/bureau-payroll-settings.view.html',\n\t\t\t})\n\n\t\t\t.state('settings.bureau.reports', {\n\t\t\t\tabstract: true,\n\t\t\t\tcontroller: 'settingsReportsCtrl',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\tisContextual: true,\n\t\t\t\t\t\t[INTERFACE_TYPES.bureau]: {\n\t\t\t\t\t\t\ttags: ['bureau-report-templates']\n\t\t\t\t\t\t},\n\t\t\t\t\t\t[INTERFACE_TYPES.group]: {\n\t\t\t\t\t\t\ttags: ['group-report-templates']\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t},\n\t\t\t\ttemplateUrl: directory + '/reports/settings-reports.view.html',\n\t\t\t\turl: '',\n\t\t\t})\n\n\t\t\t\t.state('settings.bureau.reports.custom', {\n\t\t\t\t\turl: '/reports/custom',\n\t\t\t\t\tcontroller: 'settingsReportsTemplatesCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/reports/templates/settings-reports-templates.view.html',\n\t\t\t\t\tparams: {\n\t\t\t\t\t\treportFilter: 'custom'\n\t\t\t\t\t}\n\t\t\t\t})\n\n\t\t\t\t.state('settings.bureau.reports.standard', {\n\t\t\t\t\turl: '/reports/standard',\n\t\t\t\t\tcontroller: 'settingsReportsTemplatesCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/reports/templates/settings-reports-templates.view.html',\n\t\t\t\t\tparams: {\n\t\t\t\t\t\treportFilter: 'standard'\n\t\t\t\t\t}\n\t\t\t\t})\n\n\t\t\t\t.state('settings.bureau.reports.packs', {\n\t\t\t\t\turl: '/reports/packs',\n\t\t\t\t\tcontroller: 'settingsReportsPacksCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/reports/packs/settings-reports-packs.view.html',\n\t\t\t\t})\n\n\t\t\t.state('settings.bureau.roles', {\n\t\t\t\turl: '/roles',\n\t\t\t\tcontroller: 'settingsRolesCtrl',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['bureau-roles']\n\t\t\t\t\t}\n\t\t\t\t},\n\t\t\t\ttemplateUrl: directory + '/roles/settings-roles.view.html',\n\t\t\t})\n\n\t\t/* Groups */\n\t\t.state('settings.group', {\n\t\t\turl: '/group',\n\t\t\tabstract: true,\n\t\t\tdata: {\n\t\t\t\tpermissions: [\n\t\t\t\t\t'Admin.canManageCompanyGroupSettings'\n\t\t\t\t]\n\t\t\t},\n\t\t\ttemplateUrl: directory + '/settings-entity.view.html'\n\t\t})\n\n\t\t\t.state('settings.group.admins', {\n\t\t\t\turl: '/admins',\n\t\t\t\tcontroller: 'settingsAdminsCtrl',\n\t\t\t\ttemplateUrl: directory + '/admins/settings-admins.view.html',\n\t\t\t})\n\n\t\t\t.state('settings.group.customisation', {\n\t\t\t\turl: '/customisation',\n\t\t\t\tcontroller: 'settingsCustomisationCtrl',\n\t\t\t\ttemplateUrl: directory + '/customisation/settings-customisation.view.html',\n\t\t\t})\n\n\t\t\t.state('settings.group.email-notifications', {\n\t\t\t\turl: '/email-notifications',\n\t\t\t\tcontroller: 'settingsEmailNotificationsCtrl',\n\t\t\t\ttemplateUrl: directory + '/email-notifications/settings-email-notifications.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'Admin.canManageEmailNotifications'\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('settings.group.information', {\n\t\t\t\turl: '/information',\n\t\t\t\tcontroller: 'settingsPayrollSettingsCtrl',\n\t\t\t\ttemplateUrl: directory + '/information/settings-information.view.html',\n\t\t\t})\n\n\t\t\t.state('settings.group.business-categories', {\n\t\t\t\tcontroller: 'settingsBusinessCategoriesCtrl',\n\t\t\t\ttemplateUrl: directory + '/business-categories/settings-business-categories.view.html',\n\t\t\t\turl: '/business-categories'\n\t\t\t})\n\n\t\t\t.state('settings.group.overview', {\n\t\t\t\turl: '/overview'\n\t\t\t})\n\n\t\t\t.state('settings.group.reports', {\n\t\t\t\tabstract: true,\n\t\t\t\tcontroller: 'settingsReportsCtrl',\n\t\t\t\ttemplateUrl: directory + '/reports/settings-reports.view.html',\n\t\t\t\turl: '',\n\t\t\t})\n\n\t\t\t\t.state('settings.group.reports.custom', {\n\t\t\t\t\turl: '/reports/custom',\n\t\t\t\t\tcontroller: 'settingsReportsTemplatesCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/reports/templates/settings-reports-templates.view.html',\n\t\t\t\t\tparams: {\n\t\t\t\t\t\treportFilter: 'custom'\n\t\t\t\t\t}\n\t\t\t\t})\n\n\t\t\t\t.state('settings.group.reports.standard', {\n\t\t\t\t\turl: '/reports/standard',\n\t\t\t\t\tcontroller: 'settingsReportsTemplatesCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/reports/templates/settings-reports-templates.view.html',\n\t\t\t\t\tparams: {\n\t\t\t\t\t\treportFilter: 'standard'\n\t\t\t\t\t}\n\t\t\t\t})\n\n\t\t\t\t.state('settings.group.reports.packs', {\n\t\t\t\t\turl: '/reports/packs',\n\t\t\t\t\tcontroller: 'settingsReportsPacksCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/reports/packs/settings-reports-packs.view.html',\n\t\t\t\t})\n\n\t\t\t.state('settings.group.gender-pay-gap', {\n\t\t\t\turl: '/gender-pay-gap',\n\t\t\t\tcontroller: 'settingsGenderPayGapCtrl',\n\t\t\t\ttemplateUrl: directory + '/gender-pay-gap/settings-gender-pay-gap.view.html'\n\t\t\t})\n\n\t\t\t.state('settings.group.modules', {\n\t\t\t\turl: '/modules',\n\t\t\t\tcontroller: 'settingsPayrollSettingsCtrl',\n\t\t\t\ttemplateUrl: directory + '/modules/settings-modules.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['group-modules']\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t})\n\n\t\t/* Companies */\n\t\t.state('settings.company', {\n\t\t\turl: '/company',\n\t\t\tabstract: true,\n\t\t\tdata: {\n\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\ttags: ['company-settings']\n\t\t\t\t},\n\t\t\t\tpermissions: [\n\t\t\t\t\t'isCompanySettingsVisible'\n\t\t\t\t]\n\t\t\t},\n\t\t\ttemplateUrl: directory + '/settings-entity.view.html',\n\t\t})\n\n\t\t\t.state('settings.company.admins', {\n\t\t\t\turl: '/admins',\n\t\t\t\tcontroller: 'settingsAdminsCtrl',\n\t\t\t\ttemplateUrl: directory + '/admins/settings-admins.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-admins']\n\t\t\t\t\t},\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessPermissions'\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t})\n\n\t\t\t.state('settings.company.billing', {\n\t\t\t\turl: '/billing',\n\t\t\t\tcontroller: 'settingsBillingCtrl',\n\t\t\t\ttemplateUrl: directory + '/billing/settings-billing.view.html',\n\t\t\t})\n\n\t\t\t.state('settings.company.customisation', {\n\t\t\t\turl: '/customisation',\n\t\t\t\tcontroller: 'settingsCustomisationCtrl',\n\t\t\t\ttemplateUrl: directory + '/customisation/settings-customisation.view.html',\n\t\t\t})\n\n\t\t\t.state('settings.company.email-notifications', {\n\t\t\t\turl: '/email-notifications',\n\t\t\t\tcontroller: 'settingsEmailNotificationsCtrl',\n\t\t\t\ttemplateUrl: directory + '/email-notifications/settings-email-notifications.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-email-notifications']\n\t\t\t\t\t},\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'Admin.canManageEmailNotifications',\n\t\t\t\t\t\t'CompanySettings.canAccessNotifications'\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('settings.company.employee-portal-settings', {\n\t\t\t\turl: '/employee-portal-settings',\n\t\t\t\tcontroller: 'settingsEmployeePortalSettingsCtrl',\n\t\t\t\ttemplateUrl: directory + '/employee-portal/settings-employee-portal-settings.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-employee-portal-settings']\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('settings.company.information', {\n\t\t\t\turl: '/information',\n\t\t\t\tcontroller: 'settingsPayrollSettingsCtrl',\n\t\t\t\ttemplateUrl: directory + '/information/settings-information.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-information']\n\t\t\t\t\t},\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessGeneral'\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('settings.company.integrations', {\n\t\t\t\turl: '/integrations',\n\t\t\t\tcontroller: 'settingsIntegrationsCtrl',\n\t\t\t\ttemplateUrl: directory + '/integrations/settings-integrations.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessModules'\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('settings.company.imports', {\n\t\t\t\tabstract: true,\n\t\t\t\tcontroller: 'settingsImportsCtrl',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-imports']\n\t\t\t\t\t}\n\t\t\t\t},\n\t\t\t\ttemplateUrl: directory + '/imports/settings-imports.view.html',\n\t\t\t\turl: ''\n\t\t\t})\n\n\t\t\t\t.state('settings.company.imports.settings', {\n\t\t\t\t\tcontroller: 'settingsImportsSettingsCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/imports/settings/settings-imports-settings.view.html',\n\t\t\t\t\turl: '/imports/settings'\n\t\t\t\t})\n\n\t\t\t\t.state('settings.company.imports.mappings', {\n\t\t\t\t\tcontroller: 'settingsImportsMappingsCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/imports/mappings/settings-imports-mappings.view.html',\n\t\t\t\t\turl: '/imports/mappings'\n\t\t\t\t})\n\n\t\t\t.state('settings.company.business-categories', {\n\t\t\t\tabstract: true,\n\t\t\t\tcontroller: 'settingsBusinessCategoriesCtrl',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-business-categories']\n\t\t\t\t\t}\n\t\t\t\t},\n\t\t\t\ttemplateUrl: directory + '/business-categories/settings-business-categories.view.html',\n\t\t\t\turl: '',\n\t\t\t})\n\n\t\t\t\t.state('settings.company.business-categories.category', {\n\t\t\t\t\tcontroller: 'settingsBusinessCategoriesCategoryCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/business-categories/category/settings-business-categories-category.view.html',\n\t\t\t\t\turl: '/business-categories/category?categoryId'\n\t\t\t\t})\n\n\t\t\t\t.state('settings.company.business-categories.imports', {\n\t\t\t\t\tcontroller: 'settingsBusinessCategoriesImportsCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/business-categories/imports/settings-business-categories-imports.view.html',\n\t\t\t\t\turl: '/business-categories/imports'\n\t\t\t\t})\n\n\t\t\t.state('settings.company.journals', {\n\t\t\t\tabstract: true,\n\t\t\t\tcontroller: 'settingsJournalsCtrl',\n\t\t\t\ttemplateUrl: directory + '/journals/settings-journals.view.html',\n\t\t\t\turl: '',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-journals']\n\t\t\t\t\t},\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessReports'\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t\t.state('settings.company.journals.nominal-codes', {\n\t\t\t\t\tcontroller: 'settingsJournalsNominalCodesCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/journals/nominal-codes/settings-journals-nominal-codes.view.html',\n\t\t\t\t\turl: '/journals/nominal-codes'\n\t\t\t\t})\n\n\t\t\t\t.state('settings.company.journals.business-categories', {\n\t\t\t\t\tcontroller: 'settingsJournalsBusinessCategoriesCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/journals/business-categories/settings-journals-business-categories.view.html',\n\t\t\t\t\turl: '/journals/business-categories'\n\t\t\t\t})\n\n\t\t\t\t.state('settings.company.journals.imports', {\n\t\t\t\t\tcontroller: 'settingsJournalsImportsCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/journals/imports/settings-journals-imports.view.html',\n\t\t\t\t\turl: '/journals/imports'\n\t\t\t\t})\n\n\t\t\t\t.state('settings.company.journals.posts', {\n\t\t\t\t\tcontroller: 'settingsJournalsPostsCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/journals/posts/settings-journals-posts.view.html',\n\t\t\t\t\turl: '/journals/posts'\n\t\t\t\t})\n\n\t\t\t.state('settings.company.modules', {\n\t\t\t\turl: '/modules',\n\t\t\t\tcontroller: 'settingsPayrollSettingsCtrl',\n\t\t\t\ttemplateUrl: directory + '/modules/settings-modules.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-modules']\n\t\t\t\t\t},\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessModules'\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('settings.company.overview', {\n\t\t\t\turl: '/overview'\n\t\t\t})\n\n\t\t\t.state('settings.company.p11db-submissions', {\n\t\t\t\turl: '/p11db-submissions',\n\t\t\t\tcontroller: 'settingsP11DbSubmissionsCtrl',\n\t\t\t\ttemplateUrl: directory + '/p11db-submissions/settings-p11db-submissions.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-p11db-submissions']\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('settings.company.gender-pay-gap', {\n\t\t\t\turl: '/gender-pay-gap',\n\t\t\t\tcontroller: 'settingsGenderPayGapCtrl',\n\t\t\t\ttemplateUrl: directory + '/gender-pay-gap/settings-gender-pay-gap.view.html'\n\t\t\t})\n\n\t\t\t.state('settings.company.payroll-settings', {\n\t\t\t\turl: '/payroll-settings',\n\t\t\t\tcontroller: 'settingsPayrollSettingsCtrl',\n\t\t\t\ttemplateUrl: directory + '/payroll-settings/settings-payroll-settings.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-payroll-settings']\n\t\t\t\t\t},\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessPayroll'\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('settings.company.payslips', {\n\t\t\t\turl: '/payslips',\n\t\t\t\tcontroller: 'settingsPayslipsCtrl',\n\t\t\t\ttemplateUrl: directory + '/payslips/settings-payslips.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: [\n\t\t\t\t\t\t\t'company-payslips'\n\t\t\t\t\t\t]\n\t\t\t\t\t},\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessPayroll'\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('settings.company.pension-settings', {\n\t\t\t\turl: '/pension-settings',\n\t\t\t\tcontroller: 'settingsPensionSettingsCtrl',\n\t\t\t\ttemplateUrl: directory + '/pension-settings/settings-pension-settings.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-pension-settings']\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('settings.company.pay-elements', {\n\t\t\t\tabstract: true,\n\t\t\t\tcontroller: 'settingsPayElementsCtrl',\n\t\t\t\ttemplateUrl: directory + '/pay-elements/settings-pay-elements.view.html',\n\t\t\t\turl: '',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-pay-elements']\n\t\t\t\t\t},\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessPayroll'\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t\t.state('settings.company.pay-elements.additions', {\n\t\t\t\t\turl: '/pay-elements/additions',\n\t\t\t\t\ttemplateUrl: directory + '/pay-elements/additions/settings-pay-elements-additions.view.html',\n\t\t\t\t\tcontroller: 'settingsPayElementsAdditionsCtrl'\n\t\t\t\t})\n\n\t\t\t\t.state('settings.company.pay-elements.core', {\n\t\t\t\t\turl: '/pay-elements/core',\n\t\t\t\t\ttemplateUrl: directory + '/pay-elements/core/settings-pay-elements-core.view.html',\n\t\t\t\t\tcontroller: 'settingsPayElementsCoreCtrl'\n\t\t\t\t})\n\n\t\t\t\t.state('settings.company.pay-elements.deductions', {\n\t\t\t\t\turl: '/pay-elements/deductions',\n\t\t\t\t\ttemplateUrl: directory + '/pay-elements/deductions/settings-pay-elements-deductions.view.html',\n\t\t\t\t\tcontroller: 'settingsPayElementsDeductionsCtrl'\n\t\t\t\t})\n\n\t\t\t\t.state('settings.company.pay-elements.bik', {\n\t\t\t\t\turl: '/pay-elements/bik',\n\t\t\t\t\ttemplateUrl: directory + '/pay-elements/bik/settings-pay-elements-bik.view.html',\n\t\t\t\t\tcontroller: 'settingsPayElementsBIKCtrl'\n\t\t\t\t})\n\n\t\t\t\t.state('settings.company.pay-elements.cis', {\n\t\t\t\t\turl: '/pay-elements/cis',\n\t\t\t\t\ttemplateUrl: directory + '/pay-elements/cis/settings-pay-elements-cis.view.html',\n\t\t\t\t\tcontroller: 'settingsPayElementsCisCtrl'\n\t\t\t\t})\n\n\t\t\t\t.state('settings.company.pay-elements.disbursements', {\n\t\t\t\t\turl: '/pay-elements/disbursements',\n\t\t\t\t\ttemplateUrl: directory + '/pay-elements/disbursements/settings-pay-elements-disbursements.view.html',\n\t\t\t\t\tcontroller: 'settingsPayElementsDisbursementsCtrl'\n\t\t\t\t})\n\n\t\t\t\t.state('settings.company.pay-elements.link-elements', {\n\t\t\t\t\turl: '/pay-elements/link-elements',\n\t\t\t\t\ttemplateUrl: directory + '/pay-elements/link-elements/settings-pay-elements-link-elements.view.html',\n\t\t\t\t\tcontroller: 'settingsPayElementsLinkElementsCtrl'\n\t\t\t\t})\n\n\t\t\t\t.state('settings.company.pay-elements.payslip-labels', {\n\t\t\t\t\turl: '/pay-elements/payslip-labels',\n\t\t\t\t\ttemplateUrl: directory + '/pay-elements/payslip-labels/settings-pay-elements-payslip-labels.view.html',\n\t\t\t\t})\n\n\t\t\t\t.state('settings.company.pay-elements.element-packs', {\n\t\t\t\t\tcontroller: 'settingsPayElementsElementPacksCtrl',\n\t\t\t\t\turl: '/pay-elements/element-packs',\n\t\t\t\t\ttemplateUrl: directory + '/pay-elements/element-packs/settings-pay-elements-element-packs.view.html',\n\t\t\t\t})\n\n\t\t\t.state('settings.company.reports', {\n\t\t\t\tabstract: true,\n\t\t\t\ttemplateUrl: directory + '/reports/settings-reports.view.html',\n\t\t\t\tcontroller: 'settingsReportsCtrl',\n\t\t\t\turl: '',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-report-templates']\n\t\t\t\t\t},\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessReports'\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t\t.state('settings.company.reports.custom', {\n\t\t\t\t\turl: '/reports/custom',\n\t\t\t\t\tcontroller: 'settingsReportsTemplatesCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/reports/templates/settings-reports-templates.view.html',\n\t\t\t\t\tparams: {\n\t\t\t\t\t\treportFilter: 'custom'\n\t\t\t\t\t}\n\t\t\t\t})\n\n\t\t\t\t.state('settings.company.reports.standard', {\n\t\t\t\t\turl: '/reports/standard',\n\t\t\t\t\tcontroller: 'settingsReportsTemplatesCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/reports/templates/settings-reports-templates.view.html',\n\t\t\t\t\tparams: {\n\t\t\t\t\t\treportFilter: 'standard'\n\t\t\t\t\t}\n\t\t\t\t})\n\n\t\t\t\t.state('settings.company.reports.packs', {\n\t\t\t\t\turl: '/reports/packs',\n\t\t\t\t\tcontroller: 'settingsReportsPacksCtrl',\n\t\t\t\t\ttemplateUrl: directory + '/reports/packs/settings-reports-packs.view.html',\n\t\t\t\t})\n\n\t\t\t.state('settings.company.roles', {\n\t\t\t\turl: '/roles',\n\t\t\t\tcontroller: 'settingsRolesCtrl',\n\t\t\t\ttemplateUrl: directory + '/roles/settings-roles.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-roles']\n\t\t\t\t\t},\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessPermissions'\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('settings.company.upgrade', {\n\t\t\t\turl: '/upgrade',\n\t\t\t\tcontroller: 'settingsUpgradeCtrl',\n\t\t\t\ttemplateUrl: directory + '/upgrade/settings-upgrade.view.html',\n\t\t\t})\n\n\t\t\t.state('settings.company.work-patterns', {\n\t\t\t\turl: '/work-patterns',\n\t\t\t\tcontroller: 'settingsWorkPatternsCtrl',\n\t\t\t\ttemplateUrl: directory + '/work-patterns/settings-work-patterns.view.html',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-work-patterns']\n\t\t\t\t\t},\n\t\t\t\t\tpermissions: [\n\t\t\t\t\t\t'CompanySettings.canAccessPayroll'\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.state('settings.company.workflow', {\n\t\t\t\turl: '/workflow',\n\t\t\t\tcontroller: 'settingsWorkflowCtrl',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-workflow']\n\t\t\t\t\t}\n\t\t\t\t},\n\t\t\t\ttemplateUrl: directory + '/workflow/settings-workflow.view.html'\n\t\t\t})\n\n\t\t\t.state('settings.company.file-uploads', {\n\t\t\t\turl: '/file-uploads',\n\t\t\t\tcontroller: 'settingsFileUploadsCtrl',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-file-uploads']\n\t\t\t\t\t}\n\t\t\t\t},\n\t\t\t\ttemplateUrl: directory + '/file-uploads/settings-file-uploads.view.html'\n\t\t\t})\n\n\t\t\t.state('settings.company.currencies', {\n\t\t\t\turl: '/currencies',\n\t\t\t\tcontroller: 'settingsCurrenciesCtrl',\n\t\t\t\tdata: {\n\t\t\t\t\thelpAndSupportOptions: {\n\t\t\t\t\t\ttags: ['company-currencies']\n\t\t\t\t\t}\n\t\t\t\t},\n\t\t\t\ttemplateUrl: directory + '/currencies/settings-currencies.view.html'\n\t\t\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'companyData',\n\t'companyService',\n\t'settingsService',\n\t'COMPANY_TYPES',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\tcompanyData,\n\t\tcompanyService,\n\t\tsettingsService,\n\t\tCOMPANY_TYPES\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst loggedInUser = $rootScope.currentUser;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tcompanyData.getAgencyProfileCompanyInformationDetailed(agencyProfileId)\n\t\t\t.then(companyObj => {\n\n\t\t\t\tangular.extend(companyObj, {\n\t\t\t\t\tisBillingEnabled: $rootScope.currentCompany.isBillingEnabled,\n\t\t\t\t\tIsCustomerCodesEnabled: $rootScope.currentCompany.IsCustomerCodesEnabled,\n\t\t\t\t\tIsExpatActive: $rootScope.currentCompany.IsExpatActive,\n\t\t\t\t\tMandateState: $rootScope.currentCompany.MandateState\n\t\t\t\t});\n\n\t\t\t\tangular.extend($scope, {\n\t\t\t\t\tcompany: companyService.decorateCompanyInformationDetailedObj(companyObj),\n\t\t\t\t\tisPayrollCompany: companyService.isPayrollCompany(companyObj), // Required for child pages (e.g. Company Overview)\n\t\t\t\t\tsettingsOverviewGroups: settingsService.getSettingsOverviewCardsForCompanyType(companyObj, loggedInUser)\n\t\t\t\t});\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch((error) => {\n\t\t\t\tsetPageState('error');\n\t\t\t\tconsole.error(error);\n\t\t\t});\n\t}\n\n\tfunction refreshCompanyDetails () {\n\n\t\t$scope.callbackFired = true;\n\n\t\tinit();\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\tinit();\n\n\tangular.extend($scope, {\n\t\tCOMPANY_TYPES,\n\t\t$state,\n\n\t\tagencyProfileId,\n\t\tcallbackFired: false,\n\t\trefreshCompanyDetails\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsAccessCtrl', ['$scope', 'tabService', 'TAB_KEYS', function($scope, tabService, TAB_KEYS) {\n\n\tfunction init () {\n\t\t$scope.settingsAccessTabBarDef = tabService.getTabsForKey(TAB_KEYS.settings.access.id);\n\t}\n\n\tinit();\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsAccessAuthenticationCtrl', ['$rootScope', '$scope', '$stateParams', '$filter', 'agency', 'dateService', 'TFA_STATES',\n\tfunction ($rootScope, $scope, $stateParams, $filter, agency, dateService, TFA_STATES) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction decorateCompanyAuthentication (companyAuthenticationObj) {\n\t\tcompanyAuthenticationObj.tfaIsEnabled = (companyAuthenticationObj.TwoFAState !== TFA_STATES.off);\n\t}\n\n\tfunction getSessionTimeoutBlock (companyAuthenticationObj) {\n\n\t\treturn {\n\t\t\ticon: 'clock',\n\t\t\ttitle: 'Session timeout',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Session duration',\n\t\t\t\t\t\t\tvalue: $filter('duration')(companyAuthenticationObj.SessionTimeout, true)\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Warning countdown',\n\t\t\t\t\t\t\tvalue: $filter('duration')(companyAuthenticationObj.SessionTimeoutWarning, true)\n\t\t\t\t\t\t}\n\t\t\t\t\t],\n\t\t\t\t\teditAction: openSessionAuthenticationForm,\n\t\t\t\t\tid: 'authentication-session'\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\t}\n\n\tfunction getSSOBlock (companyAuthenticationObj) {\n\n\t\treturn {\n\t\t\ticon: 'login',\n\t\t\ttitle: 'Single sign-on',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Single sign-on',\n\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\tvalue: companyAuthenticationObj.OIDCEnabled\n\t\t\t\t\t\t}\n\t\t\t\t\t],\n\t\t\t\t\teditAction: openSSOForm,\n\t\t\t\t\tid: 'authentication-sso'\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\t}\n\n\tfunction getTwoFactorAuthenticationDetails (companyAuthenticationObj) {\n\n\t\tif (companyAuthenticationObj.IsIdentityEnabled) {\n\t\t\tcompanyAuthenticationObj.tfaIsEnabled = false;\n\t\t\tcompanyAuthenticationObj.TwoFAState = TFA_STATES.off;\n\t\t\tcompanyAuthenticationObj.TwoFAUpdatedDateISO = '';\n\t\t}\n\n\t\tconst tfaDetailObj = {\n\t\t\ticon: 'mobile',\n\t\t\ttitle: 'Two Factor Authentication',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Two Factor Authentication',\n\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\tvalue: companyAuthenticationObj.tfaIsEnabled\n\t\t\t\t\t\t}\n\t\t\t\t\t],\n\t\t\t\t\teditAction: openTwoFactorAuthenticationForm,\n\t\t\t\t\tid: 'authentication-tfa'\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\n\t\tif (companyAuthenticationObj.tfaIsEnabled) {\n\n\t\t\tif (companyAuthenticationObj.TwoFAState === TFA_STATES.timePeriod) {\n\n\t\t\t\ttfaDetailObj.detailGroups[0].details.push(\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Re-authentication period',\n\t\t\t\t\t\tvalue: $filter('duration')(companyAuthenticationObj.TwoFATimePeriod, true)\n\t\t\t\t\t}\n\t\t\t\t);\n\n\t\t\t} else {\n\n\t\t\t\ttfaDetailObj.detailGroups[0].details.push(\n\t\t\t\t\t{\n\t\t\t\t\t\tlabel: 'Re-authentication period',\n\t\t\t\t\t\tvalue: 'Every sign in'\n\t\t\t\t\t}\n\t\t\t\t);\n\t\t\t}\n\t\t}\n\n\t\tif (companyAuthenticationObj.TwoFAUpdatedDateISO !== '') {\n\t\t\ttfaDetailObj.detailGroups[0].details.push(\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Updated',\n\t\t\t\t\ttype: 'date',\n\t\t\t\t\tvalue: companyAuthenticationObj.TwoFAUpdatedDateISO\n\t\t\t\t}\n\t\t\t);\n\t\t}\n\n\t\treturn tfaDetailObj;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tagency.getCompanyAuthenticationDetails(agencyProfileId).then(companyAuthenticationObj => {\n\n\t\t\tdecorateCompanyAuthentication(companyAuthenticationObj);\n\n\t\t\t$scope.vm = {\n\t\t\t\tcompanyAuthentication: companyAuthenticationObj,\n\t\t\t\ttwoFactorAuthentication: getTwoFactorAuthenticationDetails(companyAuthenticationObj),\n\t\t\t\tsessionTimeoutBlock: getSessionTimeoutBlock(companyAuthenticationObj),\n\t\t\t\tssoBlock: getSSOBlock(companyAuthenticationObj)\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openSessionAuthenticationForm () {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'company-settings-authentication-session',\n\t\t});\n\t}\n\n\tfunction openSSOForm () {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'company-settings-authentication-sso',\n\t\t\ttitle: 'Single sign-on'\n\t\t});\n\t}\n\n\tfunction openTwoFactorAuthenticationForm () {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'company-settings-authentication-tfa',\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsAccessIPManagementCtrl', ['$q', '$rootScope', '$scope', '$stateParams', 'bulkService', 'searchService', 'securityData', 'teamData', 'utilities',\n\tfunction ($q, $rootScope, $scope, $stateParams, bulkService, searchService, securityData, teamData, utilities) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getIPAddresses = securityData.getIPAddresses(agencyProfileId);\n\t\tconst getTeamMemberAdmins = teamData.getTeamMemberAdmins(agencyProfileId);\n\n\t\t$q.all([getIPAddresses, getTeamMemberAdmins]).then(([ipAddresses, teamMemberAdmins]) => {\n\n\t\t\tangular.extend($scope.vm, {\n\t\t\t\tipAddresses: ipAddresses.sort(utilities.comparator('Description')),\n\t\t\t\tteamMemberAdmins: bulkService.getBulkItemsObj(teamMemberAdmins)\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction openAddOfficeLocationsForm (vmObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: vmObj.agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'company-settings-add-office-locations',\n\t\t\ttitle: 'Add office locations'\n\t\t});\n\t}\n\n\tfunction openEditRemoteLocationsForm (vmObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: vmObj.agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'company-settings-edit-remote-locations',\n\t\t\ttitle: 'Edit remote locations'\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tvm: {\n\t\t\t// Variables\n\t\t\tagencyProfileId,\n\t\t\tsearchBarOptions: searchService.remoteLocations,\n\n\t\t\t// Functions\n\t\t\topenAddOfficeLocationsForm,\n\t\t\topenEditRemoteLocationsForm,\n\t\t\trefresh: init\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsAdminsCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'agency',\n\t'bulkService',\n\t'dataTransfer',\n\t'filterService',\n\t'permissionsService',\n\t'reportData',\n\t'searchService',\n\t'securityData',\n\t'session',\n\t'INTERFACE_TYPES',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tagency,\n\t\tbulkService,\n\t\tdataTransfer,\n\t\tfilterService,\n\t\tpermissionsService,\n\t\treportData,\n\t\tsearchService,\n\t\tsecurityData,\n\t\tsession,\n\t\tINTERFACE_TYPES\n\t) {\n\n\tvar agencyProfileId = $stateParams.agencyProfileId;\n\tvar currentCompany = $scope.currentCompany;\n\tvar loggedInUserId = session.getUserId();\n\n\tfunction adminFilter (admin) {\n\n\t\tadmin.isLoggedInUser = admin.UserID === loggedInUserId;\n\t\tadmin.fullName = `${admin.Forename} ${admin.Surname}`;\n\n\t\treturn admin;\n\t}\n\n\tfunction downloadPermissionsReport (vmObj) {\n\n\t\tvmObj.permissionReportDownloadState = 'loading';\n\n\t\treportData.createPermissionsReportDownload(vmObj.agencyProfileId).then(permissionReportUrl => {\n\n\t\t\tdataTransfer.downloadFile(permissionReportUrl, 'PermissionsReport.xlsx');\n\n\t\t\tvmObj.permissionReportDownloadState = null;\n\t\t})\n\t\t.catch(error => {\n\t\t console.error(error);\n\t\t});\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getTeamMemberAdminAccounts = securityData.getTeamMemberAdminAccounts(agencyProfileId);\n\t\tconst getCompanyAuthenticationDetails = agency.getCompanyAuthenticationDetails(agencyProfileId);\n\n\t\t$q.all([getTeamMemberAdminAccounts, getCompanyAuthenticationDetails]).then(([adminsArray, companyAuthenticationObj]) => {\n\n\t\t\t$scope.vm = {\n\t\t\t\tadmins: bulkService.getBulkItemsObj(adminsArray.filter(adminFilter)),\n\t\t\t\tcanEditAdmin: permissionsService.getCanEditAdminPermissionForCompany(currentCompany.CompanyType),\n\t\t\t\tagencyProfileId: agencyProfileId,\n\t\t\t\tpermissionReportDownloadState: null,\n\t\t\t\tssoEnabled: companyAuthenticationObj.OIDCEnabled\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(function () {\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction openNewAdminForm (vmObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: vmObj.agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'new-admin'\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tINTERFACE_TYPES,\n\n\t\tfilterBarOptions: filterService.getFilterBarOptionsAdmins(currentCompany),\n\t\tsearchBarOptions: searchService.admins,\n\n\t\topenNewAdminForm,\n\t\tdownloadPermissionsReport,\n\t\trefreshAdmins: init\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsBacsDownloadsCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'agency',\n\t'bulkService',\n\t'dataTransfer',\n\t'filterService',\n\t'reportData',\n\t'searchService',\n\t'tabService',\n\t'DOCUMENT_STATES',\n\t'TAB_KEYS',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tagency,\n\t\tbulkService,\n\t\tdataTransfer,\n\t\tfilterService,\n\t\treportData,\n\t\tsearchService,\n\t\ttabService,\n\t\tDOCUMENT_STATES,\n\t\tTAB_KEYS\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction createBACSDownloadFile (bacsFilesArr, isBulkDownload) {\n\n\t\tif (isBulkDownload) {\n\t\t\tbacsFilesArr = bulkService.getSelectedItems(bacsFilesArr);\n\t\t}\n\n\t\tsetBacsFileLoadingState(bacsFilesArr, true);\n\n\t\tlet agencyDocumentIds = bulkService.getValuesFromArray(bacsFilesArr, 'AgencyDocumentID');\n\n\t\treportData.createBACSDownloadFile(agencyProfileId, agencyDocumentIds).then(downloadUrl => {\n\n\t\t\tconst fallbackFileName = `BureauBulkBACS_${moment().format('YYYY-MM-DD_HHmmss')}.zip`;\n\t\t\tdataTransfer.downloadFile(downloadUrl, fallbackFileName);\n\t\t\tsetBacsFileLoadingState(bacsFilesArr, false);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction decorateBacsFile (bacsFileObj) {\n\n\t\tbacsFileObj.documentStateDescription = getDocumentStateDescription(bacsFileObj.State);\n\n\t\treturn bacsFileObj;\n\t}\n\n\tfunction getDocumentStateDescription (documentState) {\n\n\t\tswitch (documentState) {\n\t\t\tcase DOCUMENT_STATES.processed:\n\t\t\t\treturn 'Processed';\n\t\t\tcase DOCUMENT_STATES.pending:\n\t\t\t\treturn 'Pending';\n\t\t\tdefault:\n\t\t\t\treturn 'Available';\n\t\t}\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getBACSDownloads = reportData.getBACSDownloads(agencyProfileId);\n\t\tconst getAgencyEmployerBUN = agency.getAgencyEmployerBUN(agencyProfileId);\n\n\t\t$q.all([getBACSDownloads, getAgencyEmployerBUN])\n\t\t\t.then(([bacsDownloadsArr, agencyEmployerBun]) => {\n\n\t\t\t\t$scope.vm = {\n\t\t\t\t\tagencyEmployerBun: agencyEmployerBun,\n\t\t\t\t\tbacsDownloads: bulkService.getBulkItemsObj(bacsDownloadsArr.filter(decorateBacsFile)),\n\t\t\t\t\tbacsDownloadsTabBarDef: tabService.getTabsForKey(TAB_KEYS.settings.bacsDownloads.id),\n\t\t\t\t\tfilterBarOptions: filterService.bacsDownloads,\n\t\t\t\t\tsearchBarOptions: searchService.bacsDownloads\n\t\t\t\t};\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onTabSelected (tabId) {\n\n\t\tlet documentState;\n\n\t\tswitch (tabId) {\n\t\t\tcase TAB_KEYS.settings.bacsDownloads.tabs.pending:\n\t\t\t\tdocumentState = DOCUMENT_STATES.pending;\n\t\t\t\tbreak;\n\t\t\tcase TAB_KEYS.settings.bacsDownloads.tabs.processed:\n\t\t\t\tdocumentState = DOCUMENT_STATES.processed;\n\t\t\t\tbreak;\n\t\t\tdefault:\n\t\t\t\tdocumentState = DOCUMENT_STATES.available;\n\t\t}\n\t\tsetActiveState($scope.vm, documentState);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openEditBureauBunForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'edit-bureau-bun'\n\t\t});\n\t}\n\n\tfunction setBacsFileLoadingState (bacsFilesArr, newLoadingState) {\n\t\tfor (let bacsFileObj of bacsFilesArr) {\n\t\t\tbacsFileObj.isLoading = newLoadingState;\n\t\t}\n\t}\n\n\tfunction setActiveState (vmObj, newDocumentState) {\n\n\t\t$scope.activeState = newDocumentState;\n\n\t\t// Reset multi-select checkbox\n\t\tfor (let bacsFileObj of vmObj.bacsDownloads.all) {\n\t\t\tbacsFileObj.isSelected = false;\n\t\t}\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction updateBacsDocumentState (bacsFilesArr, documentState, isBulkUpdate) {\n\n\t\tif (isBulkUpdate) {\n\t\t\tbacsFilesArr = bulkService.getSelectedItems(bacsFilesArr);\n\t\t}\n\n\t\tsetBacsFileLoadingState(bacsFilesArr, true);\n\n\t\treportData.updateBACSDownloadStates(agencyProfileId, bacsFilesArr, documentState)\n\t\t\t.then(init)\n\t\t\t.catch(onError);\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tactiveState: DOCUMENT_STATES.available,\n\n\t\tDOCUMENT_STATES,\n\n\t\tcreateBACSDownloadFile,\n\t\topenEditBureauBunForm,\n\t\tonTabSelected,\n\t\tupdateBacsDocumentState,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsBillingCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'$timeout',\n\t'companyData',\n\t'dataTransfer',\n\t'filterService',\n\t'growl',\n\t'payrollData',\n\t'searchService',\n\t'MANDATE_STATES',\n\t'PAYMENT_STATES',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tcompanyData,\n\t\tdataTransfer,\n\t\tfilterService,\n\t\tgrowl,\n\t\tpayrollData,\n\t\tsearchService,\n\t\tMANDATE_STATES,\n\t\tPAYMENT_STATES\n\t) {\n\n\tconst PLAN_RENEWAL_DATE = '1st Jan 2020';\n\tconst MANDATE_POLL_LENGTH = 60; // Seconds\n\tconst MANDATE_POLL_LENGTH_SUBMISSION = 4; // Seconds\n\n\tvar agencyProfileId = $stateParams.agencyProfileId;\n\tvar mandatePoll;\n\n\tfunction decorateCompany (companyObj) {\n\n\t\tcompanyObj.numberOfModules = 1; // User portal\n\n\t\tcompanyObj.numberOfModules = companyObj.Employer.IsCISActive ? companyObj.numberOfModules + 1 : companyObj.numberOfModules;\n\t\tcompanyObj.numberOfModules = companyObj.Employer.IsPayrollActive ? companyObj.numberOfModules + 1 : companyObj.numberOfModules;\n\t\tcompanyObj.numberOfModules = companyObj.Employer.IsPensionActive ? companyObj.numberOfModules + 1 : companyObj.numberOfModules;\n\n\t\treturn companyObj;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tvar getAgencyProfileCompanyInformationDetailed = companyData.getAgencyProfileCompanyInformationDetailed(agencyProfileId);\n\t\tvar getCompanyDirectDebitMandate = payrollData.getCompanyDirectDebitMandate(agencyProfileId);\n\t\tvar getNextBillingPayment = payrollData.getNextBillingPayment(agencyProfileId);\n\n\t\t$q.all([getAgencyProfileCompanyInformationDetailed, getCompanyDirectDebitMandate, getNextBillingPayment]).then(function (data) {\n\n\t\t\tvar companyObj = data[0];\n\t\t\tvar directDebitMandateObj = data[1];\n\t\t\tvar nextPaymentObj = data[2];\n\n\t\t\t$scope.company = decorateCompany(companyObj);\n\t\t\t$scope.directDebitMandate = directDebitMandateObj;\n\t\t\t$scope.nextPayment = nextPaymentObj;\n\n\t\t\t$timeout(function () {\n\t\t\t\treviewMandateState(directDebitMandateObj);\n\t\t\t}, 2000);\n\t\t})\n\t\t.catch(function () {\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction loadPayments () {\n\n\t\tpayrollData.getBillingPayments(agencyProfileId).then(function (paymentsArray) {\n\n\t\t\t$scope.payments = paymentsArray;\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(function () {\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction refreshMandate () {\n\n\t\tpayrollData.getCompanyDirectDebitMandate(agencyProfileId).then(function (directDebitMandateObj) {\n\n\t\t\t$scope.directDebitMandate = directDebitMandateObj;\n\n\t\t\treviewMandateState(directDebitMandateObj);\n\t\t})\n\t\t.catch(function () {\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction reviewMandateState (directDebitMandateObj) {\n\n\t\tswitch (directDebitMandateObj.MandateDetails.MandateState) {\n\t\t\tcase MANDATE_STATES.pendingSubmission:\n\t\t\t\tmandatePoll = $timeout(refreshMandate, MANDATE_POLL_LENGTH_SUBMISSION * 1000);\n\t\t\t\tsetPageState('ready');\n\t\t\t\tbreak;\n\n\t\t\tcase MANDATE_STATES.pendingCustomerApproval:\n\t\t\tcase MANDATE_STATES.submitted:\n\t\t\t\tmandatePoll = $timeout(refreshMandate, MANDATE_POLL_LENGTH * 1000);\n\t\t\t\tsetPageState('ready');\n\t\t\t\tbreak;\n\n\t\t\tcase MANDATE_STATES.active:\n\t\t\t\tloadPayments();\n\t\t\t\tbreak;\n\n\t\t\tdefault:\n\t\t\t\tsetPageState('ready');\n\t\t}\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\t$scope.agencyProfileId = agencyProfileId;\n\t$scope.payments = [];\n\t$scope.filterBarOptions = filterService.billing;\n\t$scope.searchBarOptions = searchService.billing;\n\n\t$scope.MANDATE_STATES = MANDATE_STATES;\n\t$scope.PAYMENT_STATES = PAYMENT_STATES;\n\t$scope.PLAN_RENEWAL_DATE = PLAN_RENEWAL_DATE;\n\n\t$scope.downloadFile = dataTransfer.downloadFile;\n\n\t$scope.incrementMandateState = function (mandateObj) {\n\n\t\tmandateObj.MandateDetails.MandateState = mandateObj.MandateDetails.MandateState === 8 ? 0 : mandateObj.MandateDetails.MandateState + 1;\n\t};\n\n\t$scope.incrementPaymentState = function (paymentObj, paymentsArray) {\n\n\t\tpaymentObj.PaymentStatus = paymentObj.PaymentStatus === 10 ? 0 : paymentObj.PaymentStatus + 1;\n\n\t\tif (paymentsArray.length) {\n\t\t\tpaymentsArray[0].PaymentStatus = paymentObj.PaymentStatus;\n\t\t}\n\t};\n\n\t$scope.openCompanyBankDetailsForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-bank-details'\n\t\t});\n\t};\n\n\t$scope.openCompanyBillingDetailsForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-billing-details'\n\t\t});\n\t};\n\n\t$scope.openCompanyBillingNameForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-billing-name'\n\t\t});\n\t};\n\n\t$scope.openDirectDebitForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'direct-debit'\n\t\t});\n\t};\n\n\t$scope.openManuallySendPaymentsForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'manually-send-payments'\n\t\t});\n\t};\n\n\t$scope.sendPaymentsManually = function () {\n\n\t\tpayrollData.payrollSendPaymentsManual().then(function () {\n\t\t\tgrowl.success('Go Cardless payments have been sent');\n\t\t})\n\t\t.catch(function () {\n\t\t\tsetPageState('error');\n\t\t});\n\t};\n\n\t$scope.setupPayment = function () {\n\n\t\t/*\n\t\tupdateCompanyDirectDebitMandateBank: function (agencyProfileId, updatedBankDetails)\n\t\tupdateCompanyGoCardlessDetails: function (agencyProfileId, updatedDirectDebitMandate)\n\t\t*/\n\n\t};\n\n\t$scope.$on('$detroy', function () {\n\t\t$timeout.cancel(mandatePoll);\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('bureauPayrollSettingsCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'companyData',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tcompanyData\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tcompanyData.getP60NotificationSettings(agencyProfileId).then((p60NotificationSettingsObj)=> {\n\t\t\tpopulateDetails(p60NotificationSettingsObj);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction populateDetails (p60NotificationSettingsObj) {\n\n\t\t$scope.basicDetails = {\n\t\t\ticon: 'pay-periods',\n\t\t\ttitle: 'Payroll settings',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: openP60NotificationsForm,\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Send next P60 notifications',\n\t\t\t\t\t\t\tvalue: p60NotificationSettingsObj.SendNextP60NotificationsText,\n\t\t\t\t\t\t\tupperFirstLetter: true\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\n\t\tsetPageState('ready');\n\t}\n\n\tfunction openP60NotificationsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-p60-notifications'\n\t\t});\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsBusinessCategoriesCtrl', [\n\t'$filter',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'filterService',\n\t'reportData',\n\t'searchService',\n\t'tabService',\n\t'utilities',\n\t'BUSINESS_CODE_FORM_STATES',\n\t'DOCUMENT_TYPES',\n\t'TAB_KEYS',\n\tfunction (\n\t\t$filter,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tfilterService,\n\t\treportData,\n\t\tsearchService,\n\t\ttabService,\n\t\tutilities,\n\t\tBUSINESS_CODE_FORM_STATES,\n\t\tDOCUMENT_TYPES,\n\t\tTAB_KEYS\n\t) {\n\n\tconst GET_UNALLOCATED_CODE = true;\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction getBusinessCategoryObjByNumber (businessCategoriesArr, businessCategoryNumber) {\n\n\t\tconst businessCategoryObj = businessCategoriesArr.find(_ => {\n\t\t\treturn _.BusinessCategoryNumber === businessCategoryNumber;\n\t\t});\n\n\t\treturn businessCategoryObj;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\treportData.getBusinessCategoryListForAgency(agencyProfileId, GET_UNALLOCATED_CODE).then(businessCategoriesArr => {\n\n\t\t\tconst TABS = tabService.getTabsForKey(TAB_KEYS.settings.businessCategories.id, {businessCategories: businessCategoriesArr});\n\n\t\t\t$scope.vm = {\n\t\t\t\tDOCUMENT_TYPES,\n\t\t\t\tagencyProfileId,\n\t\t\t\tbusinessCategories: businessCategoriesArr,\n\t\t\t\tbusinessCategoriesTabBarDef: TABS,\n\t\t\t\topenBusinessCodeForm,\n\t\t\t\trefresh,\n\t\t\t\trefreshDepartments,\n\t\t\t\tsearchBarOptions: searchService.businessCategories,\n\t\t\t\tsetActiveBusinessCategory,\n\t\t\t\tsetActiveBusinessCategoryById\n\t\t\t};\n\n\t\t\tsetActiveBusinessCategory($scope.vm, businessCategoriesArr[0]);\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction openBusinessCodeForm (businessCategoryObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tbusinessCategory: businessCategoryObj,\n\t\t\tcallback: refreshDepartments,\n\t\t\tformKey: 'business-code',\n\t\t\tformState: BUSINESS_CODE_FORM_STATES.create,\n\t\t\ttitle: `Add ${businessCategoryObj.businessCategoryNameLower}`\n\t\t});\n\t}\n\n\tfunction refresh () {\n\n\t\tinit();\n\t}\n\n\tfunction refreshDepartments () {\n\n\t\treportData.getBusinessCategoryListForAgency(agencyProfileId, GET_UNALLOCATED_CODE).then(businessCategoriesArr => {\n\n\t\t\tangular.extend($scope.vm, {\n\t\t\t\tbusinessCategories: businessCategoriesArr\n\t\t\t});\n\n\t\t\tsetActiveBusinessCategory($scope.vm, getBusinessCategoryObjByNumber(businessCategoriesArr, $scope.vm.activeBusinessCategory.BusinessCategoryNumber));\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction setActiveBusinessCategory (vmObj, businessCategoryObj) {\n\n\t\tangular.extend(businessCategoryObj, {\n\t\t\tbusinessCategoryNameLower: $filter('lowercase')(businessCategoryObj.BusinessCategoryName)\n\t\t});\n\n\t\tangular.extend(vmObj, {\n\t\t\tactiveBusinessCategory: businessCategoryObj\n\t\t});\n\t}\n\n\tfunction setActiveBusinessCategoryById (vmObj, businessCategoryId) {\n\n\t\tconst activeBusinessCategoryObj = utilities.getArrayItemByPropertyName(vmObj.businessCategories, 'BusinessCategoryID', businessCategoryId);\n\n\t\tsetActiveBusinessCategory(vmObj, activeBusinessCategoryObj);\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsBusinessCategoriesCategoryCtrl', [\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\tfunction (\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams\n\t) {\n\n\tconst businessCategoryId = $stateParams.categoryId;\n\n\tfunction init () {\n\n\t\tif (angular.isUndefined(businessCategoryId)) {\n\t\t\t$state.go('settings.company.business-categories.category', {'categoryId': $scope.vm.businessCategories[0].BusinessCategoryID});\n\t\t\treturn;\n\t\t}\n\n\t\t$scope.vm.setActiveBusinessCategoryById($scope.vm, businessCategoryId);\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsBusinessCategoriesImportsCtrl', [\n\t'$q',\n\t'$scope',\n\t'$stateParams',\n\t'dataImport',\n\t'filterService',\n\t'importService',\n\t'payrollData',\n\t'searchService',\n\t'DOCUMENT_TYPES',\n\t'IMPORT_MAPPING_TYPES',\n\tfunction (\n\t\t$q,\n\t\t$scope,\n\t\t$stateParams,\n\t\tdataImport,\n\t\tfilterService,\n\t\timportService,\n\t\tpayrollData,\n\t\tsearchService,\n\t\tDOCUMENT_TYPES,\n\t\tIMPORT_MAPPING_TYPES\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction getUserImportGroupsBusinessCategoriesService () {\n\n\t\tconst INCLUDE_DELETED = true;\n\t\tconst TEAM_IMPORTS = false;\n\t\tconst PERIOD_IMPORTS = false;\n\n\t\tlet PAY_PERIOD_ID; // Undefined as not period specific\n\n\t\treturn dataImport.getUserImportGroups(agencyProfileId, PAY_PERIOD_ID, INCLUDE_DELETED, TEAM_IMPORTS, PERIOD_IMPORTS, IMPORT_MAPPING_TYPES.businessCategories);\t\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tpayrollData.getPayPeriodMinimum(agencyProfileId).then(currentPayPeriodObj => {\n\n\t\t\tgetUserImportGroupsBusinessCategoriesService().then(userImportGroupsBusinessCategoriesArr => {\n\n\t\t\t\tangular.extend($scope.vm, {\n\t\t\t\t\tDOCUMENT_TYPES,\n\t\t\t\t\tagencyProfileId,\n\t\t\t\t\tfilterBarOptionsImports: filterService.getFilterBarOptionsJournalImports(),\n\t\t\t\t\timportHistoryItems: userImportGroupsBusinessCategoriesArr.filter(importService.decorateImportGroup),\n\t\t\t\t\timportHistoryItemsFiltered: [],\n\t\t\t\t\tpayPeriod: currentPayPeriodObj,\n\t\t\t\t\tsearchBarOptionsImports: searchService.journalImports\n\t\t\t\t});\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsCurrenciesCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'companyData',\nfunction (\n\t$rootScope,\n\t$scope,\n\t$stateParams,\n\tcompanyData\n) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tcompanyData.getCurrencies(agencyProfileId)\n\t\t\t.then(currenciesArr => {\n\n\t\t\t\t$scope.vm = {\n\t\t\t\t\tcurrencies: currenciesArr,\n\t\t\t\t\texchangeRates: setupExchangeRatesDetailBlock(currenciesArr)\n\t\t\t\t};\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openCompanySettingsCurrenciesForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-currencies',\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction setupExchangeRatesDetailBlock (currenciesArr) {\n\n\t\tconst currenciesGroupArr = [];\n\t\tconst exchangeRatesDetailObj = {\n\t\t\ticon: 'toggle-on',\n\t\t\tgroupId: 'exchange-rates',\n\t\t\ttitle: 'Exchange rates',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: openCompanySettingsCurrenciesForm,\n\t\t\t\t\tdetails: currenciesGroupArr\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\n\t\tif (currenciesArr.length > 0) {\n\t\t\tfor (let currencyObj of currenciesArr) {\n\t\t\t\tcurrenciesGroupArr.push({\n\t\t\t\t\tlabel: currencyObj.CurrencyLabel,\n\t\t\t\t\tvalue: currencyObj.CurrencyValue\n\t\t\t\t});\n\t\t\t}\n\t\t} else {\n\t\t\texchangeRatesDetailObj.feedback = 'Click ‘Edit’ to start adding currencies.';\n\t\t}\n\n\t\treturn exchangeRatesDetailObj;\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsCustomerCodesCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'$timeout',\n\t'bulkService',\n\t'companyData',\n\t'filterService',\n\t'searchService',\n\t'SEARCH_BAR_ACTIONS',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tbulkService,\n\t\tcompanyData,\n\t\tfilterService,\n\t\tsearchService,\n\t\tSEARCH_BAR_ACTIONS\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init() {\n\n\t\tsetPageState('loading');\n\n\t\tconst getBureauCustomerCode = companyData.getAgencyCustomerCode(agencyProfileId);\n\t\tconst getCompaniesCustomerCodes = companyData.getAgencyCustomerCodes(agencyProfileId);\n\t\t$q.all([\n\t\t\tgetBureauCustomerCode,\n\t\t\tgetCompaniesCustomerCodes\n\t\t])\n\t\t\t.then(([\n\t\t\t\tbureauCustomerCode,\n\t\t\t\tcompaniesCustomerCodes\n\t\t\t]) => {\n\n\t\t\t\tangular.extend($scope.vm, {\n\t\t\t\t\tagencyProfileId,\n\t\t\t\t\tbureauCustomerCode:bureauCustomerCode,\n\t\t\t\t\tcustomerCodes:bulkService.getBulkItemsObj(companiesCustomerCodes)\n\t\t\t\t});\n\t\t\t\t// Update state\n\t\t\t\tsetPageState('ready');\n\n\t\t\t})\n\t\t\t.catch(() => {\n\t\t\t\t// Page state\n\t\t\t\tsetPageState('error');\n\t\t\t});\n\t}\n\n\tfunction editCustomerCode () {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcustomerCode: null,\n\t\t\tcustomerCodes: $scope.vm.customerCodes,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-customer-codes'\n\t\t});\n\t}\n\n\tfunction editBureauCustomerCode (customerCodeObj) {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcustomerCode: customerCodeObj,\n\t\t\tcallback: init,\n\t\t\tisBureau: true,\n\t\t\tformKey: 'company-settings-customer-codes',\n\t\t});\n\t}\n\n\tfunction searchBarActionSelected (searchBarActionKey) {\n\t\tif (searchBarActionKey === SEARCH_BAR_ACTIONS.customerCodes.editCustomerCode) {\n\t\t\teditCustomerCode();\n\t\t}\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState=pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tvm: {\n\t\t\t// Variables\n\t\t\tagencyProfileId,\n\t\t\tsearchBarOptions: searchService.customerCodes,\n\t\t\tfilterBarOptions: filterService.customerCodes,\n\n\t\t\t//Functions\n\t\t\teditBureauCustomerCode,\n\t\t\trefresh: init,\n\t\t\tsearchBarActionSelected\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsCustomisationCtrl', [\n\t'$filter',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'companyData',\n\t'config',\n\t'customisationService',\n\t'tabService',\n\t'CUSTOMISATION_FEATURE_KEYS',\n\t'TAB_KEYS',\nfunction (\n\t$filter,\n\t$scope,\n\t$state,\n\t$stateParams,\n\tcompanyData,\n\tconfig,\n\tcustomisationService,\n\ttabService,\n\tCUSTOMISATION_FEATURE_KEYS,\n\tTAB_KEYS\n) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst companyObj = $scope.company; // From parent\n\n\tfunction getAppHeaderBlock (customisationObj) {\n\n\t\tconst appHeaderDetailsObj = customisationService.getCustomisationFeatureByFeatureKey(CUSTOMISATION_FEATURE_KEYS.appHeader);\n\n\t\treturn {\n\t\t\ttitle: appHeaderDetailsObj.title,\n\t\t\timage: `/images/graphics/${appHeaderDetailsObj.imageUrl}`,\n\t\t\ttheme: 'primary has-centered-header',\n\t\t\tdescription: appHeaderDetailsObj.description,\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: () => {\n\t\t\t\t\t\tgoToCustomisation(CUSTOMISATION_FEATURE_KEYS.appHeader);\n\t\t\t\t\t},\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'App icon',\n\t\t\t\t\t\t\ttype: 'image',\n\t\t\t\t\t\t\tvalue: customisationObj.LogoUrls.Icon,\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Header colour 1',\n\t\t\t\t\t\t\ttype: 'customisation-colour',\n\t\t\t\t\t\t\tvalue: customisationObj.Branding.Colour1\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Header colour 2',\n\t\t\t\t\t\t\ttype: 'customisation-colour',\n\t\t\t\t\t\t\tvalue: customisationObj.Branding.Colour2\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Gradient',\n\t\t\t\t\t\t\ttype: 'customisation-gradient',\n\t\t\t\t\t\t\tvalue: customisationObj.Branding\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\t}\n\n\tfunction getEmployeePortalBlock (customisationObj) {\n\n\t\tconst employeePortalDetailsObj = customisationService.getCustomisationFeatureByFeatureKey(CUSTOMISATION_FEATURE_KEYS.employeePortal);\n\n\t\treturn {\n\t\t\ttitle: employeePortalDetailsObj.title,\n\t\t\timage: `/images/graphics/${employeePortalDetailsObj.imageUrl}`,\n\t\t\ttheme: 'primary has-centered-header',\n\t\t\tdescription: employeePortalDetailsObj.description,\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: () => {\n\t\t\t\t\t\tgoToCustomisation(CUSTOMISATION_FEATURE_KEYS.employeePortal);\n\t\t\t\t\t},\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Logo',\n\t\t\t\t\t\t\ttype: 'image',\n\t\t\t\t\t\t\tvalue: customisationObj.SideBar.LogoURL,\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\t}\n\n\tfunction getIntercomBlock (intercomCustomisationObj) {\n\n\t\tconst intercomDetailsObj = customisationService.getCustomisationFeatureByFeatureKey(CUSTOMISATION_FEATURE_KEYS.intercom);\n\n\t\tconst intercomIsActive = getIsIntercomEnabled(intercomCustomisationObj);\n\n\t\tconst intercomBlockObj = {\n\t\t\ttitle: intercomDetailsObj.title,\n\t\t\timage: `/images/graphics/${intercomDetailsObj.imageUrl}`,\n\t\t\ttheme: 'primary has-centered-header',\n\t\t\tdescription: intercomDetailsObj.description,\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: () => {\n\t\t\t\t\t\tgoToCustomisation(CUSTOMISATION_FEATURE_KEYS.intercom);\n\t\t\t\t\t},\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Status',\n\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\tvalue: intercomIsActive\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\ttype: 'html'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\n\t\tif (intercomIsActive) {\n\n\t\t\tintercomBlockObj.detailGroups[0].details.unshift(\n\t\t\t\t{\n\t\t\t\t\tlabel: 'App ID',\n\t\t\t\t\tvalue: '*'.repeat(intercomCustomisationObj.AppID.length)\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Identity Verification Secret',\n\t\t\t\t\tvalue: '*'.repeat(intercomCustomisationObj.HashKey.length/2)\n\t\t\t\t}\n\t\t\t);\n\n\t\t}\n\n\t\treturn intercomBlockObj;\n\t}\n\n\tfunction getIsIntercomEnabled (intercomCustomisationObj) {\n\n\t\tconst isPaycircleBureau = (companyObj.AgencyProfileID === config.paycircleBureauId);\n\n\t\tconst hasSameAppID = (intercomCustomisationObj.AppID === config.intercomAppId);\n\n\t\treturn (isPaycircleBureau && hasSameAppID) || (!isPaycircleBureau && !hasSameAppID);\n\t}\n\n\tfunction getLoginPageBlock (loginPageCustomisationObj) {\n\n\t\tconst loginDetailsObj = customisationService.getCustomisationFeatureByFeatureKey(CUSTOMISATION_FEATURE_KEYS.login);\n\n\t\treturn {\n\t\t\ttitle: loginDetailsObj.title,\n\t\t\timage: `/images/graphics/${loginDetailsObj.imageUrl}`,\n\t\t\ttheme: 'primary has-centered-header',\n\t\t\tdescription: loginDetailsObj.description,\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: () => {\n\t\t\t\t\t\tgoToCustomisation(CUSTOMISATION_FEATURE_KEYS.login);\n\t\t\t\t\t},\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Logo',\n\t\t\t\t\t\t\ttype: 'image',\n\t\t\t\t\t\t\tvalue: loginPageCustomisationObj.LogoURL,\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Background colour',\n\t\t\t\t\t\t\ttype: 'customisation-colour',\n\t\t\t\t\t\t\tvalue: loginPageCustomisationObj.BackgroundColour\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Text shade',\n\t\t\t\t\t\t\ttype: 'customisation-shade',\n\t\t\t\t\t\t\tvalue: loginPageCustomisationObj.TextShade\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Address',\n\t\t\t\t\t\t\tvalue: getVisibilityDisplay(loginPageCustomisationObj.IsAddressVisible)\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Email address',\n\t\t\t\t\t\t\tvalue: getVisibilityDisplay(loginPageCustomisationObj.IsEmailAddressVisible)\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Telephone',\n\t\t\t\t\t\t\tvalue: getVisibilityDisplay(loginPageCustomisationObj.IsPhoneVisible)\n\t\t\t\t\t\t},\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\t}\n\n\tfunction getOnlinePayslipsBlock (payslipCustomisationObj) {\n\n\t\tconst onlinePayslipsDetailsObj = customisationService.getCustomisationFeatureByFeatureKey(CUSTOMISATION_FEATURE_KEYS.onlinePayslips);\n\n\t\treturn {\n\t\t\ttitle: onlinePayslipsDetailsObj.title,\n\t\t\timage: `/images/graphics/${onlinePayslipsDetailsObj.imageUrl}`,\n\t\t\ttheme: 'primary has-centered-header',\n\t\t\tdescription: onlinePayslipsDetailsObj.description,\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: () => {\n\t\t\t\t\t\tgoToCustomisation(CUSTOMISATION_FEATURE_KEYS.onlinePayslips);\n\t\t\t\t\t},\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Logo',\n\t\t\t\t\t\t\ttype: 'image',\n\t\t\t\t\t\t\tvalue: payslipCustomisationObj.LogoURL,\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Payroll support contact',\n\t\t\t\t\t\t\tvalue: getVisibilityDisplay(payslipCustomisationObj.IsContactVisible)\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Custom message',\n\t\t\t\t\t\t\tvalue: payslipCustomisationObj.CustomMessage\n\t\t\t\t\t\t},\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\t}\n\n\tfunction getSystemEmailsBlock (customisationObj) {\n\n\t\tconst systemEmailsDetailsObj = customisationService.getCustomisationFeatureByFeatureKey(CUSTOMISATION_FEATURE_KEYS.systemEmails);\n\n\t\treturn {\n\t\t\ttitle: systemEmailsDetailsObj.title,\n\t\t\timage: `/images/graphics/${systemEmailsDetailsObj.imageUrl}`,\n\t\t\ttheme: 'primary has-centered-header',\n\t\t\tdescription: systemEmailsDetailsObj.description,\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: () => {\n\t\t\t\t\t\tgoToCustomisation(CUSTOMISATION_FEATURE_KEYS.systemEmails);\n\t\t\t\t\t},\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Logo',\n\t\t\t\t\t\t\ttype: 'image',\n\t\t\t\t\t\t\tvalue: customisationObj.Emails.LogoURL,\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Email address',\n\t\t\t\t\t\t\tvalue: getVisibilityDisplay(customisationObj.Emails.EmailAddress)\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Address',\n\t\t\t\t\t\t\tvalue: 'Displayed'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\t}\n\n\tfunction getVisibilityDisplay (isVisible) {\n\t\treturn isVisible ? 'Displayed' : 'Hidden';\n\t}\n\n\tfunction goToCustomisation (featureKey) {\n\t\t$state.go('customisation', {agencyProfileId, featureKey});\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tcompanyData.getCompanyCustomisationToUse(agencyProfileId).then(customisationObj => {\n\n\t\t\t$scope.customisation = $filter('customisation')(customisationObj);\n\n\t\t\t$scope.vm = {\n\t\t\t\t// Customisation detail blocks\n\t\t\t\tappHeader: getAppHeaderBlock(customisationObj),\n\t\t\t\tintercomChat: getIntercomBlock(customisationObj.Intercom),\n\t\t\t\tloginPage: getLoginPageBlock(customisationObj.Login),\n\t\t\t\tonlinePayslips: getOnlinePayslipsBlock(customisationObj.Payslips),\n\t\t\t\tsystemEmails: getSystemEmailsBlock(customisationObj),\n\t\t\t\temployeePortal: getEmployeePortalBlock(customisationObj),\n\n\t\t\t\t// Initial selected tab and tab definitions\n\t\t\t\tcurrentTab: TAB_KEYS.settings.customisation.tabs.system,\n\t\t\t\tcustomisationTabBarDef: tabService.getTabsForKey(TAB_KEYS.settings.customisation.id)\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction onTabSelected (tabId) {\n\t\t$scope.vm.currentTab = tabId;\n\t}\n\n\tfunction setPageState (newState) {\n\t\t$scope.pageState = newState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tonTabSelected,\n\t\tTAB_KEYS\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsEmailNotificationsCtrl', ['$rootScope', '$scope', '$stateParams', 'mailData', 'utilities', 'EMAIL_PREVIEW_TYPES', 'MAIL_GROUP_TYPES', 'MAIL_SUBGROUP_TYPES',\n\tfunction ($rootScope, $scope, $stateParams, mailData, utilities, EMAIL_PREVIEW_TYPES, MAIL_GROUP_TYPES, MAIL_SUBGROUP_TYPES) {\n\n\tlet agencyProfileId = $stateParams.agencyProfileId;\n\tlet companyObj = $scope.company;\n\n\tfunction getGroupName (group) {\n\n\t\tswitch (group) {\n\t\t\tcase MAIL_GROUP_TYPES.none:\n\t\t\t\treturn 'None';\n\t\t\tcase MAIL_GROUP_TYPES.payroll:\n\t\t\t\treturn 'Payroll';\n\t\t\tcase MAIL_GROUP_TYPES.pension:\n\t\t\t\treturn 'Pension';\n\t\t\tcase MAIL_GROUP_TYPES.system:\n\t\t\t\treturn 'System';\n\t\t}\n\t}\n\n\tfunction getSubgroupName (subGroup) {\n\n\t\tswitch (subGroup) {\n\t\t\tcase MAIL_SUBGROUP_TYPES.none:\n\t\t\t\treturn 'None';\n\t\t\tcase MAIL_SUBGROUP_TYPES.companyAdmins:\n\t\t\t\treturn 'Company Admins';\n\t\t\tcase MAIL_SUBGROUP_TYPES.teamMembers:\n\t\t\t\treturn 'Team Members';\n\t\t\tcase MAIL_SUBGROUP_TYPES.invitation:\n\t\t\t\treturn 'Invitations';\n\t\t\tcase MAIL_SUBGROUP_TYPES.pension:\n\t\t\t\treturn 'Pensions';\n\t\t\tcase MAIL_SUBGROUP_TYPES.security:\n\t\t\t\treturn 'Security';\n\t\t\tcase MAIL_SUBGROUP_TYPES.onboarding:\n\t\t\t\treturn 'Onboarding';\n\t\t\tcase MAIL_SUBGROUP_TYPES.workflow:\n\t\t\t\treturn 'Workflow';\n\t\t\tcase MAIL_SUBGROUP_TYPES.notes:\n\t\t\t\treturn 'Notes';\n\t\t\tcase MAIL_SUBGROUP_TYPES.company:\n\t\t\t\treturn 'Company';\n\t\t}\n\t}\n\n\tfunction decorateEmails (companyEmailFramework, emailListObj) {\n\n\t\t// Put the emails in their places\n\t\tlet emailGroupArray = [];\n\t\temailListObj.forEach(emailObj => {\n\n\t\t\t// Override IsReadOnly if parent framework is readonly\n\t\t\tif (companyEmailFramework.IsReadOnly) {\n\t\t\t\t// Ignore the case difference between parent and child IsReadOnly -> IsReadonly. That's a quirk of the API.\n\t\t\t\temailObj.IsReadonly = true;\n\t\t\t}\n\n\t\t\t// Create group if it doesn't exist\n\t\t\tif (!emailGroupArray[emailObj.Group]) {\n\t\t\t\temailGroupArray[emailObj.Group] = [];\n\t\t\t}\n\t\t\t// Create subgroup if it doesn't exist\n\t\t\tif (!emailGroupArray[emailObj.Group][emailObj.Subgroup]) {\n\t\t\t\temailGroupArray[emailObj.Group][emailObj.Subgroup] = [];\n\t\t\t}\n\t\t\t/* Add email to appropriate subgroup. Leave out auto-run emails (IsHiddenInSettings); best to do that here\n\t\t\t rather than in the template, as it could give rise to empty groups. */\n\t\t\tif (!emailObj.IsHiddenInSettings) {\n\t\t\t\temailGroupArray[emailObj.Group][emailObj.Subgroup].push(emailObj);\n\t\t\t}\n\t\t});\n\n\t\t// Normalise that - removing anyhing that's empty\n\t\tlet emailGroups = [];\n\t\tfor (let group = 0; group < emailGroupArray.length; group++) {\n\t\t\tif (emailGroupArray[group]) {\n\t\t\t\tlet emailGroup = {\n\t\t\t\t\temailSubgroups: [],\n\t\t\t\t\tgroupName: getGroupName(group),\n\t\t\t\t\tisSystem: group === MAIL_GROUP_TYPES.system\n\t\t\t\t};\n\t\t\t\temailGroups.push(emailGroup);\n\t\t\t\tfor (let subgroup = 0; subgroup < emailGroupArray[group].length; subgroup++) {\n\t\t\t\t\tif (emailGroupArray[group][subgroup]) {\n\t\t\t\t\t\tlet emailList = emailGroupArray[group][subgroup];\n\t\t\t\t\t\t// Ensure emails in each subgroup are ordered by title\n\t\t\t\t\t\temailList = emailList.sort(utilities.comparator('Title'));\n\t\t\t\t\t\tlet activeCount = emailList.filter(email => email.IsActive).length;\n\t\t\t\t\t\temailGroup.emailSubgroups.push({\n\t\t\t\t\t\t\tactiveCount,\n\t\t\t\t\t\t\temailList,\n\t\t\t\t\t\t\tgroupTheme: group === MAIL_GROUP_TYPES.system ? 'primary' : 'secondary',\n\t\t\t\t\t\t\tisExpanded: true,\n\t\t\t\t\t\t\tsubgroupName: getSubgroupName(subgroup)\n\t\t\t\t\t\t});\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\treturn emailGroups;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\t// Listen for switch to live / test and refresh, since this can affect email notifications settings availability\n\t\tangular.forEach(['company-switch-to-test', 'company-switch-to-live'], (event) => {\n\t\t\t$rootScope.$on(event, () => {\n\t\t\t\tinit();\n\t\t\t});\n\t\t});\n\n\t\tmailData.getCompanyEmailSettings(agencyProfileId).then(companyEmails => {\n\n\t\t\tlet companyEmailFramework = companyEmails.CompanyEmailFramework;\n\t\t\tlet emailGroups = decorateEmails(companyEmailFramework, companyEmails.EmailList);\n\n\t\t\t// Keep active counts in sync\n\t\t\t$scope.$watch('emailGroups', () => {\n\t\t\t\t$scope.emailGroups.forEach(groupObj => {\n\t\t\t\t\tupdateGroupCounts(groupObj);\n\t\t\t\t});\n\t\t\t}, true);\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tcompanyEmailFramework,\n\t\t\t\tframeworkIsInherited: companyEmailFramework.FrameworkOwnerAgencyProfileID !== agencyProfileId,\n\t\t\t\temailGroups\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction onEmailActiveChange (emailObj) {\n\n\t\t// Single email change - call update\n\t\tupdateEmails([emailObj]);\n\t}\n\n\tfunction openEmailNotificationSettingsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcompany: companyObj,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-email-notifications',\n\t\t\tcontextType: 'company',\n\t\t\tshowContext: true\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction setAllActive (groupObj, active) {\n\n\t\t// Set all active or inactive, and update via API\n\t\tlet updateEmailList = [];\n\t\tgroupObj.emailSubgroups.forEach(subGroup => {\n\t\t\tsubGroup.emailList.forEach(email => {\n\t\t\t\temail.IsActive = active;\n\t\t\t\tupdateEmailList.push(email);\n\t\t\t});\n\t\t});\n\t\tupdateEmails(updateEmailList);\n\n\t\t// Keep group counts in sync\n\t\tupdateGroupCounts(groupObj);\n\t}\n\n\tfunction toggleExpand (subgroupObj) {\n\n\t\tsubgroupObj.isExpanded = !subgroupObj.isExpanded;\n\t}\n\n\tfunction updateEmails (updateEmailList) {\n\n\t\tlet updateEmails = {\n\t\t\tCompanyEmailFramework: $scope.companyEmailFramework,\n\t\t\tEmailList: updateEmailList\n\t\t};\n\n\t\tmailData.updateCompanyEmailSettings(agencyProfileId, updateEmails).then(() => {\n\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState(error);\n\t\t});\n\t}\n\n\tfunction updateGroupCounts (groupObj) {\n\n\t\tgroupObj.emailSubgroups.forEach(subgroupObj => {\n\t\t\tupdateSubgroupCount(subgroupObj);\n\t\t});\n\t}\n\n\tfunction updateSubgroupCount (subgroupObj) {\n\n\t\tsubgroupObj.activeCount = subgroupObj.emailList.filter(email => email.IsActive).length;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\t// Constants\n\t\tEMAIL_PREVIEW_TYPES,\n\n\t\t// Variables\n\t\tagencyProfileId,\n\n\t\t// Functions\n\t\tgetGroupName,\n\t\tgetSubgroupName,\n\t\tonEmailActiveChange,\n\t\topenEmailNotificationSettingsForm,\n\t\tsetAllActive,\n\t\ttoggleExpand\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsEmployeePortalSettingsCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'companyData',\n\t'EMPLOYEE_PORTAL_PERMISSIONS_FLAGS',\n\t'EMPLOYEE_PORTAL_PERMISSIONS_GROUP_IDS',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tcompanyData,\n\t\tEMPLOYEE_PORTAL_PERMISSIONS_FLAGS,\n\t\tEMPLOYEE_PORTAL_PERMISSIONS_GROUP_IDS\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tcompanyData.getAgencyProfileEmployeePortalPermissionValue(agencyProfileId).then((permissionValue) => {\n\n\t\t\tconst employeePortalPermissionsSet = unravelPermissions(permissionValue);\n\t\t\tconst employeePortalSettingsDetailBlocks = setupSettingsDetailBlocks(permissionValue, employeePortalPermissionsSet);\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tvm: {\n\t\t\t\t\temployeePortalSettingsDetailBlocks\n\t\t\t\t}\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction permissionsKeyForSwitchBit (switchBit) {\n\t\treturn Object.keys(EMPLOYEE_PORTAL_PERMISSIONS_FLAGS).find(permissionFlag => {\n\t\t\tif (EMPLOYEE_PORTAL_PERMISSIONS_FLAGS[permissionFlag] === switchBit) {\n\t\t\t\treturn permissionFlag;\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openEditEmployeePermissionForm (permissionValue, permissionsGroupId, employeePortalSettingsDetailBlocks) {\n\n\t\t// Extract the permissions group from the vm object based on the ID\n\t\tconst permissionsGroup = employeePortalSettingsDetailBlocks.find(employeePortalSettingsDetailBlock => {\n\t\t\treturn employeePortalSettingsDetailBlock.groupId === permissionsGroupId;\n\t\t});\n\n\t\t// That should have been found ...\n\t\tif (angular.isDefined(permissionsGroup)) {\n\t\t\t$rootScope.openSlideInForm({\n\t\t\t\tagencyProfileId,\n\t\t\t\tcallback: init,\n\t\t\t\tpermissionsGroup,\n\t\t\t\tpermissionValue,\n\t\t\t\tformKey: 'company-settings-employee-portal',\n\t\t\t\ttitle: `Edit ${permissionsGroup.title.toLowerCase()}`\n\t\t\t});\n\t\t}\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction setupSettingsDetailBlocks (permissionValue, employeePortalPermissionsSet) {\n\t\tconst employeePortalSettingsDetailBlocks = [];\n\n\t\t// Employee Portal Profile settings\n\t\temployeePortalSettingsDetailBlocks.push({\n\t\t\tgroupId: EMPLOYEE_PORTAL_PERMISSIONS_GROUP_IDS.profile,\n\t\t\ticon: 'user',\n\t\t\ttitle: 'Profile',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: openEditEmployeePermissionForm.bind(\n\t\t\t\t\t\tundefined,\n\t\t\t\t\t\tpermissionValue,\n\t\t\t\t\t\tEMPLOYEE_PORTAL_PERMISSIONS_GROUP_IDS.profile,\n\t\t\t\t\t\temployeePortalSettingsDetailBlocks\n\t\t\t\t\t),\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tswitchBit: EMPLOYEE_PORTAL_PERMISSIONS_FLAGS.personalInformation,\n\t\t\t\t\t\t\tinfoText: 'Title / First name / Surname / Work email / Personal email / Phone number / Alternative phone number',\n\t\t\t\t\t\t\tlabel: 'Personal Information',\n\t\t\t\t\t\t\ttype: 'switch-editable',\n\t\t\t\t\t\t\tvalue: employeePortalPermissionsSet[permissionsKeyForSwitchBit(EMPLOYEE_PORTAL_PERMISSIONS_FLAGS.personalInformation)]\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tswitchBit: EMPLOYEE_PORTAL_PERMISSIONS_FLAGS.gender,\n\t\t\t\t\t\t\tlabel: 'Gender',\n\t\t\t\t\t\t\ttype: 'switch-visible-reversed',\n\t\t\t\t\t\t\tvalue: employeePortalPermissionsSet[permissionsKeyForSwitchBit(EMPLOYEE_PORTAL_PERMISSIONS_FLAGS.gender)]\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\ttype: 'divider'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tswitchBit: EMPLOYEE_PORTAL_PERMISSIONS_FLAGS.addresses,\n\t\t\t\t\t\t\tinfoText: 'Home address / Correspondence address',\n\t\t\t\t\t\t\tlabel: 'Addresses',\n\t\t\t\t\t\t\ttype: 'switch-editable',\n\t\t\t\t\t\t\tvalue: employeePortalPermissionsSet[permissionsKeyForSwitchBit(EMPLOYEE_PORTAL_PERMISSIONS_FLAGS.addresses)]\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\ttype: 'divider'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tswitchBit: EMPLOYEE_PORTAL_PERMISSIONS_FLAGS.bankDetails,\n\t\t\t\t\t\t\tinfoText: 'Bank details 1 / Bank details 2 / Bank details 3',\n\t\t\t\t\t\t\tlabel: 'Bank details',\n\t\t\t\t\t\t\ttype: 'switch-editable',\n\t\t\t\t\t\t\tvalue: employeePortalPermissionsSet[permissionsKeyForSwitchBit(EMPLOYEE_PORTAL_PERMISSIONS_FLAGS.bankDetails)]\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t});\n\n\t\t// Employee Portal Documents settings\n\t\temployeePortalSettingsDetailBlocks.push({\n\t\t\tgroupId: EMPLOYEE_PORTAL_PERMISSIONS_GROUP_IDS.documents,\n\t\t\ticon: 'document',\n\t\t\ttitle: 'Documents',\n\t\t\tfeedback: 'Documents that have been made available in the Employee portal will always be visible and downloadable by the employee',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Document Storage',\n\t\t\t\t\t\t\tvalue: 'Pay statements / P60 / P45 / CIS'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t});\n\n\t\t// Employee Portal Pensions settings. Only applicable if pension module is switched on for current company\n\t\tif ($rootScope.currentCompany.IsPensionActive) {\n\t\t\temployeePortalSettingsDetailBlocks.push({\n\t\t\t\tgroupId: EMPLOYEE_PORTAL_PERMISSIONS_GROUP_IDS.pensions,\n\t\t\t\ticon: 'money',\n\t\t\t\ttitle: 'Pensions',\n\t\t\t\tdetailGroups: [\n\t\t\t\t\t{\n\t\t\t\t\t\teditAction: openEditEmployeePermissionForm.bind(undefined,\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tpermissionValue,\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tEMPLOYEE_PORTAL_PERMISSIONS_GROUP_IDS.pensions,\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\temployeePortalSettingsDetailBlocks),\n\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tswitchBit: EMPLOYEE_PORTAL_PERMISSIONS_FLAGS.employeeOptInOut,\n\t\t\t\t\t\t\t\tlabel: 'Employee opt in/out',\n\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\tvalue: employeePortalPermissionsSet[permissionsKeyForSwitchBit(EMPLOYEE_PORTAL_PERMISSIONS_FLAGS.employeeOptInOut)]\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tswitchBit: EMPLOYEE_PORTAL_PERMISSIONS_FLAGS.manageContributions,\n\t\t\t\t\t\t\t\tlabel: 'Manage pension contributions',\n\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\tvalue: employeePortalPermissionsSet[permissionsKeyForSwitchBit(EMPLOYEE_PORTAL_PERMISSIONS_FLAGS.manageContributions)]\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t]\n\t\t\t\t\t}\n\t\t\t\t]\n\t\t\t});\n\t\t}\n\n\t\t// Employee Portal Holiday and Sickness settings. Only applicable if HR module is switched on for current company\n\t\tif ($rootScope.currentCompany.IsHRActive) {\n\t\t\temployeePortalSettingsDetailBlocks.push({\n\t\t\t\tgroupId: EMPLOYEE_PORTAL_PERMISSIONS_GROUP_IDS.holidayAndSickness,\n\t\t\t\ticon: 'holiday',\n\t\t\t\ttitle: 'Holiday and Sickness',\n\t\t\t\tdetailGroups: [\n\t\t\t\t\t{\n\t\t\t\t\t\teditAction: openEditEmployeePermissionForm.bind(undefined,\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tpermissionValue,\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\tEMPLOYEE_PORTAL_PERMISSIONS_GROUP_IDS.holidayAndSickness,\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t\temployeePortalSettingsDetailBlocks),\n\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tswitchBit: EMPLOYEE_PORTAL_PERMISSIONS_FLAGS.holidayAndSickness,\n\t\t\t\t\t\t\t\tinfoText: 'Holiday pay / sickness pay',\n\t\t\t\t\t\t\t\tlabel: 'Holiday and Sickness',\n\t\t\t\t\t\t\t\ttype: 'switch-visible',\n\t\t\t\t\t\t\t\tvalue: employeePortalPermissionsSet[permissionsKeyForSwitchBit(EMPLOYEE_PORTAL_PERMISSIONS_FLAGS.holidayAndSickness)]\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t]\n\t\t\t\t\t}\n\t\t\t\t]\n\t\t\t});\n\t\t}\n\n\t\treturn employeePortalSettingsDetailBlocks;\n\t}\n\n\tfunction unravelPermissions (permissionValue) {\n\n\t\t// Make a copy of the permissions set for blatant manipulation\n\t\tconst permissionSet = angular.copy(EMPLOYEE_PORTAL_PERMISSIONS_FLAGS);\n\n\t\t// For each permission bit, determine whether it's set (true) or not set (false).\n\t\tObject.keys(permissionSet).forEach(permissionBit => {\n\t\t\tpermissionSet[permissionBit] = (permissionValue & permissionSet[permissionBit]) !== 0;\n\t\t});\n\n\t\treturn permissionSet;\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsFileUploadsCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'base',\n\t'bulkService',\n\t'config',\n\t'filterService',\n\t'importService',\n\t'searchService',\n\t'DOCUMENT_TYPES',\n\t'FILE_UPLOAD_FORMS',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tbase,\n\t\tbulkService,\n\t\tconfig,\n\t\tfilterService,\n\t\timportService,\n\t\tsearchService,\n\t\tDOCUMENT_TYPES,\n\t\tFILE_UPLOAD_FORMS\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tbase.getAgencyDocumentsForType(agencyProfileId, config.guidEmpty, DOCUMENT_TYPES.genericUpload).then(documentsArr => {\n\n\t\t\tconst decoratedDocumentsArr = documentsArr.filter(importService.decorateDocumentUploads(DOCUMENT_TYPES.genericUpload));\n\n\t\t\t$scope.vm = {\n\t\t\t\tdocuments: bulkService.getBulkItemsObj(decoratedDocumentsArr)\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openFileUploadsForm (formState, filteredDocumentsArr) {\n\n\t\tconst formOptionsObj = {\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-file-uploads',\n\t\t\tformState: formState,\n\t\t\ttitle: formState === FILE_UPLOAD_FORMS.uploadFile ? 'Upload files' : 'Delete files'\n\t\t};\n\n\t\tif (angular.isDefined(filteredDocumentsArr)) {\n\n\t\t\tconst selectedDocumentsArr = bulkService.getSelectedItems(filteredDocumentsArr);\n\n\t\t\tif (selectedDocumentsArr.length > 1) {\n\t\t\t\tformOptionsObj.documents = bulkService.getValuesFromArray(selectedDocumentsArr, 'AgencyDocumentID');\n\t\t\t}\n\t\t\telse {\n\t\t\t\tformOptionsObj.document = selectedDocumentsArr[0];\n\t\t\t}\n\t\t}\n\n\t\t$rootScope.openSlideInForm(formOptionsObj);\n\t}\n\n\tfunction setPageState (newState) {\n\t\t$scope.pageState = newState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\topenFileUploadsForm,\n\t\trefreshPage: init,\n\n\t\tFILE_UPLOAD_FORMS,\n\n\t\tagencyProfileId,\n\t\tfilterBarOptions: filterService.documents,\n\t\tsearchBarOptions: searchService.documents\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsGenderPayGapCtrl', [\n\t'$scope',\n\t'$stateParams',\n\t'bulkService',\n\t'reportData',\n\t'reportsService',\n\t'searchService',\n\tfunction (\n\t\t$scope,\n\t\t$stateParams,\n\t\tbulkService,\n\t\treportData,\n\t\treportsService,\n\t\tsearchService\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\treportData.getGenderPayGapReportsForAgency(agencyProfileId)\n\t\t\t.then(genderPayGapReportsArr => {\n\n\t\t\t\t$scope.vm = {\n\t\t\t\t\tgenderPayGapReports: bulkService.getBulkItemsObj(genderPayGapReportsArr),\n\t\t\t\t};\n\n\t\t\t\tsetPageState('ready');\n\n\t\t\t}).catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openGenderPayGapWizard () {\n\n\t\treportsService.openGenderPayGapReportCreator({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\topenGenderPayGapWizard,\n\t\trefresh: init,\n\t\tsearchBarOptions: searchService.genderPayGap,\n\n\t\tagencyProfileId\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsImportsCtrl', ['$scope', '$stateParams', 'tabService', 'TAB_KEYS', function ($scope, $stateParams, tabService, TAB_KEYS) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst company = $scope.company;\n\n\tfunction init () {\n\t\tsetPageState('ready');\n\t\t$scope.settingsImportsTabBarDef = tabService.getTabsForKey(TAB_KEYS.settings.imports.id);\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\t$scope.vm = {\n\t\t// Variables\n\t\tagencyProfileId,\n\t\tcompany\n\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsImportsSettingsCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'agency',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\tagency\n\t) {\n\n\tconst agencyProfileId = $rootScope.currentCompany.AgencyProfileID;\n\n\tfunction getCurrentPeriodDetails () {\n\n\t\treturn {\n\t\t\ticon: 'settings',\n\t\t\ttitle: 'Changes imports',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: () => openEditImportLayoutForm($scope.vm, 'Current period'),\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Data layout',\n\t\t\t\t\t\t\ttype: 'html' // Value is provided by template\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\t}\n\n\tfunction getTeamImportsDetails (vmObj) {\n\n\t\treturn {\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Auto-set casual workers',\n\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\tvalue: vmObj.isAutoCompleteEnabled\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\ttype: 'html',\n\t\t\t\t\t\t\tvalue: vmObj.isAutoCompleteEnabled\n\t\t\t\t\t\t}\n\t\t\t\t\t],\n\t\t\t\t\teditAction: () => openEditTeamImportsForm($scope.vm)\n\t\t\t\t}\n\t\t\t],\n\t\t\ticon: 'team-alt',\n\t\t\ttitle: 'Team imports'\n\t\t};\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getAgencyProfileImportAutoComplete = agency.getAgencyProfileImportAutoComplete(agencyProfileId);\n\t\tconst getAgencyProfileImportOrientationVertical = agency.getAgencyProfileImportOrientationVertical(agencyProfileId);\n\n\t\t$q.all([\n\t\t\tgetAgencyProfileImportAutoComplete,\n\t\t\tgetAgencyProfileImportOrientationVertical\n\t\t]).then(([\n\t\t\tisAutoCompleteEnabled,\n\t\t\tisVertical\n\t\t]) => {\n\n\t\t\tlet vmObj = {\n\t\t\t\tagencyProfileId,\n\t\t\t\tisAutoCompleteEnabled,\n\t\t\t\tisVertical\n\t\t\t};\n\n\t\t\tangular.extend(vmObj, {\n\t\t\t\tcurrentPeriodDetails: getCurrentPeriodDetails(),\n\t\t\t\tteamImportsDetails: getTeamImportsDetails(vmObj)\n\t\t\t});\n\n\t\t\tangular.extend($scope.vm, vmObj);\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openEditImportLayoutForm (vmObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: vmObj.agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'edit-import-layout'\n\t\t});\n\t}\n\n\tfunction openEditTeamImportsForm (vmObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: vmObj.agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'edit-team-imports'\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsImportsMappingsCtrl', ['$rootScope', '$scope', 'bulkService', 'dataImport', 'filterService', 'searchService', 'DOCUMENT_TYPES',\n\tfunction ($rootScope, $scope, bulkService, dataImport, filterService, searchService, DOCUMENT_TYPES) {\n\n\tconst agencyProfileId = $rootScope.currentCompany.AgencyProfileID;\n\tconst currentCompany = $rootScope.currentCompany;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tdataImport.getImportMappingTemplates(agencyProfileId).then(importMappingTemplatesArr => {\n\n\t\t\tangular.extend($scope.vm, {\n\t\t\t\tDOCUMENT_TYPES,\n\t\t\t\tagencyProfileId,\n\t\t\t\tfilterBarOptions: filterService.getFilterBarOptionsImportMapping(currentCompany),\n\t\t\t\timportMappingTemplates: importMappingTemplatesArr.filter(template => angular.isUndefined(template.IgnoreTemplate) || !template.IgnoreTemplate),\n\t\t\t\trefresh: init,\n\t\t\t\tsearchBarOptions: searchService.importMappings\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\t\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsIntegrationsCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'base',\n\t'companyData',\n\t'reportData',\n\t'ACCOUNTING_INTEGRATION_TYPES',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tbase,\n\t\tcompanyData,\n\t\treportData,\n\t\tACCOUNTING_INTEGRATION_TYPES\n\t) {\n\n\tlet integrationData = null;\n\n\t$scope.agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\t\tloadCompany();\n\t}\n\n\tfunction loadCompany () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getCompanyIntegrationDetails = companyData.getCompanyIntegrationDetails($scope.agencyProfileId);\n\t\tconst getAccountingIntegrationConnection = reportData.getAccountingIntegrationConnection($scope.agencyProfileId);\n\t\tconst isFeatureEnabled = base.isFeatureEnabled($scope.agencyProfileId, 'ACCESS_FINANCIALS_INTEGRATION');\n\n\t\t$q.all([\n\t\t\tgetCompanyIntegrationDetails,\n\t\t\tgetAccountingIntegrationConnection,\n\t\t\tisFeatureEnabled\n\t\t]).then(([\n\t\t\tintegrationObj,\n\t\t\taccountingIntegrationObj,\n\t\t\tisFeatureEnabledBool\n\t\t]) => {\n\n\t\t\tconst isXeroIntegrationEnabled = accountingIntegrationObj.IsConnected && accountingIntegrationObj.IntegrationType === ACCOUNTING_INTEGRATION_TYPES.xero;\n\t\t\tconst isAccessFinancialsIntegrationEnabled = accountingIntegrationObj.IsConnected && accountingIntegrationObj.IntegrationType === ACCOUNTING_INTEGRATION_TYPES.accessFinancials;\n\n\t\t\tintegrationData = {\n\t\t\t\tisPayExperianIntegrationEnabled: integrationObj.IsPayExperianIntegrationEnabled,\n\t\t\t\tisPeopleHRIntegrationEnabled: integrationObj.IsPeopleHRIntegrationEnabled\n\t\t\t};\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tcanEditPayExperianIntegrationEnabled: integrationObj.CanEditPayExperianIntegrationEnabled,\n\t\t\t\tcanEditPeopleHRIntegrationEnabled: integrationObj.CanEditPeopleHRIntegrationEnabled,\n\t\t\t\tisXeroIntegrationEnabled,\n\t\t\t\tisAccessFinancialsFeatureEnabled: isFeatureEnabledBool,\n\t\t\t\tisAccessFinancialsIntegrationEnabled,\n\t\t\t\tisAccountingIntegrationEnabled: isXeroIntegrationEnabled || isAccessFinancialsIntegrationEnabled,\n\t\t\t\tpayExperianIntegration: {\n\t\t\t\t\ticon: 'fixed-value',\n\t\t\t\t\ttitle: 'Verification',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\teditAction: openPayExperianIntegrationForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Digital Employment Verification',\n\t\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\t\tvalue: integrationObj.IsPayExperianIntegrationEnabled\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'pay-experian-integration-setting'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\tpeopleHrIntegration: {\n\t\t\t\t\ticon: 'team',\n\t\t\t\t\ttitle: 'HR',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\teditAction: openPeopleHrIntegrationForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Access PeopleHR',\n\t\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\t\tvalue: integrationObj.IsPeopleHRIntegrationEnabled\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t$rootScope.userHasRole('paycircle') ? { type: 'divider' } : {},\n\t\t\t\t\t\t\t\t$rootScope.userHasRole('paycircle') ? { type: 'html' } : {},\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'people-hr-integration-setting'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t},\n\t\t\t\taccountingIntegration: {\n\t\t\t\t\ticon: 'excel',\n\t\t\t\t\ttitle: 'Accounting',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\teditAction: openNextForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Xero',\n\t\t\t\t\t\t\t\t\tlabelTrue: 'Connected',\n\t\t\t\t\t\t\t\t\tlabelFalse: 'Not Connected',\n\t\t\t\t\t\t\t\t\ttype: 'switch-custom',\n\t\t\t\t\t\t\t\t\tvalue: isXeroIntegrationEnabled\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Organisation',\n\t\t\t\t\t\t\t\t\ttype: accountingIntegrationObj.CredentialTenantName === '' ? 'placeholder' : null,\n\t\t\t\t\t\t\t\t\tvalue: accountingIntegrationObj.CredentialTenantName === '' ? 'Not added' : accountingIntegrationObj.CredentialTenantName\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'accounting-integration-setting'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t});\n\n\t\t\tif ($scope.isAccessFinancialsFeatureEnabled) {\n\t\t\t\t$scope.accountingIntegration.detailGroups[0].details.splice(0, 0, {\n\t\t\t\t\tlabel: 'Access Financials',\n\t\t\t\t\tlabelTrue: 'Connected',\n\t\t\t\t\tlabelFalse: 'Not Connected',\n\t\t\t\t\ttype: 'switch-custom',\n\t\t\t\t\tvalue: isAccessFinancialsIntegrationEnabled\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(() => {\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction openPayExperianIntegrationForm () {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $scope.agencyProfileId,\n\t\t\tcallback: loadCompany,\n\t\t\tformKey: 'edit-pay-experian-integration',\n\t\t\tintegrationData,\n\t\t\ttitle: 'Digital Employment Verification'\n\t\t});\n\t}\n\n\tfunction openPeopleHrIntegrationForm () {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $scope.agencyProfileId,\n\t\t\tcallback: loadCompany,\n\t\t\tformKey: 'edit-people-hr-integration',\n\t\t\tintegrationData\n\t\t});\n\t}\n\n\tfunction openAlignTeamMemberMappingsIntegrationForm () {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $scope.agencyProfileId,\n\t\t\tcallback: loadCompany,\n\t\t\tformKey: 'align-team-member-mappings-integration'\n\t\t});\n\t}\n\n\n\tfunction openNextForm () {\n\t\tif (!$scope.isAccountingIntegrationEnabled) {\n\t\t\topenAccountingIntegrationForm();\n\t\t} else {\n\t\t\tif ($scope.isXeroIntegrationEnabled) {\n\t\t\t\topenDisconnectXeroForm();\n\t\t\t} else if ($scope.isAccessFinancialsIntegrationEnabled) {\n\t\t\t\topenDisconnectAccessFinancialsForm();\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction openAccountingIntegrationForm () {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $scope.agencyProfileId,\n\t\t\tcallback: loadCompany,\n\t\t\tisAccessFinancialsFeatureEnabled: $scope.isAccessFinancialsFeatureEnabled,\n\t\t\tformKey: 'edit-accounting-integration'\n\t\t});\n\t}\n\n\tfunction openDisconnectXeroForm () {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $scope.agencyProfileId,\n\t\t\tcallback: loadCompany,\n\t\t\tformKey: 'xero',\n\t\t\ttitle: 'Disconnect from accounting software'\n\t\t});\n\t}\n\n\tfunction openDisconnectAccessFinancialsForm () {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $scope.agencyProfileId,\n\t\t\tcallback: loadCompany,\n\t\t\tformKey: 'financials',\n\t\t\ttitle: 'Disconnect from accounting software'\n\t\t});\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\topenAlignTeamMemberMappingsIntegrationForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsJournalsBusinessCategoriesCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'reportData',\n\t'utilities',\n\t'DOCUMENT_TYPES',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\treportData,\n\t\tutilities,\n\t\tDOCUMENT_TYPES\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction decorateBusinessCategories (businessCategoriesArr) {\n\n\t\tbusinessCategoriesArr.sort(utilities.comparator('BusinessCategoryNumber'));\n\n\t\t// Business categories themselves are in a specific, user-defined order, but it's sensible to order the codes within.\n\t\tbusinessCategoriesArr.forEach(businessCategoryObj => {\n\t\t\tbusinessCategoryObj.BusinessCodes.sort(utilities.comparator('BusinessCodeValue'));\n\t\t});\n\n\t\treturn businessCategoriesArr;\n\t}\n\n\tfunction getBusinessCategoryOverride (businessCategoriesArr) {\n\n\t\treturn businessCategoriesArr.find(businessCategoryObj => {\n\t\t\tif (businessCategoryObj.BusinessCategoryNominalCodeOverridesEnabled) {\n\t\t\t\treturn businessCategoryObj;\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\treportData.getBusinessCategoryListForAgency(agencyProfileId).then(businessCategoriesArr => {\n\n\t\t\tangular.extend($scope.vm, {\n\t\t\t\tDOCUMENT_TYPES,\n\t\t\t\tagencyProfileId,\n\t\t\t\tbusinessCategories: decorateBusinessCategories(businessCategoriesArr),\n\t\t\t\tbusinessCategoryOverride: getBusinessCategoryOverride(businessCategoriesArr),\n\t\t\t\tonUpdateBusinessCategory,\n\t\t\t\topenSubCodeOverridesForm\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction onUpdateBusinessCategory () {\n\t\tinit();\n\t}\n\n\tfunction openSubCodeOverridesForm (businessCategoriesArr) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tbusinessCategories: businessCategoriesArr,\n\t\t\tcallback: $scope.vm.refresh,\n\t\t\tformKey: 'company-settings-sub-code-overrides'\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsJournalsImportsCtrl', [\n\t'$q',\n\t'$scope',\n\t'$stateParams',\n\t'dataImport',\n\t'filterService',\n\t'importService',\n\t'payrollData',\n\t'searchService',\n\t'DOCUMENT_TYPES',\n\t'IMPORT_MAPPING_TYPES',\n\tfunction (\n\t\t$q,\n\t\t$scope,\n\t\t$stateParams,\n\t\tdataImport,\n\t\tfilterService,\n\t\timportService,\n\t\tpayrollData,\n\t\tsearchService,\n\t\tDOCUMENT_TYPES,\n\t\tIMPORT_MAPPING_TYPES\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction getUserImportGroupsNominalCodesService () {\n\n\t\tconst INCLUDE_DELETED = true;\n\t\tconst TEAM_IMPORTS = false;\n\t\tconst PERIOD_IMPORTS = false;\n\n\t\tlet PAY_PERIOD_ID; // Undefined as not period specific\n\n\t\treturn dataImport.getUserImportGroups(agencyProfileId, PAY_PERIOD_ID, INCLUDE_DELETED, TEAM_IMPORTS, PERIOD_IMPORTS, IMPORT_MAPPING_TYPES.nominalCodes);\t\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tpayrollData.getPayPeriodMinimum(agencyProfileId).then(currentPayPeriodObj => {\n\n\t\t\tgetUserImportGroupsNominalCodesService().then(userImportGroupsNominalCodesArr => {\n\n\t\t\t\tangular.extend($scope.vm, {\n\t\t\t\t\tDOCUMENT_TYPES,\n\t\t\t\t\tagencyProfileId,\n\t\t\t\t\tfilterBarOptions: filterService.getFilterBarOptionsJournalImports(),\n\t\t\t\t\timportHistoryItems: userImportGroupsNominalCodesArr.filter(importService.decorateImportGroup),\n\t\t\t\t\timportHistoryItemsFiltered: [],\n\t\t\t\t\tpayPeriod: currentPayPeriodObj,\n\t\t\t\t\tsearchBarOptionsImports: searchService.journalImports\n\t\t\t\t});\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsJournalsNominalCodesCtrl', [\n\t'$filter',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'config',\n\t'dataTransfer',\n\t'journalsService',\n\t'reportData',\n\t'searchService',\n\t'storageService',\n\t'utilities',\n\t'DOCUMENT_TYPES',\n\t'GROUP_ENTRY_CATEGORIES',\n\tfunction (\n\t\t$filter,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tconfig,\n\t\tdataTransfer,\n\t\tjournalsService,\n\t\treportData,\n\t\tsearchService,\n\t\tstorageService,\n\t\tutilities,\n\t\tDOCUMENT_TYPES,\n\t\tGROUP_ENTRY_CATEGORIES\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tconst isHelperTextVisibleKey = 'nominalCodesIsHelperTextVisible';\n\tconst isHelperTextVisibleValue = storageService.getFromSessionStorage(isHelperTextVisibleKey, true);\n\tconst isHelperTextVisible = isHelperTextVisibleValue === true || isHelperTextVisibleValue === 'true';\n\n\tfunction decorateNominalEntry (nominalEntryObj) {\n\n\t\tnominalEntryObj.category = getCategoryForNominalEntry(nominalEntryObj);\n\n\t\t// Requires category\n\t\tnominalEntryObj.theme = getNominalEntryTheme(nominalEntryObj);\n\t}\n\n\tfunction deleteNominalEntry (vmObj, nominalCodeObj, nominalEntryObj) {\n\n\t\t// Mark as archived\n\t\tnominalEntryObj.NominalEntryArchived = true;\n\t\tnominalEntryObj.isActive = false;\n\n\t\treportData.updateNominalEntryList(nominalCodeObj.AgencyProfileID, nominalCodeObj.NominalEntries).then(() => {\n\n\t\t\t// Now the entry has been saved, and it's unallocated, set properties to properly unassign it\n\t\t\tangular.extend(nominalEntryObj, {\n\t\t\t\tNominalCodeID: config.guidEmpty,\n\t\t\t\tNominalEntryArchived: false,\n\t\t\t\tNominalEntryID: config.guidEmpty\n\t\t\t});\n\n\t\t\t// Add to unallocated entries array\n\t\t\tvmObj.nominalCodes.entries.unallocated.push(angular.copy(nominalEntryObj));\n\n\t\t\t// Remove from allocated entries array\n\t\t\tvmObj.nominalCodes.entries.allocated = vmObj.nominalCodes.entries.allocated.filter(entry => {\n\t\t\t\treturn entry.AgencyAdjustmentGroupEntryID !== nominalEntryObj.AgencyAdjustmentGroupEntryID;\n\t\t\t});\n\n\t\t\t// Add to unallocated nominal code\n\t\t\tvmObj.nominalCodes.unallocated[0].NominalEntries.push(angular.copy(nominalEntryObj));\n\n\t\t\t// Remove from existing nominal code\n\t\t\tnominalCodeObj.NominalEntries = nominalCodeObj.NominalEntries.filter(entry => {\n\t\t\t\treturn entry.AgencyAdjustmentGroupEntryID !== nominalEntryObj.AgencyAdjustmentGroupEntryID;\n\t\t\t});\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetPageState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction dismissHelperText (vmObj) {\n\n\t\tvmObj.isHelperTextVisible = false;\n\n\t\tstorageService.addToSessionStorage(isHelperTextVisibleKey, false);\n\t}\n\n\tfunction errorHandler () {\n\n\t\tsetPageState('error');\n\t}\n\n\tfunction exportNominalCodesCSV (agencyProfileId) {\n\n\t\treportData.createNominalCodeReportDownload(agencyProfileId).then(nominalCodeReportUrl => {\n\t\t\tdataTransfer.downloadFile(nominalCodeReportUrl);\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetPageState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction getActiveEntries (vmObj) {\n\n\t\treturn vmObj.nominalCodes.entries.unallocated.filter(i => { return i.isActive; });\n\t}\n\n\tfunction getCategoryForNominalEntry (nominalEntryObj) {\n\n\t\t// Calculated\n\t\tif (nominalEntryObj.AgencyAdjustmentGroupEntry.Category === GROUP_ENTRY_CATEGORIES.calculated.key) {\n\t\t\treturn GROUP_ENTRY_CATEGORIES.calculated.key;\n\t\t}\n\n\t\t// Deductions\n\t\tif (nominalEntryObj.AgencyAdjustmentGroupEntry.IsDeduction) {\n\t\t\treturn GROUP_ENTRY_CATEGORIES.deductions.key;\n\t\t}\n\n\t\t// Additions\n\t\treturn GROUP_ENTRY_CATEGORIES.additions.key;\n\t}\n\n\tfunction getNominalCodesData (nominalCodesArr) {\n\n\t\tlet nominalCodesDataObj = {\n\t\t\tall: angular.copy(nominalCodesArr),\n\t\t\tallocated: [],\n\t\t\tfiltered: [],\n\t\t\tunallocated: [],\n\t\t\tentries: {\n\t\t\t\tactive: [],\n\t\t\t\tall: [],\n\t\t\t\tallocated: [],\n\t\t\t\tfiltered: [],\n\t\t\t\ttotalActive: 0,\n\t\t\t\tunallocated: []\n\t\t\t}\n\t\t};\n\n\t\t// Order nominal codes by value\n\t\tjournalsService.sortNominalCodes(nominalCodesArr);\n\n\t\t/* Decorate nominal codes with category and get some useful counts for the preview */\n\t\tnominalCodesArr.forEach(nominalCodeObj => {\n\n\t\t\t// Do not show 'Unallocated'\n\t\t\tnominalCodeObj.isActive = true;\n\t\t\tnominalCodeObj.isVisible = nominalCodeObj.NominalCodeID !== config.guidEmpty;\n\n\t\t\t// Categorise entries for search / filtering\n\t\t\tnominalCodeObj.NominalEntries.forEach(decorateNominalEntry);\n\n\t\t\t// Allocated entries\n\t\t\tif (nominalCodeObj.isVisible) {\n\t\t\t\tnominalCodesDataObj.allocated.push(nominalCodeObj);\n\t\t\t\tnominalCodesDataObj.entries.all = nominalCodesDataObj.entries.all.concat(nominalCodeObj.NominalEntries);\n\t\t\t\tnominalCodesDataObj.entries.allocated = nominalCodesDataObj.entries.allocated.concat(nominalCodeObj.NominalEntries);\n\t\t\t}\n\n\t\t\t// Unallocated entries\n\t\t\telse {\n\t\t\t\tnominalCodesDataObj.unallocated.push(nominalCodeObj);\n\t\t\t\tnominalCodesDataObj.entries.all = nominalCodesDataObj.entries.all.concat(nominalCodeObj.NominalEntries);\n\t\t\t\tnominalCodesDataObj.entries.unallocated = nominalCodesDataObj.entries.unallocated.concat(nominalCodeObj.NominalEntries);\n\t\t\t}\n\t\t});\n\n\t\t// Find the unallocated nominal code in the list. This is just a container for pay elements that haven't been allocated\n\t\tlet unallocatedNominalCodeIndex = nominalCodesArr.findIndex(nominalCodeObj => {\n\t\t\treturn nominalCodeObj.NominalCodeID === config.guidEmpty;\n\t\t});\n\n\t\t// Get that and remove it from the list.\n\t\tnominalCodesArr.splice(unallocatedNominalCodeIndex, 1);\n\n\t\treturn nominalCodesDataObj;\n\t}\n\n\tfunction getNominalEntryTheme (nominalEntryObj) {\n\n\t\tswitch (nominalEntryObj.category) {\n\t\t\tcase GROUP_ENTRY_CATEGORIES.additions.key:\n\t\t\t\treturn 'is-secondary';\n\t\t\tcase GROUP_ENTRY_CATEGORIES.deductions.key:\n\t\t\t\treturn 'is-assertive';\n\t\t\tcase GROUP_ENTRY_CATEGORIES.calculated.key:\n\t\t\t\treturn 'is-primary';\n\t\t\tdefault:\n\t\t\t\treturn 'is-primary';\n\t\t}\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\treportData.getNominalCodeListForAgency(agencyProfileId).then(nominalCodesArr => {\n\n\t\t\tangular.extend($scope.vm, {\n\t\t\t\tDOCUMENT_TYPES,\n\t\t\t\tGROUP_ENTRY_CATEGORIES,\n\t\t\t\tactiveCategory: GROUP_ENTRY_CATEGORIES.calculated,\n\t\t\t\tdeleteNominalEntry,\n\t\t\t\tdismissHelperText,\n\t\t\t\terrorHandler,\n\t\t\t\texportNominalCodesCSV,\n\t\t\t\tisHelperTextVisible,\n\t\t\t\tmoveActivePayElementsToNominalCodes,\n\t\t\t\tnominalCodes: getNominalCodesData(nominalCodesArr),\n\t\t\t\topenAddNominalCodesForm,\n\t\t\t\topenDeleteNominalCodeForm,\n\t\t\t\topenPreviewAndExportModal,\n\t\t\t\tpayElementsSearchTerm: '',\n\t\t\t\tpopulateActiveEntries,\n\t\t\t\tselectCategory,\n\t\t\t\tsearchBarOptions: searchService.nominalCodes,\n\t\t\t\ttoggleIsActive\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction moveActivePayElementsToNominalCodes (vmObj, nominalCodeObj) {\n\n\t\tconst nominalCodesActiveArr = getActiveEntries(vmObj);\n\n\t\t// Attach nominal code id\n\t\tnominalCodesActiveArr.forEach(nominalCodeActiveObj => {\n\t\t\tnominalCodeActiveObj.NominalCodeID = nominalCodeObj.NominalCodeID;\n\t\t});\n\n\t\t// Add to nominal code\n\t\tnominalCodeObj.NominalEntries = nominalCodeObj.NominalEntries.concat(nominalCodesActiveArr);\n\n\t\t// Do the update and add to the list\n\t\treportData.updateNominalEntryList(nominalCodeObj.AgencyProfileID, nominalCodesActiveArr).then(() => {\n\n\t\t\tfor (let i = 0; i < nominalCodesActiveArr.length; i++) {\n\t\t\t\t\n\t\t\t\tconst nominalCodeActiveObj = nominalCodesActiveArr[i];\n\n\t\t\t\t// Remove from unallocated entries array\n\t\t\t\tvmObj.nominalCodes.entries.unallocated = vmObj.nominalCodes.entries.unallocated.filter(entry => {\n\t\t\t\t\treturn entry.AgencyAdjustmentGroupEntryID !== nominalCodeActiveObj.AgencyAdjustmentGroupEntryID;\n\t\t\t\t});\n\t\n\t\t\t\t// Remove from unallocated nominal code\n\t\t\t\tvmObj.nominalCodes.unallocated[0].NominalEntries = vmObj.nominalCodes.unallocated[0].NominalEntries.filter(entry => {\n\t\t\t\t\treturn entry.AgencyAdjustmentGroupEntryID !== nominalCodeActiveObj.AgencyAdjustmentGroupEntryID;\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t// Add to allocated entries array\n\t\t\tvmObj.nominalCodes.entries.allocated = vmObj.nominalCodes.entries.allocated.concat(nominalCodesActiveArr);\n\n\t\t\tpopulateActiveEntries(vmObj);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openAddNominalCodesForm (nominalCodesArr, isFinancialsIntegrated) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-add-nominal-codes',\n\t\t\tisFinancialsIntegrated,\n\t\t\tnominalCodes: nominalCodesArr,\n\t\t\ttitle: nominalCodesArr.length ? 'Edit nominal codes' : 'Add nominal codes'\n\t\t});\n\t}\n\n\tfunction openDeleteNominalCodeForm (nominalCodeObj, nominalCodesArr) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: nominalCodeObj.AgencyProfileID,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-delete-nominal-code',\n\t\t\tnominalCode: nominalCodeObj,\n\t\t\tnominalCodes: nominalCodesArr\n\t\t});\n\t}\n\n\tfunction openPreviewAndExportModal (vmObj) {\n\n\t\trefreshAllNominalCodesArr(vmObj);\n\n\t\t$rootScope.openModalDialog({\n\t\t\tcallback: exportNominalCodesCSV.bind(undefined, vmObj.agencyProfileId),\n\t\t\tmodalData: {\n\t\t\t\tnominalCodes: vmObj.nominalCodes\n\t\t\t},\n\t\t\tmodalKey: 'settings-journal-nominal-codes-allocation-report'\n\t\t});\n\t}\n\n\tfunction refreshAllNominalCodesArr (vmObj) {\n\t\t\n\t\tvmObj.nominalCodes.all = vmObj.nominalCodes.allocated.concat(vmObj.nominalCodes.unallocated);\n\t}\n\n\tfunction populateActiveEntries (vmObj) {\n\n\t\tvmObj.nominalCodes.entries.active = getActiveEntries(vmObj);\n\t}\n\n\tfunction selectCategory (vmObj, categoryObj) {\n\n\t\tvmObj.activeCategory = categoryObj;\n\n\t\tpopulateActiveEntries(vmObj);\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction toggleIsActive (nominalCodeObj) {\n\n\t\tnominalCodeObj.isActive = !nominalCodeObj.isActive;\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsJournalsPostsCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'config',\n\t'payrollData',\n\t'reportData',\n\t'reportsService',\n\t'searchService',\n\t'utilities',\n\t'ACCOUNTING_INTEGRATION_TYPES',\n\t'SUBMISSION_STATES',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tconfig,\n\t\tpayrollData,\n\t\treportData,\n\t\treportsService,\n\t\tsearchService,\n\t\tutilities,\n\t\tACCOUNTING_INTEGRATION_TYPES,\n\t\tSUBMISSION_STATES\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst TEMPORAL_DATA_ENUM = {\n\t\tpayroll: 0,\n\t\tlatest: 1\n\t};\n\n\tfunction canUpdatePostObj (postObj) {\n\n\t\tswitch (postObj.JournalPostState) {\n\t\t\tcase SUBMISSION_STATES.unsubmitted:\n\t\t\tcase SUBMISSION_STATES.failed:\n\t\t\t\treturn true;\n\t\t\tdefault:\n\t\t\t\treturn false;\n\t\t}\n\t}\n\n\tfunction decoratePosts (postsArr) {\n\n\t\tpostsArr.forEach(postObj => {\n\n\t\t\tconst journalPostIdOriginal = angular.copy(postObj.JournalPostID);\n\n\t\t\tangular.extend(postObj, {\n\n\t\t\t\t// Attach to use in forms\n\t\t\t\tAgencyProfileID: agencyProfileId,\n\n\t\t\t\t// Set to empty GUID if not editable so a new unsubmitted post is created\n\t\t\t\tJournalPostID: canUpdatePostObj(postObj) ? postObj.JournalPostID : config.guidEmpty,\n\n\t\t\t\t// Decorators\n\t\t\t\tcanUpdatePost: canUpdatePostObj(postObj),\n\t\t\t\thasBeenPosted: getHasBeenPosted(postObj),\n\t\t\t\tisPostsVisible: getHasBeenPosted(postObj) ? false : true,\n\t\t\t\tisSupRun: postObj.SupplementaryPaymentID !== config.guidEmpty,\n\t\t\t\tjournalPostActionDateUnix: moment(postObj.JournalPostActionDateISO).format('x'), // For sorting\n\t\t\t\tjournalPostIdOriginal,\n\t\t\t\tjournalPostOverrideTemporalDataEnum: postObj.JournalPostOverrideTemporalData ? TEMPORAL_DATA_ENUM.latest : TEMPORAL_DATA_ENUM.payroll, // Convert boolean to Enum\n\t\t\t\tjournalPostRunDateUnix: moment(postObj.JournalPostPayRunDateISO).format('x') // For sorting\n\t\t\t});\n\t\t});\n\n\t\treturn postsArr;\n\t}\n\n\tfunction getHasBeenPosted (postObj) {\n\n\t\tswitch (postObj.JournalPostState) {\n\t\t\tcase SUBMISSION_STATES.unsubmitted:\n\t\t\t\treturn false;\n\t\t\tdefault:\n\t\t\t\treturn true;\n\t\t}\n\t}\n\n\tfunction getUniquePayPeriodIdsForPosts (postsArr) {\n\n\t\tlet returnArr = [];\n\n\t\tpostsArr.forEach(postObj => {\n\t\t\treturnArr.push(postObj.AgencyPayPeriodID);\n\t\t});\n\n\t\treturn [...new Set(returnArr)];\n\t}\n\n\tfunction getUniqueSupplementaryPaymentIdsForPosts (postsArr) {\n\n\t\tlet returnArr = [];\n\n\t\tpostsArr.forEach(postObj => {\n\t\t\treturnArr.push(postObj.SupplementaryPaymentID);\n\t\t});\n\n\t\treturn [...new Set(returnArr)];\n\t}\n\n\tfunction filterSupRunsOnly (postObj) {\n\n\t\treturn postObj.isSupRun;\n\t}\n\n\tfunction filterRegularPayRunsOnly (postObj) {\n\n\t\treturn !postObj.isSupRun;\n\t}\n\n\tfunction getPostGroupsForRegularPosts (postsArr) {\n\n\t\t// Group by Pay Period\n\t\tconst postGroupsArr = utilities.groupArrayByProperty(postsArr, 'AgencyPayPeriodID');\n\n\t\t// Fetch list of PayPeriodID's\n\t\tconst payPeriodIds = getUniquePayPeriodIdsForPosts(postsArr);\n\t\t\n\t\tlet returnArr = [];\n\n\t\tpayPeriodIds.forEach(payPeriodId => {\n\n\t\t\t// Fetch grouped posts\n\t\t\tlet postGroupPostsArr = postGroupsArr[payPeriodId];\n\n\t\t\tpostGroupPostsArr = $filter('orderBy')(postGroupPostsArr, 'journalPostActionDateUnix', true);\n\n\t\t\t// Use first post object as group object\n\t\t\tconst postGroupObj = postGroupPostsArr[0];\n\n\t\t\t// Attach full list of posts to parent\n\t\t\tpostGroupObj.posts = angular.copy(postGroupPostsArr);\n\n\t\t\t// Add to list of Sup Runs\n\t\t\treturnArr.push(postGroupObj);\n\t\t});\n\n\t\treturn returnArr;\n\t}\n\n\tfunction getPostGroupsForSupRunPosts (postsArr) {\n\n\t\t// Group by Pay Period\n\t\tconst postGroupsArr = utilities.groupArrayByProperty(postsArr, 'SupplementaryPaymentID');\n\n\t\t// Fetch list of PayPeriodID's\n\t\tconst supplementaryPaymentIds = getUniqueSupplementaryPaymentIdsForPosts(postsArr);\n\t\t\n\t\tlet returnArr = [];\n\n\t\tsupplementaryPaymentIds.forEach(supplementaryPaymentId => {\n\n\t\t\t// Fetch grouped posts\n\t\t\tlet postGroupPostsArr = postGroupsArr[supplementaryPaymentId];\n\n\t\t\tpostGroupPostsArr = $filter('orderBy')(postGroupPostsArr, 'journalPostActionDateUnix', true);\n\n\t\t\t// Use first post object as group object\n\t\t\tconst postGroupObj = postGroupPostsArr[0];\n\n\t\t\t// Attach full list of posts to parent\n\t\t\tpostGroupObj.posts = angular.copy(postGroupPostsArr);\n\n\t\t\t// Add to list of Sup Runs\n\t\t\treturnArr.push(postGroupObj);\n\t\t});\n\n\t\treturn returnArr;\n\t}\n\n\tfunction groupJournalPostsByPeriod (postsArr) {\n\n\t\t// Decorate\n\t\tpostsArr = decoratePosts(postsArr);\n\n\t\t// Sort\n\t\tpostsArr = $filter('orderBy')(postsArr, 'journalPostRunDateUnix', true);\n\n\t\t// Split regular pay & sup runs\n\t\tconst regularPayRunsArr = postsArr.filter(filterRegularPayRunsOnly);\n\t\tconst supRunsArr = postsArr.filter(filterSupRunsOnly);\n\n\t\t// Group posts for both Sup runs and regular runs\n\t\tlet postGroupsArr = [];\n\n\t\t// Regular pay runs\n\t\tconst groupedPostsArr = getPostGroupsForRegularPosts(regularPayRunsArr);\n\n\t\tpostGroupsArr = postGroupsArr.concat(groupedPostsArr);\n\n\t\t// Sup runs\n\t\tconst groupedSupRunPostsArr = getPostGroupsForSupRunPosts(supRunsArr);\n\n\t\tpostGroupsArr = postGroupsArr.concat(groupedSupRunPostsArr);\n\n\t\treturn postGroupsArr;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getPayPeriodMinimum = payrollData.getPayPeriodMinimum(agencyProfileId);\n\t\tconst getJournalPostHistory = reportData.getJournalPostHistory(agencyProfileId);\n\n\t\t$q.all([\n\t\t\tgetPayPeriodMinimum,\n\t\t\tgetJournalPostHistory\n\t\t]).then(([\n\t\t\tpayPeriodObj,\n\t\t\tjournalPostHistoryArr\n\t\t]) => {\n\t\t\t\t\t\t\n\t\t\tconst accountingIntegrationName = $scope.vm.accountingIntegrationConnection.IntegrationType === ACCOUNTING_INTEGRATION_TYPES.xero ?\n\t\t\t\t'Xero' : \n\t\t\t\t'Access Financials';\n\n\t\t\tangular.extend($scope.vm, {\n\t\t\t\taccountingIntegrationName,\n\t\t\t\tSUBMISSION_STATES,\n\t\t\t\tTEMPORAL_DATA_ENUM,\n\t\t\t\tagencyProfileId,\n\t\t\t\tjournalPostGroups: groupJournalPostsByPeriod(journalPostHistoryArr, 'AgencyPayPeriodID'),\n\t\t\t\tjournalPostGroupsFiltered: [],\n\t\t\t\topenAddPostForm,\n\t\t\t\topenJournalDataPreview,\n\t\t\t\topenJournalPostTemporalDataForm,\n\t\t\t\topenPostToAccountingIntegrationForm,\n\t\t\t\tpayPeriod: payPeriodObj,\n\t\t\t\tsearchBarOptions: searchService.journalPosts,\n\t\t\t\ttoggleIsPostsVisible\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction openJournalPostTemporalDataForm (postGroupObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'journal-post-temporal-data',\n\t\t\tpostContext: 'edit',\n\t\t\tpostGroup: postGroupObj,\n\t\t\ttitle: 'Update post settings'\n\t\t});\n\t}\n\n\tfunction openAddPostForm (postGroupObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'journal-post-temporal-data',\n\t\t\tpostContext: 'add',\n\t\t\tpostGroup: postGroupObj\n\t\t});\n\t}\n\n\tfunction openPostToAccountingIntegrationForm (postObj) {\n\n\t\tif ($scope.vm.accountingIntegrationConnection.IntegrationType === ACCOUNTING_INTEGRATION_TYPES.xero) {\n\t\t\topenPostToXeroForm(postObj);\n\t\t} else {\n\t\t\topenPostToFinancialsForm(postObj);\n\t\t}\n\t}\n\n\tfunction openPostToXeroForm (postObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'post-to-xero',\n\t\t\tpostObj\n\t\t});\n\t}\n\n\tfunction openPostToFinancialsForm (postObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'post-to-financials',\n\t\t\tpostObj\n\t\t});\n\t}\n\n\tfunction openJournalDataPreview (vmObj, postObj) {\n\n\t\treportsService.openReportFromCustomService(\n\t\t\t{\n\t\t\t\tagencyPayPeriodId: postObj.AgencyPayPeriodID,\n\t\t\t\tagencyProfileId: postObj.AgencyProfileID,\n\t\t\t\tjournalPostId: postObj.JournalPostID,\n\t\t\t\tsupplementaryPaymentId: postObj.SupplementaryPaymentID\n\t\t\t},\n\t\t\t() => reportData.getReportForJournalDataPreview(postObj.AgencyProfileID, postObj.AgencyPayPeriodID, postObj.SupplementaryPaymentID),\n\t\t\t() => reportData.getJournalDataPreview(postObj.AgencyProfileID, postObj.AgencyPayPeriodID, postObj.SupplementaryPaymentID, postObj.journalPostIdOriginal),\n\t\t\tpostObj\n\t\t);\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction toggleIsPostsVisible (postGroupObj) {\n\n\t\tpostGroupObj.isPostsVisible = !postGroupObj.isPostsVisible;\n\t}\n\n\tinit();\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsJournalsCtrl', [\n\t'$q',\n\t'$scope',\n\t'$stateParams',\n\t'journalsService',\n\t'reportData',\n\t'tabService',\n\t'ACCOUNTING_INTEGRATION_TYPES',\n\t'TAB_KEYS',\n\tfunction (\n\t\t$q,\n\t\t$scope,\n\t\t$stateParams,\n\t\tjournalsService,\n\t\treportData,\n\t\ttabService,\n\t\tACCOUNTING_INTEGRATION_TYPES,\n\t\tTAB_KEYS\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getJournalCodeFormatForAgency = reportData.getJournalCodeFormatForAgency(agencyProfileId);\n\t\tconst getAccountingIntegrationConnection = reportData.getAccountingIntegrationConnection(agencyProfileId);\n\n\t\t$q.all([\n\t\t\tgetJournalCodeFormatForAgency,\n\t\t\tgetAccountingIntegrationConnection\n\t\t]).then(([\n\t\t\tjournalCodeFormatObj,\n\t\t\taccountingIntegrationConnectionObj\n\t\t]) => {\n\n\t\t\tconst journalCodesArr = journalsService.getJournalCodesByFormat(journalCodeFormatObj);\n\n\t\t\t$scope.vm = {\n\t\t\t\tagencyProfileId,\n\t\t\t\tisFinancialsIntegrated: accountingIntegrationConnectionObj.IsConnected && accountingIntegrationConnectionObj.IntegrationType === ACCOUNTING_INTEGRATION_TYPES.accessFinancials,\n\t\t\t\tjournalCodeFormat: journalsService.decorateJournalCodeFormat(journalCodeFormatObj),\n\t\t\t\tjournalCodesActive: angular.copy(journalCodesArr.filter(_ => !_.isHidden)),\n\t\t\t\trefresh,\n\t\t\t\tsettingsJournalsTabBarDef: tabService.getTabsForKey(TAB_KEYS.settings.journals.id, {\n\t\t\t\t\taccountingIntegrationConnection: accountingIntegrationConnectionObj\n\t\t\t\t}),\n\t\t\t\taccountingIntegrationConnection: accountingIntegrationConnectionObj\n\t\t\t};\n\n\t\t\tjournalsService.generateFullJournalCodePreview($scope.vm.journalCodesActive);\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction refresh () {\n\n\t\tinit();\n\t}\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsPayElementsAdditionsCtrl', ['$scope', 'searchService', function ($scope, searchService) {\n\n\tfunction additionsFilter (value) {\n\n\t\treturn value.Category !== 'Deductions' && value.Category !== 'BIK' && value.Category !== 'SalarySacrifice';\n\t}\n\n\tfunction init () {\n\n\t\tangular.extend($scope, {\n\t\t\tpayElementsAdditionsSearchBarOptions: searchService.payElementsAdditions,\n\t\t\tadditionsFilter\n\t\t});\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsPayElementsBIKCtrl', ['$scope', 'searchService', function ($scope, searchService) {\n\n\t$scope.payElementsBIKSearchBarOptions = searchService.payElementsBIK;\n\n\tfunction init () {\n\n\t\t//Find BIK category in Group Entries to check if any BIK pay elements exist\n const bikCategory = $scope.adjustmentGroup.GroupEntries.find(category => category.Category === 'BIK');\n $scope.bikCategory = bikCategory;\n }\n\n\t$scope.schedulesFilter = function (value) {\n\t\treturn value.Category === 'BIK';\n\t};\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsPayElementsCisCtrl', ['$scope', function ($scope) {\n\n\tvar adjustmentGroup = $scope.adjustmentGroup.GroupEntriesCIS; // From parent\n\n\tfunction init () {\n\n\t\t$scope.adjustmentGroupEntries = adjustmentGroup.GroupEntriesCIS;\n\t}\n\n\tinit();\n\n\t$scope.payElementsCisSearchBarOptions = {\n\t\tsearch: {\n\t\t\tterms: {\n\t\t\t\tplaceholder: 'Search cis...',\n\t\t\t\tsingular: '1 cis element',\n\t\t\t\tplural: '{} cis elements'\n\t\t\t}\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsPayElementsCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'filterService',\n\t'payrollData',\n\t'searchService',\n\t'tabService',\n\t'ADJUSTMENT_BEHAVIOUR_STATES',\n\t'ADJUSTMENT_DETAIL_STATES',\n\t'ADJUSTMENT_VALUE_TYPES',\n\t'INTERFACE_TYPES',\n\t'PAY_ELEMENTS',\n\t'TAB_KEYS',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\tfilterService,\n\t\tpayrollData,\n\t\tsearchService,\n\t\ttabService,\n\t\tADJUSTMENT_BEHAVIOUR_STATES,\n\t\tADJUSTMENT_DETAIL_STATES,\n\t\tADJUSTMENT_VALUE_TYPES,\n\t\tINTERFACE_TYPES,\n\t\tPAY_ELEMENTS,\n\t\tTAB_KEYS\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst currentCompanyObj = $rootScope.currentCompany;\n\n\tfunction decorateGroupEntries (adjustmentGroupEntryObj) {\n\n\t\tadjustmentGroupEntryObj.canDuplicate = true;\n\t\tadjustmentGroupEntryObj.payElementDescription = $filter('adjustmentGroupEntryDescription')(adjustmentGroupEntryObj);\n\t\tadjustmentGroupEntryObj.isPensionDeduction = false;\n\n\t\tswitch (adjustmentGroupEntryObj.Category) {\n\t\t\tcase 'CIS':\n\t\t\t\tadjustmentGroupEntryObj.canDuplicate = false;\n\t\t\t\tbreak;\n\t\t\tcase 'Deductions':\n\t\t\t\tswitch (adjustmentGroupEntryObj.AgencyAdjustmentID) {\n\t\t\t\t\tcase PAY_ELEMENTS.employersPension:\n\t\t\t\t\tcase PAY_ELEMENTS.employersPensionPercent:\n\t\t\t\t\tcase PAY_ELEMENTS.pension:\n\t\t\t\t\tcase PAY_ELEMENTS.pensionNet:\n\t\t\t\t\tcase PAY_ELEMENTS.pensionPercent:\n\t\t\t\t\t\tadjustmentGroupEntryObj.isPensionDeduction = true;\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tbreak;\n\t\t\tcase 'SalarySacrifice':\n\t\t\t\tswitch (adjustmentGroupEntryObj.AgencyAdjustmentID) {\n\t\t\t\t\tcase PAY_ELEMENTS.pensionSalarySacrifice:\n\t\t\t\t\t\tadjustmentGroupEntryObj.isPensionDeduction = true;\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tbreak;\n\t\t}\n\n\t\treturn adjustmentGroupEntryObj;\n\t}\n\n\tfunction decorateAdjustmentGroup (adjustmentGroupObj) {\n\n\t\tadjustmentGroupObj.GroupEntries.filter(decorateGroups);\n\t\tadjustmentGroupObj.GroupEntriesCIS.filter(decorateGroups);\n\n\t\treturn adjustmentGroupObj;\n\t}\n\n\tfunction decorateGroups (groupObj) {\n\n\t\tgroupObj.GroupEntries.filter(decorateGroupEntries);\n\n\t\t// Decorate with theme\n\t\tswitch (groupObj.Category) {\n\t\t\tcase 'Deductions':\n\t\t\t\tgroupObj.theme = 'assertive';\n\t\t\t\tgroupObj.order = 'd';\n\t\t\t\tbreak;\n\t\t\tcase 'SalarySacrifice':\n\t\t\t\tgroupObj.theme = 'assertive';\n\t\t\t\tgroupObj.order = 'c';\n\t\t\t\tbreak;\n\t\t\tcase 'BIK':\n\t\t\t\tgroupObj.theme = '';\n\t\t\t\tgroupObj.order = 'd';\n\t\t\t\tbreak;\n\t\t\tcase 'Additions':\n\t\t\t\tgroupObj.theme = 'positive';\n\t\t\t\tgroupObj.order = 'b';\n\t\t\t\tbreak;\n\t\t\tdefault:\n\t\t\t\tgroupObj.theme = 'positive';\n\t\t\t\tgroupObj.order = 'a';\n\t\t}\n\n\t\tgroupObj.isOpen = true;\n\n\t\treturn groupObj;\n\t}\n\n\tfunction decorateLabelObj (labelObj) {\n\n\t\tlabelObj.createdDateUnix = moment(labelObj.CreatedDateISO).format('x');\n\n\t\treturn labelObj;\n\t}\n\n\tfunction decoratePayElementObj (payElementObj) {\n\n\t\tpayElementObj.settings = [\n\t\t\t{\n\t\t\t\tlabel: 'Taxable',\n\t\t\t\tisActive: payElementObj.Taxable,\n\t\t\t\tisApplicable: !payElementObj.IsSalarySacrifice,\n\t\t\t\tisVisible: true\n\t\t\t},\n\t\t\t{\n\t\t\t\tlabel: 'National Insurance',\n\t\t\t\tisActive: payElementObj.IsNIable,\n\t\t\t\tisApplicable: !payElementObj.IsSalarySacrifice,\n\t\t\t\tisVisible: true\n\t\t\t},\n\t\t\t{\n\t\t\t\tlabel: 'Notional payment',\n\t\t\t\tisActive: payElementObj.IsNotional,\n\t\t\t\tisApplicable: true,\n\t\t\t\tisVisible: true\n\t\t\t},\n\t\t\t{\n\t\t\t\tlabel: 'Benefit in kind',\n\t\t\t\tisActive: payElementObj.IsBIK,\n\t\t\t\tisApplicable: true,\n\t\t\t\tisVisible: true\n\t\t\t},\n\t\t\t{\n\t\t\t\tlabel: 'Salary sacrifice',\n\t\t\t\tisActive: payElementObj.AgencyAdjustmentGroupEntrySalarySacrificeState,\n\t\t\t\tisApplicable: true,\n\t\t\t\tisVisible: payElementObj.SalarySacrificeState !== ADJUSTMENT_DETAIL_STATES.hidden // TBD: What happens here for a Bureau?\n\t\t\t},\n\t\t\t{\n\t\t\t\tlabel: 'Payroll Benefit',\n\t\t\t\tisActive: payElementObj.AgencyAdjustmentGroupEntryPayrollBIKState,\n\t\t\t\tisApplicable: true,\n\t\t\t\tisVisible: true\n\t\t\t}\n\t\t];\n\n\t\tif (currentCompanyObj.CompanyType !== INTERFACE_TYPES.bureau) {\n\t\t\tpayElementObj.settings.push(\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Pensionable',\n\t\t\t\t\tisActive: payElementObj.IsPensionable,\n\t\t\t\t\tisApplicable: true,\n\t\t\t\t\tisVisible: true\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Net Pay',\n\t\t\t\t\tisActive: payElementObj.AgencyAdjustmentGroupEntryNetPayState,\n\t\t\t\t\tisApplicable: true,\n\t\t\t\t\tisVisible: true\n\t\t\t\t}\n\t\t\t);\n\t\t}\n\n\t\treturn payElementObj;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getAgencyAdjustmentGroupCombined = payrollData.getAgencyAdjustmentGroupCombined(agencyProfileId);\n\t\tconst getAgencyAdjustmentLabels = payrollData.getAgencyAdjustmentLabels(agencyProfileId);\n\n\t\t$q.all([\n\t\t\tgetAgencyAdjustmentGroupCombined,\n\t\t\tgetAgencyAdjustmentLabels\n\t\t]).then(([\n\t\t\tadjustmentGroupObj,\n\t\t\tadjustmentLabelsArray\n\t\t]) => {\n\n\t\t\t$scope.adjustmentGroup = decorateAdjustmentGroup(adjustmentGroupObj); // Used in child controller\n\t\t\t$scope.adjustmentLabels = adjustmentLabelsArray.filter(decorateLabelObj);\n\t\t\t$scope.payElementsTabBarDef = tabService.getTabsForKey(TAB_KEYS.settings.payElements.id, {adjustmentGroup: $scope.adjustmentGroup});\n\n\t\t\tsetAddGroupState('add-pack');\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction openDeletePayslipLabelForm (adjustmentLabelObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'delete-payslip-label',\n\t\t\tadjustmentLabelObj: adjustmentLabelObj\n\t\t});\n\t}\n\n\tfunction openNewPayslipLabelForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'add-payslip-label'\n\t\t});\n\t}\n\n\tfunction openPayElementModal (payElementTypeObj) {\n\n\t\t$rootScope.openModalDialog({\n\t\t\tmodalData: {\n\t\t\t\tactivePayElementType: decoratePayElementObj(payElementTypeObj),\n\t\t\t\tcurrentCompany: currentCompanyObj,\n\t\t\t},\n\t\t\tmodalKey: 'settings-pay-element-type'\n\t\t});\n\t}\n\n\tfunction refreshPayElements () {\n\n\t\tinit();\n\t}\n\n\tfunction setAddGroupState (addGroupState) {\n\n\t\t$scope.addGroupState = addGroupState;\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction toggleCategory (categoryObj) {\n\n\t\tcategoryObj.isOpen = !categoryObj.isOpen;\n\t}\n\n\tfunction toggleModal (modalName) {\n\n\t\t$scope.modal[modalName] = !$scope.modal[modalName];\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tADJUSTMENT_BEHAVIOUR_STATES,\n\t\tADJUSTMENT_VALUE_TYPES,\n\t\tINTERFACE_TYPES,\n\t\tagencyProfileId,\n\t\topenDeletePayslipLabelForm,\n\t\topenNewPayslipLabelForm,\n\t\topenPayElementModal,\n\t\tpayslipLabelsFilterBarOptions: filterService.payslipLabels,\n\t\tpayslipLabelsSearchBarOptions: searchService.payslipLabels,\n\t\trefreshPayElements,\n\t\ttoggleCategory,\n\t\ttoggleModal\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsPayElementsCoreCtrl', ['$scope', function ($scope) {\n\n\t$scope.payElementsCoreSearchBarOptions = {\n\t\tsearch: {\n\t\t\tterms: {\n\t\t\t\tplaceholder: 'Search pay elements...',\n\t\t\t\tsingular: '1 pay elements',\n\t\t\t\tplural: '{} pay elements'\n\t\t\t}\n\t\t}\n\t};\n\t$scope.corePayElementsFilter = function (value) {\n\n\t\treturn value.Category !== 'BIK';\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsPayElementsDeductionsCtrl', ['$scope', 'searchService', function ($scope, searchService) {\n\n\t$scope.payElementsDeductionsSearchBarOptions = searchService.payElementsDeductions;\n\n\t$scope.deductionsFilter = function (value) {\n\t\treturn value.Category === 'Deductions' || value.Category === 'SalarySacrifice';\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsPayElementsDisbursementsCtrl', ['$rootScope', '$scope', 'base', 'bulkService', 'searchService', function($rootScope, $scope, base, bulkService, searchService) {\n\n\tconst company = $scope.company;\n\n\tfunction decorateDisbursement (disbursementObj) {\n\n\t\tdisbursementObj.theme = 'assertive-light';\n\n\t\treturn disbursementObj;\n\t}\n\n\tfunction openAddDisbursementForm (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: companyObj.AgencyProfileID,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'company-settings-add-bacs-disbursement',\n\t\t\ttitle: 'Add disbursement'\n\t\t});\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tif (!company.Bank.BACSEnabled) {\n\n\t\t\t// BACS file creation isn't enabled. No BACS, no disbursements.\n\t\t\tsetPageState('bacs-file-creation-disabled');\n\t\t}\n\t\telse {\n\n\t\t\t// Get list of disbursements (API)\n\t\t\tbase.getDisbursementsForPayElements(company.AgencyProfileID).then((disbursementsArr) => {\n\n\t\t\t\tdisbursementsArr = disbursementsArr.filter(decorateDisbursement);\n\n\t\t\t\tangular.extend($scope, {\n\t\t\t\t\tdisbursements: bulkService.getBulkItemsObj(disbursementsArr)\n\t\t\t\t});\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(error => {\n\t\t\t\tconsole.error(error);\n\t\t\t\tsetPageState('error');\n\t\t\t});\n\t\t}\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tcompany,\n\t\topenAddDisbursementForm,\n\t\trefreshDisbursements: init,\n\t\tsearchBarOptions: searchService.disbursements\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsPayElementsElementPacksCtrl', [\n\t'$filter',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'$timeout',\n\t'payrollData',\n\t'searchService',\n\t'ADJUSTMENT_GROUP_UPDATE_TYPES',\n\tfunction (\n\t\t$filter,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tpayrollData,\n\t\tsearchService,\n\t\tADJUSTMENT_GROUP_UPDATE_TYPES\n\t) {\n\n\tvar activeAdjustmentGroupId = null;\n\tvar agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction adjustmentsGroupsFilter (adjustmentGroupObj) {\n\n\t\tswitch (adjustmentGroupObj.AgencyAdjustmentGroupName) {\n\t\t\tcase 'CIS':\n\t\t\t\tadjustmentGroupObj.isVisible = false;\n\t\t\t\tbreak;\n\t\t\tdefault:\n\t\t\t\tadjustmentGroupObj.isVisible = true;\n\t\t}\n\t\t\n\t\treturn adjustmentGroupObj.isVisible;\n\t}\n\n\tfunction calculateTotalsForAdjustmentGroup (adjustmentGroupObj) {\n\n\t\tadjustmentGroupObj.totalChangedAdjustmentTypes = 0;\n\t\tadjustmentGroupObj.totalElementsVisible = 0;\n\t\tadjustmentGroupObj.totalElements = 0;\n\n\t\tadjustmentGroupObj.GroupEntries.forEach(categoryObj => {\n\t\t\tadjustmentGroupObj.totalChangedAdjustmentTypes += categoryObj.numberOfElementsChanged;\n\t\t\tadjustmentGroupObj.totalElementsVisible += categoryObj.numberOfElementsVisible;\n\t\t\tadjustmentGroupObj.totalElements += categoryObj.numberOfElements;\n\t\t});\n\t}\n\n\tfunction calculateTotalsForCategory (categoryObj, SET_ORIGINALS, RESET_VALUES) {\n\n\t\tRESET_VALUES = angular.isDefined(RESET_VALUES) ? RESET_VALUES : false;\n\t\tSET_ORIGINALS = angular.isDefined(SET_ORIGINALS) ? SET_ORIGINALS : false;\n\t\t\n\t\tcategoryObj.numberOfElements = 0;\n\t\tcategoryObj.numberOfElementsChanged = 0;\n\t\tcategoryObj.numberOfElementsHidden = 0;\n\t\tcategoryObj.numberOfElementsVisible = 0;\n\t\t\n\t\t// Decorate pay elements\n\t\tcategoryObj.GroupEntries.forEach(payElementObj => {\n\n\t\t\t// Only set on initial decoration\n\t\t\tif (SET_ORIGINALS) {\t\t\n\t\t\t\tpayElementObj.agencyAdjustmentGroupEntryVisibleOriginal = angular.copy(payElementObj.AgencyAdjustmentGroupEntryVisible);\n\t\t\t}\n\n\t\t\t// Ability to reset the values to the original value\n\t\t\tif (RESET_VALUES) {\n\t\t\t\tpayElementObj.AgencyAdjustmentGroupEntryVisible = angular.copy(payElementObj.agencyAdjustmentGroupEntryVisibleOriginal);\n\t\t\t}\n\n\t\t\t// Changed\n\t\t\tpayElementObj.hasChanged = payElementObj.AgencyAdjustmentGroupEntryVisible !== payElementObj.agencyAdjustmentGroupEntryVisibleOriginal;\n\n\t\t\tif (payElementObj.hasChanged) {\n\t\t\t\tcategoryObj.numberOfElementsChanged++;\n\t\t\t}\n\n\t\t\t// Visibility\n\t\t\tif (payElementObj.AgencyAdjustmentGroupEntryVisible) {\n\t\t\t\tcategoryObj.numberOfElementsVisible++;\n\t\t\t}\n\t\t\telse {\n\t\t\t\tcategoryObj.numberOfElementsHidden++;\n\t\t\t}\n\n\t\t\t// Total\n\t\t\tcategoryObj.numberOfElements++;\n\t\t});\n\t}\n\n\tfunction clearAllChanges (adjustmentGroupObj) {\n\n\t\tconst RESET_VALUES = true;\n\t\tconst SET_ORIGINALS = false;\n\n\t\t// Categories\n\t\tadjustmentGroupObj.GroupEntries.forEach(categoryObj => {\n\n\t\t\tcalculateTotalsForCategory(categoryObj, SET_ORIGINALS, RESET_VALUES);\n\t\t});\n\n\t\tcalculateTotalsForAdjustmentGroup(adjustmentGroupObj);\n\t}\n\n\tfunction decorateAdjustmentGroup (adjustmentGroupObj) {\n\n\t\tconst SET_ORIGINALS = true;\n\n\t\tadjustmentGroupObj.GroupEntries.forEach(categoryObj => {\n\n\t\t\tcategoryObj.numberOfElementsVisible = 0;\n\n\t\t\t// Decorate with theme\n\t\t\tswitch (categoryObj.Category) {\n\t\t\t\tcase 'Deductions':\n\t\t\t\tcase 'SalarySacrifice':\n\t\t\t\t\tcategoryObj.theme = 'assertive';\n\t\t\t\t\tcategoryObj.order = 'b';\n\t\t\t\t\tbreak;\n\t\t\t\tcase 'BIK':\n\t\t\t\t\tcategoryObj.theme = '';\n\t\t\t\t\tcategoryObj.order = 'c';\n\t\t\t\t\tbreak;\n\t\t\t\tdefault: \n\t\t\t\t\tcategoryObj.theme = 'positive';\n\t\t\t\t\tcategoryObj.order = 'a';\n\t\t\t}\n\n\t\t\tcalculateTotalsForCategory(categoryObj, SET_ORIGINALS);\n\t\t});\n\n\t\tcalculateTotalsForAdjustmentGroup(adjustmentGroupObj);\n\n\t\treturn adjustmentGroupObj;\n\t}\n\n\tfunction deleteActiveAdjustmentGroupRefresh () {\n\n\t\tactiveAdjustmentGroupId = null;\n\n\t\tinit();\n\t}\n\n\tfunction deselectAllPayElements (adjustmentGroupObj) {\n\n\t\t// Categories\n\t\tadjustmentGroupObj.GroupEntries.forEach(categoryObj => {\n\t\t\ttoggleAllPayElementsForCategory(categoryObj, false);\n\t\t\tcalculateTotalsForCategory(categoryObj);\n\t\t});\n\n\t\tcalculateTotalsForAdjustmentGroup(adjustmentGroupObj);\n\t}\n\n\tfunction getUpdatedPayElements (categoryGroupObj) {\n\n\t\tvar changedElements = [];\n\n\t\t// Categories\n\t\tcategoryGroupObj.GroupEntries.forEach(categoryObj => {\n\n\t\t\t// Pay elements\n\t\t\tcategoryObj.GroupEntries.forEach(payElementObj => {\n\t\t\t\tif (payElementObj.hasChanged) {\n\t\t\t\t\tchangedElements.push(payElementObj);\n\t\t\t\t}\n\t\t\t});\n\t\t});\n\n\t\treturn changedElements;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tpayrollData.getAgencyAdjustmentGroups(agencyProfileId).then(adjustmentGroupsArray => {\n\n\t\t\t$scope.adjustmentGroups = $filter('orderBy')(adjustmentGroupsArray.filter(adjustmentsGroupsFilter), 'AgencyAdjustmentGroupName');\n\n\t\t\tif (adjustmentGroupsArray.length > 0) {\n\t\t\t\tif (activeAdjustmentGroupId) {\n\t\t\t\t\tselectAdjustmentGroupById(activeAdjustmentGroupId);\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\tselectAdjustmentGroupById($scope.adjustmentGroups[0].AgencyAdjustmentGroupID);\n\t\t\t\t}\n\t\t\t}\n\t\t\telse {\t\t\t\n\t\t\t\tsetPageState('ready');\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction openAddAdjustmentGroupForm (adjustmentGroupObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateActiveAdjustmentGroupRefresh,\n\t\t\tformKey: 'adjustment-group',\n\t\t\tadjustmentGroupObj: adjustmentGroupObj,\n\t\t\tadjustmentGroupUpdateType: ADJUSTMENT_GROUP_UPDATE_TYPES.newGroup,\n\t\t\ttitle: 'Add new element pack'\n\t\t});\n\t}\n\n\tfunction openDeleteAdjustmentGroupForm (adjustmentGroupObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: deleteActiveAdjustmentGroupRefresh,\n\t\t\tformKey: 'delete-adjustment-group',\n\t\t\tadjustmentGroupObj: adjustmentGroupObj\n\t\t});\n\t}\n\n\tfunction openDuplicateAdjustmentGroupForm (adjustmentGroupObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateActiveAdjustmentGroupRefresh,\n\t\t\tformKey: 'adjustment-group',\n\t\t\tadjustmentGroupObj: adjustmentGroupObj,\n\t\t\tadjustmentGroupUpdateType: ADJUSTMENT_GROUP_UPDATE_TYPES.duplicateGroup,\n\t\t\ttitle: 'Duplicate element pack'\n\t\t});\n\t}\n\n\tfunction openSetDefaultAdjustmentGroupForm (adjustmentGroupObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateActiveAdjustmentGroupRefresh,\n\t\t\tformKey: 'adjustment-group',\n\t\t\tadjustmentGroupObj: adjustmentGroupObj,\n\t\t\tadjustmentGroupUpdateType: ADJUSTMENT_GROUP_UPDATE_TYPES.setDefaultGroup,\n\t\t\ttitle: 'Set as default element pack'\n\t\t});\n\t}\n\n\tfunction openUpdateAdjustmentGroupForm (adjustmentGroupObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateActiveAdjustmentGroupRefresh,\n\t\t\tformKey: 'adjustment-group',\n\t\t\tadjustmentGroupObj: adjustmentGroupObj,\n\t\t\tadjustmentGroupUpdateType: ADJUSTMENT_GROUP_UPDATE_TYPES.updateGroup,\n\t\t\ttitle: 'Update element pack'\n\t\t});\n\t}\n\n\tfunction refreshAdjustmentGroups () {\n\n\t\tpayrollData.getAgencyAdjustmentGroups(agencyProfileId).then(adjustmentGroupsArray => {\n\n\t\t\t$scope.adjustmentGroups = adjustmentGroupsArray.filter(adjustmentsGroupsFilter);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction selectAdjustmentGroupById (adjustmentGroupId) {\n\n\t\tsetAdjustmentGroupState('loading');\n\n\t\tpayrollData.getAgencyAdjustmentGroup(adjustmentGroupId).then(function (adjustmentGroupObj) {\n\n\t\t\t// Set active group ID\n\t\t\tactiveAdjustmentGroupId = adjustmentGroupObj.AgencyAdjustmentGroupID;\n\n\t\t\t$scope.activeAdjustmentGroup = decorateAdjustmentGroup(adjustmentGroupObj);\n\n\t\t\tsetAdjustmentGroupState('ready');\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction selectAllPayElements (adjustmentGroupObj) {\n\n\t\t// Categories\n\t\tadjustmentGroupObj.GroupEntries.forEach(adjustmentCategoryObj => {\n\t\t\ttoggleAllPayElementsForCategory(adjustmentCategoryObj, true);\n\t\t\tcalculateTotalsForCategory(adjustmentCategoryObj);\n\t\t});\n\n\t\tcalculateTotalsForAdjustmentGroup(adjustmentGroupObj);\n\t}\n\n\tfunction setAdjustmentGroupState (adjustmentGroupState) {\n\n\t\t$scope.adjustmentGroupState = adjustmentGroupState;\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction setAdjustmentIsVisible (adjustmentObj, isVisible) {\n\n\t\tif (isVisible !== undefined) {\n\t\t\tadjustmentObj.AgencyAdjustmentGroupEntryVisible = isVisible;\n\t\t}\n\t\telse {\n\t\t\tadjustmentObj.AgencyAdjustmentGroupEntryVisible = !adjustmentObj.AgencyAdjustmentGroupEntryVisible;\n\t\t}\n\n\t\tadjustmentObj.hasChanged = adjustmentObj.AgencyAdjustmentGroupEntryVisible !== adjustmentObj.agencyAdjustmentGroupEntryVisibleOriginal;\n\t}\n\n\tfunction toggleAdjustmentCategoryActions (categoryObj, isVisible, adjustmentGroupObj) {\n\n\t\ttoggleAllPayElementsForCategory(categoryObj, isVisible);\n\t\tcalculateTotalsForCategory(categoryObj);\n\t\tcalculateTotalsForAdjustmentGroup(adjustmentGroupObj);\n\t}\n\n\tfunction toggleAdjustmentGroupCategory (adjustmentGroupCategoryObj) {\n\n\t\tadjustmentGroupCategoryObj.AdjustmentGroupCategoryIsOpen = !adjustmentGroupCategoryObj.AdjustmentGroupCategoryIsOpen;\n\t}\n\n\tfunction toggleAdjustmentIsVisible (adjustmentObj, categoryObj, adjustmentGroupObj) {\n\n\t\tsetAdjustmentIsVisible(adjustmentObj);\n\t\tcalculateTotalsForCategory(categoryObj);\n\t\tcalculateTotalsForAdjustmentGroup(adjustmentGroupObj);\n\t}\n\n\tfunction toggleAllPayElementsForCategory (categoryObj, isVisible) {\n\n\t\tcategoryObj.GroupEntries.forEach(adjustmentObj => {\n\t\t\tsetAdjustmentIsVisible(adjustmentObj, isVisible);\n\t\t});\n\t}\n\n\tfunction updateActiveAdjustmentGroupRefresh (obj) {\n\n\t\tactiveAdjustmentGroupId = obj.AgencyAdjustmentGroupID;\n\n\t\tinit();\n\t}\n\n\tfunction updatePayElementsVisibility (adjustmentGroupObj) {\n\n\t\t$scope.savingState = 'saving';\n\n\t\tconst updatedPayElementsArr = getUpdatedPayElements(adjustmentGroupObj);\n\n\t\tpayrollData.updateAgencyAdjustmentGroupEntryVisible(updatedPayElementsArr).then(() => {\n\n\t\t\t$scope.savingState = 'saved';\n\n\t\t\t// Refresh adjustment group list\n\t\t\trefreshAdjustmentGroups();\n\t\t\t\n\t\t\t$timeout(() => {\n\n\t\t\t\t// Set up as though defaults\n\t\t\t\tdecorateAdjustmentGroup(adjustmentGroupObj);\n\t\t\t\t\n\t\t\t\t$scope.savingState = null;\n\t\t\t}, 2000);\n\t\t})\n\t\t.catch(error => {\n\t\t\tonError(error);\n\t\t\t$scope.savingState = 'error';\n\t\t});\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\n\t\tsearchBarOptions: searchService.managePayElementPacks,\n\t\tsavingState: 'ready',\n\n\t\tclearAllChanges,\n\t\tdeselectAllPayElements,\n\t\tgetUpdatedPayElements,\n\t\topenAddAdjustmentGroupForm,\n\t\topenDeleteAdjustmentGroupForm,\n\t\topenDuplicateAdjustmentGroupForm,\n\t\topenSetDefaultAdjustmentGroupForm,\n\t\topenUpdateAdjustmentGroupForm,\n\t\tselectAdjustmentGroupById,\n\t\tselectAllPayElements,\n\t\ttoggleAdjustmentCategoryActions,\n\t\ttoggleAdjustmentGroupCategory,\n\t\ttoggleAdjustmentIsVisible,\n\t\tupdatePayElementsVisibility\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsPayElementsLinkElementsCtrl', ['$rootScope', '$scope', 'filterService', 'payrollData', 'searchService', function ($rootScope, $scope, filterService, payrollData, searchService) {\n\n\tconst companyObj = $scope.currentCompany;\n\n\tfunction openLinkElementForm (linkElementDetailsObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: companyObj.AgencyProfileID,\n\t\t\tcallback: init,\n\t\t\tformKey: 'link-element',\n\t\t\tlinkElementGroupId: linkElementDetailsObj.LinkElementGroupID\n\t\t});\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tpayrollData.getLinkElements(companyObj.AgencyProfileID).then(linkElementDetailsObj => {\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tfilterBarOptions: filterService.linkElements,\n\t\t\t\tlinkElementDetails: linkElementDetailsObj,\n\t\t\t\topenLinkElementForm,\n\t\t\t\trefreshLinkElements: init,\n\t\t\t\tsearchBarOptions: searchService.linkElements\n\t\t\t});\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n\t.controller('settingsP11DbSubmissionsCtrl', [\n\t\t'payrollData',\n\t\t'$rootScope',\n\t\t'$scope',\n\t\t'$stateParams',\n\n\t\tfunction (payrollData,\n\t\t\t\t $rootScope,\n\t\t\t\t $scope,\n\t\t\t\t $stateParams) {\n\n\t\t\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\t\t\tfunction init () {\n\t\t\t\t$scope.vm = {\n\t\t\t\t\tagencyProfileId,\n\t\t\t\t\topenP11DbSubmissionForm,\n\t\t\t\t\trefreshSubmissions: init\n\t\t\t\t};\n\t\t\t\tsetPageState('loading');\n\t\t\t\tpayrollData.getP11DbSubmissions(agencyProfileId).then(p11dbSubmissionArr => {\n\t\t\t\t\tangular.extend($scope.vm, {\n\t\t\t\t\t\tp11DbSubmissions: p11dbSubmissionArr,\n\t\t\t\t\t});\n\t\t\t\t\tsetPageState('ready');\n\t\t\t\t}).catch(function (error) {\n\t\t\t\t\tconsole.error(error);\n\t\t\t\t\tsetPageState('error');\n\t\t\t\t});\n\t\t\t}\n\n\n\t\t\tfunction setPageState (pageState) {\n\t\t\t\t$scope.pageState = pageState;\n\t\t\t}\n\n\t\t\tfunction openP11DbSubmissionForm () {\n\n\t\t\t\t$rootScope.openSlideInForm({\n\t\t\t\t\tagencyProfileId,\n\t\t\t\t\tcallback: init,\n\t\t\t\t\tformKey: 'company-settings-p11d-submission',\n\t\t\t\t\tinitCallbackOnClose: true\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tinit();\n\n\t\t}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsPayrollSettingsCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'$timeout',\n\t'base',\n\t'companyData',\n\t'config',\n\t'payPeriodSetupService',\n\t'payrollData',\n\t'reportData',\n\t'teamData',\n\t'utilities',\n\t'BANK_IDS',\n\t'DEMO_TASKS',\n\t'INTERFACE_TYPES',\n\t'P32_EMAIL_FREQUENCIES',\n\t'PAY_PERIOD_SETUP_TYPES',\n\t'PAY_PERIOD_SETUP_TYPES_DESCRIPTIONS',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tbase,\n\t\tcompanyData,\n\t\tconfig,\n\t\tpayPeriodSetupService,\n\t\tpayrollData,\n\t\treportData,\n\t\tteamData,\n\t\tutilities,\n\t\tBANK_IDS,\n\t\tDEMO_TASKS,\n\t\tINTERFACE_TYPES,\n\t\tP32_EMAIL_FREQUENCIES,\n\t\tPAY_PERIOD_SETUP_TYPES,\n\t\tPAY_PERIOD_SETUP_TYPES_DESCRIPTIONS\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst callbackFired = $scope.callbackFired; // From parent\n\tconst detailedCompanyObj = $scope.company; // From parent\n\tconst isPayrollCompany = $scope.isPayrollCompany; // From parent\n\tconst openForm = $stateParams.openForm;\n\n\tfunction init () {\n\n\t\t$scope.isPayrollCompany = isPayrollCompany;\n\n\t\tif (isPayrollCompany) {\n\t\t\tloadPayPeriodDetails();\n\t\t}\n\t\telse {\n\t\t\tpopulateDetails(detailedCompanyObj);\n\t\t}\n\n\t\tif (openForm !== undefined && !callbackFired) {\n\n\t\t\t$timeout(() => {\n\n\t\t\t\tswitch (openForm) {\n\t\t\t\t\tcase 'basic':\n\t\t\t\t\t\topenBasicForm();\n\t\t\t\t}\n\t\t\t}, 750);\n\t\t}\n\t}\n\n\tfunction getCalculationSettingsBlock (companyDetailsObj) {\n\n\t\tconst calculationSettingsDetailsArr = [\n\t\t\t{\n\t\t\t\ttype: 'heading',\n\t\t\t\tvalue: 'Calculation order'\n\t\t\t},\n\t\t\t{\n\t\t\t\tlabel: 'Calculate gross to net elements first',\n\t\t\t\ttype: 'boolean',\n\t\t\t\tvalue: companyDetailsObj.NetPayCalculationDetails.CalculateGrossToNetElementsFirst\n\t\t\t},\n\t\t\t{\n\t\t\t\ttype: 'heading',\n\t\t\t\tvalue: 'Net to gross calculations'\n\t\t\t}\n\t\t];\n\n\t\t// EE NI paid by employer\n\t\tif (companyDetailsObj.NetPayCalculationDetails.HasNetToGrossEENIPaidByEmployer) {\n\t\t\tcalculationSettingsDetailsArr.push({\n\t\t\t\tlabel: 'Gross up for Employee NI',\n\t\t\t\ttype: 'boolean',\n\t\t\t\tvalue: companyDetailsObj.NetPayCalculationDetails.NetToGrossEENIPaidByEmployer\n\t\t\t});\n\t\t}\n\n\t\t// Other contributions\n\t\tcalculationSettingsDetailsArr.push(\n\t\t\t{\n\t\t\t\tlabel: 'Gross up for pension contributions',\n\t\t\t\ttype: 'boolean',\n\t\t\t\tvalue: companyDetailsObj.NetPayCalculationDetails.NetToGrossPensionPaidByEmployer\n\t\t\t},\n\n\t\t\t{\n\t\t\t\tlabel: 'Gross up for student loans (Plan 1, 2, and 4)',\n\t\t\t\ttype: 'boolean',\n\t\t\t\tvalue: companyDetailsObj.NetPayCalculationDetails.NetToGrossSLPaidByEmployer\n\t\t\t},\n\t\t\t{\n\t\t\t\tlabel: 'Gross up for postgraduate loans',\n\t\t\t\ttype: 'boolean',\n\t\t\t\tvalue: companyDetailsObj.NetPayCalculationDetails.NetToGrossPGLPaidByEmployer\n\t\t\t}\n\t\t);\n\n\t\treturn {\n\t\t\ticon: 'calculator',\n\t\t\tgroupId: 'calculations-settings',\n\t\t\ttitle: 'Calculation settings',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\tdetails: calculationSettingsDetailsArr,\n\t\t\t\t\teditAction: openCalculationSettingsForm,\n\t\t\t\t\tid: 'settings-payroll-calculation-settings'\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\t}\n\n\tfunction loadPayPeriodDetails () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getPayPeriodDetails = companyData.getPayPeriodDetails2(agencyProfileId);\n\t\tconst getPayPeriodMinimum = payrollData.getPayPeriodMinimum(agencyProfileId);\n\t\tconst getAgencyProfileCompanyDetails = companyData.getAgencyProfileCompanyDetails(agencyProfileId);\n\t\tconst getPayrollReportsMailReportTemplateCollection = reportData.getPayrollReportsMailReportTemplateCollection(agencyProfileId);\n\t\tconst getP60NotificationSettings = companyData.getP60NotificationSettings(agencyProfileId);\n\n\t\t$q.all([\n\t\t\tgetPayPeriodDetails,\n\t\t\tgetPayPeriodMinimum,\n\t\t\tgetAgencyProfileCompanyDetails,\n\t\t\tgetPayrollReportsMailReportTemplateCollection,\n\t\t\tgetP60NotificationSettings\n\t\t]).then(([\n\t\t\tpayPeriodDetailsObj,\n\t\t\tcurrentPeriodObj,\n\t\t\tcompanyDetailsObj,\n\t\t\treportCollectionObj,\n\t\t\tp60NotificationSettingsObj\n\t\t]) => {\n\n\t\t\t// Copy property across as not currently available (TODO: Need to move to platform)\n\t\t\tangular.extend(detailedCompanyObj, {\n\t\t\t\tAgencyEmployerEPSDisabled: companyDetailsObj.AgencyEmployerEPSDisabled,\n\t\t\t\tAgencyEmployerPayrollBIK: companyDetailsObj.AgencyEmployerPayrollBIK,\n\t\t\t\tAgencyEmployerPayrollBIKRegistrationDateISO: companyDetailsObj.AgencyEmployerPayrollBIKRegistrationDateISO,\n\t\t\t\tIsBillingEnabled: companyDetailsObj.IsBillingEnabled,\n\t\t\t\tPAYECeaseDateISO: companyDetailsObj.PAYECeaseDateISO\n\t\t\t});\n\n\t\t\t$scope.company = detailedCompanyObj;\n\n\t\t\t// Incomplete bank details for companies with BACS enabled\n\t\t\tif (detailedCompanyObj.Bank.BACSEnabled) {\n\n\t\t\t\tconst getBankFiles = base.getBankFiles();\n\t\t\t\tconst getUserAgencyProfileForAgencyNoBankDetails = teamData.getUserAgencyProfileForAgencyNoBankDetails(agencyProfileId);\n\n\t\t\t\t$q.all([\n\t\t\t\t\tgetBankFiles,\n\t\t\t\t\tgetUserAgencyProfileForAgencyNoBankDetails\n\t\t\t\t]).then(([\n\t\t\t\t\tbankFilesArr,\n\t\t\t\t\tincompleteTeamMembersBankArray\n\t\t\t\t]) => {\n\n\t\t\t\t\tdetailedCompanyObj.bacsBankDetails = {\n\t\t\t\t\t\tincompleteTeamMembers: incompleteTeamMembersBankArray,\n\t\t\t\t\t\tselectedBank: bankFilesArr.find(bankFileObj => bankFileObj.BankID === detailedCompanyObj.Bank.BankFileID)\n\t\t\t\t\t};\n\n\t\t\t\t\tpopulateDetails(detailedCompanyObj, payPeriodDetailsObj, currentPeriodObj, companyDetailsObj, reportCollectionObj, p60NotificationSettingsObj);\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\n\t\t\t}\n\t\t\telse {\n\t\t\t\tpopulateDetails(detailedCompanyObj, payPeriodDetailsObj, currentPeriodObj, companyDetailsObj, reportCollectionObj, p60NotificationSettingsObj);\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction openAutoApplyTaxRefundsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-auto-apply-tax-refunds'\n\t\t});\n\t}\n\n\tfunction openBacsSettingsForm (formStage) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-bacs',\n\t\t\tformStage: formStage,\n\t\t\ttitle: formStage === 'incomplete-team-members' ? 'Incomplete team members' : 'BACS file creation'\n\t\t});\n\t}\n\n\tfunction openBenefitsInKindForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tbikSettings: {\n\t\t\t\tagencyEmployerPayrollBIK: $scope.company.AgencyEmployerPayrollBIK,\n\t\t\t\tagencyEmployerPayrollBIKRegistrationDateISO: $scope.company.AgencyEmployerPayrollBIKRegistrationDateISO\n\t\t\t},\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-bik',\n\t\t\ttitle: 'Benefits in Kind'\n\t\t});\n\t}\n\n\tfunction openBasicForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-basic'\n\t\t});\n\t}\n\n\tfunction openCalculationSettingsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-calculation-settings',\n\t\t});\n\t}\n\n\tfunction openCeasePayeForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-cease-paye'\n\t\t});\n\t}\n\n\tfunction openCompanyWorkDurationsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-work-durations'\n\t\t});\n\t}\n\n\tfunction openCompanyBillingEnabledForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'billing-enabled'\n\t\t});\n\t}\n\n\tfunction openCompanyCalculationMethodForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-calculation-method'\n\t\t});\n\t}\n\n\tfunction openCompanyModulesForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-modules'\n\t\t});\n\t}\n\n\tfunction openCompanySettingsNmwCalculationForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-nmw-calculation'\n\t\t});\n\t}\n\n\tfunction openCompanySettingsNiUpdatesForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-ni-updates'\n\t\t});\n\t}\n\n\tfunction openCompanySettingsPeriodDisplayTitleForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-period-display-title'\n\t\t});\n\t}\n\n\tfunction openEmployerForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-employer'\n\t\t});\n\t}\n\n\tfunction openEPSSettingsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-eps'\n\t\t});\n\t}\n\n\tfunction openGenderPayGapEnabledForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-gender-pay-gap-enabled'\n\t\t});\n\t}\n\n\tfunction openInactivePeriodForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-inactive-period'\n\t\t});\n\t}\n\n\tfunction openP32PaymentForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-p32-payment'\n\t\t});\n\t}\n\n\tfunction openP60NotificationsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-p60-notifications'\n\t\t});\n\t}\n\n\tfunction openPayDashboardSettingsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-paydashboard-settings'\n\t\t});\n\t}\n\n\tfunction openPayrollSettingsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-payroll-settings'\n\t\t});\n\t}\n\n\tfunction openPayrollSettingsAutoRunForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-payroll-auto'\n\t\t});\n\t}\n\n\tfunction openHMRCForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-hmrc'\n\t\t});\n\t}\n\n\tfunction openReferencesForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-references'\n\t\t});\n\t}\n\n\tfunction openRtiSubmissionsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-rti-submissions'\n\t\t});\n\t}\n\n\tfunction openSkipPayPeriodsForm() {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-skip-pay-periods'\n\t\t});\n\t}\n\n\tfunction populateDetails (companyObj, payPeriod, currentPeriodObj, companyDetailsObj, reportCollectionObj, p60NotificationSettingsObj) {\n\n\t\tcompanyData.getCompanyModuleDetails(companyObj.AgencyProfileID).then(moduleDetailsObj => {\n\t\t\t// Company Groups\n\t\t\tif (companyObj.CompanyType !== INTERFACE_TYPES.group) {\n\n\t\t\t\t$scope.basicDetails = {\n\t\t\t\t\ticon: 'company',\n\t\t\t\t\ttitle: 'Basic information',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\teditAction: openBasicForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Company Name',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Name\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tdisplayAsForeign: true,\n\t\t\t\t\t\t\t\t\tlabel: 'Address',\n\t\t\t\t\t\t\t\t\ttype: companyObj.Address.HasAddress ? 'address' : null,\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Address.HasAddress ? companyObj.Address : '',\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Telephone',\n\t\t\t\t\t\t\t\t\ttype: 'phone',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Contact.Phone\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Website',\n\t\t\t\t\t\t\t\t\ttype: 'url',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Website\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Payroll support contact',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Contact.Forename !== '' ? companyObj.Contact.Forename + ' ' + companyObj.Contact.Surname : ''\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Payroll support contact email',\n\t\t\t\t\t\t\t\t\ttype: 'email',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Contact.EmailAddress\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'settings-payroll-basic-information'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\t\t\t}\n\n\t\t\telse {\n\n\t\t\t\t$scope.basicDetails = {\n\t\t\t\t\ticon: 'company-groups',\n\t\t\t\t\ttitle: 'Group information',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\teditAction: openBasicForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Group Name',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Name\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'settings-payroll-group-information'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\t\t\t}\n\n\t\t\t$scope.moduleDetails = {\n\t\t\t\ticon: 'toggle-on',\n\t\t\t\ttitle: 'Modules',\n\t\t\t\tdetailGroups: []\n\t\t\t};\n\n\t\t\tif (isPayrollCompany) {\n\n\t\t\t\t$scope.moduleDetails.detailGroups.push(\n\t\t\t\t\t{\n\t\t\t\t\t\tid: 'modules',\n\t\t\t\t\t\teditAction: openCompanyModulesForm,\n\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Payroll',\n\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\tvalue: moduleDetailsObj.IsPayrollActive\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Pension',\n\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\tvalue: moduleDetailsObj.IsPensionActive\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'CIS (Construction Industry Scheme)',\n\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\tvalue: moduleDetailsObj.IsCISActive\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Off-payroll workers',\n\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\tvalue: moduleDetailsObj.IsOffPayrollActive\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'HR',\n\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\tvalue: moduleDetailsObj.IsHRActive\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Expats',\n\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\tvalue: moduleDetailsObj.IsExpatActive\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t]\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tid: 'gender-pay-gap',\n\t\t\t\t\t\teditAction: openGenderPayGapEnabledForm,\n\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Gender pay gap reporting',\n\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\tvalue: moduleDetailsObj.IsGenderPayGapReportingActive\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t]\n\t\t\t\t\t}\n\t\t\t\t);\n\n\t\t\t\tconst isP32PaymentSetup = companyDetailsObj.CompanyP32Management.AutomatedEmailFrequency !== P32_EMAIL_FREQUENCIES.none;\n\n\t\t\t\t$scope.p32PaymentDetails = {\n\t\t\t\t\ticon: 'billing',\n\t\t\t\t\ttitle: 'P32 Payment',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\teditAction: openP32PaymentForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'HMRC account',\n\t\t\t\t\t\t\t\t\tvalue: $filter('hmrcBankDetails')(companyDetailsObj.CompanyP32Management.HMRCPaymentAccount)\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Auto email instruction',\n\t\t\t\t\t\t\t\t\tvalue: companyDetailsObj.CompanyP32Management.IsAutomatedEmailsEnabled,\n\t\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\t\tmailTypeId: companyDetailsObj.CompanyP32Management.MailTypeID\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Payment frequency',\n\t\t\t\t\t\t\t\t\tvalue: isP32PaymentSetup ? $filter('p32EmailFrequency')(companyDetailsObj.CompanyP32Management.AutomatedEmailFrequency) : ''\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'settings-payroll-p32-payment'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\n\t\t\t\t$scope.bik = {\n\t\t\t\t\ticon: 'smiley',\n\t\t\t\t\ttitle: 'Benefits in Kind',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\teditAction: openBenefitsInKindForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Payroll Benefits in Kind',\n\t\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\t\tvalue: companyDetailsObj.AgencyEmployerPayrollBIK\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Registration date',\n\t\t\t\t\t\t\t\t\ttype: 'date',\n\t\t\t\t\t\t\t\t\t// It appears the registration date can be set even when BIK are turned off\n\t\t\t\t\t\t\t\t\tvalue: companyDetailsObj.AgencyEmployerPayrollBIK ? companyDetailsObj.AgencyEmployerPayrollBIKRegistrationDateISO : ''\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'payroll-settings_biks'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\n\t\t\t\tif (payPeriod) {\n\n\t\t\t\t\t// Pay Period details\n\t\t\t\t\t$scope.payPeriodDetails = {\n\t\t\t\t\t\ticon: 'pay-periods',\n\t\t\t\t\t\ttitle: 'Payroll settings',\n\t\t\t\t\t\theaderActions: {\n\t\t\t\t\t\t\ticon: 'icon-setup',\n\t\t\t\t\t\t\ticonTheme: 'primary',\n\t\t\t\t\t\t\tactions: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tactionHide: !companyObj.Employer.IsPayrollActive,\n\t\t\t\t\t\t\t\t\tactionCopy: (companyObj.PAYECeaseDateISO !== '' ? 'Cancel closing your PAYE scheme' : 'Want to close your PAYE scheme?'),\n\t\t\t\t\t\t\t\t\tactionFunction: openCeasePayeForm\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tactionCopy: 'Report period of inactivity',\n\t\t\t\t\t\t\t\t\tactionFunction: openInactivePeriodForm\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tactionCopy: 'Skip pay periods',\n\t\t\t\t\t\t\t\t\tactionFunction: openSkipPayPeriodsForm\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t]\n\t\t\t\t\t\t},\n\t\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\teditAction: openPayrollSettingsForm,\n\t\t\t\t\t\t\t\tdemoTooltip: DEMO_TASKS.companySettings.changePayrollProcessingDate,\n\t\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Pay frequency',\n\t\t\t\t\t\t\t\t\t\tvalue: PAY_PERIOD_SETUP_TYPES_DESCRIPTIONS[payPeriod.PayPeriodType]\n\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\t\tid: 'settings-payroll-payroll-settings'\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t]\n\t\t\t\t\t};\n\n\t\t\t\t\tif (payPeriod.PayPeriodType === PAY_PERIOD_SETUP_TYPES.monthly) {\n\t\t\t\t\t\t$scope.payPeriodDetails.detailGroups.push({\n\t\t\t\t\t\t\teditAction: openCompanySettingsPeriodDisplayTitleForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Period display title',\n\t\t\t\t\t\t\t\t\tvalue: currentPeriodObj.PayPeriodDisplay\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'settings-payroll-period-title-display'\n\t\t\t\t\t\t});\n\t\t\t\t\t}\n\n\t\t\t\t\t$scope.payPeriodDetails.detailGroups.push(\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\teditAction: openPayrollSettingsAutoRunForm,\n\t\t\t\t\t\t\tdemoTooltip: DEMO_TASKS.companySettings.switchToAutoRun,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Auto run payroll',\n\t\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Employer.IsAutoRun\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Auto send payroll reports',\n\t\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\t\tvalue: reportCollectionObj.ReportTemplateCollectionActive\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'settings-payroll-auto-run'\n\t\t\t\t\t\t}\n\t\t\t\t\t);\n\n\t\t\t\t\t// P60 Settings\n\t\t\t\t\tif (p60NotificationSettingsObj.CanShowSettings) {\n\n\t\t\t\t\t\t$scope.payPeriodDetails.detailGroups.push(\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\teditAction: openP60NotificationsForm,\n\t\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Send next P60 notifications',\n\t\t\t\t\t\t\t\t\t\tvalue: p60NotificationSettingsObj.SendNextP60NotificationsText,\n\t\t\t\t\t\t\t\t\t\tupperFirstLetter: true,\n\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\t\tid: 'settings-payroll-p60-notifications'\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t);\n\t\t\t\t\t}\n\n\t\t\t\t\t$scope.payPeriodDetails.detailGroups.push(\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\teditAction: openCompanySettingsNmwCalculationForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'National minimum wage calculation',\n\t\t\t\t\t\t\t\t\tvalue: $filter('nmwCalculationMethod')(companyDetailsObj.NMWCalculationMethod)\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'settings-payroll-nmw-calculations'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\teditAction: openCompanySettingsNiUpdatesForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Auto accept NI Category updates',\n\t\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\t\tvalue: companyDetailsObj.AutoApplyNICode\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'settings-payroll-auto-accept-ni-categories'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\teditAction: openEPSSettingsForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Auto submit EPS',\n\t\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\t\tvalue: !companyObj.AgencyEmployerEPSDisabled\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'settings-payroll-auto-submut-eps'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\teditAction: openAutoApplyTaxRefundsForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Auto apply tax refunds',\n\t\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\t\tvalue: companyDetailsObj.AutoApplyTaxRefund\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'settings-payroll-auto-apply-tax-refunds'\n\t\t\t\t\t\t}\n\t\t\t\t\t);\n\n\t\t\t\t\tswitch (payPeriod.PayPeriodType) {\n\n\t\t\t\t\t\tcase PAY_PERIOD_SETUP_TYPES.weekly:\n\t\t\t\t\t\tcase PAY_PERIOD_SETUP_TYPES.twoWeekly:\n\t\t\t\t\t\tcase PAY_PERIOD_SETUP_TYPES.fourWeekly:\n\t\t\t\t\t\tcase PAY_PERIOD_SETUP_TYPES.monthly:\n\t\t\t\t\t\tcase PAY_PERIOD_SETUP_TYPES.daily:\n\n\t\t\t\t\t\t\t$scope.payPeriodDetails.detailGroups[0].details.push(\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Pay date',\n\t\t\t\t\t\t\t\t\tvalue: payPeriodSetupService.getDescriptionForPayDate(payPeriod)\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'In arrears',\n\t\t\t\t\t\t\t\t\tvalue: payPeriodSetupService.getDescriptionForArrears(payPeriod)\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Payroll processing date',\n\t\t\t\t\t\t\t\t\tvalue: payPeriodSetupService.getDescriptionForPayProcessingDate(payPeriod)\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Date to send pay notifications',\n\t\t\t\t\t\t\t\t\tvalue: payPeriodSetupService.getDescriptionForPayNotifications(payPeriod)\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t);\n\t\t\t\t\t\t\tbreak;\n\n\t\t\t\t\t\tcase PAY_PERIOD_SETUP_TYPES.quarterly:\n\n\t\t\t\t\t\t\t$scope.payPeriodDetails.detailGroups[0].details.push(\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'First payment',\n\t\t\t\t\t\t\t\t\tvalue: payPeriod.PeriodStartDateISO === '' ? 'Passed' : $filter('dateformat')(payPeriod.PeriodStartDateISO)\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Second payment',\n\t\t\t\t\t\t\t\t\tvalue: payPeriod.PeriodStartDate2ISO === '' ? 'Passed' : $filter('dateformat')(payPeriod.PeriodStartDate2ISO)\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Third payment',\n\t\t\t\t\t\t\t\t\tvalue: payPeriod.PeriodStartDate3ISO === '' ? 'Passed' : $filter('dateformat')(payPeriod.PeriodStartDate3ISO)\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Fourth payment',\n\t\t\t\t\t\t\t\t\tvalue: payPeriod.PeriodStartDate4ISO === '' ? 'Passed' : $filter('dateformat')(payPeriod.PeriodStartDate4ISO)\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t);\n\t\t\t\t\t\t\tbreak;\n\n\t\t\t\t\t\tcase PAY_PERIOD_SETUP_TYPES.annually:\n\n\t\t\t\t\t\t\t$scope.payPeriodDetails.detailGroups[0].details.push(\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Payment date',\n\t\t\t\t\t\t\t\t\tvalue: payPeriod.PeriodStartDateISO === '' ? 'Passed' : $filter('dateformat')(payPeriod.PeriodStartDateISO)\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t);\n\t\t\t\t\t\t\tbreak;\n\n\t\t\t\t\t\tcase PAY_PERIOD_SETUP_TYPES.biAnnually:\n\n\t\t\t\t\t\t\t$scope.payPeriodDetails.detailGroups[0].details.push(\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'First payment',\n\t\t\t\t\t\t\t\t\tvalue: payPeriod.PeriodStartDateISO === '' ? 'Passed' : $filter('dateformat')(payPeriod.PeriodStartDateISO)\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Second payment',\n\t\t\t\t\t\t\t\t\tvalue: payPeriod.PeriodStartDate2ISO === '' ? 'Passed' : $filter('dateformat')(payPeriod.PeriodStartDate2ISO)\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t);\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t}\n\n\t\t\t\t\t// BACS\n\t\t\t\t\tvar bacsDetailGroup;\n\n\t\t\t\t\tif (companyObj.Bank.BACSEnabled) {\n\t\t\t\t\t\tbacsDetailGroup = {\n\t\t\t\t\t\t\teditAction: openBacsSettingsForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'BACS file format',\n\t\t\t\t\t\t\t\t\tvalue: $filter('bankFileFormatDescription')(companyObj.Bank.BACSFileFormat)\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Bank',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.bacsBankDetails.selectedBank.BankName\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'settings-payroll-bacs-file-format'\n\t\t\t\t\t\t};\n\n\t\t\t\t\t\t// Global ACH\n\t\t\t\t\t\tif (companyObj.Bank.BankFileID === BANK_IDS.globalAch) {\n\n\t\t\t\t\t\t\tbacsDetailGroup.details.push(\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Client identifier',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Bank.GdffClientIdentifier\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Customer account number',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Bank.GdffOriginatorsAccountNumber\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Payments included',\n\t\t\t\t\t\t\t\t\tvalue: $filter('bacsIncludedPaymentsDescription')(companyObj.Bank.BACSIncludedPayments)\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t);\n\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\t// Everything else\n\t\t\t\t\t\telse {\n\n\t\t\t\t\t\t\tbacsDetailGroup.details.push(\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\temptyText: 'Not added',\n\t\t\t\t\t\t\t\t\tlabel: 'Account name',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Bank.BankAccountName\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\temptyText: 'Not added',\n\t\t\t\t\t\t\t\t\tlabel: 'Account number',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Bank.BankAccountNumber\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\temptyText: 'Not added',\n\t\t\t\t\t\t\t\t\tlabel: 'Sort code',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Bank.SortCode\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Payments included',\n\t\t\t\t\t\t\t\t\tvalue: $filter('bacsIncludedPaymentsDescription')(companyObj.Bank.BACSIncludedPayments)\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Payment Reference',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Bank.BACSPaymentReference\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t);\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\tif (companyObj.bacsBankDetails.incompleteTeamMembers.length > 0) {\n\t\t\t\t\t\t\tbacsDetailGroup.groupCta = {\n\t\t\t\t\t\t\t\teditAction: () => {\n\t\t\t\t\t\t\t\t\topenBacsSettingsForm('incomplete-team-members');\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\teditCopy: 'View',\n\t\t\t\t\t\t\t\tcopy: `${companyObj.bacsBankDetails.incompleteTeamMembers.length} team ${companyObj.bacsBankDetails.incompleteTeamMembers.length === 1 ? 'member is' : 'members are'} missing bank details`,\n\t\t\t\t\t\t\t\ttheme: 'indifferent',\n\t\t\t\t\t\t\t};\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\t// International\n\t\t\t\t\t\tif (companyObj.Bank.BankIBAN !== '') {\n\t\t\t\t\t\t\tbacsDetailGroup.details.push({\n\t\t\t\t\t\t\t\tlabel: 'IBAN',\n\t\t\t\t\t\t\t\tvalue: companyObj.Bank.BankIBAN\n\t\t\t\t\t\t\t});\n\t\t\t\t\t\t}\n\t\t\t\t\t\tif (companyObj.Bank.BankBIC !== '') {\n\t\t\t\t\t\t\tbacsDetailGroup.details.push({\n\t\t\t\t\t\t\t\tlabel: 'BIC',\n\t\t\t\t\t\t\t\tvalue: companyObj.Bank.BankBIC\n\t\t\t\t\t\t\t});\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\tif (companyObj.Bank.BACSSUNNumber !== '') {\n\t\t\t\t\t\t\tbacsDetailGroup.details.push({\n\t\t\t\t\t\t\t\tlabel: 'SUN Number',\n\t\t\t\t\t\t\t\tvalue: companyObj.Bank.BACSSUNNumber\n\t\t\t\t\t\t\t});\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\tbacsDetailGroup = {\n\t\t\t\t\t\t\teditAction: openBacsSettingsForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'BACS file creation',\n\t\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Employer.HasBacsEnabled\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'settings-payroll-bacs-file-creation'\n\t\t\t\t\t\t};\n\t\t\t\t\t}\n\n\t\t\t\t\t$scope.payPeriodDetails.detailGroups.push(bacsDetailGroup);\n\n\t\t\t\t\t// PayDashboard file creation for upload, with related user portal on / off\n\t\t\t\t\t$scope.payPeriodDetails.detailGroups.push({\n\t\t\t\t\t\teditAction: openPayDashboardSettingsForm,\n\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'PayDashboard file creation',\n\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\tvalue: companyObj.IsPayDashboardEnabled\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t],\n\t\t\t\t\t\tid: 'settings-payroll-pay-dashboard-file-creation'\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\t// References & updates\n\t\t\t\t$scope.referencesDetails = {\n\t\t\t\t\ticon: 'reference-number',\n\t\t\t\t\ttitle: 'References and updates',\n\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\teditAction: openReferencesForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Company Number',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Employer.CompanyNumber\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Client Reference',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Employer.ClientReference\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\temptyText: 'Not added',\n\t\t\t\t\t\t\t\t\tlabel: 'Accounts Office',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Employer.AccountsOffice,\n\t\t\t\t\t\t\t\t\ttype: companyObj.PensionOnly ? 'not-applicable' : null\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'UTR',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Employer.UTR\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'settings-payroll-references'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\teditAction: openHMRCForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Electronic updates',\n\t\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Employer.DPSImport\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'Auto Accept',\n\t\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Employer.DPSAutoApply\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'HMRC credentials',\n\t\t\t\t\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\t\t\t\t\tvalue: companyObj.Employer.HMRCPassword.length > 0 && companyObj.Employer.HMRCUserName.length > 0 ? true : false\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\n\t\t\t\t\t\t\tid: 'settings-payroll-basic-hmrc'\n\t\t\t\t\t\t},\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\teditAction: openRtiSubmissionsForm,\n\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\tlabel: 'RTI submissions',\n\t\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\t\tvalue: !companyObj.IsRTISubmissionDisabled\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\tid: 'settings-payroll-rti-submissions'\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t};\n\n\t\t\t\t// Only necessary when in setup mode\n\t\t\t\tif (!companyObj.HasRunPayroll) {\n\t\t\t\t\t$scope.referencesDetails.detailGroups[0].details.splice(0, 0, {\n\t\t\t\t\t\tlabel: 'New company',\n\t\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\t\tvalue: companyObj.Employer.IsNewCompany\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\t// Not applicable to CIS only companies\n\t\t\t\tif (!companyObj.Employer.CISOnly) {\n\n\t\t\t\t\t$scope.employerDetails = {\n\t\t\t\t\t\ticon: 'document',\n\t\t\t\t\t\ttitle: 'Employer status',\n\t\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\teditAction: openEmployerForm,\n\t\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Small employer',\n\t\t\t\t\t\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\t\t\t\t\t\tvalue: companyObj.Employer.SmallEmployer\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Entitled to Employment Allowance',\n\t\t\t\t\t\t\t\t\t\ttype: 'boolean',\n\t\t\t\t\t\t\t\t\t\tvalue: companyObj.Employer.EmployersAllowanceEligible\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Employment Allowance claimed to date',\n\t\t\t\t\t\t\t\t\t\ttype: companyObj.Employer.EmployersAllowanceEligible ? null : 'not-applicable',\n\t\t\t\t\t\t\t\t\t\tvalue: $filter('monetise')(companyObj.Employer.EmployersAllowanceUsed)\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Employers National Insurance eligible for Employment Allowance to date',\n\t\t\t\t\t\t\t\t\t\ttype: companyObj.Employer.EmployersAllowanceEligible ? null : 'not-applicable',\n\t\t\t\t\t\t\t\t\t\tvalue: $filter('monetise')(companyObj.Employer.EmployersNIForEmployersAllowance)\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Business sector',\n\t\t\t\t\t\t\t\t\t\ttype: companyObj.Employer.EmployersAllowanceEligible ? null : 'not-applicable',\n\t\t\t\t\t\t\t\t\t\tvalue: $filter('businessSectorDescription')(companyObj.Employer.EmployersAllowanceSector)\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Auto-reclaim',\n\t\t\t\t\t\t\t\t\t\ttype: companyObj.Employer.EmployersAllowanceEligible ? 'switch' : 'not-applicable',\n\t\t\t\t\t\t\t\t\t\tvalue: companyObj.Employer.EmployersAllowanceAutoReclaim\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Apprenticeship Levy Allowance allocation',\n\t\t\t\t\t\t\t\t\t\ttype: companyObj.PensionOnly ? 'not-applicable' : null,\n\t\t\t\t\t\t\t\t\t\tvalue: $filter('monetise')(companyObj.Employer.ApprenticeshipLevyAmount)\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Onboarding PAYE credit',\n\t\t\t\t\t\t\t\t\t\ttype: companyObj.Employer.HasOnboardingPAYECredit ? null : 'not-applicable',\n\t\t\t\t\t\t\t\t\t\tvalue: $filter('monetise')(companyObj.Employer.OnboardingPAYECredit)\n\t\t\t\t\t\t\t\t\t},\n\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'CIS deductions suffered',\n\t\t\t\t\t\t\t\t\t\tvalue: $filter('monetise')(companyObj.Employer.CISDeductionsSuffered)\n\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\t\tid: 'settings-payroll-employer-status'\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t]\n\t\t\t\t\t};\n\n\t\t\t\t\t// Insert Tax Office reference after Accounts Office\n\t\t\t\t\t$scope.referencesDetails.detailGroups[0].details.splice(3, 0, {\n\t\t\t\t\t\tlabel: 'Tax Office',\n\t\t\t\t\t\tvalue: (companyObj.Employer.TaxOffice && companyObj.Employer.TaxOfficeReference) ? companyObj.Employer.TaxOffice + '/' + companyObj.Employer.TaxOfficeReference : ''\n\t\t\t\t\t});\n\n\t\t\t\t\t$scope.workPatternDetails = {\n\t\t\t\t\t\ticon: 'pay-periods',\n\t\t\t\t\t\ttitle: 'Work patterns',\n\t\t\t\t\t\tdetailGroups: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\teditAction: openCompanyWorkDurationsForm,\n\t\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Standard work hours per week',\n\t\t\t\t\t\t\t\t\t\tvalue: utilities.formatDecimal(companyDetailsObj.WorkHoursPerWeek, config.precision.contractedWorkingTimes, true)\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Standard work weeks per year',\n\t\t\t\t\t\t\t\t\t\tvalue: utilities.formatDecimal(companyDetailsObj.WorkWeeksPerYear, config.precision.contractedWorkingTimes, true)\n\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\t\tid: 'settings-payroll-work-pattern-durations'\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\teditAction: openCompanyCalculationMethodForm,\n\t\t\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Day rate calculation method',\n\t\t\t\t\t\t\t\t\t\tvalue: $filter('calculationMethodDescription')(companyDetailsObj.DayRateCalculationMethod)\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Max. working days in a month',\n\t\t\t\t\t\t\t\t\t\tvalue: companyDetailsObj.MaximumWorkingDaysInMonth\n\t\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\t\t\tlabel: 'Working days for calculations',\n\t\t\t\t\t\t\t\t\t\tvalue: companyDetailsObj.CalculatePatternOnYearlyBasis ? 'Calendar year' : 'Pay period'\n\t\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\t],\n\t\t\t\t\t\t\t\tid: 'settings-payroll-calculcation-methods'\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t]\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\t$scope.calculationSettings = getCalculationSettingsBlock(companyDetailsObj);\n\t\t\t}\n\n\t\t\t// Group Modules\n\t\t\tif (companyObj.CompanyType === INTERFACE_TYPES.group) {\n\t\t\t\t$scope.moduleDetails.detailGroups.push(\n\t\t\t\t\t{\n\t\t\t\t\t\tid: 'gender-pay-gap',\n\t\t\t\t\t\teditAction: openGenderPayGapEnabledForm,\n\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Gender pay gap reporting',\n\t\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\t\tvalue: moduleDetailsObj.IsGenderPayGapReportingActive\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t]\n\t\t\t\t\t}\n\t\t\t\t);\n\t\t\t}\n\n\t\t\t// Paycircle only\n\t\t\tif ($rootScope.userHasRole('paycircle') && (isPayrollCompany || companyObj.CompanyType === INTERFACE_TYPES.bureau)) {\n\n\t\t\t\t$scope.moduleDetails.detailGroups.push({\n\t\t\t\t\teditAction: openCompanyBillingEnabledForm,\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Billing (Paycircle only)',\n\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\tvalue: companyObj.IsBillingEnabled\n\t\t\t\t\t\t}\n\t\t\t\t\t],\n\t\t\t\t\tid: 'settings-payroll-billing'\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\n\t}\n\n\tfunction refreshCompanyDetails () {\n\n\t\t$scope.refreshCompanyDetails(); // From parent\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction toggleCompanyMore () {\n\n\t\t$scope.showMoreCompany = !$scope.showMoreCompany;\n\t}\n\n\tfunction togglePensionMore () {\n\n\t\t$scope.showMorePension = !$scope.showMorePension;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\topenBasicForm,\n\t\topenBenefitsInKindForm,\n\t\topenEmployerForm,\n\t\topenReferencesForm,\n\t\topenPayrollSettingsForm,\n\t\ttoggleCompanyMore,\n\t\ttogglePensionMore\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsPayslipsCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'companyData',\n\t'payslipService',\n\t'CUSTOMISATION_TYPES',\n\t'DEMO_TASKS',\n\t'FULL_SCREEN_MODAL_KEYS',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tcompanyData,\n\t\tpayslipService,\n\t\tCUSTOMISATION_TYPES,\n\t\tDEMO_TASKS,\n\t\tFULL_SCREEN_MODAL_KEYS\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction getPayslipsDetailBlocks (customisationObj, companyDetailsObj) {\n\n\t\tfunction getPayslipDownloadsSection () {\n\n\t\t\treturn {\n\t\t\t\ticon: 'download',\n\t\t\t\ttitle: 'Downloads',\n\t\t\t\tdetailGroups: [\n\t\t\t\t\t{\n\t\t\t\t\t\tdetails: [\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\tlabel: 'Team member sort order',\n\t\t\t\t\t\t\t\tvalue: $filter('payslipSortByDescription')(companyDetailsObj.PdfPayslipTeamMemberSorting)\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t{\n\t\t\t\t\t\t\t\temptyText: 'Not set',\n\t\t\t\t\t\t\t\tlabel: 'Business category sorting',\n\t\t\t\t\t\t\t\tvalue: companyDetailsObj.PdfPayslipBusinessCategorySorting === 0 ? '' : $filter('businessCategorySortByDescription')(companyDetailsObj.PdfPayslipBusinessCategorySorting)\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t],\n\t\t\t\t\t\teditAction: openPdfDownloadSortingForm\n\t\t\t\t\t}\n\t\t\t\t]\n\t\t\t};\n\t\t}\n\n\t\tfunction getDisplaySection () {\n\n\t\t\tconst displayUploadDetailsObj = {\n\t\t\t\tagencyProfileId: agencyProfileId,\n\t\t\t\tcallback: onPayslipLogoChange,\n\t\t\t\tcustomisationType: CUSTOMISATION_TYPES.payslip,\n\t\t\t\tmodel: customisationObj.Payslips.LogoURL\n\t\t\t};\n\n\t\t\tfunction getDisplayFileUploadGroup () {\n\n\t\t\t\treturn {\n\t\t\t\t\tdemoTooltip: DEMO_TASKS.companySettings.uploadCompanyPayslipLogo,\n\t\t\t\t\tfileUpload: true,\n\t\t\t\t\tuploadDetails: displayUploadDetailsObj\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tfunction getDisplayPeriodVisibilityGroup () {\n\n\t\t\t\treturn {\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Display pay period',\n\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\tvalue: payslipService.getPeriodVisiblityBoolFromEnum(companyDetailsObj.PayslipPeriodVisible)\n\t\t\t\t\t\t}\n\t\t\t\t\t],\n\t\t\t\t\teditAction: openPayslipDisplayPeriodForm\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tfunction getAdditionalNoteVisibilityGroup () {\n\n\t\t\t\treturn {\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Display Healthcare Levy notice',\n\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\tvalue: payslipService.getAdditionalNoteVisibilityBoolFromEnum(companyDetailsObj.PayslipAdditionalNoteVisible)\n\t\t\t\t\t\t}\n\t\t\t\t\t],\n\t\t\t\t\teditAction: openPayslipAdditionalNoteForm\n\t\t\t\t};\n\t\t\t}\n\n\t\t\treturn {\n\t\t\t\ticon: 'paintpot',\n\t\t\t\ttitle: 'Display',\n\t\t\t\tuploadDetails: displayUploadDetailsObj,\n\t\t\t\tdetailGroups: [\n\t\t\t\t\tgetDisplayFileUploadGroup(),\n\t\t\t\t\tgetDisplayPeriodVisibilityGroup(),\n\t\t\t\t\tgetAdditionalNoteVisibilityGroup(),\n\t\t\t\t]\n\t\t\t};\n\t\t}\n\n\t\treturn {\n\t\t\tpayslipDisplay: getDisplaySection(),\n\t\t\tpayslipDownloads: getPayslipDownloadsSection()\n\t\t};\n\t}\n\n\tfunction init () {\n\n\t\tconst getCompanyCustomisation = companyData.getCompanyCustomisation(agencyProfileId);\n\t\tconst getAgencyProfileCompanyDetails = companyData.getAgencyProfileCompanyDetails(agencyProfileId);\n\n\t\t$q.all([\n\t\t\tgetCompanyCustomisation,\n\t\t\tgetAgencyProfileCompanyDetails\n\t\t])\n\t\t\t.then(([\n\t\t\t\tcustomisationObj,\n\t\t\t\tcompanyDetailsObj\n\t\t\t]) => {\n\n\t\t\t\t$filter('customisation')(customisationObj);\n\n\t\t\t\tangular.extend($scope, {\n\t\t\t\t\tcustomisation: customisationObj,\n\t\t\t\t\tvm: getPayslipsDetailBlocks(customisationObj, companyDetailsObj)\n\t\t\t\t});\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction onPayslipLogoChange () {\n\n\t\tcompanyData.getCompanyCustomisation(agencyProfileId)\n\t\t\t.then(customisationObj => {\n\n\t\t\t\t$filter('customisation')(customisationObj);\n\n\t\t\t\t// Update displayed Logo\n\t\t\t\t$scope.vm.payslipDisplay.uploadDetails.modal = customisationObj.Payslips.LogoURL;\n\n\t\t\t\t// Update logo in preview\n\t\t\t\t$scope.customisation = customisationObj;\n\n\t\t\t\t// Demo Task\n\t\t\t\tif (customisationObj.Payslips.LogoURL !== '') {\n\t\t\t\t\t$rootScope.setDemoTaskAsComplete('uploadCompanyPayslipLogo');\n\t\t\t\t}\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction openPayslipAdditionalNoteForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-payslip-additional-note'\n\t\t});\n\t}\n\n\tfunction openPayslipDisplayPeriodForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-payslip-display-period'\n\t\t});\n\t}\n\n\tfunction openPayslipPreviewForm (payslipType) {\n\n\t\t$rootScope.$broadcast('open-full-screen-modal', {\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tlogoToUse: $scope.customisation.Payslips.LogoURL,\n\t\t\tmodalKey: FULL_SCREEN_MODAL_KEYS.payslipPreview,\n\t\t\tpayslipType: payslipType,\n\t\t\ttitle: payslipType + ' payslip preview'\n\t\t});\n\t}\n\n\tfunction openPdfDownloadSortingForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-pdf-download-sorting'\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\topenPayslipPreviewForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsPensionSettingsCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'companyData',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tcompanyData\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction getSettingsForCommunictions (pensionSettingsObj) {\n\n\t\tconst returnObj = {\n\t\t\ticon: 'email',\n\t\t\ttitle: 'Communications',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: openPensionCommunicationsForm,\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Default pension communications email',\n\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\tvalue: pensionSettingsObj.Communications.UseDefaultPensionRecipientEmail\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\n\t\t// Email Address\n\t\tif (pensionSettingsObj.Communications.UseDefaultPensionRecipientEmail) {\n\t\t\treturnObj.detailGroups[0].details.push({\n\t\t\t\tlabel: 'Email address',\n\t\t\t\ttype: 'email',\n\t\t\t\tvalue: pensionSettingsObj.Communications.DefaultPensionRecipientEmail\n\t\t\t});\n\t\t}\n\n\t\treturn returnObj;\n\t}\n\n\tfunction getDescriptionForSubmissionDay (pensionSettingsObj) {\n\n\t\tswitch (pensionSettingsObj.Submissions.PensionSubmissionDelayCount) {\n\n\t\t\tcase 1:\n\t\t\t\treturn '1 day after payroll processing date';\n\n\t\t\tdefault:\n\t\t\t\treturn `${pensionSettingsObj.Submissions.PensionSubmissionDelayCount} days after payroll processing date`;\n\t\t}\n\t}\n\n\tfunction getSettingsForSubmissions (pensionSettingsObj) {\n\n\t\tlet returnObj = {\n\t\t\ticon: 'remote-access',\n\t\t\ttitle: 'Submissions',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: openSubmissionsForm,\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Delay pension submissions',\n\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\tvalue: pensionSettingsObj.Submissions.DelayPensionSubmission\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\n\t\t// Submission delay active\n\t\tif (pensionSettingsObj.Submissions.DelayPensionSubmission) {\n\n\t\t\treturnObj.detailGroups[0].details.push(\n\t\t\t\t{\n\t\t\t\t\tlabel: 'Submission day',\n\t\t\t\t\tvalue: getDescriptionForSubmissionDay(pensionSettingsObj)\n\t\t\t\t}\n\t\t\t);\n\t\t}\n\n\t\treturn returnObj;\n\t}\n\n\tfunction getSettingsForSupRuns (pensionSettingsObj) {\n\n\t\tlet returnObj = {\n\t\t\ticon: 'calendar',\n\t\t\ttitle: 'Supplementary pay runs',\n\t\t\tdetailGroups: [\n\t\t\t\t{\n\t\t\t\t\teditAction: openSupRunsForm,\n\t\t\t\t\tdetails: [\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\tlabel: 'Pension calculations',\n\t\t\t\t\t\t\ttype: 'switch',\n\t\t\t\t\t\t\tvalue: pensionSettingsObj.SupplementaryPay.CalculatePensionsInSupplementaryRun\n\t\t\t\t\t\t}\n\t\t\t\t\t]\n\t\t\t\t}\n\t\t\t]\n\t\t};\n\n\t\treturn returnObj;\n\t}\n\n\tfunction init () {\n\n\t\tcompanyData.getAgencyProfilePensionSettings(agencyProfileId).then(pensionSettingsObj => {\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tcommunications: getSettingsForCommunictions(pensionSettingsObj),\n\t\t\t\tsubmissions: getSettingsForSubmissions(pensionSettingsObj),\n\t\t\t\tsupplementaryPayRuns: getSettingsForSupRuns(pensionSettingsObj)\n\t\t\t});\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\n\t\t$scope.setPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction openPensionCommunicationsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-pension-communications'\n\t\t});\n\t}\n\n\tfunction openSubmissionsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-pension-submissions'\n\t\t});\n\t}\n\n\tfunction openSupRunsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshCompanyDetails,\n\t\t\tformKey: 'company-settings-pension-sup-runs'\n\t\t});\n\t}\n\n\tfunction refreshCompanyDetails () {\n\n\t\t$scope.refreshCompanyDetails(); // From parent\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsReportsCtrl', ['$scope', 'tabService', 'TAB_KEYS', function($scope, tabService, TAB_KEYS) {\n\n\tfunction init () {\n\t\t$scope.settingsReportsTabBarDef = tabService.getTabsForKey(TAB_KEYS.settings.reports.id);\n\t}\n\n\tinit();\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsReportsPacksCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'$timeout',\n\t'config',\n\t'payrollData',\n\t'searchService',\n\t'reportData',\n\t'reportsService',\n\t'REPORT_TEMPLATE_GROUP_FORM_VIEWS',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tconfig,\n\t\tpayrollData,\n\t\tsearchService,\n\t\treportData,\n\t\treportsService,\n\t\tREPORT_TEMPLATE_GROUP_FORM_VIEWS\n\t) {\n\n\tconst AGENCY_PROFILE_ID = $stateParams.agencyProfileId;\n\n\tlet activeReportGroupId = null;\n\n\tfunction clearAllChanges (vmObj) {\n\n\t\tif (vmObj.numberOfChangedReportTemplates > 0) {\n\t\t\tfor (let reportTemplateObj of vmObj.activeReportGroup.ReportTemplates) {\n\t\t\t\treportTemplateObj.isActiveInGroup = reportTemplateObj.originalIsActiveInGroup;\n\t\t\t\treportTemplateObj.hasChanged = false;\n\t\t\t}\n\n\t\t\tupdateChangedReportsCount(vmObj);\n\t\t}\n\t}\n\n\tfunction getTemplatesFromReportCategories (reportGroupObj) {\n\n\t\treportGroupObj.ReportTemplates = reportsService.getTemplatesFromReportCategories(reportGroupObj.ReportTemplates);\n\n\t\treportGroupObj.ReportTemplates = reportGroupObj.ReportTemplates.filter(reportsService.decorateReportTemplatesInGroups(reportGroupObj));\n\n\t\treturn reportGroupObj;\n\t}\n\n\tfunction formCallback (reportGroupObj) {\n\n\t\tactiveReportGroupId = reportGroupObj ? reportGroupObj.ReportTemplateGroupID : null;\n\n\t\tinit();\n\t}\n\n\tfunction getUpdatedReportTemplates (vmObj) {\n\t\treturn vmObj.activeReportGroup.ReportTemplates.filter(reportTemplateObj => reportTemplateObj.hasChanged);\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst INCLUDE_COLUMN_DETAILS = true;\n\t\tconst REPORT_TEMPLATE_GROUP_ID = config.guidEmpty;\n\t\tconst STANDARD_REPORT_TEMPLATE_GROUP_ID = config.standardReportTemplateGroupId;\n\n\t\tconst getReportTemplateGroups = reportData.getReportTemplateGroups(AGENCY_PROFILE_ID);\n\t\tconst getReportTemplates = reportData.getReportTemplates(STANDARD_REPORT_TEMPLATE_GROUP_ID, REPORT_TEMPLATE_GROUP_ID, INCLUDE_COLUMN_DETAILS);\n\n\t\t$q.all([getReportTemplateGroups, getReportTemplates]).then(([reportTemplateGroupsArr, reportsArr]) => {\n\n\t\t\treportTemplateGroupsArr = reportTemplateGroupsArr.filter(getTemplatesFromReportCategories);\n\t\t\treportsArr = reportsService.getTemplatesFromReportCategories(reportsArr);\n\n\t\t\tlet vmObj = {\n\t\t\t\treportTemplateGroups: reportsService.loadTemplatesIntoGroups(reportTemplateGroupsArr, reportsArr)\n\t\t\t};\n\n\t\t\t$scope.vm = vmObj;\n\n\t\t\tif (reportTemplateGroupsArr.length > 0) {\n\t\t\t\tif (activeReportGroupId) {\n\t\t\t\t\tselectReportGroupById(vmObj, activeReportGroupId);\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\tlet defaultTemplateGroupObj = vmObj.reportTemplateGroups.find(reportTemplateGroupObj => reportTemplateGroupObj.ReportTemplateGroupDefault);\n\t\t\t\t\tselectReportGroupById(vmObj, defaultTemplateGroupObj.ReportTemplateGroupID);\n\t\t\t\t}\n\t\t\t}\n\t\t\telse {\n\t\t\t\tsetPageState('ready');\n\t\t\t}\n\n\t\t})\n\t\t.catch(onError);\n\t}\n\tfunction openReportTemplateGroupForm (reportTemplateFormViewKey, reportTemplateGroupObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: AGENCY_PROFILE_ID,\n\t\t\tcallback: formCallback,\n\t\t\tformKey: 'report-template-group',\n\t\t\treportTemplateGroup: reportTemplateGroupObj,\n\t\t\treportTemplateGroupFormView: reportTemplateFormViewKey,\n\t\t\ttitle: reportsService.getReportTemplateGroupFormTitleForView(reportTemplateFormViewKey)\n\t\t});\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction selectReportGroupById (vmObj, reportTemplateGroupId) {\n\n\t\tclearAllChanges(vmObj);\n\n\t\tsetReportGroupState('loading');\n\n\t\tlet selectedReportGroupObj = vmObj.reportTemplateGroups.find(reportTemplateGroupObj => reportTemplateGroupObj.ReportTemplateGroupID === reportTemplateGroupId);\n\n\t\tactiveReportGroupId = selectedReportGroupObj.ReportTemplateGroupID;\n\n\t\tvmObj.activeReportGroup = selectedReportGroupObj;\n\n\t\tsetReportGroupState('ready');\n\t\tsetPageState('ready');\n\t}\n\n\tfunction setReportGroupState (reportGroupState) {\n\t\t$scope.reportGroupState = reportGroupState;\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction setSavingState (newState) {\n\t\t$scope.savingState = newState;\n\t}\n\n\tfunction toggleReportTemplates (vmObj, toggleOption) {\n\n\t\tvmObj.activeReportGroup.ReportTemplates.forEach(function (reportTemplateObj) {\n\t\t\ttoggleReportActiveState(vmObj, reportTemplateObj, toggleOption);\n\t\t});\n\t}\n\n\tfunction toggleReportActiveState (vmObj, reportTemplateObj, toggleOption) {\n\n\t\tif (toggleOption !== undefined) {\n\t\t\treportTemplateObj.isActiveInGroup = toggleOption;\n\t\t}\n\t\telse {\n\t\t\treportTemplateObj.isActiveInGroup = !reportTemplateObj.isActiveInGroup;\n\t\t}\n\n\t\treportTemplateObj.hasChanged = reportTemplateObj.isActiveInGroup !== reportTemplateObj.originalIsActiveInGroup;\n\n\t\tupdateChangedReportsCount(vmObj);\n\t}\n\n\tfunction updateChangedReportsCount (vmObj) {\n\n\t\tlet updatedReportTemplates = getUpdatedReportTemplates(vmObj);\n\n\t\tvmObj.numberOfChangedReportTemplates = updatedReportTemplates.length;\n\t}\n\n\tfunction updateReportTemplatePack (vmObj) {\n\n\t\tsetSavingState('saving');\n\n\t\tlet activeReportGroupId = vmObj.activeReportGroup.ReportTemplateGroupID;\n\n\t\tlet updatedReportTemplates = getUpdatedReportTemplates(vmObj);\n\t\tlet newReportTemplates = updatedReportTemplates.filter(reportTemplateObj => !reportTemplateObj.originalIsActiveInGroup);\n\t\tlet removedReportTemplates = updatedReportTemplates.filter(reportTemplateObj => reportTemplateObj.originalIsActiveInGroup);\n\n\t\tlet addReportTemplatesToGroup = newReportTemplates.length > 0 ? reportData.addReportTemplatesToGroup(activeReportGroupId, newReportTemplates, AGENCY_PROFILE_ID) : null;\n\t\tlet removeReportTemplatesFromGroup = removedReportTemplates.length > 0 ? reportData.removeReportTemplatesFromGroup(activeReportGroupId, removedReportTemplates, AGENCY_PROFILE_ID) : null;\n\n\t\t$q.all([addReportTemplatesToGroup, removeReportTemplatesFromGroup]).then(() => {\n\n\t\t\tsetSavingState('saved');\n\n\t\t\tinit();\n\n\t\t\t$timeout(function () {\n\t\t\t\tsetSavingState(null);\n\t\t\t}, 1500);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tnumberOfChangedReportTemplates: 0,\n\t\tsavingState: 'ready',\n\t\tsearchBarOptions: searchService.reportTemplates,\n\n\t\tclearAllChanges,\n\t\topenReportTemplateGroupForm,\n\t\tselectReportGroupById,\n\t\ttoggleReportActiveState,\n\t\ttoggleReportTemplates,\n\t\tupdateReportTemplatePack,\n\n\t\tREPORT_TEMPLATE_GROUP_FORM_VIEWS,\n\t});\n}]);\n\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsReportsTemplatesCtrl', ['$q', '$rootScope', '$scope', '$stateParams', 'config', 'reportData', 'reportsService', 'searchService', 'INTERFACE_TYPES', 'SEARCH_BAR_ACTIONS', function ($q, $rootScope, $scope, $stateParams, config, reportData, reportsService, searchService, INTERFACE_TYPES, SEARCH_BAR_ACTIONS) {\n\n\tconst currentCompanyObj = $rootScope.currentCompany;\n\n\tconst AGENCY_PROFILE_ID = $stateParams.agencyProfileId;\n\tconst REPORT_FILTER = $stateParams.reportFilter;\n\tconst INCLUDE_COLUMN_DETAILS = true;\n\tconst REPORT_TEMPLATE_GROUP_ID = config.guidEmpty;\n\tconst STANDARD_REPORT_TEMPLATE_GROUP_ID = config.standardReportTemplateGroupId;\n\n\tconst REPORT_FILTERS = {\n\t\tcustom: 'custom',\n\t\tstandard: 'standard'\n\t};\n\n\tfunction filterReportTemplates (reportTemplateObj) {\n\n\t\treportTemplateObj.companyOwnsReport = (reportTemplateObj.AgencyProfileID === currentCompanyObj.AgencyProfileID);\n\n\t\tswitch (REPORT_FILTER) {\n\t\t\tcase REPORT_FILTERS.custom:\n\t\t\t\treturn !reportTemplateObj.IsClassicReport;\n\n\t\t\tcase REPORT_FILTERS.standard:\n\t\t\t\treturn reportTemplateObj.IsClassicReport;\n\n\t\t\tdefault:\n\t\t\t\treturn reportTemplateObj;\n\t\t}\n\t}\n\n\tfunction getReportTemplatesForBureaus () {\n\n\t\tconst getReportTemplateGroups = reportData.getReportTemplateGroups(AGENCY_PROFILE_ID);\n\t\tconst getReportTemplates = reportData.getReportTemplates(STANDARD_REPORT_TEMPLATE_GROUP_ID, REPORT_TEMPLATE_GROUP_ID, INCLUDE_COLUMN_DETAILS);\n\n\t\t$q.all([getReportTemplateGroups, getReportTemplates]).then(([reportTemplateGroupsArr, reportsArr]) => {\n\n\t\t\tlet bureauReportsArr = reportsService.getReportTemplatesForBureau(reportTemplateGroupsArr, reportsArr);\n\n\t\t\tloadPage(bureauReportsArr);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction getReportTemplatesForCompanies () {\n\n\t\treportData.getReportTemplates(AGENCY_PROFILE_ID, REPORT_TEMPLATE_GROUP_ID, INCLUDE_COLUMN_DETAILS).then(reportsArr => {\n\n\t\t\tlet companyReportsArr = reportsService.getTemplatesFromReportCategories(reportsArr);\n\n\t\t\tloadPage(companyReportsArr);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tif (currentCompanyObj.CompanyType === INTERFACE_TYPES.bureau) {\n\t\t\tgetReportTemplatesForBureaus();\n\n\t\t} else {\n\t\t\tgetReportTemplatesForCompanies();\n\t\t}\n\t}\n\n\tfunction loadPage (reportTemplatesArr) {\n\n\t\t$scope.vm = {\n\t\t\treportTemplates: reportTemplatesArr.filter(filterReportTemplates),\n\t\t\tsearchBarOptions: searchService.reportTemplates,\n\t\t};\n\n\t\tsetPageState('ready');\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openReportTemplateForm () {\n\n\t\treportsService.openReportTemplateCreator(\n\t\t\t{\n\t\t\t\tagencyProfileId: AGENCY_PROFILE_ID,\n\t\t\t\tcallback: init\n\t\t\t}\n\t\t);\n\t}\n\n\tfunction searchBarActionSelected (searchBarActionKey) {\n\t\tif (searchBarActionKey === SEARCH_BAR_ACTIONS.reportTemplates.addNewTemplate) {\n\t\t\topenReportTemplateForm();\n\t\t}\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tAGENCY_PROFILE_ID,\n\t\tREPORT_FILTERS,\n\t\tREPORT_FILTER,\n\t\topenReportTemplateForm,\n\t\tinit,\n\t\tsearchBarActionSelected\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('settingsRolesCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'$timeout',\n\t'base',\n\t'permissionsService',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\t$timeout,\n\t\tbase,\n\t\tpermissionsService\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst currentCompanyObj = $rootScope.currentCompany;\n\n\tfunction clearAllChanges (vmObj) {\n\n\t\tvmObj.activeRole.Groups.forEach(activeRoleGroupObj => {\n\n\t\t\tangular.extend(activeRoleGroupObj, {\n\t\t\t\tGroupVisible: activeRoleGroupObj.originalGroupVisible,\n\t\t\t\tGroupValue: activeRoleGroupObj.originalGroupValue,\n\t\t\t});\n\n\t\t\tactiveRoleGroupObj.GroupPermissionActions.forEach(activeRoleGroupActionObj => {\n\t\t\t\tactiveRoleGroupActionObj.IsActive = activeRoleGroupActionObj.originalIsActive;\n\t\t\t});\n\n\t\t\tpermissionsService.calculateActiveActionsCount(activeRoleGroupObj);\n\t\t});\n\n\t\tvmObj.changesCount = 0;\n\t}\n\n\tfunction openUpdateRoleModal (vmObj) {\n\t\tvmObj.updateRoleModalOptions.isOpen = true;\n\t}\n\n\tfunction init (activeRoleType) {\n\n\t\tsetPageState('loading');\n\n\t\tbase.getPermissionRoles(agencyProfileId).then(permissionRolesObj => {\n\n\t\t\tconst rolesArr = permissionRolesObj.Roles.filter(permissionsService.decorateRole);\n\n\t\t\tconst vmObj = {\n\t\t\t\tchangesCount: 0,\n\t\t\t\tisValid: true,\n\t\t\t\troles: rolesArr,\n\t\t\t\tsaveState: null,\n\t\t\t\tupdateRoleModalOptions: {\n\t\t\t\t\tisOpen: false,\n\t\t\t\t\tsize: 'm',\n\t\t\t\t\ttitle: 'Update role',\n\t\t\t\t}\n\t\t\t};\n\n\t\t\tif (activeRoleType) {\n\t\t\t\tconst activeRoleObj = rolesArr.find(roleObj => roleObj.RoleType === activeRoleType);\n\t\t\t\tselectRole(vmObj, activeRoleObj);\n\n\t\t\t} else {\n\t\t\t\tselectRole(vmObj, rolesArr[0]);\n\t\t\t}\n\n\t\t\t$scope.vm = vmObj;\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction openViewRoleForm (activeRoleObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\trole: activeRoleObj,\n\t\t\tformKey: 'view-role'\n\t\t});\n\t}\n\n\tfunction selectRole (vmObj, roleObj) {\n\n\t\t// Show \"View roles\" on correct compaines\n\t\troleObj.showViewRoleButton = permissionsService.getIsPermissionRoleVisibleForCompany(roleObj.RoleType, currentCompanyObj);\n\n\t\tif (vmObj.activeRole) {\n\t\t\tclearAllChanges(vmObj);\n\t\t}\n\n\t\tvmObj.activeRole = roleObj;\n\t}\n\n\tfunction setPageState (pageState) {\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction updateRole (vmObj) {\n\n\t\tvmObj.updateRoleModalOptions.isOpen = false;\n\n\t\tsetPageState('loading');\n\n\t\tbase.updatePermissionRoleDetail(agencyProfileId, vmObj.activeRole).then(() => {\n\n\t\t\tvmObj.saveState = 'saved';\n\n\t\t\t$timeout(() => {\n\t\t\t\tinit(vmObj.activeRole.RoleType);\n\t\t\t}, 2000);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tclearAllChanges,\n\t\topenUpdateRoleModal,\n\t\topenViewRoleForm,\n\t\tselectRole,\n\t\tupdateRole,\n\t});\n}]);\n\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsUpgradeCtrl', ['$filter', '$q', '$rootScope', '$scope', '$state', '$stateParams', 'companyData', 'payrollData', 'session', 'MANDATE_STATES', 'PAYMENT_STATES', function ($filter, $q, $rootScope, $scope, $state, $stateParams, companyData, payrollData, session, MANDATE_STATES, PAYMENT_STATES) {\n\n\tvar agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction decorateCompany (companyObj) {\n\n\t\tcompanyObj.numberOfModules = 1; // User portal\n\n\t\tcompanyObj.numberOfModules = companyObj.Employer.IsCISActive ? companyObj.numberOfModules + 1 : companyObj.numberOfModules;\n\t\tcompanyObj.numberOfModules = companyObj.Employer.IsPayrollActive ? companyObj.numberOfModules + 1 : companyObj.numberOfModules;\n\t\tcompanyObj.numberOfModules = companyObj.Employer.IsPensionActive ? companyObj.numberOfModules + 1 : companyObj.numberOfModules;\n\n\t\treturn companyObj;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tvar getAgencyProfileCompanyInformationDetailed = companyData.getAgencyProfileCompanyInformationDetailed(agencyProfileId);\n\t\tvar getCompanyDirectDebitMandate = payrollData.getCompanyDirectDebitMandate(agencyProfileId);\n\t\tvar getNextBillingPayment = payrollData.getNextBillingPayment(agencyProfileId);\n\n\t\t$q.all([getAgencyProfileCompanyInformationDetailed, getCompanyDirectDebitMandate, getNextBillingPayment]).then(function (data) {\n\n\t\t\tvar companyObj = data[0];\n\t\t\tvar directDebitMandateObj = data[1];\n\t\t\tvar nextPaymentObj = data[2];\n\n\t\t\t$scope.company = decorateCompany(companyObj);\n\t\t\t$scope.directDebitMandate = directDebitMandateObj;\n\t\t\t$scope.modules = [\n\t\t\t\t{\n\t\t\t\t\tIcon: 'pay-periods',\n\t\t\t\t\tIncludedInPlan: companyObj.Employer.IsPayrollActive,\n\t\t\t\t\tIsFree: true,\n\t\t\t\t\tKey: 'payroll',\n\t\t\t\t\tTheme: 'primary',\n\t\t\t\t\tTitle: 'Payroll',\n\t\t\t\t\tDescription: 'Manage payroll for your team - simple, cloud-based and collaborative, no previous payroll experience required!'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tIcon: 'money',\n\t\t\t\t\tIncludedInPlan: companyObj.Employer.IsPensionActive,\n\t\t\t\t\tIsFree: true,\n\t\t\t\t\tKey: 'pension',\n\t\t\t\t\tTheme: 'secondary',\n\t\t\t\t\tTitle: 'Pension',\n\t\t\t\t\tDescription: 'Connect your workplace pension to payroll or manage your workplace pension on its own - with no payroll connected'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tIcon: 'mobile',\n\t\t\t\t\tIncludedInPlan: true,\n\t\t\t\t\tIsFree: true,\n\t\t\t\t\tKey: 'user-portal',\n\t\t\t\t\tTheme: 'primary',\n\t\t\t\t\tTitle: 'User Portal',\n\t\t\t\t\tDescription: 'Your team’s own secure portal to view their payslips and other pay related info online'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tIcon: 'cis',\n\t\t\t\t\tIncludedInPlan: companyObj.Employer.IsCISActive,\n\t\t\t\t\tIsFree: true,\n\t\t\t\t\tKey: 'cis',\n\t\t\t\t\tTheme: 'tertiary',\n\t\t\t\t\tTitle: 'CIS',\n\t\t\t\t\tDescription: 'Construction Industry Scheme for contractors - manage payments to subcontractors'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tIcon: 'team-alt',\n\t\t\t\t\tIncludedInPlan: companyObj.Employer.IsHRActive,\n\t\t\t\t\tIsFree: true,\n\t\t\t\t\tKey: 'hr-lite',\n\t\t\t\t\tTheme: 'quarternary',\n\t\t\t\t\tTitle: 'HR',\n\t\t\t\t\tDescription: 'Manage and track your team\\’s holidays and sick days plus more features coming soon!'\n\t\t\t\t}\n\t\t\t];\n\t\t\t$scope.nextPayment = nextPaymentObj;\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(function () {\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction onDirectDebitCreation () {\n\n\t\t$state.go('settings.company.billing', {agencyProfileId: agencyProfileId});\n\n\t\t$scope.currentCompany.MandateState = 2;\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\t$scope.MANDATE_STATES = MANDATE_STATES;\n\t$scope.PAYMENT_STATES = PAYMENT_STATES;\n\n\t$scope.agencyProfileId = agencyProfileId;\n\n\t$scope.openDirectDebitForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onDirectDebitCreation,\n\t\t\tformKey: 'direct-debit'\n\t\t});\n\t};\n\n\t$scope.openModulesForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-modules'\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsWorkPatternsCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$stateParams',\n\t'companyData',\n\t'payrollData',\n\t'workPatternService',\n\t'WORK_PATTERN_GROUPS',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$stateParams,\n\t\tcompanyData,\n\t\tpayrollData,\n\t\tworkPatternService,\n\t\tWORK_PATTERN_GROUPS\n\t) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getPayPeriodCurrent = payrollData.getPayPeriodCurrent(agencyProfileId);\n\t\tconst getWorkPatterns = companyData.getWorkPatternsForAgency(agencyProfileId);\n\n\t\t$q.all([getWorkPatterns, getPayPeriodCurrent]).then((dataArr) => {\n\n\t\t\tconst companyWorkPatternsArr = dataArr[0];\n\t\t\tconst currentPayPeriodObj = dataArr[1];\n\n\t\t\tif (!workPatternService.isWorkPatternsApplicable(currentPayPeriodObj)) {\n\t\t\t\tsetFeatureState('not-applicable');\n\t\t\t\tsetPageState('ready');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tif (!companyWorkPatternsArr.length) {\n\t\t\t\tsetFeatureState('not-active');\n\t\t\t\tsetPageState('ready');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tconst workPatternsStandardArr = $filter('filter')(companyWorkPatternsArr, {Group: WORK_PATTERN_GROUPS.standard});\n\t\t\tconst workPatternsNonStandardArr = $filter('filter')(companyWorkPatternsArr, {Group: WORK_PATTERN_GROUPS.nonStandard});\n\n\t\t\t$scope.vm = {\n\t\t\t\tcanDeleteWorkPatternsNonStandard: workPatternsNonStandardArr.length > 1,\n\t\t\t\tcanDeleteWorkPatternsStandard: workPatternsStandardArr.length > 1,\n\t\t\t\tworkPatternsStandard: workPatternsStandardArr,\n\t\t\t\tworkPatternsNonStandard: workPatternsNonStandardArr\n\t\t\t};\n\n\t\t\tsetFeatureState('active');\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(function (error) {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction openWorkPatternForm (workPatternObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'work-pattern',\n\t\t\ttitle: workPatternObj !== undefined ? 'Edit work pattern' : 'New work pattern',\n\t\t\tworkPatternId: workPatternObj !== undefined ? workPatternObj.WorkPatternID : undefined\n\t\t});\n\t}\n\n\tfunction setFeatureState (featureState) {\n\n\t\t$scope.featureState = featureState;\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tWORK_PATTERN_GROUPS,\n\t\tagencyProfileId,\n\t\tinit,\n\t\topenWorkPatternForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('settingsWorkflowCtrl', ['$q', '$rootScope', '$scope', '$stateParams', 'bulkService', 'config', 'filterService', 'messageData', 'payrollData', 'searchService', 'session', 'INTERFACE_TYPES', 'WORKFLOW_TEMPLATE_ENTRY_STATES', 'WORKFLOW_TEMPLATE_STATES', function ($q, $rootScope, $scope, $stateParams, bulkService, config, filterService, messageData, payrollData, searchService, session, INTERFACE_TYPES, WORKFLOW_TEMPLATE_ENTRY_STATES, WORKFLOW_TEMPLATE_STATES) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\n\tlet currentCompanyObj = $scope.currentCompany;\n\n\tfunction decorateWorkflowTemplate (workflowTemplateObj) {\n\n\t\tlet previousTemplateEntryObj = null;\n\t\tworkflowTemplateObj.TemplateEntries.forEach((templateEntryObj) => {\n\n\t\t\ttemplateEntryObj = decorateTemplateEntry(templateEntryObj, previousTemplateEntryObj);\n\t\t\tpreviousTemplateEntryObj = templateEntryObj;\n\t\t});\n\n\t\treturn workflowTemplateObj;\n\t}\n\n\tfunction decorateTemplateEntry (templateEntryObj, previousTemplateEntryObj) {\n\n\t\tangular.extend(templateEntryObj, {\n\t\t\thasActioner: templateEntryObj.ActionerID !== config.guidEmpty,\n\t\t\thasAuthoriser: templateEntryObj.AuthoriserID !== config.guidEmpty,\n\t\t\thasDueDate: hasDueDate(templateEntryObj),\n\t\t\tdueDateValid: isDueDateValid(templateEntryObj, previousTemplateEntryObj),\n\t\t\ticon: getIconForTemplateEntryState(templateEntryObj),\n\t\t\ttheme: getThemeForTemplateEntryState(templateEntryObj)\n\t\t});\n\n\t\t// Validate step 1 date based on step 2 validity comparison\n\t\tif(templateEntryObj.Number === 2 && templateEntryObj.dueDateValid) {\n\t\t\tangular.extend(previousTemplateEntryObj, {\n\t\t\t\tdueDateValid: true,\n\t\t\t\ttheme: getThemeForTemplateEntryState(previousTemplateEntryObj),\n\t\t\t\ticon: getIconForTemplateEntryState(previousTemplateEntryObj)\n\t\t\t});\n\t\t}\n\n\t\t// Highlight missing/invalid due date\n\t\tif(!templateEntryObj.dueDateValid) {\n\t\t\ttemplateEntryObj.theme = 'is-assertive';\n\t\t\ttemplateEntryObj.icon = 'icon-warning';\n\t\t}\n\n\t\treturn templateEntryObj;\n\t}\n\n\tfunction isDueDateValid (templateEntryObj, previousTemplateEntryObj) {\n\n\t\t// If first step, always valid if there is a due date\n\t\tif (previousTemplateEntryObj === null) {\n\t\t\treturn hasDueDate(templateEntryObj);\n\t\t}\n\n\t\t// If due date was set correcly, but was moved because its falling on a weekend\n\t\tif (templateEntryObj.DueDays !== templateEntryObj.DueDaysConstant) {\n\t\t\treturn true;\n\t\t}\n\n\t\treturn moment(templateEntryObj.DueDateISO).isAfter(previousTemplateEntryObj.DueDateISO);\n\t}\n\n\tfunction hasDueDate (templateEntryObj) {\n\t\treturn templateEntryObj.DueDaysConstant > 0 || templateEntryObj.DueTimeHour > 0 || templateEntryObj.DueTimeMinutes > 0;\n\t}\n\n\tfunction getThemeForTemplateEntryState (templateEntryObj) {\n\n\t\tswitch (templateEntryObj.State) {\n\t\t\tcase WORKFLOW_TEMPLATE_ENTRY_STATES.inactive:\n\t\t\t\treturn 'is-assertive';\n\t\t\tcase WORKFLOW_TEMPLATE_ENTRY_STATES.active:\n\t\t\tcase WORKFLOW_TEMPLATE_ENTRY_STATES.complete:\n\t\t\tcase WORKFLOW_TEMPLATE_ENTRY_STATES.current:\n\t\t\t\treturn 'is-primary';\n\t\t}\n\t}\n\n\tfunction getIconForTemplateEntryState (templateEntryObj) {\n\n\t\tswitch (templateEntryObj.State) {\n\t\t\tcase WORKFLOW_TEMPLATE_ENTRY_STATES.inactive:\n\t\t\t\treturn 'icon-warning';\n\t\t\tcase WORKFLOW_TEMPLATE_ENTRY_STATES.active:\n\t\t\tcase WORKFLOW_TEMPLATE_ENTRY_STATES.complete:\n\t\t\tcase WORKFLOW_TEMPLATE_ENTRY_STATES.current:\n\t\t\t\treturn 'icon-workflow-alt';\n\t\t}\n\t}\n\n\tfunction init () {\n\n\t\t// Reset current company on init for form callback\n\t\tcurrentCompanyObj = $scope.currentCompany;\n\n\t\tif (currentCompanyObj.IsWorkflowEnabled) {\n\n\t\t\tloadWorkflow();\n\t\t}\n\t}\n\n\tfunction loadWorkflow () {\n\n\t\tsetPageState('loading');\n\n\t\tconst getPayPeriodMinimum = payrollData.getPayPeriodMinimum(agencyProfileId);\n\t\tconst getWorkflowTemplates = messageData.getWorkflowTemplates(agencyProfileId);\n\n\t\t$q.all([getWorkflowTemplates, getPayPeriodMinimum]).then((data) => {\n\n\t\t\tconst workflowTemplatesArr = data[0];\n\t\t\tconst payPeriodObj = data[1];\n\n\t\t\tlet vmObj = {\n\t\t\t\tpayPeriod: payPeriodObj\n\t\t\t};\n\n\t\t\tif (currentCompanyObj.IsWorkflowEnabled && workflowTemplatesArr.length) {\n\t\t\t\tlet workflowTemplate = decorateWorkflowTemplate(workflowTemplatesArr[0]);\n\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\tworkflowTemplate: workflowTemplate,\n\t\t\t\t\tdueDateSetupComplete: workflowTemplate.TemplateEntries.every(e => e.dueDateValid === true)\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t$scope.vm = vmObj;\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch((error) => {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction openCompanySettingsWorkflowForm (workflowTemplateObj, formOptionsObj) {\n\n\t\tconst defaultFormOptionsObj = {\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-workflow',\n\t\t\tworkflowTemplate: workflowTemplateObj,\n\t\t};\n\n\t\t$rootScope.openSlideInForm(angular.extend(defaultFormOptionsObj, formOptionsObj));\n\t}\n\n\tfunction openEnableWorkflowForm (workflowTemplateObj) {\n\n\t\topenCompanySettingsWorkflowForm(workflowTemplateObj, {\n\t\t\ttitle: 'Enable workflow'\n\t\t});\n\t}\n\n\tfunction openStartWorkflowForm (workflowTemplateObj) {\n\n\t\topenCompanySettingsWorkflowForm(workflowTemplateObj, {\n\t\t\ttitle: 'Start workflow',\n\t\t\tworkflowAction: 'start-workflow'\n\t\t});\n\t}\n\n\tfunction openDisableWorkflowForm (workflowTemplateObj) {\n\n\t\topenCompanySettingsWorkflowForm(workflowTemplateObj, {\n\t\t\tavailableWhenCompanyPAYESchemeCeased: true,\n\t\t\ttitle: 'Disable workflow',\n\t\t\tworkflowAction: 'disable-workflow'\n\t\t});\n\t}\n\n\tfunction openStopWorkflowForm (workflowTemplateObj) {\n\n\t\topenCompanySettingsWorkflowForm(workflowTemplateObj, {\n\t\t\tavailableWhenCompanyPAYESchemeCeased: true,\n\t\t\ttitle: 'Stop workflow',\n\t\t\tworkflowAction: 'stop-workflow'\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tWORKFLOW_TEMPLATE_STATES,\n\t\topenCompanySettingsWorkflowForm,\n\t\topenDisableWorkflowForm,\n\t\topenEnableWorkflowForm,\n\t\topenStartWorkflowForm,\n\t\topenStopWorkflowForm,\n\t\trefreshPage: loadWorkflow\n\t});\n}]);\n\n'use strict';\n\n/**\n * @ngdoc #Name#\n * @name paycircleApp\n * @description #Description#\n * # paycircleApp\n *\n * Main module of the application.\n */\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar directory = 'features/app/user-importer/';\n\n\t$stateProvider\n\n\t.state('user-importer', {\n\t\turl: '/user-importer/{agencyProfileId}&from',\n\t\ttemplateUrl: directory + 'userImporterView.html',\n\t\tcontroller: 'userImporterCtrl',\n\t\t/*\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function resolveAuthentication (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\t*/\n\t\tdata: {\n\t\t fullPage: true,\n\t\t title: 'User Importer'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('userImporterCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'$timeout',\n\t'addressService',\n\t'agency',\n\t'config',\n\t'dataImport',\n\t'dataTransfer',\n\t'growl',\n\t'importService',\n\t'libraries',\n\t'payrollData',\n\t'payrollWorker',\n\t'postcodeLookup',\n\t'session',\n\t'utilities',\n\t'DOCUMENT_TYPE_IDS',\n\t'STATE_TYPES',\n\t'SUBMISSION_STATES',\n\t'VALIDATION_FIELD_TYPES',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\t$timeout,\n\t\taddressService,\n\t\tagency,\n\t\tconfig,\n\t\tdataImport,\n\t\tdataTransfer,\n\t\tgrowl,\n\t\timportService,\n\t\tlibraries,\n\t\tpayrollData,\n\t\tpayrollWorker,\n\t\tpostcodeLookup,\n\t\tsession,\n\t\tutilities,\n\t\tDOCUMENT_TYPE_IDS,\n\t\tSTATE_TYPES,\n\t\tSUBMISSION_STATES,\n\t\tVALIDATION_FIELD_TYPES\n\t) {\n\n\tvar agencyProfileId \t\t\t\t\t= $stateParams.agencyProfileId;\n\tvar currentIndex \t\t\t\t\t\t= 0;\n\tvar currentResultNumber \t\t\t\t= 0;\n\tvar numberOfValidationResults \t\t\t= 0;\n\tvar options = {\n\t\taddressLookupVisible: false,\n\t\taddressSearchString: '',\n\t\tdelay: 3000,\n\t\tdoNotAskAgain: false,\n\t\tisWorkerInfoVisible: false,\n\t\tshowAddressResult: false\n\t};\n\tvar timerId;\n\tvar workerPriorityFilter = 'basic';\n\n\tfunction checkDataImportState (payPeriod) {\n\n\t\tvar payPeriodId = payPeriod.PayPeriodID;\n\n\t\tagency.getAgencyPayPeriodState(payPeriodId, STATE_TYPES.dataimport).then(function (updatedDataImportState) {\n\n\t\t\t// Update scope\n\t\t\tpayPeriod.DataImportState = updatedDataImportState;\n\n\t\t\tswitch (updatedDataImportState) {\n\t\t\t\tcase SUBMISSION_STATES.submitting:\n\n\t\t\t\t\ttimerId = $timeout(function () {\n\t\t\t\t\t\tcheckDataImportState(payPeriod);\n\t\t\t\t\t}, options.delay);\n\n\t\t\t\t\treturn;\n\n\t\t\t\tcase SUBMISSION_STATES.failed:\n\n\t\t\t\t\tgrowl.error('There was a problem importing the shifts');\n\n\t\t\t\t\tbreak;\n\t\t\t}\n\n\t\t\t// Scope\n\t\t\t$scope.pageState = 'ready';\n\t\t});\n\t}\n\n\tfunction checkWorkerImportState (payPeriod) {\n\n\t\tvar payPeriodId = payPeriod.PayPeriodID;\n\n\t\t// Unsubmitted - Start importer\n\t\tif (payPeriod.WorkerImportState === SUBMISSION_STATES.unsubmitted) {\n\n\t\t\t// Page state\n\t\t\t$scope.pageState = 'ready';\n\n\t\t\t// Update progress indicator\n\t\t\tsetProgressIndicator(payPeriod);\n\n\t\t\treturn;\n\t\t}\n\n\t\t// Check pay period state\n\t\tagency.getAgencyPayPeriodState(payPeriodId, STATE_TYPES.workerimport).then(function (workerImportState) {\n\n\t\t\t// Update pay period\n\t\t\tpayPeriod.WorkerImportState = workerImportState;\n\n\t\t\t// Update progress indicator\n\t\t\tsetProgressIndicator(payPeriod);\n\n\t\t\t// Hide worker info\n\t\t\t$scope.options.isWorkerInfoVisible = false;\n\n\t\t\tswitch (workerImportState) {\n\n\t\t\t\t// If import has errors then we get those errors and stop checking the status\n\t\t\t\tcase SUBMISSION_STATES.haserrors1:\n\t\t\t\tcase SUBMISSION_STATES.haserrors2:\n\t\t\t\tcase SUBMISSION_STATES.verified:\n\n\t\t\t\t\tloadValidationResults(payPeriod);\n\n\t\t\t\t\t// Reset uploader progress state\n\t\t\t\t\t$scope.uploadingProgress = 0;\n\n\t\t\t\t\treturn;\n\n\t\t\t\t// Processing or Submitted\n\t\t\t\tcase SUBMISSION_STATES.submitting:\n\t\t\t\tcase SUBMISSION_STATES.processing1:\n\t\t\t\tcase SUBMISSION_STATES.processing2:\n\n\t\t\t\t\ttimerId = $timeout(function () {\n\t\t\t\t\t\tcheckWorkerImportState(payPeriod);\n\t\t\t\t\t}, options.delay);\n\n\t\t\t\t\treturn;\n\n\t\t\t\t// Finished\n\t\t\t\tcase SUBMISSION_STATES.finished:\n\n\t\t\t\t\tcheckDataImportState(payPeriod);\n\n\t\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tsetupActionButtons(workerImportState);\n\n\t\t\t// Scope\n\t\t\t$scope.pageState = 'ready';\n\t\t})\n\t\t.catch(function () {\n\n\t\t\t$scope.pageState = 'error';\n\t\t});\n\t}\n\n\tfunction goToNext (validationResults, payPeriod, validationForm) {\n\n\t\t$scope.animationStep = 'fadeOutLeft';\n\n\t\t// Validate import on last result\n\t\tif (isLastResult()) {\n\t\t\tvalidateUserImport(payPeriod);\n\n\t\t\t// Reset animation step\n\t\t\t$scope.animationStep = '';\n\t\t\treturn;\n\t\t}\n\n\t\t// Increase index\n\t\tcurrentIndex++;\n\n\t\t// Update current index\n\t\tupdateCurrentIndex(currentIndex);\n\n\t\t// Timeout to allow animation to complete\n\t\t$timeout(function () {\n\n\t\t\t// Select next result\n\t\t\tsetupValidationResult(validationResults);\n\n\t\t\t// Update animation step\n\t\t\t$scope.animationStep = 'fadeInRight';\n\n\t\t\t// Reset form state\n\t\t\tif (validationForm !== undefined) {\n\t\t\t\tvalidationForm.$setPristine();\n\t\t\t}\n\n\t\t}, 300);\n\t}\n\n\tfunction goToPrevious (validationResults, validationForm) {\n\n\t\t// Do nothing if first result\n\t\tif (isFirstResult()) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Show previous worker\n\t\tcurrentIndex--;\n\n\t\t// Update current index\n\t\tupdateCurrentIndex(currentIndex);\n\n\t\t$scope.animationStep = 'fadeOutRight';\n\n\t\t$timeout(function () {\n\n\t\t\t// Select previous result\n\t\t\tsetupValidationResult(validationResults);\n\n\t\t\t$scope.animationStep = 'fadeInLeft';\n\n\t\t\t$scope.options.addressLookupVisible = false;\n\t\t\t$scope.selectedAddress = null;\n\n\t\t\t// Reset form state\n\t\t\tif (validationForm !== undefined) {\n\t\t\t\tvalidationForm.$setPristine();\n\t\t\t}\n\n\t\t}, 300);\n\t}\n\n\tfunction importData (payPeriod) {\n\n\t\t// Set to processing\n\t\tpayPeriod.WorkerImportState = SUBMISSION_STATES.processing2;\n\n\t\t// Actually update the pay period state on the server\n\t\tdataImport.updateAgencyPayPeriodImportWorkerStatus(payPeriod.PayPeriodID, SUBMISSION_STATES.processing2).then(function () {\n\n\t\t\t// Kick start the actual import\n\t\t\tpayrollWorker.payrollStartWorkerImport(agencyProfileId, payPeriod.PayPeriodID);\n\n\t\t\t// Kick off polling for state, after a short delay\n\t\t\ttimerId = $timeout(function () {\n\t\t\t\tcheckWorkerImportState(payPeriod);\n\t\t\t}, options.delay);\n\t\t})\n\t\t.catch(function () {\n\t\t\tgrowl.error('We were unable to change the status of the import.');\n\t\t});\n\t}\n\n\tfunction init () {\n\n\t\t$scope.pageState = 'loading';\n\n\t\tpayrollData.getPayPeriodCurrent(agencyProfileId).then(function (currentPayPeriodObj) {\n\n\t\t\t$scope.currentPayPeriod = currentPayPeriodObj;\n\n\t\t\tsetupActionButtons(currentPayPeriodObj.WorkerImportState);\n\t\t\tsetupImporter(currentPayPeriodObj);\n\t\t})\n\t\t.catch(function () {\n\n\t\t\t// Page state\n\t\t\t$scope.pageState = 'error';\n\t\t});\n\t}\n\n\tfunction isFirstResult () {\n\n\t\treturn currentResultNumber === 1;\n\t}\n\n\tfunction isLastResult () {\n\n\t\treturn currentResultNumber === numberOfValidationResults;\n\t}\n\n\tfunction loadValidationResults (payPeriod) {\n\n\t\t// Reset current index\n\t\tresetCurrentIndex();\n\n\t\tvar getNumberOfUserImportsByOwner \t= dataImport.getNumberOfUserImportsByOwner(payPeriod.PayPeriodID);\n\t\tvar getUserImportValidationResults \t= dataImport.getUserImportValidationResults(payPeriod.PayPeriodID);\n\n\t\t$q.all([getUserImportValidationResults, getNumberOfUserImportsByOwner]).then(function (data) {\n\n\t\t\tvar invalidWorkers \t= data[0];\n\t\t\tvar totalWorkers \t= data[1];\n\n\t\t\t// Re-map Invalid Workers array into results array\n\t\t\tvar validationResults \t\t\t\t\t= importService.getValidationResults(invalidWorkers);\n\t\t\tvar validationResultsPropertyNames \t\t= importService.getValidationResultsPropertyNamesVisible(validationResults);\n\n\t\t\t// Scope\n\t\t\t$scope.validationResults \t\t\t\t= validationResults;\n\t\t\t$scope.validationResult \t\t\t\t= $scope.validationResults[currentIndex];\n\t\t\t$scope.validationResultsPropertyNames \t= validationResultsPropertyNames;\n\t\t\t$scope.numberOfWorkers \t\t\t\t\t= totalWorkers;\n\t\t\t$scope.numberOfValidationResults \t\t= validationResults.length;\n\t\t\t$scope.numberOfSkippedResults \t\t\t= importService.getNumberOfSkippedResults(validationResults);\n\t\t\t$scope.numberOfNewStarters \t\t\t\t= importService.getNumberOfNewStarters(validationResults);\n\n\t\t\t// Update local variable\n\t\t\tnumberOfValidationResults = validationResults.length;\n\n\t\t\t// Page state\n\t\t\t$scope.pageState = 'ready';\n\t\t})\n\t\t.catch(function () {\n\n\t\t\t// Page state\n\t\t\t$scope.pageState = 'error';\n\t\t});\n\t}\n\n\tfunction resetCurrentIndex () {\n\n\t\tupdateCurrentIndex(0);\n\t}\n\n\tfunction resetImporter (payPeriod) {\n\n\t\t// Reset importer state\n\t\tpayPeriod.WorkerImportState = 0;\n\n\t\t// Reset progress\n\t\tpayPeriod.progress = 0;\n\n\t\t// Reset uploader progress state\n\t\t$scope.uploadingProgress = 0;\n\t}\n\n\tfunction setProgressIndicator (payPeriod) {\n\n\t\tvar progress = 0;\n\n\t\t// Uploaded file\n\t\tif (payPeriod.WorkerImportState >= SUBMISSION_STATES.unsubmitted) {\n\t\t\tprogress = 1;\n\t\t}\n\n\t\t// File passed\n\t\tif (payPeriod.WorkerImportState >= SUBMISSION_STATES.haserrors1) {\n\t\t\tprogress = 2;\n\t\t}\n\n\t\t// Verified\n\t\tif (payPeriod.WorkerImportState >= SUBMISSION_STATES.verified) {\n\t\t\tprogress = 3;\n\t\t}\n\n\t\t// Finished\n\t\tif (payPeriod.WorkerImportState >= SUBMISSION_STATES.finished) {\n\t\t\tprogress = 4;\n\t\t}\n\n\t\t// Scope\n\t\t$scope.progress = progress;\n\t}\n\n\tfunction setupActionButtons (workerImportState) {\n\n\t\tswitch (workerImportState) {\n\n\t\t\t// If import has errors then we get those errors and stop checking the status\n\t\t\tcase SUBMISSION_STATES.haserrors1:\n\t\t\tcase SUBMISSION_STATES.haserrors2:\n\t\t\tcase SUBMISSION_STATES.verified:\n\n\t\t\t\t$scope.canCancelImport = true;\n\t\t\t\t$scope.canCloseImport = true;\n\n\t\t\t\tbreak;\n\n\t\t\t// Processing or Submitted\n\t\t\tcase SUBMISSION_STATES.submitting:\n\t\t\tcase SUBMISSION_STATES.processing1:\n\t\t\tcase SUBMISSION_STATES.processing2:\n\t\t\tcase SUBMISSION_STATES.finished:\n\n\t\t\t\t$scope.canCancelImport = false;\n\t\t\t\t$scope.canCloseImport = false;\n\n\t\t\t\tbreak;\n\n\t\t\tdefault:\n\n\t\t\t\t$scope.canCancelImport = false;\n\t\t\t\t$scope.canCloseImport = true;\n\t\t}\n\n\t}\n\n\tfunction setupImporter (payPeriod) {\n\n\t\tvar payPeriodId = payPeriod.PayPeriodID;\n\n\t\t// Set up the uploader for the import\n\t\tvar uploader = $scope.uploader = dataTransfer.getNewFileUploader({\n\t\t\tformData: [{\n\t\t\t\tagencyPayPeriodID: payPeriodId,\n\t\t\t\tagencyProfileID: agencyProfileId,\n\t\t\t\tdocumentTypeID: DOCUMENT_TYPE_IDS.workerImport\n\t\t\t}],\n\t\t\turl: libraries.httpHandler.upload.importFile,\n\t\t\tqueueLimit: 1,\n\t\t\tonProgressItem: function (fileItem, progress) {\n\n\t\t\t\tpayPeriod.WorkerImportState = SUBMISSION_STATES.submitting;\n\n\t\t\t\t// Scope\n\t\t\t\t$scope.uploadFilename = fileItem.file.name;\n\t\t\t\t$timeout(function () {\n\t\t\t\t\t$scope.uploadingProgress = progress;\n\t\t\t\t}, 500);\n\t\t\t},\n\t\t\tonCompleteAll: function () {\n\n\t\t\t\tdataImport.updateAgencyPayPeriodImportWorkerStatus(payPeriodId, SUBMISSION_STATES.submitted).then(function () {\n\n\t\t\t\t\t// Trigger worker import\n\t\t\t\t\tpayrollWorker.payrollStartWorkerImport(agencyProfileId, payPeriodId);\n\n\t\t\t\t\ttimerId = $timeout(function () {\n\t\t\t\t\t\tcheckWorkerImportState(payPeriod);\n\t\t\t\t\t}, options.delay);\n\t\t\t\t})\n\t\t\t\t.catch(function () {\n\t\t\t\t\tgrowl.error('We were unable to change the status of the import.');\n\t\t\t\t});\n\t\t\t}\n\t\t});\n\n\t\tfunction validateFile (fileContents) {\n\n\t\t\tvar parsedFileRows \t\t\t= importService.parseToRowsAndCols(fileContents);\n\t\t\tvar parsedFileColumnTitles \t= parsedFileRows[0];\n\t\t\tvar numberOfColumns \t\t= parsedFileColumnTitles.cols.length;\n\t\t\tvar i \t\t\t\t\t\t= 1; // Start after title row\n\t\t\tvar responseObject = {\n\t\t\t\tvalid: true,\n\t\t\t\terrorMessage: null\n\t\t\t};\n\n\t\t\tfor (i; i < parsedFileColumnTitles.length; i++) {\n\n\t\t\t\tvar workerRow = parsedFileRows[i];\n\t\t\t\tvar workerName = workerRow.cols[4].text;\n\t\t\t\tvar workerColumnsLength = workerRow.cols.length;\n\n\t\t\t\tif (workerColumnsLength !== numberOfColumns) {\n\n\t\t\t\t\t// Why is this valid?\n\t\t\t\t\tif (workerColumnsLength === 0) {\n\t\t\t\t\t\tcontinue;\n\t\t\t\t\t}\n\t\t\t\t\telse if (workerColumnsLength > 4) {\n\t\t\t\t\t\tresponseObject.errorMessage = 'There is a problem for worker named ' + workerName + ', the row has the wrong number of columns. Please correct and try again. Row[' + (i + 1) + ']';\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\t$scope.parseFileErrorMessage = 'There is a problem with the import file, row ' + (i + 1) + ' contains the wrong number of columns.';\n\t\t\t\t\t}\n\n\t\t\t\t\t// Set invalid\n\t\t\t\t\tresponseObject.valid = false;\n\n\t\t\t\t\t$scope.$applyAsync();\n\n\t\t\t\t\treturn responseObject;\n\t\t\t\t}\n\n\t\t\t}\n\n\t\t\treturn responseObject;\n\t\t}\n\n\t\t// Validate file type is .csv\n\t\tuploader.filters.push({\n\t\t\tname: 'validateFileType',\n\t\t\tfn: function (fileItem) {\n\n\t\t\t\tif (fileItem.name.toLowerCase().indexOf('.csv') !== -1) {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\n\t\t\t\tpayPeriod.WorkerImportState = -1;\n\n\t\t\t\treturn false;\n\t\t\t}\n\t\t});\n\n\t\t// When user selects a file, the uploader runs through this filter and here we verify that it has the right number of columns\n\t\tuploader.filters.push({\n\t\t\tname: 'filterNumberOfColumns',\n\t\t\tfn: function (item) {\n\n\t\t\t\tvar reader = new FileReader();\n\n\t\t\t\treader.onloadend = function (e) {\n\n\t\t\t\t\tvar isFileValid = validateFile(e.target.result);\n\n\t\t\t\t\tif (isFileValid.valid) {\n\n\t\t\t\t\t\tdataImport.updateAgencyPayPeriodImportWorkerStatus(payPeriodId, SUBMISSION_STATES.submitting).then(function () {\n\n\t\t\t\t\t\t\tuploader.uploadAll();\n\n\t\t\t\t\t\t\ttimerId = $timeout(function () {\n\t\t\t\t\t\t\t\tcheckWorkerImportState(payPeriod);\n\t\t\t\t\t\t\t}, options.delay);\n\t\t\t\t\t\t})\n\t\t\t\t\t\t.catch(function () {\n\t\t\t\t\t\t\tgrowl.error('We were unable to change the status of the import.');\n\t\t\t\t\t\t});\n\t\t\t\t\t}\n\n\t\t\t\t\telse {\n\t\t\t\t\t\tuploader.clearQueue();\n\t\t\t\t\t}\n\t\t\t\t};\n\n\t\t\t\treader.readAsText(item);\n\n\t\t\t\treturn true;\n\t\t\t}\n\t\t});\n\n\t\t// Check worker import state\n\t\tcheckWorkerImportState(payPeriod);\n\t}\n\n\tfunction setupValidationResult (validationResults) {\n\n\t\t$scope.validationResult = validationResults[currentIndex];\n\t}\n\n\tfunction toggleModal (modalName) {\n\n\t\t$scope.modal[modalName] = !$scope.modal[modalName];\n\t}\n\n\tfunction changeShowWorkerInfo (value) {\n\n\t\tif (value !== undefined) {\n\t\t\t$scope.options.isWorkerInfoVisible = value;\n\t\t\treturn;\n\t\t}\n\n\t\t$scope.options.isWorkerInfoVisible = !$scope.options.isWorkerInfoVisible;\n\t}\n\n\tfunction updateCurrentIndex (value) {\n\n\t\t// Var\n\t\tcurrentIndex \t\t= value;\n\t\tcurrentResultNumber = value + 1;\n\n\t\t// Scope\n\t\t$scope.currentIndex \t\t= value;\n\t\t$scope.currentResultNumber \t= value + 1;\n\t}\n\n\tfunction updateValidationResultIgnore (validationResult, validationResults, payPeriod, validationForm) {\n\n\t\tvalidationResult.ValidationResultIgnore = !validationResult.ValidationResultIgnore;\n\n\t\tdataImport.updateValidationResultIgnore(validationResult.ValidationResultID, validationResult.ValidationResultIgnore).then(function () {\n\n\t\t\t$scope.modal.skipWorker = false;\n\n\t\t\tgoToNext(validationResults, payPeriod, validationForm);\n\t\t});\n\t}\n\n\tfunction validateUserImport (payPeriod) {\n\n\t\t// Update scope\n\t\tpayPeriod.WorkerImportState = SUBMISSION_STATES.processing1;\n\n\t\t// Set import state to processing1, validate and poll for state changes\n\t\tdataImport.updateAgencyPayPeriodImportWorkerStatus(payPeriod.PayPeriodID, SUBMISSION_STATES.processing1).then(function () {\n\n\t\t\tdataImport.validateUserImport(payPeriod.PayPeriodID).finally(function () {\n\n\t\t\t\tcheckWorkerImportState(payPeriod);\n\t\t\t});\n\t\t})\n\t\t.catch(function () {\n\t\t\tgrowl.error('We were unable to change the status of the import.');\n\t\t});\n\t}\n\n\tinit();\n\n\t// Scope constants\n\t$scope.SUBMISSION_STATES \t\t= SUBMISSION_STATES;\n\t$scope.VALIDATION_FIELD_TYPES \t= VALIDATION_FIELD_TYPES;\n\n\t// Scope variables\n\t$scope.addresses = [];\n\t$scope.addressFormFadeOut = false;\n\t$scope.addressLookupFailed = false;\n\t$scope.loadingAddresses = false;\n\t$scope.noAddressesFound = false;\n\n\t$scope.agencyProfileId \t\t\t\t= agencyProfileId;\n\t$scope.animationStep \t\t\t\t= null;\n\t$scope.canCancelImport \t\t\t\t= true;\n\t$scope.canCloseImport \t\t\t\t= true;\n\t$scope.currentIndex \t\t\t\t= currentIndex;\n\t$scope.currentResultNumber \t\t\t= currentIndex + 1;\n\t$scope.modal = {\n\t\tskipWorker: false,\n\t};\n\t$scope.numberOfNewStarters \t\t\t= 0;\n\t$scope.numberOfSkippedResults \t\t= 0;\n\t$scope.numberOfValidationResults \t= 0;\n\t$scope.options \t\t\t\t\t\t= options;\n\t$scope.uploadingProgress \t\t\t= 0;\n\t$scope.reload \t\t\t\t\t\t= false;\n\t$scope.selectedAddress \t\t\t\t= null;\n\t$scope.status \t\t\t\t\t\t= status;\n\t$scope.uploader \t\t\t\t\t= null;\n\t$scope.validationResult \t\t\t= null;\n\t$scope.workerPriorityFilter \t\t= workerPriorityFilter;\n\n\t// Scope functions\n\t$scope.changeWorkerPriorityFilter = function (filterName) {\n\n\t\t$scope.workerPriorityFilter = filterName;\n\t};\n\n\t$scope.goToNext = function (validationResults, payPeriod, validationForm) {\n\n\t\tgoToNext(validationResults, payPeriod, validationForm);\n\t};\n\n\t$scope.goToPrevious = function (animationStep, validationForm) {\n\n\t\tgoToPrevious(animationStep, validationForm);\n\t};\n\n\t$scope.importData = function (payPeriod) {\n\n\t\timportData(payPeriod);\n\t};\n\n\t$scope.lookupAddress = function () {\n\n\t\tvar query = $scope.options.addressSearchString;\n\n\t\tif (query.length > 4) {\n\n\t\t\t$scope.loadingAddresses = true;\n\t\t\t$scope.addressLookupFailed = false;\n\n\t\t\tpostcodeLookup.autoCompleteAddress(query).then(addressResults => {\n\n\t\t\t\t$scope.addresses = addressResults;\n\t\t\t\t$scope.options.showAddressResult = true;\n\t\t\t\t$scope.loadingAddresses = false;\n\n\t\t\t\tif ($scope.addresses.length === 0) {\n\t\t\t\t\t$scope.noAddressesFound = true;\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\t$scope.noAddressesFound = false;\n\t\t\t\t}\n\t\t\t})\n\t\t\t.catch(function () {\n\t\t\t\t$scope.addressLookupFailed = true;\n\t\t\t})\n\t\t\t.finally(function () {\n\t\t\t\t$scope.loadingAddresses = false;\n\t\t\t});\n\t\t} else {\n\t\t\t$scope.options.showAddressResult = false;\n\t\t}\n\t};\n\n\t$scope.openCancelImportForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'cancel-user-import'\n\t\t});\n\t};\n\n\t$scope.resetImporter = function (payPeriod) {\n\n\t\tresetImporter(payPeriod);\n\t};\n\n\t$scope.selectAddress = function (validationResult, lookupAddressHitObj) {\n\n\t\tpostcodeLookup.getAddressFromUrlPath(lookupAddressHitObj.urlPath).then(lookupAddressObj => {\n\n\t\t\t$scope.selectedAddress = lookupAddressObj;\n\t\t\t$scope.options.showAddressResult = false;\n\t\t});\n\t};\n\n\t$scope.skipEntry = function (validationResult, validationResults, payPeriod, validationForm, options) {\n\n\t\t// Serious errors cannot be skipped\n\t\tif (validationResult.ValidationType.ValidationTypeLevel === 1) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Do not ask again\n\t\tif (!options.doNotAskAgain && !validationResult.ValidationResultIgnore) {\n\t\t\ttoggleModal('skipWorker');\n\t\t\treturn;\n\t\t}\n\n\t\tupdateValidationResultIgnore(validationResult, validationResults, payPeriod, validationForm);\n\n\t\tvalidationForm.$setPristine();\n\t};\n\n\t$scope.toggleAddressLookup = function (validationResult, validationForm) {\n\n\t\t$scope.options.addressSearchString = '';\n\n\t\tif (validationResult.addressLookupVisible) {\n\n\t\t\t// Hide address lookup\n\t\t\tvalidationResult.addressLookupVisible = false;\n\n\t\t\t// Reset address\n\t\t\t$scope.selectedAddress = null;\n\n\t\t\t// Reset form\n\t\t\tif (validationForm !== undefined) {\n\t\t\t\tvalidationForm.$setPristine();\n\t\t\t}\n\t\t}\n\t\telse {\n\n\t\t\t// Show address lookup\n\t\t\tvalidationResult.addressLookupVisible = true;\n\t\t}\n\t};\n\n\t$scope.toggleEditMode = function (validationResult, propertyName) {\n\n\t\tif ($rootScope.userHasRole('paycircle')) {\n\t\t\tvalidationResult.editMode = propertyName;\n\t\t}\n\t};\n\n\t$scope.toggleModal = function (modalName) {\n\n\t\ttoggleModal(modalName);\n\t};\n\n\t$scope.changeShowWorkerInfo = function (value) {\n\n\t\tchangeShowWorkerInfo(value);\n\t};\n\n\t$scope.toggleShowAddressLookup = function (validationResult) {\n\n\t\tvalidationResult.isAddressLookupVisible = !validationResult.isAddressLookupVisible;\n\t};\n\n\t$scope.updateUserInImport = function (validationResult, validationResults, payPeriod, validationForm) {\n\n\t\tvalidationResult.state = 'saving';\n\n\t\tdataImport.updateUserInImport(validationResult.worker, validationResult.ValidationResultID).then(function () {\n\n\t\t\t// Update states\n\t\t\tvalidationResult.state = 'saved';\n\n\t\t\t// Set flag to show as 'updated'\n\t\t\tvalidationResult.isUpdated = true;\n\n\t\t\t// Give user time to digest update\n\t\t\t$timeout(function () {\n\n\t\t\t\t// Hide worker info\n\t\t\t\tchangeShowWorkerInfo(false);\n\n\t\t\t\t// Wait for worker card to close\n\t\t\t\t$timeout(function () {\n\n\t\t\t\t\t// Go to next state\n\t\t\t\t\tgoToNext(validationResults, payPeriod, validationForm);\n\n\t\t\t\t\t// Reset button state for next card\n\t\t\t\t\tvalidationResult.state = null;\n\t\t\t\t}, 500);\n\n\t\t\t}, 500);\n\t\t})\n\t\t.catch(function () {\n\n\t\t\tvalidationResult.state = null;\n\n\t\t\tgrowl.error('Could not update record.');\n\t\t});\n\t};\n\n\t$scope.updateFullWorker = function (validationResult, validationResults, payPeriod, validationForm) {\n\n\t\tvalidationResult.state = 'saving';\n\n\t\tdataImport.updateUserInImport(validationResult.worker, validationResult.ValidationResultID).then(function () {\n\n\t\t\tvalidationResult.state = 'saved';\n\n\t\t\tgoToNext(validationResults, payPeriod, validationForm);\n\n\t\t\t$timeout(function () {\n\t\t\t\tvalidationResult.state = null;\n\t\t\t}, 1000);\n\t\t})\n\t\t.catch(function () {\n\n\t\t\tvalidationResult.state = null;\n\n\t\t\tgrowl.error('Could not update record.');\n\t\t});\n\t};\n\n\t$scope.updateValidationResultIgnore = function (validationResult, validationResults, payPeriod, validationForm) {\n\n\t\tupdateValidationResultIgnore(validationResult, validationResults, payPeriod, validationForm);\n\t};\n\n\t$scope.useSelectedAddress = function (validationResult, selectedLookupAddress) {\n\n\t\tconst userImportAddressObj = addressService.convertPostcodeLookupAddressToPaycircleAddressForUserImport(selectedLookupAddress);\n\n\t\tangular.extend(validationResult.worker, userImportAddressObj);\n\n\t\tchangeShowWorkerInfo(false);\n\t};\n\n\t$scope.validateUserImport = function (payPeriod) {\n\n\t\tvalidateUserImport(payPeriod);\n\t};\n\n\t$scope.$on('$destroy', function () {\n\t\t$timeout.cancel(timerId);\n\t});\n}]);\n\n'use strict';\n\n/**\n * @ngdoc Auto Enrolment\n * @name paycircleApp\n * @description Auto Enrolment Config\n * # paycircleApp\n *\n * Main module of the application.\n */\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar directory = 'features/app/document-preview/';\n\t$stateProvider\n\n\t.state('document-preview', {\n\t\turl: '/document-preview/:agencyProfileId/:agencyEmployerPensionId/:mailtypeid?',\n\t\ttemplateUrl: directory + 'documentPreviewView.html',\n\t\tcontroller: 'documentPreviewCtrl',\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\tdata: {\n\t\t fullPage: true,\n\t\t title: 'Document Preview'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('documentPreviewCtrl', ['$scope', '$stateParams', 'growl', 'pensionData', 'utilities', 'MAIL_TYPES',\n\tfunction ($scope, $stateParams, growl, pensionData, utilities, MAIL_TYPES) {\n\n\tconst agencyProfileId = $stateParams.agencyProfileId;\n\tconst agencyEmployerPensionId = $stateParams.agencyEmployerPensionId;\n\tconst mailTypeId = $stateParams.mailtypeid;\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tif (angular.isUndefined(mailTypeId)) {\n\t\t\tonError('We cannot load this document. Please go back and try again.');\n\t\t\treturn;\n\t\t}\n\n\t\tpensionData.getAgencyEmployerPensionDetails(agencyProfileId, agencyEmployerPensionId).then(pensionObj => {\n\n\t\t\t$scope.vm = {\n\t\t\t\tpensionStaging: pensionObj.PensionStagingDetails,\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(() => {\n\t\t\tonError('We were unable to load some information needed for this page. Please refresh and try again.');\n\t\t});\n\t}\n\n\tfunction onError (error) {\n\t\tgrowl.error(error);\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction setPageState (newState) {\n\t\t$scope.pageState = newState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tMAIL_TYPES,\n\t\tmailTypeId,\n\n\t\tgoBack: utilities.goBack,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar directory = 'features/app/email-preview/';\n\t$stateProvider\n\n\t.state('email-preview', {\n\t\turl: '/email-preview/:agencyProfileId/:previewType/:mailtypeid?maillogkey&userid',\n\t\ttemplateUrl: directory + 'emailPreviewView.html',\n\t\tcontroller: 'emailPreviewCtrl',\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\tdata: {\n\t\t\tcontextType: 'company',\n\t\t fullPage: true,\n\t\t title: 'Email Preview'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\t.controller('emailPreviewCtrl', ['$q', '$scope', '$stateParams', '$timeout', '$window', 'config', 'growl', 'mailData', 'utilities', 'EMAIL_PREVIEW_TYPES', function ($q, $scope, $stateParams, $timeout, $window, config, growl, mailData, utilities, EMAIL_PREVIEW_TYPES) {\n\n\t\tconst agencyProfileId = $stateParams.agencyProfileId;\n\t\tconst mailTypeId = $stateParams.mailtypeid;\n\t\tconst userId = $stateParams.userid;\n\t\tconst previewType = $stateParams.previewType || EMAIL_PREVIEW_TYPES.standard;\n\n\t\tfunction getUserIDArray (teamMembers) {\n\n\t\t\tlet userArray = [];\n\n\t\t\tangular.forEach(teamMembers, function (teamMember) {\n\t\t\t\tthis.push(teamMember.UserID);\n\t\t\t}, userArray);\n\n\t\t\treturn userArray;\n\t\t}\n\n\t\tfunction init () {\n\n\t\t\t// No mail template ID provided\n\t\t\tif (mailTypeId === undefined) {\n\t\t\t\tgrowl.error('We cannot load this email template. Please go back and try again.');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t$scope.isLoading = true;\n\n\t\t\tconst getMailLogSummariesForAgency = mailData.getMailLogSummariesForAgency(agencyProfileId);\n\t\t\tconst getMailTemplateForMailType = mailData.getMailTemplateForMailType(mailTypeId);\n\n\t\t\t$q.all([getMailLogSummariesForAgency, getMailTemplateForMailType]).then(function(data) {\n\n\t\t\t\tlet teamMembers\t\t= data[0];\n\t\t\t\tlet mailTemplate \t= data[1];\n\n\t\t\t\t// Send to individual\n\t\t\t\tif (userId !== undefined) {\n\n\t\t\t\t\tfor (let i = 0; i < teamMembers.length; i++) {\n\n\t\t\t\t\t\tif (teamMembers[i].UserID === userId) {\n\t\t\t\t\t\t\tlet teamMember = teamMembers[i];\n\t\t\t\t\t\t\tteamMembers = [];\n\t\t\t\t\t\t\tteamMembers.push(teamMember);\n\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\t$scope.mailTemplate = mailTemplate;\n\t\t\t\t$scope.teamMembers \t= teamMembers;\n\n\t\t\t\t$timeout(() => {\n\n\t\t\t\t\tvar iframe = document.getElementById('email-html').contentWindow.document;\n\n\t\t\t\t\tiframe.write(mailTemplate.MailTemplateBody);\n\t\t\t\t\tiframe.close();\n\t\t\t\t});\n\t\t\t})\n\t\t\t\t.catch(function (error) {\n\t\t\t\t\tconsole.error(error);\n\t\t\t\t\tgrowl.error('We were unable to load some information needed for this page. Please refresh and try again.');\n\t\t\t\t})\n\t\t\t\t.finally(function () {\n\t\t\t\t\t$scope.isLoading = false;\n\t\t\t\t});\n\t\t}\n\n\t\tfunction toggleModal (name) {\n\n\t\t\t$scope.modal[name] = !$scope.modal[name];\n\t\t}\n\n\t\t// Scope constants\n\t\t$scope.EMAIL_PREVIEW_TYPES = EMAIL_PREVIEW_TYPES;\n\n\t\t// Scope variables\n\t\t$scope.agencyProfileId \t\t= agencyProfileId;\n\t\t$scope.context \t\t\t\t= userId !== undefined ? 'individual' : 'company';\n\t\t$scope.mailTypeId \t\t\t= mailTypeId;\n\t\t$scope.openConfirmation \t= false;\n\t\t$scope.previewType = previewType;\n\t\t$scope.sendingState \t\t= '';\n\n\t\t// Scope functions\n\t\t$scope.goBack = utilities.goBack;\n\n\t\t$scope.sendMail = function (teamMembers) {\n\n\t\t\t$scope.sendingState = 'sending';\n\n\t\t\tlet userIDArray = getUserIDArray(teamMembers);\n\n\t\t\tmailData.sendMailTemplateForMailType(mailTypeId, userIDArray, agencyProfileId).then(function () {\n\n\t\t\t\t$scope.sendingState = 'sent';\n\n\t\t\t\t// Send to individual\n\t\t\t\tif (teamMembers.length === 1) {\n\t\t\t\t\tgrowl.success('This email has been sent to ' + teamMembers[0].Forename);\n\t\t\t\t}\n\n\t\t\t\t// Send to team\n\t\t\t\telse {\n\t\t\t\t\tgrowl.success('This email has been sent');\n\t\t\t\t}\n\n\t\t\t\ttoggleModal('sendEmail');\n\t\t\t})\n\t\t\t\t.catch(function () {\n\t\t\t\t\t$scope.sendingState = '';\n\n\t\t\t\t\tgrowl.error('There was a problem sending this email. Try again or get in touch');\n\t\t\t\t});\n\t\t};\n\n\t\t$scope.showConfirmation = function () {\n\n\t\t\t$scope.openConfirmation = !$scope.openConfirmation;\n\t\t};\n\n\t\t$scope.toggleModal = function (name) {\n\n\t\t\ttoggleModal(name);\n\t\t};\n\n\t\t$scope.print = function(){\n\t\t\tdocument.getElementById('email-html').contentWindow.print();\n\t\t};\n\n\t\tinit();\n\n\t}]);\n\n'use strict';\n\n/**\n * @ngdoc Auto Enrolment\n * @name paycircleApp\n * @description Auto Enrolment Config\n * # paycircleApp\n *\n * Main module of the application.\n */\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tvar directory = 'features/app/sent-mail/';\n\t$stateProvider\n\n\t.state('sent-mail', {\n\t\turl: '/sent-mail/:agencyProfileId/:maillogkey',\n\t\ttemplateUrl: directory + 'sentMailView.html',\n\t\tcontroller: 'sentMailCtrl',\n\t\tresolve: {\n\t\t\tauth: ['AuthResolverCompany', function (AuthResolverCompany) {\n\t\t\t\treturn AuthResolverCompany.resolve();\n\t\t\t}]\n\t\t},\n\t\tdata: {\n\t\t fullPage: true,\n\t\t title: 'Sent Mail'\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('sentMailCtrl', ['$scope', '$stateParams', '$timeout', 'config', 'growl', 'mailData', 'utilities',\n\tfunction ($scope, $stateParams, $timeout, config, growl, mailData, utilities) {\n\n\tconst mailLogKey = $stateParams.maillogkey;\n\n\tfunction init () {\n\n\t\t$scope.isLoading = true;\n\n\t\tmailData.getMailLog(mailLogKey).then(emailObj => {\n\n\t\t\t$scope.email = emailObj;\n\n\t\t\t$timeout(() => {\n\n\t\t\t\tconst iframe = document.getElementById('email-html').contentWindow.document;\n\n\t\t\t\tiframe.write(emailObj.MailBody);\n\t\t\t\tiframe.close();\n\t\t\t});\n\n\t\t \t$scope.isLoading = false;\n\t\t})\n\t\t.catch(() => {\n\t\t\tgrowl.error('We were unable to load the email');\n\t\t});\n\t}\n\n\tfunction showConfirmation () {\n\t\t$scope.openMoreInfo = !$scope.openMoreInfo;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\topenMoreInfo: false,\n\t\tgoBack: utilities.goBack,\n\t\tshowConfirmation\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.config(['$stateProvider', function ($stateProvider) {\n\n\tconst directory = 'features/app/identity/';\n\t\n\t$stateProvider\n\t.state('identity-signin-oidc', {\n\t\turl: '/identity/signin-oidc?code&state',\n\t\tname: 'Paycircle',\n\t\ttemplateUrl: directory + 'identity.view.html',\n\t\tcontroller: 'identitySigninOidcCtrl',\n\t\tdata: {\n\t\t\tisPublic: true,\n\t\t},\n\t\tresolve: {\n\t\t\tauth: ['CustomisationResolver', CustomisationResolver => {\n\t\t\t\treturn CustomisationResolver.resolve();\n\t\t\t}]\n\t\t}\n\t})\n\t.state('identity-signout-callback-oidc', {\n\t\turl: '/identity/signout-callback-oidc',\n\t\tname: 'Paycircle',\n\t\ttemplateUrl: directory + 'identity.view.html',\n\t\tcontroller: 'identitySignoutCallbackOidcCtrl',\n\t\tdata: {\n\t\t\tisPublic: true,\n\t\t},\n\t\tresolve: {\n\t\t\tauth: ['CustomisationResolver', CustomisationResolver => {\n\t\t\t\treturn CustomisationResolver.resolve();\n\t\t\t}]\n\t\t}\n\t})\t\n\t.state('identity-link-identity-account-to-user-profile-oidc', {\n\t\turl: '/identity/link-identity-account-to-user-profile-oidc?code&state',\n\t\tname: 'Paycircle',\n\t\ttemplateUrl: directory + 'identity.view.html',\n\t\tcontroller: 'identityLinkAccountAndSignInCallbackOidcCtrl',\n\t\tdata: {\n\t\t\tisPublic: true,\n\t\t}\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('identitySignoutCallbackOidcCtrl', [\n\t'$state',\n\tfunction (\n\t\t$state\n\t) {\n\n\tfunction init () {\n\t\t// Go to the login page\n\t\t$state.go('login');\n\t}\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('identityLinkAccountAndSignInCallbackOidcCtrl', [\n\t'$rootScope',\n\t'$state',\n\t'securityData',\n\t'utilities',\n\t'AUTH_EVENTS',\n\t'LOCAL_STORAGE_KEYS',\n\tfunction (\n\t\t$rootScope,\n\t\t$state,\n\t\tsecurityData,\n\t\tutilities,\n\t\tAUTH_EVENTS,\n\t\tLOCAL_STORAGE_KEYS\n\t) {\n\n\tfunction init () {\n\n\t\tconst authData = {\n\t\t\t\tCode: $state.params.code,\n\t\t\t\tState: $state.params.state,\n\t\t\t\tNonce: utilities.getFromStorage(LOCAL_STORAGE_KEYS.nonce)\n\t\t};\n\n\t\tsecurityData.linkAccountToUserProfileAndSignIn(authData.Code, authData.State, authData.Nonce)\n\t\t\t.then(userObj => {\n\t\t\t\t\t// Authenticate\n\t\t\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionCreate, userObj, userObj.agencyProfileId, authData.Code);\n\t\t\t})\n\t\t\t.catch(error => {\n\n\t\t\t\tlet dataObj = {};\n\n\t\t\t\tif (error.data && error.data.Error === 'Impersonation not supported') {\n\t\t\t\t\tdataObj = { impersonationErrorData: error.data };\n\t\t\t\t} else if (error.data && error.data.Error === 'You can not link multiple admins to an identity account.') {\n\t\t\t\t\tdataObj = { migrationErrorData: error.data };\n\t\t\t\t} else {\n\t\t\t\t\tdataObj = { signInError: error.data };\n\t\t\t\t}\n\t\t\t\n\t\t\t\t$state.go('login', dataObj);\n\t\t\t});\n\t}\n\tinit();\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n\n.controller('identitySigninOidcCtrl', [\n\t'$rootScope',\n\t'$state',\n\t'securityData',\n\t'securityService',\n\t'utilities',\n\t'AUTH_EVENTS',\n\t'LOCAL_STORAGE_KEYS',\n\tfunction (\n\t\t$rootScope,\n\t\t$state,\n\t\tsecurityData,\n\t\tsecurityService,\n\t\tutilities,\n\t\tAUTH_EVENTS,\n\t\tLOCAL_STORAGE_KEYS\n\t) {\n\n\tfunction init () {\n\n\t\tconst authData = {\n\t\t\tCode: $state.params.code,\n\t\t\tState: $state.params.state,\n\t\t\tNonce: utilities.getFromStorage(LOCAL_STORAGE_KEYS.nonce)\n\t\t};\n\n\t\tsecurityData.signIn(authData.Code, authData.State, authData.Nonce)\n\t\t\t.then(userObj => {\n\t\t\t\t// Authenticate\n\t\t\t\tif (!securityService.isUserAllowedAccess(userObj)) {\n\t\t\t\t\tconsole.warn('Paycircle: User is not allowed access. They may have logged into the wrong identity account');\n\t\t\t\t\tthrow new Error('no_access');\n\t\t\t\t}\n\t\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionCreate, userObj, userObj.agencyProfileId, authData.Code);\n\t\t}).catch(error => {\n\n\t\t\tif (error.message === 'no_access') {\n\t\t\t\t$state.go('login', { identityNoAccess: true });\n\t\t\t\treturn;\n\t\t\t}\n\t\t\tlet dataObj = {};\n\n\t\t\tif(error.data && error.data.Error === 'Impersonation not supported') {\n\t\t\t\tdataObj = { impersonationErrorData: error.data };\n\t\t\t} else {\n\t\t\t\tdataObj = { signInError: error.data };\n\t\t\t}\n\n\t\t\t$state.go('login', dataObj);\n\n\t\t});\n\t}\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('accessCard', {\n\ttemplateUrl: 'components/access-card/access-card.component.html',\n});\n'use strict';\n\nangular.module('paycircleApp')\n.component('accessInfoLinks', {\n\tbindings: {\n\t\tshowOverviewLink: '<',\n\t\tforSso: '<'\n\t},\n\ttemplateUrl: 'components/access-info-links/access-info-links.component.html',\n\tcontroller: ['$scope', 'config', function ($scope, config) {\n\t\tvar ctrl = this;\n\t\t// Set default value for forSSO if not defined\n\t\tctrl.$onInit = () => {\n\t\t\tif (angular.isUndefined(ctrl.forSso)) {\n\t\t\t\tctrl.forSSO = false;\n\t\t\t}\n\t\t};\n\n\t\tangular.extend($scope, {\n\t\t\texternalUrls: config.externalUrls\n\t\t});\n\t}]\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('accordionItem', {\n\n\tbindings: {\n\t\t// The set of icons / labels + tooltips for additional information\n\t\taiAttributes: '',\n\t\taiDescription: '@',\n\t\t// Detail - typically adjustment breakdown (e.g. '7 @ 1.23 x 4')\n\t\taiDetail: '@?',\n\t\taiHasHiddenContent: '',\n\t\t// Main icon\n\t\taiIcon: '@',\n\t\taiId: '@?',\n\t\taiLabel: '@',\n\t\taiTemplate: '@?',\n\t\taiTheme: '@',\n\t\taiTooltips: '',\n\t\taiUnits: '@',\n\t\taiUnitValue: '@',\n\t\taiValue: '@'\n\t},\n\tcontroller: 'accordionItemController',\n\ttemplateUrl: 'components/accordion-item/accordion-item.component.html',\n\ttransclude: {\n\t\t'aiContent': '?aiContent'\n\t}\n})\n\n.controller('accordionItemController', [function () {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\t\t$ctrl.aiTheme = angular.isDefined($ctrl.aiTheme) ? $ctrl.aiTheme : '';\n\t\t$ctrl.aiHasHiddenContent = angular.isDefined($ctrl.aiHasHiddenContent) ? $ctrl.aiHasHiddenContent : false;\n\t}\n\n\tfunction toggleOpen () {\n\t\t$ctrl.isOpen = !$ctrl.isOpen;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t// Variables\n\t\tisOpen: false,\n\n\t\t// Functions\n\t\t$onInit,\n\t\ttoggleOpen\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('actionBar', {\n\n\tbindings: {\n\t\tshowLogo: '=?',\n\t\tsubtitle: '@?'\n\t},\n\tcontroller: 'actionBarController',\n\ttemplateUrl: 'components/action-bar/action-bar.component.html',\n\ttransclude: {\n\t'left': '?actionBarLeft',\n\t\t'right': '?actionBarRight'\n\t}\n})\n\n.controller('actionBarController', [function () {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\t\t$ctrl.showLogo = angular.isDefined($ctrl.showLogo) ? $ctrl.showLogo : true;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('actionBlock', {\n\n\tbindings: {\n\t\tabTheme: '@?',\n\t\tabShowLoading: '@?'\n\t},\n\tcontroller: 'actionBlockController',\n\ttemplateUrl: 'components/action-block/action-block.component.html',\n\ttransclude: {\n\t\t'actions': '?abActions',\n\t\t'footer': '?abFooter',\n\t\t'header': '?abHeader',\n\t\t'main': '?abMain'\n\t}\n})\n\n.controller('actionBlockController', [\n\t'$transclude',\n\tfunction (\n\t\t$transclude\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tabGraphic: angular.isDefined($ctrl.abGraphic) ? $ctrl.abGraphic : 'wizard',\n\t\t\tabShowLoading: angular.isDefined($ctrl.abShowLoading) ? $ctrl.abShowLoading : false,\n\t\t\tabTheme: angular.isDefined($ctrl.abTheme) ? $ctrl.abTheme : 'primary',\n\t\t\thasActions: $transclude.isSlotFilled('actions'),\n\t\t\thasFooter: $transclude.isSlotFilled('footer'),\n\t\t\thasHeader: $transclude.isSlotFilled('header'),\n\t\t\thasMain: $transclude.isSlotFilled('main')\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('actionCard', {\n\n\tbindings: {\n\t\tacIcon: '@',\n\t\tacPercentageComplete: '=?',\n\t\tacStepsComplete: '=?',\n\t\tacStepsTotal: '=?',\n\t\tacTheme: '@',\n\t\tacTitle: '@',\n\t\tacVariant: ''\n\t},\n\tcontroller: 'actionCardController',\n\ttemplateUrl: 'components/action-card/action-card.component.html',\n\ttransclude: {\n\t\t'action': '?acAction',\n\t\t'main': '?acMain',\n\t\t'footer': '?acFooter',\n\t}\n})\n\n.controller('actionCardController', ['$scope', '$transclude', function ($scope, $transclude) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\t$ctrl.showAction = $transclude.isSlotFilled('action');\n\t\t$ctrl.showProgressBar = angular.isDefined($ctrl.acStepsTotal) && angular.isDefined($ctrl.acStepsComplete);\n\t\t$ctrl.showMain = $transclude.isSlotFilled('main');\n\t\t$ctrl.showFooter = $transclude.isSlotFilled('footer');\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('activityBlock', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tdateFrom: '',\n\t\ttheme: '@' // 'is-inline' || 'is-block'\n\t},\n\tcontroller: 'activityBlockCtrl',\n\ttemplateUrl: 'components/activity-block/activity-block.component.html'\n})\n.controller('activityBlockCtrl', [\n\t'$rootScope',\n\t'base',\n\t'logService',\n\t'LOG_CATEGORIES',\n\t'USER_ROLES',\n\tfunction (\n\t\t$rootScope,\n\t\tbase,\n\t\tlogService,\n\t\tLOG_CATEGORIES,\n\t\tUSER_ROLES\n\t) {\n\n\tconst $ctrl = this;\n\tconst currentCompany = $rootScope.currentCompany;\n\tconst logCategories = [\n\t\t{\n\t\t\tid: LOG_CATEGORIES.payroll,\n\t\t\tlabel: 'Payroll'\n\t\t},\n\t\t{\n\t\t\tid: LOG_CATEGORIES.user,\n\t\t\tlabel: 'Team'\n\t\t}\n\t];\n\n\tfunction $onInit () {\n\n\t\t// No agency profile id provided\n\t\tif (angular.isUndefined($ctrl.agencyProfileId)) {\n\t\t\tthrow('activityBlockCtrl: No agencyProfileId provided');\n\t\t}\n\n\t\t// Dynamically add pension filter, if applicable\n\t\tif (currentCompany.IsPensionActive) {\n\t\t\tlogCategories.push({\n\t\t\t\tid: LOG_CATEGORIES.pension,\n\t\t\t\tlabel: 'Pension'\n\t\t\t});\n\t\t}\n\n\t\tloadLogsForCategory(logCategories[0]);\n\n\t\t$ctrl.logCategories = logCategories;\n\t}\n\n\tfunction getServiceForCategoryId (categoryId) {\n\n\t\tswitch (categoryId) {\n\t\t\tcase LOG_CATEGORIES.payroll:\n\t\t\t\treturn base.getPayrollAgencyLogEntriesForDashboard;\n\t\t\tcase LOG_CATEGORIES.user:\n\t\t\t\treturn base.getUsersAgencyLogEntriesForDashboard;\n\t\t\tcase LOG_CATEGORIES.pension:\n\t\t\t\treturn base.getPensionAgencyLogEntriesForDashboard;\n\t\t}\n\t}\n\n\tfunction loadLogsForCategory (categoryObj) {\n\n\t\t// Logs already loaded\n\t\tif (angular.isDefined(categoryObj.logEntries)) {\n\t\t\tsetActiveLogCategory(categoryObj);\n\t\t\treturn;\n\t\t}\n\n\t\tconst getLogsServiceForCategoryId = getServiceForCategoryId(categoryObj.id);\n\n\t\tsetComponentState('loading');\n\n\t\tgetLogsServiceForCategoryId($ctrl.agencyProfileId).then(logEntriesArr => {\n\n\t\t\tangular.extend(categoryObj, {\n\t\t\t\tlogEntries: logService.decorateLogEntries(logEntriesArr),\n\t\t\t});\n\n\t\t\tsetActiveLogCategory(categoryObj);\n\n\t\t\tsetComponentState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetComponentState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction openActivitySideBar () {\n\n\t\t$rootScope.$broadcast('open-side-bar', {\n\t\t\tactiveMenu: 'activity'\n\t\t});\n\t}\n\n\tfunction setActiveLogCategory (logCategoryObj) {\n\n\t\t$ctrl.logCategoryActive = angular.copy(logCategoryObj);\n\t}\n\n\tfunction setComponentState (componentState) {\n\n\t\t$ctrl.componentState = componentState;\n\t}\n\n\tangular.extend($ctrl, {\n\n\t\tLOG_CATEGORIES,\n\t\tUSER_ROLES,\n\n\t\t$onInit,\n\t\tloadLogsForCategory,\n\t\topenActivitySideBar,\n\t\tsetActiveLogCategory,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('activityLog', {\n\n\tcontroller: 'activityLogController',\n\ttemplateUrl: 'components/activity-log/activity-log.component.html',\n\tbindings: {\n\t\talStyle: '',\n\t\tlogEntry: '<',\n\t\tlayout: '@?', // 'is-inline' || 'is-block'\n\t\ttheme: '@?'\n\t}\n})\n\n.controller('activityLogController', [\n\t'LOG_DATA_TYPES',\n\t'LOG_TYPES',\n\tfunction (\n\t\tLOG_DATA_TYPES,\n\t\tLOG_TYPES\n\t) {\n\n\tconst $ctrl = this;\n\n\tangular.extend($ctrl, {\n\t\tLOG_DATA_TYPES,\n\t\tLOG_TYPES\n\t});\n\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('addTeamMembers', {\n\tcontroller: 'addTeamMembersController',\n\ttemplateUrl: 'components/add-team-members/add-team-members.component.html',\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tonboardingDashboard: '=',\n\t\tonClose: '&'\n\t}\n})\n.controller('addTeamMembersController', [\n\t'$q',\n\t'$rootScope',\n\t'companyData',\n\t'growl',\n\t'intercomService',\n\t'onboardingService',\n\t'teamData',\n\t'tracking',\n\t'userData',\n\t'FORM_WIZARD_KEYS',\n\t'TOOLTIPS',\n\t'TRACKING_EVENTS',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\tcompanyData,\n\t\tgrowl,\n\t\tintercomService,\n\t\tonboardingService,\n\t\tteamData,\n\t\ttracking,\n\t\tuserData,\n\t\tFORM_WIZARD_KEYS,\n\t\tTOOLTIPS,\n\t\tTRACKING_EVENTS\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tsetComponentState('loading');\n\n\t\tconst getTeamMemberAdmins = teamData.getTeamMemberAdmins($ctrl.agencyProfileId);\n\t\tconst getOnboardingTeamMembers = companyData.getOnboardingTeamMembers($ctrl.agencyProfileId);\n\n\t\t$q.all([getTeamMemberAdmins, getOnboardingTeamMembers]).then(([teamAdminsArr, teamMembersArr]) => {\n\n\t\t\tangular.extend($ctrl, {\n\t\t\t\tteamAdmins: filterTeamMemberAdmins(teamAdminsArr, teamMembersArr),\n\t\t\t\tteamMembers: teamMembersArr,\n\t\t\t\tareTeamMembersComplete: onboardingService.getAreTeamMembersComplete(teamMembersArr)\n\t\t\t});\n\n\t\t\tsetComponentState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetComponentState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction filterTeamMemberAdmins (teamAdminsArr, teamMembersArr) {\n\n\t\treturn teamAdminsArr.filter(adminObj => {\n\n\t\t\tvar hasMatch = false;\n\t\t\tvar i = 0;\n\t\t\tvar numberOfTeamMembers = teamMembersArr.length;\n\n\t\t\tfor (i; i < numberOfTeamMembers; i++) {\n\n\t\t\t\tvar teamMemberObj = teamMembersArr[i];\n\n\t\t\t\tif (adminObj.UserID === teamMemberObj.UserID && !teamMemberObj.IsExcluded) {\n\t\t\t\t\thasMatch = true;\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn !hasMatch;\n\t\t});\n\t}\n\n\tfunction hideMenu (teamMemberObj) {\n\n\t\tteamMemberObj.showMenu = false;\n\t}\n\n\tfunction openAddTeamMemberWizard () {\n\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\twizardKey: FORM_WIZARD_KEYS.teamMemberAdd,\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $onInit,\n\t\t\tcompanyState: $rootScope.currentCompany.State\n\t\t});\n\t}\n\n\tfunction openChangeAdminStateForm (userObj, isExcluding) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $onInit,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'change-admin-state',\n\t\t\tuserId: userObj.UserID,\n\t\t\tisExcluding: isExcluding\n\t\t});\n\t}\n\n\tfunction openDeleteTeamMemberForm (teamMemberObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $onInit,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'delete-team-member',\n\t\t\tuserId: teamMemberObj.UserID\n\t\t});\n\t}\n\n\tfunction openEditAdminForm (adminObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tadminObj: adminObj,\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $onInit,\n\t\t\tformKey: 'edit-admin',\n\t\t\troleType: adminObj.RoleType,\n\t\t\tuserId: adminObj.UserID\n\t\t});\n\t}\n\n\tfunction openEditTeamMemberWizard (teamMemberObj) {\n\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $onInit,\n\t\t\tuserId: teamMemberObj.UserID,\n\t\t\twizardKey: FORM_WIZARD_KEYS.teamMemberEditPersonal\n\t\t});\n\t}\n\n\tfunction openExcludeFromPayrollForm (teamMemberObj, isExcluding) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $onInit,\n\t\t\tformKey: 'exclude-from-payroll',\n\t\t\tuserId: teamMemberObj.UserID,\n\t\t\ttitle: isExcluding !== undefined && isExcluding ? null : 'Add to payroll'\n\t\t});\n\t}\n\n\tfunction openNewAdminForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $onInit,\n\t\t\tformKey: 'new-admin',\n\t\t\tshowContext: false\n\t\t});\n\t}\n\n\tfunction openPersonalOverviewForm (teamMemberObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $onInit,\n\t\t\tformKey: 'personal-overview',\n\t\t\tuserId: teamMemberObj.UserID\n\t\t});\n\t}\n\n\tfunction openRemoveAdminAccessForm (adminObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $onInit,\n\t\t\tformKey: 'remove-admin-access',\n\t\t\tuserId: adminObj.UserID\n\t\t});\n\t}\n\n\tfunction setComponentState (componentState) {\n\n\t\t$ctrl.componentState = componentState;\n\t}\n\n\tfunction setExcludeFromPayroll (userObj, isExcluding) {\n\n\t\tuserData.updateUserAgencyProfileExcludeFromPayroll($ctrl.agencyProfileId, userObj.UserID, isExcluding).then(() => {\n\n\t\t\t$onInit();\n\n\t\t\tgrowl.success(userObj.Forename + (isExcluding ? ' has been excluded from payroll' : ' has been added to payroll'));\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetComponentState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction toggleTeamCompleteState (onboardingObj) {\n\n\t\tcompanyData.updateOnboardingTeamComplete(onboardingObj.OnboardingID, $ctrl.agencyProfileId, onboardingObj.IsTeamComplete).then(function () {\n\n\t\t\t// Feedback\n\t\t\tgrowl.success(onboardingObj.IsTeamComplete ? 'Your team has been marked as complete' : 'Your team has been re-opened for editing');\n\n\t\t\t// Tracking\n\t\t\tif (onboardingObj.IsTeamComplete) {\n\t\t\t\ttracking.trackEvent(TRACKING_EVENTS.onboardingTeamCompleted);\n\t\t\t\tintercomService.updateCompanyData($ctrl.agencyProfileId, {\n\t\t\t\t\tsize: onboardingObj.teamMembers.length\n\t\t\t\t});\n\t\t\t}\n\t\t})\n\t\t.catch(function () {\n\t\t\tsetComponentState('error');\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\thideMenu,\n\t\topenAddTeamMemberWizard,\n\t\topenChangeAdminStateForm,\n\t\topenDeleteTeamMemberForm,\n\t\topenEditAdminForm,\n\t\topenEditTeamMemberWizard,\n\t\topenExcludeFromPayrollForm,\n\t\topenNewAdminForm,\n\t\topenPersonalOverviewForm,\n\t\topenRemoveAdminAccessForm,\n\t\tsetExcludeFromPayroll,\n\t\ttoggleTeamCompleteState,\n\t\twillAdminBeOnPayrollTooltip: TOOLTIPS.onboarding.willAdminBeOnPayroll\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('addressBook', {\n\tbindings: {\n\t\taddressBookOptions: '='\n\t},\n\tcontroller: 'addressBookCtrl',\n\ttemplateUrl: 'components/address-book/address-book.component.html',\n})\n.controller('addressBookCtrl', ['$q', 'companyService', 'growl', 'userData', 'CONTACT_EXTERNAL_CATEGORIES',\n\tfunction ($q, companyService, growl, userData, CONTACT_EXTERNAL_CATEGORIES) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\t\t$ctrl.categoryTitle = getCategoryTitle($ctrl.addressBookOptions.contactExternalId);\n\t}\n\n\tfunction getCategoryTitle (contactExternalId) {\n\n\t\tswitch (contactExternalId) {\n\t\t\tcase CONTACT_EXTERNAL_CATEGORIES.p32EmailRecipient:\n\t\t\t\treturn 'Auto email instruction';\n\n\t\t\tcase CONTACT_EXTERNAL_CATEGORIES.payrollEmailRecipient:\n\t\t\t\treturn 'Auto send payroll reports';\n\t\t}\n\t}\n\n\tfunction getCategoryUpdateService (contactExternalId) {\n\n\t\tswitch (contactExternalId) {\n\t\t\tcase CONTACT_EXTERNAL_CATEGORIES.p32EmailRecipient:\n\t\t\t\treturn userData.updateTeamMemberContactsExternalP32Mail;\n\n\t\t\tcase CONTACT_EXTERNAL_CATEGORIES.payrollEmailRecipient:\n\t\t\t\treturn userData.updateTeamMemberContactsExternalPayrollMail;\n\t\t}\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tgrowl.error('Error when attempting to update external contacts');\n\t\t$ctrl.addressBookOptions.closeModal();\n\t}\n\n\tfunction onSave () {\n\t\tgrowl.success('Email recipients updated.');\n\t\t$ctrl.addressBookOptions.closeModal();\n\t}\n\n\tfunction saveForm (ctrlObj, formObj) {\n\n\t\tformObj.state = 'saving';\n\n\t\tconst categoryUpdateService = getCategoryUpdateService(ctrlObj.addressBookOptions.contactExternalId);\n\n\t\tconst newEmailContactsPromise = ctrlObj.contacts.contactsExternalNew.length > 0 ? categoryUpdateService(ctrlObj.addressBookOptions.agencyProfileId, ctrlObj.contacts.contactsExternalNew, false) : null;\n\t\tconst oldEmailContactsPromise = ctrlObj.contacts.contactsExternalOld.length > 0 ? categoryUpdateService(ctrlObj.addressBookOptions.agencyProfileId, ctrlObj.contacts.contactsExternalOld, true) : null;\n\n\t\t$q.all([newEmailContactsPromise, oldEmailContactsPromise])\n\t\t\t.then(onSave)\n\t\t\t.catch(onError);\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tsaveForm,\n\t\tcontacts: companyService.getEmailRecipientsArrays()\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('addressLookup', {\n\tbindings: {\n\t\taddress: '=',\n\t\thasAddress: '=',\n\t\tid: '@',\n\t\tisCompanyAddress: '',\n\t\tisDisabled: '=?',\n\t\tisRequired: '=?',\n\t\tisUkOnly: '=?',\n\t\tlabel: '@?',\n\t\tmanualEntryOnly: '=?',\n\t\tshowLabel: ''\n\t},\n\tcontroller: 'addressLookupCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/address-lookup/address-lookup.component.html'\n})\n\n.controller('addressLookupCtrl', [\n\t'$scope',\n\t'$timeout',\n\t'addressService',\n\t'config',\n\t'postcodeLookup',\n\t'COUNTRIES',\n\t'COUNTRY_UK',\n\tfunction (\n\t\t$scope,\n\t\t$timeout,\n\t\taddressService,\n\t\tconfig,\n\t\tpostcodeLookup,\n\t\tCOUNTRIES,\n\t\tCOUNTRY_UK\n\t) {\n\n\tconst $ctrl = this;\n\n\t// Number of characters that must be entered prior to searching\n\tconst MIN_SEARCH_LENGTH = 5;\n\n\t// States for address lookup operation\n\tconst ADDRESS_LOOKUP_STATES = {\n\t\thidden: 'hidden',\n\t\tloading: 'loading',\n\t\tloaded: 'loaded',\n\t\terror: 'error'\n\t};\n\n\t// UI view states for component\n\tconst VIEW_STATES = {\n\t\t// Lookup - enter postcode or address part for searching address\n\t\tlookup: 'lookup',\n\t\t// Manual address entry (for UK and non-UK addresses)\n\t\tmanual: 'manual',\n\t\t// View address - presentation of already entered address in form\n\t\tview: 'view'\n\t};\n\n\t$ctrl.$onInit = function () {\n\n\t\t// Get country list and add invalid 'unselected' value\n\t\tlet countries = angular.copy(COUNTRIES);\n\t\tcountries.unshift({\n\t\t\tname: 'Select a country...',\n\t\t\tvalue: ''\n\t\t});\n\n\t\t// Default values for optional attributes\n\t\tangular.extend($ctrl, {\n\t\t\taddressLookupResults: [],\n\t\t\taddressLookupState: ADDRESS_LOOKUP_STATES.hidden,\n\t\t\taddressSearchString: '',\n\t\t\tcountries,\n\t\t\tisCompanyAddress: angular.isDefined($ctrl.isCompanyAddress) ? $ctrl.isCompanyAddress : false,\n\t\t\tisDisabled: angular.isDefined($ctrl.isDisabled) ? $ctrl.isDisabled : false,\n\t\t\tisRequired: angular.isDefined($ctrl.isRequired) ? $ctrl.isRequired : false,\n\t\t\tisUkOnly: angular.isDefined($ctrl.isUkOnly) ? $ctrl.isUkOnly : false,\n\t\t\tlabel: angular.isDefined($ctrl.label) ? $ctrl.label : 'Address',\n\t\t\tmanualEntryOnly: angular.isDefined($ctrl.manualEntryOnly) ? $ctrl.manualEntryOnly : false,\n\t\t\tshowLookupAddressResults: false,\n\t\t\tshowLabel: angular.isDefined($scope.showLabel) ? $scope.showLabel : true,\n\n\t\t\t// Dummy variable used for ensuring validity of component in lookup state. Must be and remain empty.\n\t\t\trequiredCheck: ''\n\t\t});\n\n\t\t// Unique IDs for component form fields\n\t\tangular.extend($ctrl, {\n\t\t\tids: {\n\t\t\t\taddressLookup: `addressLookup_${$ctrl.id}`,\n\t\t\t\taddressSearchResults: `addressSearchResults_${$ctrl.id}`,\n\t\t\t\taddressName: `addressName_${$ctrl.id}`,\n\t\t\t\taddressNumber: `addressNumber_${$ctrl.id}`,\n\t\t\t\taddressStreet: `addressStreet_${$ctrl.id}`,\n\t\t\t\taddressCity: `addressCity_${$ctrl.id}`,\n\t\t\t\taddressCounty: `addressCounty_${$ctrl.id}`,\n\t\t\t\taddressPostcode: `addressPostcode_${$ctrl.id}`,\n\t\t\t\taddressCountry: `addressCountry_${$ctrl.id}`,\n\t\t\t\taddressLine1: `address_Line1_${$ctrl.id}`,\n\t\t\t\taddressLine2: `address_Line2_${$ctrl.id}`,\n\t\t\t\taddressLine3: `address_Line3_${$ctrl.id}`,\n\t\t\t\taddressLine4: `address_Line4_${$ctrl.id}`,\n\t\t\t\taddressLine5: `address_Line5_${$ctrl.id}`,\n\t\t\t\taddressLine6: `address_Line6_${$ctrl.id}`,\n\t\t\t}\n\t\t});\n\n\t\t// Determine initial view state\n\t\tif (angular.isDefined($ctrl.address.HasAddress) ? $ctrl.address.HasAddress : $ctrl.address.AddressID !== config.guidEmpty) {\n\t\t\t// The address is already populated, so just show it\n\t\t\tsetViewState($ctrl, VIEW_STATES.view);\n\t\t}\n\t\telse {\n\t\t\tif ($ctrl.isUkOnly) {\n\t\t\t\t// Only for UK addresses. The manual fields in this case are configured for UK addresses, and the country is set an non-editable ...\n\t\t\t\t$ctrl.address.AddressCountry = COUNTRY_UK.name;\n\t\t\t}\n\t\t\tif ($ctrl.manualEntryOnly) {\n\t\t\t\t// Show for manual address entry. Switching back to lookup won't be possible.\n\t\t\t\tsetViewState($ctrl, VIEW_STATES.manual);\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Default, show for address lookup\n\t\t\t\tsetViewState($ctrl, VIEW_STATES.lookup);\n\t\t\t}\n\t\t}\n\t};\n\n\tfunction emptyAddress (ctrlObj) {\n\t\tresetAddress(ctrlObj);\n\t\tresetAddressResults(ctrlObj);\n\t\tsetViewState(ctrlObj, VIEW_STATES.lookup);\n\t}\n\n\tfunction lookupAddress (ctrlObj, searchString) {\n\n\t\t// Start looking when minimum no. of characters have been entered\n\t\tif (searchString && searchString.length >= MIN_SEARCH_LENGTH) {\n\n\t\t\tctrlObj.addressLookupState = ADDRESS_LOOKUP_STATES.loading;\n\t\t\tctrlObj.showLookupAddressResults = true;\n\n\t\t\t$timeout(() => {\n\t\t\t\tpostcodeLookup.autoCompleteAddress(searchString).then(addressResults => {\n\t\t\t\t\tctrlObj.addressResults = addressResults;\n\t\t\t\t\tctrlObj.addressLookupState = ADDRESS_LOOKUP_STATES.loaded;\n\t\t\t\t})\n\t\t\t\t.catch(error => {\n\t\t\t\t\tctrlObj.addressLookupState = ADDRESS_LOOKUP_STATES.error;\n\t\t\t\t\tconsole.error(error);\n\t\t\t\t});\n\t\t\t}, 500);\n\t\t}\n\t\telse {\n\t\t\tctrlObj.addressLookupResults = [];\n\t\t\tctrlObj.addressLookupState = ADDRESS_LOOKUP_STATES.hidden;\n\t\t}\n\t}\n\n\tfunction resetAddress (ctrlObj) {\n\n\t\t// Reset individual values so AddressID persists\n\t\tangular.extend(ctrlObj.address, {\n\t\t\tAddressCity: '',\n\t\t\tAddressCountry: ctrlObj.isUkOnly ? COUNTRY_UK.name : '',\n\t\t\tAddressCounty: '',\n\t\t\tAddressName: '',\n\t\t\tAddressNumber: '',\n\t\t\tAddressPostcode: '',\n\t\t\tAddressStreet: ''\n\t\t});\n\t}\n\n\tfunction resetAddressResults (ctrlObj) {\n\n\t\tctrlObj.addressSearchString = '';\n\t\tctrlObj.addressLookupResults = [];\n\t\tctrlObj.addressLookupState = ADDRESS_LOOKUP_STATES.hidden;\n\t\tctrlObj.showLookupAddressResults = false;\n\t}\n\n\tfunction selectAddress (ctrlObj, addressResultObj) {\n\n\t\t// Show loading state while the address is retieved\n\t\tctrlObj.addressLookupState = ADDRESS_LOOKUP_STATES.loading;\n\n\t\t// Lookup the full address using the URL path attached to the address result object\n\t\tpostcodeLookup.getAddressFromUrlPath(addressResultObj.urlPath).then(lookupAddressObj => {\n\n\t\t\tangular.extend(ctrlObj.address, addressService.convertPostcodeLookupAddressToPaycircleAddress(lookupAddressObj, ctrlObj.isUkOnly));\n\n\t\t\tif (angular.isDefined(ctrlObj.hasAddress)) {\n\t\t\t\tctrlObj.hasAddress = true;\n\t\t\t}\n\n\t\t\t// Set view state to show address (this will reset the address results and lookup state to hidden)\n\t\t\tsetViewState(ctrlObj, VIEW_STATES.view);\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tctrlObj.addressLookupState = ADDRESS_LOOKUP_STATES.error;\n\t\t});\n\t}\n\n\tfunction setViewState (ctrlObj, viewState) {\n\n\t\tctrlObj.viewState = viewState;\n\n\t\tif (viewState === VIEW_STATES.manual) {\n\t\t\tresetAddress(ctrlObj);\n\t\t}\n\n\t\tresetAddressResults(ctrlObj);\n\t}\n\n\tangular.extend($ctrl, {\n\n\t\tADDRESS_LOOKUP_STATES,\n\t\tVIEW_STATES,\n\n\t\tsetViewState,\n\t\tlookupAddress,\n\t\tresetAddressResults,\n\t\tselectAddress\n\t});\n\n\t$scope.$watch('$ctrl.isDisabled', function (oldValue, newValue) {\n\n\t\t// Clear out the address on disable\n\t\tif (oldValue !== newValue && !newValue) {\n\t\t\temptyAddress($ctrl);\n\t\t}\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('adjustmentSummaryCard', {\n\tbindings: {\n\t\tadjustment: '=',\n\t\tadjustmentLabel: '=?',\n\t\tadjustmentLabelContext: '=?'\n\t},\n\tcontroller: 'adjustmentSummaryCardCtrl',\n\ttemplateUrl: 'components/adjustment-summary-card/adjustment-summary-card.component.html'\n})\n.controller('adjustmentSummaryCardCtrl', ['ADJUSTMENT_VALUE_TYPES', function (ADJUSTMENT_VALUE_TYPES) {\n\n\tconst $ctrl = this;\n\n\tangular.extend($ctrl, {\n\t\tADJUSTMENT_VALUE_TYPES: ADJUSTMENT_VALUE_TYPES\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('adjustmentTypeTaxTreatment', {\n\tbindings: {\n\t\tadjustmentType: '<'\n\t},\n\ttemplateUrl: 'components/adjustment-type-tax-treatment/adjustment-type-tax-treatment.component.html'\n});\n'use strict';\n\nangular.module('paycircleApp')\n.component('adjustmentsList', {\n\tbindings: {\n\t\tadjustmentDetailSummary: '=',\n\t\tagencyProfileId: '@',\n\t\tcallback: '=',\n\t\t// Can update or delete adjustments. Overrides any adjustment-specific permissions when false.\n\t\tcanUpdate: '=?',\n\t\tformOptions: '=?',\n\t\tpayPeriod: '<',\n\t\t// Show or hide adjustments count for each adjustment group. Defaults to true.\n\t\tshowAdjustmentsCount: '',\n\t\ttheme: '@?',\n\t\tuserId: '@'\n\t},\n\tcontroller: 'adjustmentsListController',\n\ttemplateUrl: 'components/adjustments-list/adjustments-list.component.html'\n})\n.controller('adjustmentsListController', [\n\t'$filter',\n\t'$rootScope',\n\t'$scope',\n\t'$timeout',\n\t'adjustmentsService',\n\t'config',\n\t'payrollData',\n\t'session',\n\t'ADJUSTMENT_DETAIL_TYPES',\n\t'ADJUSTMENT_SPECIAL_TYPES',\n\t'ADJUSTMENT_VALUE_TYPES',\nfunction (\n\t$filter,\n\t$rootScope,\n\t$scope,\n\t$timeout,\n\tadjustmentsService,\n\tconfig,\n\tpayrollData,\n\tsession,\n\tADJUSTMENT_DETAIL_TYPES,\n\tADJUSTMENT_SPECIAL_TYPES,\n\tADJUSTMENT_VALUE_TYPES\n) {\n\n\tconst $ctrl = this;\n\n\tconst ADJUSTMENT_STATES = {\n\t\tconfirmDelete: 'confirmDelete',\n\t\tdeleting: 'deleting',\n\t\terror: 'error',\n\t\tready: 'ready'\n\t};\n\n\t$ctrl.$onInit = () => {\n\n\t\tangular.extend($ctrl, {\n\t\t\tshowAdjustmentsCount: angular.isDefined($scope.showAdjustmentsCount) ? $scope.showAdjustmentCount : true,\n\t\t\tadjustmentDetailSummary: decorateAdjustmentDetailSummary($ctrl, $ctrl.adjustmentDetailSummary),\n\t\t});\n\t};\n\n\tfunction decorateAdjustmentDetailSummary (ctrlObj, adjustmentDetailSummaryObj) {\n\n\t\tadjustmentDetailSummaryObj.Adjustments.forEach(adjustmentObj => {\n\n\t\t\t// Adjustment Icon\n\t\t\tif (adjustmentObj.AdjustmentRecurring) {\n\t\t\t\tconst DEFAULT_VALUE = null;\n\t\t\t\tadjustmentObj.adjustmentIcon = $filter('paymentScheduleTypeIcon')(adjustmentObj.AdjustmentDetailID, DEFAULT_VALUE);\n\t\t\t}\n\n\t\t\tangular.extend(adjustmentObj, {\n\t\t\t\t// Use adjustment-specific permissions if canUpdate === true, otherwise edit and delete not permitted.\n\t\t\t\tcanEdit: ctrlObj.canUpdate && adjustmentObj.AdjustmentCanBeUpdated,\n\t\t\t\tcanDelete: ctrlObj.canUpdate && adjustmentObj.AdjustmentCanBeDeleted,\n\n\t\t\t\tlabel: adjustmentObj.AdjustmentLabel !== '' ? adjustmentObj.AdjustmentLabel : adjustmentObj.AdjustmentDescription,\n\t\t\t\tstate: ADJUSTMENT_STATES.ready\n\t\t\t});\n\t\t});\n\n\t\t/* Group the adjustments according to group title (== additional post job title). There will be a group for the main post, and an additional\n\t\t group for each additional post. The main post has no title (job title is optional for the main post). */\n\t\tadjustmentDetailSummaryObj.adjustmentGroups = adjustmentsService.groupAdjustmentsForMultiplePosts(adjustmentDetailSummaryObj.Adjustments);\n\n\t\treturn adjustmentDetailSummaryObj;\n\t}\n\n\tfunction deleteAdjustment (ctrlObj, adjustmentDetailSummaryObj, adjustmentObj) {\n\n\t\tadjustmentObj.state = ADJUSTMENT_STATES.deleting;\n\n\t\tpayrollData.deleteUserPayElement(ctrlObj.agencyProfileId,\n\t\t\t\t\t\t\t\t\t\t ctrlObj.payPeriod.PayPeriodID,\n\t\t\t\t\t\t\t\t\t\t adjustmentObj.AdjustmentID,\n\t\t\t\t\t\t\t\t\t\t session.getUserId()).then(() => {\n\n\t\t\t// Deletion worked, so remove the adjustment.\n\t\t\tadjustmentDetailSummaryObj.Adjustments.splice(adjustmentDetailSummaryObj.Adjustments.indexOf(adjustmentObj), 1);\n\n\t\t\t// Fire callback\n\t\t\t$timeout(() => {\n\t\t\t\tctrlObj.callback({\n\t\t\t\t\tuserId: ctrlObj.userId\n\t\t\t\t});\n\t\t\t});\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetAdjustmentState(adjustmentObj, ADJUSTMENT_STATES.error);\n\t\t});\n\t}\n\n\tfunction setAdjustmentState (adjustmentObj, state) {\n\t\tadjustmentObj.state = state;\n\t}\n\n\tfunction onAdjustmentDelete (ctrlObj, adjustmentObj) {\n\n\t\t// Show warning when payroll is partially submitted\n\t\tif (ctrlObj.payPeriod.IsPayrollPartiallySubmitted) {\n\t\t\topenEditChangeForm(ctrlObj, adjustmentObj);\n\t\t\treturn;\n\t\t}\n\n\t\tsetAdjustmentState(adjustmentObj, ADJUSTMENT_STATES.confirmDelete);\n\t}\n\n\tfunction openEditChangeForm (ctrlObj, adjustmentObj) {\n\n\t\tconst agencyProfileId = ctrlObj.agencyProfileId;\n\t\tconst callback = ctrlObj.callback;\n\n\t\tlet formOptions;\n\n\t\t// Repayment schedules\n\t\tif (adjustmentObj.PaymentScheduleGroupID && adjustmentObj.PaymentScheduleGroupID !== config.guidEmpty) {\n\n\t\t\tformOptions = {\n\t\t\t\tagencyProfileId,\n\t\t\t\tcallback,\n\t\t\t\tcontextType: 'user',\n\t\t\t\tpaymentScheduleGroupId: adjustmentObj.PaymentScheduleGroupID,\n\t\t\t\tuserId: ctrlObj.userId\n\t\t\t};\n\n\t\t\tswitch (adjustmentObj.AdjustmentDetailID) {\n\t\t\t\tcase ADJUSTMENT_DETAIL_TYPES.childcareVouchers:\n\t\t\t\t\tformOptions.paymentScheduleId = adjustmentObj.AdjustmentID;\n\t\t\t\t\tformOptions.formKey = 'edit-repayment-schedule-fixed-for-period';\n\t\t\t\t\tbreak;\n\t\t\t\tdefault:\n\t\t\t\t\tformOptions.formKey = 'edit-repayment-schedule-for-period';\n\t\t\t}\n\t\t}\n\n\t\t// Link Element\n\t\tif (adjustmentObj.IsLinkElement) {\n\t\t\tformOptions = {\n\t\t\t\tadjustmentId: adjustmentObj.AdjustmentID,\n\t\t\t\tagencyProfileId,\n\t\t\t\tcallback: () => {\n\t\t\t\t\tcallback({\n\t\t\t\t\t\tuserId: ctrlObj.userId\n\t\t\t\t\t});\n\t\t\t\t},\n\t\t\t\tcontextType: 'user',\n\t\t\t\tformKey: 'link-rates',\n\t\t\t\tuserId: ctrlObj.userId\n\t\t\t};\n\t\t}\n\n\t\t// Backdated NI / salary\n\t\tswitch (adjustmentObj.AdjustmentSpecialType) {\n\n\t\t\tcase ADJUSTMENT_SPECIAL_TYPES.niCorrection:\n\t\t\t\tformOptions = {\n\t\t\t\t\tadjustmentId: adjustmentObj.AdjustmentID,\n\t\t\t\t\tagencyProfileId,\n\t\t\t\t\tcontextType: 'user',\n\t\t\t\t\tformKey: 'backdated-ni-view',\n\t\t\t\t\ttitle: 'Backdated employee NI and net pay',\n\t\t\t\t\tuserId: ctrlObj.userId\n\t\t\t\t};\n\t\t\t\tbreak;\n\n\t\t\tcase ADJUSTMENT_SPECIAL_TYPES.backdatedSalaryForStarter:\n\t\t\tcase ADJUSTMENT_SPECIAL_TYPES.backdatedSalary:\n\t\t\t\tformOptions = {\n\t\t\t\t\tadjustmentId: adjustmentObj.AdjustmentID,\n\t\t\t\t\tagencyProfileId,\n\t\t\t\t\tcontextType: 'user',\n\t\t\t\t\tformKey: 'backdated-salary-view',\n\t\t\t\t\ttitle: 'Backdated salary',\n\t\t\t\t\tuserId: ctrlObj.userId\n\t\t\t\t};\n\t\t\t\tbreak;\n\t\t}\n\n\t\t// Open form for special view-only cases (above) if form options set\n\t\tif (formOptions) {\n\t\t\topenSlideInForm(ctrlObj, formOptions);\n\t\t}\n\t\telse {\n\t\t\topenSlideInForm(ctrlObj, {\n\t\t\t\tadjustmentId: adjustmentObj.AdjustmentID,\n\t\t\t\tagencyProfileId,\n\t\t\t\tcallback,\n\t\t\t\tcontextType: 'user',\n\t\t\t\tformKey: 'add-a-change',\n\t\t\t\tincludeLeavers: true,\n\t\t\t\tshowContext: true,\n\t\t\t\ttitle: 'Edit change',\n\t\t\t\tuserId: ctrlObj.userId\n\t\t\t});\n\t\t}\n\t}\n\n\tfunction openSlideInForm (ctrlObj, formConfigObj) {\n\n\t\t// Open slide-in form from other slide-in form if formOptions object is available\n\t\tif (angular.isDefined(ctrlObj.formOptions)) {\n\t\t\tctrlObj.formOptions.openNewSlideInForm(formConfigObj);\n\t\t}\n\t\telse {\n\t\t\t$rootScope.openSlideInForm(formConfigObj);\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\n\t\tADJUSTMENT_STATES,\n\t\tADJUSTMENT_VALUE_TYPES,\n\t\tconfig,\n\n\t\tdeleteAdjustment,\n\t\tonAdjustmentDelete,\n\t\topenEditChangeForm,\n\t\tsetAdjustmentState\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('adjustmentsListItemDetails', {\n\tbindings: {\n\t\tadjustment: '='\n\t},\n\ttemplateUrl: 'components/adjustments-list-item-details/adjustments-list-item-details.component.html'\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('adminCard', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/admin-card/adminCard.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tadmin: '<',\n\t\t\tagencyProfileId: '<',\n\t\t\tcallback: '=',\n\t\t\tcanEditAdmin: '',\n\t\t\tcanAddToTeam: '',\n\t\t\tcanManageMentionsAccess: '',\n\t\t\tformOptions: '=?',\n\t\t\tssoEnabled: ''\n\t\t},\n\t\tcontroller: 'adminCardController'\n\t};\n})\n.controller('adminCardController', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'securityData',\n\t'utilities',\n\t'REGISTRATION_INVITATION_STATUSES',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\tsecurityData,\n\t\tutilities,\n\t\tREGISTRATION_INVITATION_STATUSES\n\t) {\n\n\tconst agencyProfileId = $scope.agencyProfileId;\n\tconst callback = $scope.callback;\n\tconst formOptions = $scope.formOptions;\n\n\tconst REGISTRATION_SUMMARY_STATES = {\n\t\tloading: 'loading',\n\t\tready: 'ready'\n\t};\n\n\tfunction onMenuOpen(adminObj) {\n\t\t\n\t\tvar LinkedUserProfile = hasLinkedUserProfile(adminObj);\n\t\t\n\t\tvar userRegistrationSummary = getUserRegistrationSummary(adminObj);\n\n\t\t$q.all([\n\t\t\tLinkedUserProfile,\n\t\t\tuserRegistrationSummary\n\t\t])\t\t\n\t\t.catch(function (error) {\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\t\n\tfunction hasLinkedUserProfile (adminObj) {\n\n\t\tsecurityData.HasIdentityMigratedUserProfile(adminObj.UserID)\n\t\t\t.then(LinkedUserProfile => {\n\t\t\t\tangular.extend($scope, {\n\t\t\t\t\tlinkedUserProfile: LinkedUserProfile\n\t\t\t\t});\t\t\t\n\t\t\t});\n\t}\n\n\tfunction getUserRegistrationSummary (adminObj) {\n\n\t\tif ($scope.registrationSummaryDownloadState === REGISTRATION_SUMMARY_STATES.loading) {\n\n\t\t\tsecurityData.getUserRegistrationSummary(adminObj.UserID, adminObj.AgencyProfileID)\n\t\t\t\t.then(userRegistrationSummary => {\n\n\t\t\t\t\tangular.extend($scope, {\n\t\t\t\t\t\tinvitation: userRegistrationSummary.Invitation,\n\t\t\t\t\t\tisRegistered: userRegistrationSummary.IsRegistered,\n\t\t\t\t\t\tregisteredDateISO: userRegistrationSummary.RegisteredDateISO,\n\t\t\t\t\t\tregistrationSummaryDownloadState: REGISTRATION_SUMMARY_STATES.ready\n\t\t\t\t\t});\n\n\t\t\t\t});\n\t\t}\n\t}\n\n\tfunction onCodeClick (invitationObj) {\n\t\tutilities.copyToClipboard(invitationObj.InvitationVerificationCode, 'Verification code copied to clipboard');\n\t}\n\n\tfunction openChangeAdminStateForm (adminObj) {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'change-admin-state',\n\t\t\tuserId: adminObj.UserID,\n\t\t\tisExcluding: false\n\t\t});\n\t}\n\n\tfunction openEditAdminForm (adminObj) {\n\n\t\topenSlideInForm({\n\t\t\tadminObj: adminObj,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'edit-admin',\n\t\t\troleType: adminObj.RoleType,\n\t\t\tuserId: adminObj.UserID\n\t\t});\n\t}\n\n\tfunction openManageMentionsAccessForm (adminObj) {\n\n\t\topenSlideInForm({\n\t\t\tadminObj: adminObj,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'manage-mentions-access',\n\t\t\tuserId: adminObj.UserID\n\t\t});\n\t}\n\n\tfunction openManagePermissionsForm (adminObj) {\n\n\t\topenSlideInForm({\n\t\t\tadminObj: adminObj,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'manage-permissions',\n\t\t\tuserId: adminObj.UserID\n\t\t});\n\t}\n\n\tfunction openRemoveAdminAccessForm (adminObj) {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'remove-admin-access',\n\t\t\tuserId: adminObj.UserID\n\t\t});\n\t}\n\n\tfunction openInviteToFullyRegisterForm (adminObj) {\n\t\topenSlideInForm({\n\t\t\tadminObj: adminObj,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'invite-sso-admin-to-fully-register',\n\t\t\tuserId: adminObj.UserID\n\t\t});\n\t}\n\n\tfunction openResetAuthAccessForm (adminObj) {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tadminObj: adminObj,\n\t\t\tcallback: callback,\n\t\t\tformKey: 'reset-auth-access'\n\t\t});\n\t}\n\n\tfunction openResendInviteForm (adminObj) {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: callback,\n\t\t\tadminObj: adminObj,\n\t\t\tformContext: 'resend-invite',\n\t\t\tformKey: 'new-admin',\n\t\t\ttitle: 'Edit admin details'\n\t\t});\n\t}\n\n\tfunction openSendPasswordResetLinkForm (adminObj) {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'password-reset',\n\t\t\tuserId: adminObj.UserID\n\t\t});\n\t}\n\n\tfunction openUnlinkAccessAccountForm (adminObj) {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback,\n\t\t\tformKey: 'unlink-access-account',\n\t\t\tuserId: adminObj.UserID\n\t\t});\n\t}\n\n\tfunction openSlideInForm (newFormOptions) {\n\n\t\tif (formOptions) {\n\t\t\tnewFormOptions.callback = null;\n\t\t\tformOptions.openNewSlideInForm(newFormOptions);\n\t\t} else {\n\t\t\t$rootScope.openSlideInForm(newFormOptions);\n\t\t}\n\t}\n\n\tfunction openViewRoleForm (adminObj) {\n\n\t\topenSlideInForm({\n\t\t\tadminFullName: `${adminObj.Forename} ${adminObj.Surname}`,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tformKey: 'view-role',\n\t\t\tuserId: adminObj.UserID\n\t\t});\n\t}\n\n\tangular.extend($scope, {\n\t\tcanAddToTeam: $scope.canAddToTeam !== undefined ? $scope.canAddToTeam : true,\n\t\tcanEditAdmin: $scope.canEditAdmin !== undefined ? $scope.canEditAdmin : false,\n\t\tregistrationSummaryDownloadState: REGISTRATION_SUMMARY_STATES.loading,\n\t\tREGISTRATION_INVITATION_STATUSES,\n\t\tREGISTRATION_SUMMARY_STATES,\n\n\t\tonCodeClick,\n\t\tonMenuOpen,\n\t\topenChangeAdminStateForm,\n\t\topenEditAdminForm,\n\t\topenInviteToFullyRegisterForm,\n\t\topenManageMentionsAccessForm,\n\t\topenManagePermissionsForm,\n\t\topenRemoveAdminAccessForm,\n\t\topenResendInviteForm,\n\t\topenResetAuthAccessForm,\n\t\topenSendPasswordResetLinkForm,\n\t\topenUnlinkAccessAccountForm,\n\t\topenViewRoleForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('adminCardWorkflow', {\n\ttemplateUrl: 'components/admin-card-workflow/admin-card-workflow.component.html',\n\tbindings: {\n\t\tadmin: '<'\n\t},\n\ttransclude: {\n\t\t'action': '?action'\n\t}\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('adminValidationCode', {\n\tbindings: {\n\t\tcode: '@'\n\t},\n\ttemplateUrl: 'components/admin-validation-code/admin-validation-code.component.html'\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('appHeader', {\n\tbindings: {\n\t\tcompanies: '<',\n\t\tcurrentCompany: '<',\n\t\tcurrentPeriod: '',\n\t\tcurrentUser: '<',\n\t\tisHelpAndSupportOpen: '=',\n\t\tsideBarOptions: '<'\n\t},\n\tcontroller: 'appHeaderCtrl',\n\ttemplateUrl: 'components/app-header/app-header.component.html',\n})\n.controller('appHeaderCtrl', [\n\t'$rootScope',\n\t'$state',\n\t'base',\n\t'applicationService',\n\t'config',\n\t'securityData',\n\t'session',\n\t'utilities',\n\t'AUTH_EVENTS',\n\t'COMPANY_STATES',\n\t'LOCAL_STORAGE_KEYS',\n\t'LOGIN_TYPES',\n\t'USER_ROLES',\n\tfunction (\n\t\t$rootScope,\n\t\t$state,\n\t\tbase,\n\t\tapplicationService,\n\t\tconfig,\n\t\tsecurityData,\n\t\tsession,\n\t\tutilities,\n\t\tAUTH_EVENTS,\n\t\tCOMPANY_STATES,\n\t\tLOCAL_STORAGE_KEYS,\n\t\tLOGIN_TYPES,\n\t\tUSER_ROLES\n\t) {\n\n\tconst $ctrl = this;\n\tconst MAX_BREADCRUMBS_LENGTH = 3;\n\tconst maxAccountsVisible = 4;\n\n\t$ctrl.$onInit = () => {\n\t\t/* Establish whether or not the Help and Support link should be shown.\n\t\t Start with the set of roles that have full Help and Support access. */\n\t\tconst helpAndSupportRoles = [\n\t\t\t$ctrl.USER_ROLES.paycircle,\n\t\t\t$ctrl.USER_ROLES.bureau,\n\t\t\t$ctrl.USER_ROLES.bureaumanager\n\t\t];\n\n\t\t// Add role-based support contextx from config\n\t\tif (angular.isDefined(config.supportRoleContexts) && config.supportRoleContexts.length) {\n\t\t\tconfig.supportRoleContexts.forEach(supportRoleContext => helpAndSupportRoles.push(supportRoleContext.primaryRole));\n\t\t}\n\n\t\tgetAccountsLinkedForSwitch();\n\n\t\tbase.isFeatureEnabled($ctrl.currentUser.AgencyProfileParentID, 'ADMIN_LINKING').then(isFeatureEnabled => {\n $ctrl.IsLinkingAdminsFeatureEnabled = isFeatureEnabled;\n });\n\n\t\tangular.extend($ctrl, {\n\t\t\thelpAndSupportRoles: helpAndSupportRoles,\n\t\t\tisAccountSettingsVisible: getIsAccountSettingsVisible()\n\t\t});\n\t};\n\n\tfunction getIsAccountSettingsVisible () {\n\n\t\t// Hide \"Account Settings\" for users logged in with SSO\n\t\tconst userLoginType = utilities.getFromStorage(LOCAL_STORAGE_KEYS.loginType);\n\n\t\tif (userLoginType && userLoginType === LOGIN_TYPES.sso) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// Visible by default\n\t\treturn true;\n\t}\n\n\tfunction getAccountsLinkedForSwitch () {\n\t\tsecurityData.getSwitchAccountMinimalList($ctrl.currentUser.UserResponseUserID).then((data) => {\n\t\t\tconst linkedAccounts = data.filter(account => !account.IsSignedIn);\n\t\t\tangular.extend($ctrl, {\n\t\t\t\taccountsList: linkedAccounts,\n\t\t\t\tshortAccountList: linkedAccounts.slice(0, Math.min(linkedAccounts.length, maxAccountsVisible)),\n\t\t\t\tmaxAccountsVisible: maxAccountsVisible\n\t\t\t});\n\t\t});\n\t}\n\n\tfunction goToAccountSettings () {\n\n\t\tif ($rootScope.currentUser.IsAccessIdentityAccount) {\n\t\t\t// This is an identity account\n\t\t\tsecurityData.getUserAccountSettingsUrl().then((data) => {\n\t\t\t\t// Open the identity setting in a new browser window\n\t\t\t\twindow.open(data.AccountSettingsUrl, '_blank');\n\t\t\t}).catch(error => {\n\t\t\t\tconsole.error(error);\n\t\t\t});\n\n\t\t} else {\n\n\t\t\t$state.go('account-settings', {\n\t\t\t\tuserId: $ctrl.currentUser.UserResponseUserID,\n\t\t\t\tagencyProfileId: $ctrl.currentUser.AgencyProfileParentID\n\t\t\t});\n\t\t}\n\n\t}\n\n\tfunction goLinkAccounts () {\n\n\t\t$state.go('manage-linked-accounts', {\n\t\t\tuserId: $ctrl.currentUser.UserResponseUserID,\n\t\t\tagencyProfileId: $ctrl.currentUser.AgencyProfileParentID\n\t\t});\n\t}\n\n\tfunction isAppHeaderFooterVisible () {\n\n\t\t// Show for Bureau/Group Admins when there are multiple\n\t\tif ($ctrl.currentUser.IsMultipleCompanyAdmin) {\n\t\t\treturn $ctrl.companies.length > 1;\n\n\t\t}\n\t\telse {\n\t\t\t// Show for CAL when History is visible\n\t\t\tif ($rootScope.userHasRole(USER_ROLES.companyadministratorlite)) {\n\t\t\t\treturn $rootScope.currentUser.Permissions.isHistoryVisible;\n\t\t\t}\n\t\t}\n\n\t\t// Hide for everyone else\n\t\treturn false;\n\t}\n\n\tfunction logout () {\n\t\t$rootScope.$broadcast('log-out');\n\t}\n\n\tfunction openTemplateForm () {\n\t\t$rootScope.openSlideInForm({\n\t\t\tformKey: 'template'\n\t\t});\n\t}\n\n\tfunction goToListPageForCompany (ctrlObj, selectedCompanyObj, companyIndex) {\n\n\t\tctrlObj.showCollapsedBreadcrumbs = false;\n\n\t\tconst companyBeforeSelectedCompanyObj = ctrlObj.companies[companyIndex+1];\n\n\t\tconst companyListState = applicationService.getCompaniesPageForCompany(companyBeforeSelectedCompanyObj);\n\n\t\t$state.go(companyListState, {agencyProfileId: selectedCompanyObj.AgencyProfileID});\n\t}\n\n\tfunction openHelpAndSupport () {\n\t\t$rootScope.openHelpAndSupportPanel();\n\t}\n\n\tfunction showFastSearch () {\n\t\t$rootScope.$broadcast('open-fast-search');\n\t}\n\n\tfunction toggleCollapsedMenu (ctrlObj) {\n\t\tctrlObj.showCollapsedBreadcrumbs = !ctrlObj.showCollapsedBreadcrumbs;\n\t}\n\n\tfunction toggleNav () {\n\t\t$rootScope.isNavOpen = !$rootScope.isNavOpen;\n\t}\n\n\tfunction toggleNavMobile () {\n\n\t\t// Close side bar before opening mobile menu\n\t\tif (!$rootScope.isNavOpenMobile && $ctrl.sideBarOptions.isOpen) {\n\t\t\t$ctrl.sideBarOptions.isOpen = false;\n\t\t}\n\n\t\t$rootScope.isNavOpenMobile = !$rootScope.isNavOpenMobile;\n\t}\n\n\tfunction togglePayircleTools () {\n\t\t$rootScope.showPaycircleTools = !$rootScope.showPaycircleTools;\n\t}\n\n\tfunction togglePlayground () {\n\t\t$rootScope.$broadcast('toggle-playground');\n\t}\n\n\tfunction toggleSideBarMenu (activeMenuKey) {\n\t\t$rootScope.$broadcast('open-side-bar', {\n\t\t\tactiveMenu: activeMenuKey\n\t\t});\n\t}\n\n\tfunction toggleUserMenu (ctrlObj) {\n\t\tctrlObj.showUserMenu = !ctrlObj.showUserMenu;\n\t}\n\n\tfunction switchAccount(account) {\n\n\t\tsecurityData.switchProfile(account.UserID).then((data) => {\n\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionDestroy);\n\t\t\t$rootScope.$broadcast(AUTH_EVENTS.sessionCreate, data);\n\t\t});\n\t}\n\n\tfunction viewMoreAccounts () {\n\t\t$state.go('switch-account');\n\t}\n\n\t$rootScope.$on('refreshLinkedAccounts', () => {\n\t\tgetAccountsLinkedForSwitch();\n\t});\n\n\tangular.extend($ctrl, {\n\t\tMAX_BREADCRUMBS_LENGTH,\n\t\tPAYROLL_HISTORY_STATES: applicationService.PAYROLL_HISTORY_STATES,\n\t\tCOMPANY_STATES,\n\t\tUSER_ROLES,\n\t\tsession,\n\n\t\t$state,\n\t\tlogout,\n\t\tisStateActive: applicationService.isStateActive,\n\t\tisAnyStateActive: applicationService.isAnyStateActive,\n\t\tisAppHeaderFooterVisible,\n\t\topenTemplateForm,\n\t\tgoToAccountSettings,\n\t\tgoToDefaultLandingPageForUser: applicationService.goToDefaultLandingPageForUser,\n\t\tgoLinkAccounts,\n\t\tgoToListPageForCompany,\n\t\topenHelpAndSupport,\n\t\tshowFastSearch,\n\t\tswitchAccount,\n\t\ttoggleCollapsedMenu,\n\t\ttoggleNav,\n\t\ttoggleNavMobile,\n\t\ttogglePayircleTools,\n\t\ttogglePlayground,\n\t\ttoggleSideBarMenu,\n\t\ttoggleUserMenu,\n\t\tviewMoreAccounts,\n\n\t\tshowCollapsedBreadcrumbs: false,\n\t\tshowUserMenu: false\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('appNavigation', {\n\tbindings: {\n\t\tcurrentCompany: '<',\n\t\tcompanies: '<'\n\t},\n\tcontroller: 'appNavigationCtrl',\n\ttemplateUrl: 'components/app-navigation/app-navigation.component.html',\n})\n.controller('appNavigationCtrl', [\n\t'$rootScope',\n\t'$state',\n\t'applicationService',\n\t'stateService',\n\t'INTERFACE_TYPES',\n\t'USER_ROLES',\n\tfunction (\n\t\t$rootScope,\n\t\t$state,\n\t\tapplicationService,\n\t\tstateService,\n\t\tINTERFACE_TYPES,\n\t\tUSER_ROLES\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst NAVIGATION_STATES = {\n\t\taccountSettings: 'account-settings',\n\t\tcompanyDefined: 'company-defined'\n\t};\n\n\tfunction getNavigationState (stateKey) {\n\n\t\tswitch (stateKey) {\n\t\t\tcase NAVIGATION_STATES.accountSettings:\n\t\t\t\treturn 'account-settings';\n\n\t\t\tdefault:\n\t\t\t\treturn NAVIGATION_STATES.companyDefined;\n\t\t}\n\t}\n\n\tfunction setNavigationState (stateKey) {\n\t\t$ctrl.navigationState = getNavigationState(stateKey);\n\t}\n\n\t$rootScope.$on('$stateChangeStart', function (event, toState) {\n\t\tsetNavigationState(toState.name);\n\t});\n\n\t$ctrl.$onInit = function () {\n\t\tsetNavigationState($state.current.name);\n\t};\n\n\tangular.extend($ctrl, {\n\t\tINTERFACE_TYPES,\n\t\tNAVIGATION_STATES,\n\t\tPAYROLL_HISTORY_STATES: applicationService.PAYROLL_HISTORY_STATES,\n\t\tUSER_ROLES,\n\n\t\tgoToDefaultLandingPageForUser: applicationService.goToDefaultLandingPageForUser,\n\t\tgoToPreviousCompany: stateService.goToPreviousCompany,\n\t\tisAnyStateActive: applicationService.isAnyStateActive,\n\t\tisStateActive: applicationService.isStateActive\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('appSideBar', {\n\tbindings: {\n\t\tsideBarOptions: '='\n\t},\n\tcontroller: 'appSideBarCtrl',\n\ttemplateUrl: 'components/app-side-bar/app-side-bar.component.html'\n})\n.controller('appSideBarCtrl', [\n\t'$scope',\n\tfunction (\n\t\t$scope\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tgetMetaDetailsForActiveMenu();\n\t}\n\n\tfunction getAnimationForActivityBar () {\n\t\treturn $ctrl.sideBarOptions.animation !== undefined ? $ctrl.sideBarOptions.animation : 'slideInRight';\n\t}\n\n\tfunction getIconForActivityBar (activeMenu) {\n\n\t\tswitch (activeMenu) {\n\t\t\tcase 'activity':\n\t\t\t\treturn 'history';\n\t\t\tcase 'onboarding':\n\t\t\t\treturn 'admins';\n\t\t\tdefault:\n\t\t\t\treturn 'question-mark';\n\t\t}\n\t}\n\n\tfunction getMetaDetailsForActiveMenu () {\n\t\tangular.extend($ctrl.sideBarOptions, {\n\t\t\tanimation: getAnimationForActivityBar(),\n\t\t\ticon: getIconForActivityBar($ctrl.sideBarOptions.activeMenu),\n\t\t\ttitle: getTitleForActivityBar($ctrl.sideBarOptions.activeMenu)\n\t\t});\n\t}\n\n\tfunction getTitleForActivityBar (activeMenu) {\n\n\t\tswitch (activeMenu) {\n\t\t\tcase 'activity':\n\t\t\t\treturn 'Activity';\n\t\t\tcase 'onboarding':\n\t\t\t\treturn 'Admin';\n\t\t\tdefault:\n\t\t\t\treturn 'No title';\n\t\t}\n\t}\n\n\tfunction onCloseSidebarMenu () {\n\n\t\tangular.extend($ctrl.sideBarOptions, {\n\t\t\tisOpen: false,\n\t\t\tactiveMenu: null\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tonCloseSidebarMenu\n\t});\n\n\t$scope.$watch('$ctrl.sideBarOptions.activeMenu', function (newValue, oldValue) {\n\n\t\tif (newValue !== oldValue) {\n\t\t\tgetMetaDetailsForActiveMenu();\n\t\t}\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('appUserMessageBar', {\n\tbindings: {\n\t\tuserMessageBarState: '<'\n\t},\n\tcontroller: 'appUserMessageBarCtrl',\n\ttemplateUrl: 'components/app-user-message-bar/app-user-message-bar.component.html',\n})\n\n.constant('USER_MESSAGE_BAR_STATES', {\n\tviewingRolePermisisons: 'viewing-role-permissions',\n\tviewingUserPermissions: 'viewing-user-permissions',\n\ttimeoutWarning: 'timeout-warning',\n})\n\n.controller('appUserMessageBarCtrl', [\n\t'permissionsService',\n\t'$rootScope',\n\t'USER_MESSAGE_BAR_STATES',\n\tfunction (\n\t\tpermissionsService,\n\t\t$rootScope,\n\t\tUSER_MESSAGE_BAR_STATES\n\t) {\n\n\tconst $ctrl = this;\n\t\n\tfunction init () {\n\t\tif (angular.isDefined($rootScope.CONFIG.appTimeoutMessageTimeConstraint) && $rootScope.CONFIG.appTimeoutMessageTimeConstraint.hasTimeConstraint) {\n\t\t\t$ctrl.timeoutWarningTimeContraintExpired = assessIsTimeoutWarningTimeContraintExpired($rootScope.CONFIG.appTimeoutMessageTimeConstraint);\n\t\t\t$ctrl.timeoutWarningTimeContraint = true;\n\t\t} else { \n\t\t\t$ctrl.timeoutWarningTimeContraintExpired = false;\n\t\t\t$ctrl.timeoutWarningTimeContraint = false;\n\t\t}\n\t}\n\n\tfunction assessIsTimeoutWarningTimeContraintExpired (timeConstraint) {\n\t\t\tconst now = new Date();\n\t\t\treturn now > timeConstraint.timeConstraintEnd;\n\t}\n\n\tinit();\n\n\tangular.extend($ctrl, {\n\t\tUSER_MESSAGE_BAR_STATES,\n\t\tdisableAdminViewMode: permissionsService.disableAdminViewMode\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('arcDeChart', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/arc-de-chart/arcDeChartComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tstack: '<',\n\t\t\ttotal: '<',\n\t\t\tvalue: '<',\n\t\t\tbarColor: '@'\n\t\t},\n\t\tcontroller: 'arcDeChartCtrl'\n\t};\n})\n.controller('arcDeChartCtrl', ['$scope', function ($scope) {\n\tconst init = () => {\n\t\tconst proportion = 5.85;\n\t\tconst cap = 785;\n\n\t\t$scope.displayValue = -1 * ((100 / $scope.total) * $scope.value) * proportion + cap;\n\t\t$scope.arcScale = 1 - ($scope.stack - 1) * 0.2;\n\t\t$scope.strokeWidth = 8 + ($scope.stack - 1) * 2 + $scope.stack;\n\t};\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('avatar', {\n\tbindings: {\n\t\tavatarInitial: '@',\n\t\tavatarSize: '@?',\n\t\tavatarTheme: '@?',\n\t\tavatarUrl: '@?',\n\t\tavatarUserId: '@?'\n\t},\n\tcontroller: 'avatarController',\n\ttemplateUrl: 'components/avatar/avatar.component.html'\n})\n.controller('avatarController', [function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\n\t\t$ctrl.avatarTheme = angular.isDefined($ctrl.avatarTheme) && $ctrl.avatarTheme !== '' ? $ctrl.avatarTheme : 'is-primary';\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('bacsCard', {\n\tbindings: {\n\t\tbacsFile: '<',\n\t\tbulkItems: '=',\n\t\tonDownload: '=',\n\t\tonStateChange: '='\n\t},\n\tcontroller: 'bacsCardCtrl',\n\ttemplateUrl: 'components/bacs-card/bacs-card.component.html',\n})\n.controller('bacsCardCtrl', ['bulkService', 'DOCUMENT_STATES', function (bulkService, DOCUMENT_STATES) {\n\n\tconst $ctrl = this;\n\n\tfunction downloadBacsFile (ctrlObj) {\n\n\t\thideMenu(ctrlObj);\n\n\t\tif (angular.isFunction($ctrl.onDownload)) {\n\t\t\tlet bacsFileArr = [ctrlObj.bacsFile];\n\t\t\t$ctrl.onDownload(bacsFileArr);\n\t\t}\n\t}\n\n\tfunction hideMenu (ctrlObj) {\n\t\tctrlObj.showMenu = false;\n\t}\n\n\tfunction onCheckboxToggle (bulkItemsObj) {\n\t\tbulkItemsObj = bulkService.updateBulkItemTotals(bulkItemsObj);\n\t}\n\n\tfunction updateBacsDocumentState (ctrlObj, documentState) {\n\n\t\thideMenu(ctrlObj);\n\n\t\tif (angular.isFunction($ctrl.onStateChange)) {\n\t\t\tlet bacsFileArr = [ctrlObj.bacsFile];\n\t\t\t$ctrl.onStateChange(bacsFileArr, documentState);\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\tDOCUMENT_STATES,\n\n\t\tdownloadBacsFile,\n\t\thideMenu,\n\t\tonCheckboxToggle,\n\t\tupdateBacsDocumentState,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('bacsDisbursement', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tbacsEnabled: '',\n\t\tdisabled: '',\n\t\tdisbursement: '=',\n\t\tform: '=',\n\t\tisAoePayment: '',\n\t\tisHmrcPayment: '',\n\t\tpayPeriod: '<',\n\t\tshowBacsTitle: '',\n\t\tcompanyName: ''\n\t},\n\tcontroller: 'bacsDisbursementCtrl',\n\trequire: '^form',\n\ttemplateUrl: 'components/bacs-disbursement/bacs-disbursement.component.html',\n})\n.controller('bacsDisbursementCtrl', [\n\t'config',\n\t'payPeriodService',\n\t'utilities',\n\t'DISBURSEMENT_CONTEXT_TYPES',\n\t'HMRC_PAYMENT_ACCOUNTS',\n\t'HMRC_PAYMENT_ACCOUNTS_IDS',\n\t'PAY_PERIOD_OFFSET_OPTIONS',\n\t'PAY_PERIOD_TYPES',\n\tfunction (\n\t\tconfig,\n\t\tpayPeriodService,\n\t\tutilities,\n\t\tDISBURSEMENT_CONTEXT_TYPES,\n\t\tHMRC_PAYMENT_ACCOUNTS,\n\t\tHMRC_PAYMENT_ACCOUNTS_IDS,\n\t\tPAY_PERIOD_OFFSET_OPTIONS,\n\t\tPAY_PERIOD_TYPES\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst COMPONENT_STATES = {\n\t\tloading: 'loading',\n\t\tready: 'ready'\n\t};\n\n\tconst RELATIVE_PAYMENT_OPTIONS = {\n\t\tafterPayDay: 'after-pay-day',\n\t\tonPayDay: 'on-pay-day'\n\t};\n\n\tconst PAYMENT_FREQUENCIES = {\n\t\trelativeToPayPeriod: 0,\n\t\tmonthly: 1,\n\t\tquarterly: 2,\n\t\tbiannually: 3,\n\t\tannually: 4\n\t};\n\n\tfunction $onInit () {\n\n\t\tconst payPeriodObj = angular.copy($ctrl.payPeriod);\n\n\t\tconst relativeOptionState = getRelativeDaysState();\n\t\tconst relativesDaysPositive = Math.abs($ctrl.disbursement.RelativeDays);\n\n\t\tangular.extend($ctrl, {\n\t\t\tbacsEnabled: angular.isDefined($ctrl.bacsEnabled) ? $ctrl.bacsEnabled : true,\n\t\t\tbacsPaymentDateOption: getBacsPaymentOption(payPeriodObj),\n\t\t\tformId: utilities.guid(), // used for form validation when there are multiple disbursments in one form\n\t\t\tpayPeriod: payPeriodObj,\n\t\t\trecuringOptions: payPeriodService.getPaymentOptionsDaysByPeriodType(PAY_PERIOD_TYPES.monthly),\n\t\t\trelativeOptions: {\n\t\t\t\tstate: relativeOptionState,\n\t\t\t\tafterDayCount: relativeOptionState === RELATIVE_PAYMENT_OPTIONS.afterPayDay ? relativesDaysPositive : 0\n\t\t\t}\n\t\t});\n\n\t\tif ($ctrl.disbursement.DisbursementID === config.guidEmpty) {\n\t\t\tdecorateEmptyDisbursement($ctrl.disbursement);\n\t\t}\n\n\t\tif ($ctrl.isHmrcPayment) {\n\t\t\tchangePeriodType();\n\t\t} else {\n\t\t\tdecorateExistingDisbursement();\n\t\t}\n\t}\n\n\tfunction changePeriodType () {\n\t\tif($ctrl.payPeriod.PeriodType === PAY_PERIOD_TYPES.annually || $ctrl.payPeriod.PeriodType === PAY_PERIOD_TYPES.biannually) {\n\t\t\treturn;\n\t\t} else if ($ctrl.bacsPaymentDateOption === DISBURSEMENT_CONTEXT_TYPES.dayOfMonth) {\n\t\t\t$ctrl.payPeriod.PeriodType = PAY_PERIOD_TYPES.monthly;\n\t\t} else {\n\t\t\t$ctrl.payPeriod.PeriodType = PAY_PERIOD_TYPES.quarterly;\n\t\t}\n\t}\n\n\tfunction decorateEmptyDisbursement (disbursementObj) {\n\t\tangular.extend(disbursementObj, {\n\t\t\tAgencyProfileID: $ctrl.agencyProfileId\n\t\t});\n\t}\n\n\tfunction decorateExistingDisbursement () {\n\t\t$ctrl.disbursement.PaymentFrequency = getPaymentFrequencyOption();\n\t}\n\n\tfunction getBacsPaymentOption (payPeriodObj) {\n\n\t\tif ($ctrl.isHmrcPayment) {\n\t\t\tif (payPeriodObj.PeriodType === PAY_PERIOD_TYPES.annuall || payPeriodObj.PeriodType === PAY_PERIOD_TYPES.biannually) {\n\t\t\t\treturn DISBURSEMENT_CONTEXT_TYPES.paymentDates;\n\t\t\t} else if ($ctrl.disbursement.PaymentFrequency === PAYMENT_FREQUENCIES.monthly) {\n\t\t\t\treturn DISBURSEMENT_CONTEXT_TYPES.dayOfMonth;\n\t\t\t} else {\n\t\t\t\treturn DISBURSEMENT_CONTEXT_TYPES.paymentDates;\n\t\t\t}\n\n\t\t} else {\n\t\t\tswitch (payPeriodObj.PeriodType) {\n\t\t\t\tcase PAY_PERIOD_TYPES.weekly:\n\t\t\t\tcase PAY_PERIOD_TYPES.fortnightly:\n\t\t\t\tcase PAY_PERIOD_TYPES.fourweekly:\n\t\t\t\tcase PAY_PERIOD_TYPES.monthly:\n\t\t\t\t\tif ($ctrl.disbursement.DayOfMonth !== 0) {\n\t\t\t\t\t\treturn DISBURSEMENT_CONTEXT_TYPES.dayOfMonth;\n\t\t\t\t\t} else {\n\t\t\t\t\t\treturn DISBURSEMENT_CONTEXT_TYPES.relativeDays;\n\t\t\t\t\t}\n\t\t\t\t\tbreak;\n\t\t\t\tdefault:\n\t\t\t\t\tif (isSpecificDatePaymentOption()) {\n\t\t\t\t\t\treturn DISBURSEMENT_CONTEXT_TYPES.paymentDates;\n\t\t\t\t\t} else {\n\t\t\t\t\t\treturn DISBURSEMENT_CONTEXT_TYPES.relativeDays;\n\t\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction getPaymentFrequencyOption () {\n\n\t\tif ($ctrl.isHmrcPayment) {\n\t\t\tif($ctrl.payPeriod.PeriodType === PAY_PERIOD_TYPES.annually) {\n\t\t\t\treturn PAYMENT_FREQUENCIES.annually;\n\t\t\t} else if ($ctrl.payPeriod.PeriodType === PAY_PERIOD_TYPES.biannually) {\n\t\t\t\treturn PAYMENT_FREQUENCIES.biannually;\n\t\t\t} else if ($ctrl.bacsPaymentDateOption === DISBURSEMENT_CONTEXT_TYPES.dayOfMonth) {\n\t\t\t\treturn PAYMENT_FREQUENCIES.monthly;\n\t\t\t} else {\n\t\t\t\treturn PAYMENT_FREQUENCIES.quarterly;\n\t\t\t}\n\t\t}\n\n\t\tswitch ($ctrl.payPeriod.PeriodType) {\n\t\t\tcase PAY_PERIOD_TYPES.weekly:\n\t\t\tcase PAY_PERIOD_TYPES.fortnightly:\n\t\t\tcase PAY_PERIOD_TYPES.fourweekly:\n\t\t\tcase PAY_PERIOD_TYPES.monthly:\n\t\t\t\treturn $ctrl.bacsPaymentDateOption === DISBURSEMENT_CONTEXT_TYPES.dayOfMonth ? PAYMENT_FREQUENCIES.monthly : PAYMENT_FREQUENCIES.relativeToPayPeriod;\n\t\t\tcase PAY_PERIOD_TYPES.quarterly:\n\t\t\t\treturn $ctrl.bacsPaymentDateOption === DISBURSEMENT_CONTEXT_TYPES.paymentDates ? PAYMENT_FREQUENCIES.quarterly : PAYMENT_FREQUENCIES.relativeToPayPeriod;\n\t\t\tcase PAY_PERIOD_TYPES.biannually:\n\t\t\t\treturn $ctrl.bacsPaymentDateOption === DISBURSEMENT_CONTEXT_TYPES.paymentDates ? PAYMENT_FREQUENCIES.biannually : PAYMENT_FREQUENCIES.relativeToPayPeriod;\n\t\t\tcase PAY_PERIOD_TYPES.annually:\n\t\t\t\treturn $ctrl.bacsPaymentDateOption === DISBURSEMENT_CONTEXT_TYPES.paymentDates ? PAYMENT_FREQUENCIES.annually : PAYMENT_FREQUENCIES.relativeToPayPeriod;\n\t\t\t}\n\t}\n\n\tfunction getRelativeDaysCount () {\n\n\t\tswitch ($ctrl.relativeOptions.state) {\n\t\t\tcase RELATIVE_PAYMENT_OPTIONS.afterPayDay:\n\t\t\t\treturn $ctrl.relativeOptions.afterDayCount;\n\n\t\t\tcase RELATIVE_PAYMENT_OPTIONS.onPayDay:\n\t\t\t\treturn 0;\n\t\t}\n\t}\n\n\tfunction getRelativeDaysState () {\n\n\t\tif ($ctrl.disbursement.RelativeDays > 0) {\n\t\t\treturn RELATIVE_PAYMENT_OPTIONS.afterPayDay;\n\t\t} else {\n\t\t\treturn RELATIVE_PAYMENT_OPTIONS.onPayDay;\n\t\t}\n\t}\n\n\tfunction isSpecificDatePaymentOption () {\n\t\treturn $ctrl.disbursement.Date1ISO !== '' && $ctrl.disbursement.Date1ISO !== '1900-01-01T00:00:00';\n\t}\n\n\tfunction onSeparateBACSChange () {\n\n\t\tif (!$ctrl.disbursement.SeparateBACS) {\n\n\t\t\tangular.merge($ctrl, {\n\t\t\t\tdisbursement: {\n\t\t\t\t\tRelativeDays: 0,\n\t\t\t\t\tPaymentFrequency: PAYMENT_FREQUENCIES.relativeToPayPeriod,\n\t\t\t\t\tDayOfMonth: 0\n\t\t\t\t},\n\t\t\t\tbacsPaymentDateOption: DISBURSEMENT_CONTEXT_TYPES.relativeDays\n\t\t\t});\n\n\t\t\tresetRelativeDateOptions();\n\t\t\tresetPaymentDateOptions();\n\n\t\t} else {\n\t\t\tif ($ctrl.payPeriod.PeriodType === PAY_PERIOD_TYPES.annually || $ctrl.payPeriod.PeriodType === PAY_PERIOD_TYPES.biannually) {\n\t\t\t\t$ctrl.bacsPaymentDateOption = DISBURSEMENT_CONTEXT_TYPES.paymentDates;\n\t\t\t} else {\n\t\t\t\t$ctrl.bacsPaymentDateOption = $ctrl.isHmrcPayment ? DISBURSEMENT_CONTEXT_TYPES.dayOfMonth : DISBURSEMENT_CONTEXT_TYPES.relativeDays;\n\t\t\t}\n\t\t\tresetPaymentOptions();\n\t\t}\n\t}\n\n\tfunction resetPaymentOptions () {\n\n\t\tresetRelativeDateOptions();\n\n\t\t$ctrl.disbursement.PaymentFrequency = getPaymentFrequencyOption();\n\n\t\tif ($ctrl.isHmrcPayment) {\n\t\t\tif ($ctrl.payPeriod.PeriodType !== PAY_PERIOD_TYPES.annually || $ctrl.payPeriod.PeriodType !== PAY_PERIOD_TYPES.biannually) {\n\t\t\t\tchangePeriodType();\n\t\t\t}\n\t\t}\n\n\t\tresetPaymentDateOptions();\n\n\t\tupdateDisbursementRelativeDays();\n\t}\n\n\tfunction resetRelativeDateOptions () {\n\t\tangular.merge($ctrl, {\n\t\t\trelativeOptions: {\n\t\t\t\tstate: RELATIVE_PAYMENT_OPTIONS.onPayDay,\n\t\t\t\tbeforeDayCount: 0,\n\t\t\t\tafterDayCount: 0\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction resetPaymentDateOptions () {\n\t\tangular.merge($ctrl.disbursement, {\n\t\t\tDate1ISO: '',\n\t\t\tDate2ISO: '',\n\t\t\tDate3ISO: '',\n\t\t\tDate4ISO: '',\n\t\t\tDayOfMonth: $ctrl.disbursement.SeparateBACS && $ctrl.bacsPaymentDateOption === DISBURSEMENT_CONTEXT_TYPES.dayOfMonth ? null : 0,\n\t\t});\n\t}\n\n\tfunction updateDisbursementRelativeDays () {\n\t\t$ctrl.disbursement.RelativeDays = getRelativeDaysCount();\n\n\t\tif ($ctrl.relativeOptions.state === RELATIVE_PAYMENT_OPTIONS.onPayDay && angular.isDefined($ctrl.form[`${$ctrl.formId}-afterDayCount`])) {\n\t\t\t$ctrl.form[`${$ctrl.formId}-afterDayCount`].$setUntouched();\n\t\t\t$ctrl.relativeOptions.afterDayCount = 0;\n\t\t}\n\t}\n\n\tfunction updatePaymentDateValidation (date1Iso) {\n\t\t$ctrl.paymentDateValidation = payPeriodService.getPayPeriodsDateValidation(date1Iso, $ctrl.payPeriod.PeriodType === PAY_PERIOD_TYPES.quarterly);\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tCOMPONENT_STATES,\n\t\tDISBURSEMENT_CONTEXT_TYPES,\n\t\tPAY_PERIOD_OFFSET_OPTIONS,\n\t\tPAY_PERIOD_TYPES,\n\t\tPAYMENT_FREQUENCIES,\n\t\tRELATIVE_PAYMENT_OPTIONS,\n\n\t\tonSeparateBACSChange,\n\t\tresetPaymentOptions,\n\t\tupdateDisbursementRelativeDays,\n\t\tupdatePaymentDateValidation,\n\n\t\thmrcBankAccount: HMRC_PAYMENT_ACCOUNTS.find(bankAccountObj => bankAccountObj.id === HMRC_PAYMENT_ACCOUNTS_IDS.uk)\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('bankSummaryCard', {\n\tbindings: {\n\t\tbank: '<',\n\t\tbankTitle: '@',\n\t\tonEdit: '&',\n\t\ttheme: '@'\n\t},\n\ttemplateUrl: 'components/bank-summary-card/bank-summary-card.component.html'\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('birthDateInput', {\n\tbindings: {\n\t\tdebounce: '',\n\t\tid: '@',\n\t\tmaxDateIso: '',\n\t\tminDateIso: '',\n\t\tngModel: '=',\n\t\tonUpdate: '&',\n\t\trequired: ''\n\t},\n\trequire: {\n\t\tform: '^form'\n\t},\n\tcontroller: 'birthDateInputComponentCtrl',\n\ttemplateUrl: 'components/birth-date-input/birth-date-input.component.html',\n})\n.controller('birthDateInputComponentCtrl', [\n\t'config',\n\tfunction (\n\t\tconfig\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst VALIDATION_STATES = {\n\t\tdateDoesntExist: 'date-doesnt-exist', // Date isn't real (eg, 29th Feb 2022)\n\t\tdateIsAfterMax: 'date-after-max-date', // Date is after set maxDateIso\n\t\tdateIsBeforeMin: 'date-before-min-date', // Date is after set minDateIso\n\t\tvalid: true,\n\t\twaiting: false\n\t};\n\n\tfunction $onInit () {\n\n\t\tsetValidationState(VALIDATION_STATES.waiting);\n\n\t\t// Set defaults\n\t\tconst date = {\n\t\t\tngModel: null,\n\t\t\tid: $ctrl.id + '-date'\n\t\t};\n\n\t\tconst month = {\n\t\t\tngModel: null,\n\t\t\tid: $ctrl.id + '-month'\n\t\t};\n\n\t\tconst year = {\n\t\t\tngModel: null,\n\t\t\tid: $ctrl.id + '-year'\n\t\t};\n\n\t\tangular.extend($ctrl, {\n\t\t\tsegments: {\n\t\t\t\tdate,\n\t\t\t\tmonth,\n\t\t\t\tyear\n\t\t\t},\n\t\t\tsegmentsArray: [\n\t\t\t\tdate,\n\t\t\t\tmonth,\n\t\t\t\tyear\n\t\t\t]\n\t\t});\n\n\t\tsetSegmentValuesFromNgModel();\n\t}\n\n\n\tfunction getDateFromSegments () {\n\n\t\tconst segmentValuesObj = getSegmentValuesObject();\n\t\tconst birthDateMoment = moment().set(segmentValuesObj);\n\n\t\t// Block MomentJS from overflowing the dates (date = 34 would return the 4th of the next month)\n\t\tif (birthDateMoment.month() !== segmentValuesObj.month || birthDateMoment.year() !== segmentValuesObj.year) {\n\t\t\treturn;\n\t\t}\n\n\t\treturn birthDateMoment;\n\t}\n\n\tfunction getPaddedStringForIntegerValue (value) {\n\t\treturn value.toString().padStart(2, '0'); // 3 => \"04\", 12 => \"12\"\n\t}\n\n\tfunction getSegmentValuesObject () {\n\n\t\t// Create object from segment values, and set time to middnight\n\t\treturn {\n\t\t\tyear: getSegmentValueAsInteger($ctrl.segments.year),\n\t\t\tmonth: getSegmentValueAsInteger($ctrl.segments.month)-1, // MomentJS indexes months from 0\n\t\t\tdate: getSegmentValueAsInteger($ctrl.segments.date),\n\t\t\thour: 0,\n\t\t\tminute: 0,\n\t\t\tsecond: 0,\n\t\t\tmillisecond: 0\n\t\t};\n\t}\n\n\tfunction getSegmentValueAsInteger (segmentObj) {\n\t\treturn parseInt(segmentObj.formField.$viewValue); // Get view value instead if ngModel as ngModel is null if field is invalid\n\t}\n\n\tfunction getValidDate () {\n\n\t\tconst birthDateMoment = getDateFromSegments();\n\t\tconst isDateRealDate = moment.isMoment(birthDateMoment) && birthDateMoment.isValid();\n\n\t\tsetSegmentValidity(isDateRealDate);\n\n\t\tif (isDateRealDate) {\n\n\t\t\t// Max date validation\n\t\t\tif (angular.isDefined($ctrl.maxDateIso)) {\n\n\t\t\t\tif (birthDateMoment.isAfter(moment($ctrl.maxDateIso))) {\n\t\t\t\t\tsetValidationState(VALIDATION_STATES.dateIsAfterMax);\n\t\t\t\t\tsetSegmentValidity(false);\n\t\t\t\t\treturn;\n\t\t\t\t} else {\n\t\t\t\t\tsetSegmentValidity(true);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Min date validation\n\t\t\tif (angular.isDefined($ctrl.minDateIso)) {\n\t\t\t\tif (birthDateMoment.isBefore(moment($ctrl.minDateIso))) {\n\t\t\t\t\tsetValidationState(VALIDATION_STATES.dateIsBeforeMin);\n\t\t\t\t\tsetSegmentValidity(false);\n\t\t\t\t\treturn;\n\t\t\t\t} else {\n\t\t\t\t\tsetSegmentValidity(true);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tonDateValid(birthDateMoment);\n\n\t\t} else {\n\t\t\tsetValidationState(VALIDATION_STATES.dateDoesntExist);\n\t\t\t$ctrl.ngModel = null;\n\t\t}\n\t}\n\n\tfunction onDateValid (birthDateMoment) {\n\n\t\tsetValidationState(VALIDATION_STATES.valid);\n\n\t\t// Set ngModel to standard ISO date format if valid\n\t\t$ctrl.ngModel = birthDateMoment.format(config.dateFormatISO);\n\n\t\tif (angular.isFunction($ctrl.onUpdate)) {\n\t\t\t$ctrl.onUpdate({ dobIso: $ctrl.ngModel });\n\t\t}\n\t}\n\n\tfunction onSegmentChange () {\n\n\t\tsetValidationState(VALIDATION_STATES.waiting);\n\n\t\t// Clear ngModel if segments are empty`\n\t\tif (!$ctrl.segments.date.ngModel || !$ctrl.segments.month.ngModel || !$ctrl.segments.year.ngModel) {\n\t\t\t$ctrl.ngModel = null;\n\t\t\treturn;\n\t\t}\n\n\t\tgetValidDate();\n\t}\n\n\n\tfunction setInputFormFields () {\n\n\t\t// Set form fields, only once form has loaded\n\t\tfor (let segmentObj of $ctrl.segmentsArray) {\n\n\t\t\t// Attach $form field to segment\n\t\t\tsegmentObj.formField = $ctrl.form[segmentObj.id];\n\n\t\t}\n\t}\n\n\tfunction setSegmentValidity (isDateValid) {\n\n\t\t// Set validation state across all segments\n\t\tfor (let segmentObj of $ctrl.segmentsArray) {\n\t\t\tsegmentObj.formField.$setValidity('isDateValid', isDateValid);\n\t\t}\n\t}\n\n\tfunction setSegmentValuesFromNgModel () {\n\n\t\t// Assign values from ISO timestamp\n\t\tif (!$ctrl.ngModel) {\n\t\t\treturn;\n\t\t}\n\n\t\tconst ngModelMoment = moment($ctrl.ngModel);\n\n\t\t$ctrl.segments.date.ngModel = getPaddedStringForIntegerValue(ngModelMoment.date());\n\t\t$ctrl.segments.month.ngModel = getPaddedStringForIntegerValue(ngModelMoment.month()+1); // MomentJS month index begins at 0\n\t\t$ctrl.segments.year.ngModel = getPaddedStringForIntegerValue(ngModelMoment.year());\n\t}\n\n\tfunction setValidationState (newState) {\n\t\t$ctrl.validationState = newState;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\t$postLink: setInputFormFields,\n\n\t\tonSegmentChange,\n\n\t\tVALIDATION_STATES,\n\n\t\tdebounce: $ctrl.debounce || 0\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('bulletList', {\n\tbindings: {\n\t\tblItems: '',\n\t\tblTheme: '@?'\n\t},\n\tcontroller: 'bulletListCtrl',\n\ttemplateUrl: 'components/bullet-list/bullet-list.component.html',\n\ttransclude: {\n\t\t'items': '?blItems'\n\t},\n})\n.controller('bulletListCtrl', ['$transclude', function ($transclude) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tconst listItemsArr = [];\n\n\t\t/*\n\t\t\tList could be either objects or strings to allow for custom class names per list item\n\t\t\te.g,\n\t\t\t[\n\t\t\t\t{\n\t\t\t\t\ttext: 'Highlighted test',\n\t\t\t\t\tclass: 'highlighted'\n\t\t\t\t},\n\t\t\t\t'Normal Text',\n\t\t\t\t'Normal Text'\n\t\t\t]\n\t\t*/\n\n\t\tif (angular.isArray($ctrl.blItems)) {\n\n\t\t\tfor (let listItem of $ctrl.blItems) {\n\n\t\t\t\tif (angular.isObject(listItem)) {\n\t\t\t\t\tlistItemsArr.push(listItem);\n\n\t\t\t\t} else {\n\t\t\t\t\tlistItemsArr.push({\n\t\t\t\t\t\ttext: listItem\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t}\n\t\t}\n\n\t\t$ctrl.listItemsDecorated = listItemsArr;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\thasItems: $transclude.isSlotFilled('items')\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('bureauCard', {\n\tbindings: {\n\t\tbureau: '=',\n\t\tcallback: '=',\n\t\tonCheckboxToggle: '=',\n\t\trefreshBureaus: '='\n\t},\n\tcontroller: 'bureauCardCtrl',\n\ttemplateUrl: 'components/bureau-card/bureau-card.component.html'\n})\n.controller('bureauCardCtrl', [\n\t'$rootScope',\n\t'FORM_WIZARD_KEYS',\n\tfunction (\n\t\t$rootScope,\n\t\tFORM_WIZARD_KEYS\n\t) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\t\t// IsArchived flag on bureau doesn't appear to be set correctly. Determine using the archive date.\n\t\t$ctrl.bureau.isArchived = $ctrl.bureau.Company.ArchiveDateISO !== '';\n\t};\n\n\tfunction openAddCompanyWizard () {\n\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\tcallback: $ctrl.callback,\n\t\t\tagencyProfileParentId: $ctrl.bureau.Company.AgencyProfileID,\n\t\t\tprimaryButtonText: 'Next',\n\t\t\tshowHeader: true,\n\t\t\ttitle: 'Create company',\n\t\t\twizardKey: FORM_WIZARD_KEYS.company\n\t\t});\n\t}\n\n\tfunction openAutoCreateCompanyForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tcallback: $ctrl.callback,\n\t\t\tformKey: 'auto-create-company',\n\t\t\tagencyProfileParentId: $ctrl.bureau.Company.AgencyProfileID\n\t\t});\n\t}\n\n\tfunction openManageAdminsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.bureau.Company.AgencyProfileID,\n\t\t\tformKey: 'manage-admins'\n\t\t});\n\t}\n\n\tfunction openArchiveBureauForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tbureauCompany: $ctrl.bureau.Company,\n\t\t\tcallback: $ctrl.refreshBureaus,\n\t\t\tformKey: 'archive-bureau',\n\t\t\tshowContext: false\n\t\t});\n\t}\n\n\tfunction openDeleteBureauForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.bureau.Company.AgencyProfileID,\n\t\t\tcallback: $ctrl.refreshBureaus,\n\t\t\tformKey: 'delete-bureau',\n\t\t\tshowContext: false\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\n\t\tshowMenu: false,\n\n\t\topenAddCompanyWizard,\n\t\topenAutoCreateCompanyForm,\n\t\topenManageAdminsForm,\n\t\topenArchiveBureauForm,\n\t\topenDeleteBureauForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('businessCategory', {\n\tbindings: {\n\t\tbusinessCategory: '<',\n\t\tdisabled: '<',\n\t\tindex: '<',\n\t\tonUpdate: '&',\n\t},\n\tcontroller: 'businessCategoryController',\n\ttemplateUrl: 'components/business-category/business-category.component.html'\n})\n.controller('businessCategoryController', [\n\t'$rootScope',\n\tfunction (\n\t\t$rootScope\n\t) {\n\n\tconst agencyProfileId = $rootScope.currentCompany.AgencyProfileID;\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tdeleteBusinessCategory,\n\t\t\teditBusinessCategory,\n\t\t\tisExpanded: true,\n\t\t\tshowActionMenu: false,\n\t\t\ttoggleIsExpanded\n\t\t});\n\t}\n\n\tfunction deleteBusinessCategory (businessCategory) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tbusinessCategory,\n\t\t\tcallback: $ctrl.onUpdate(),\n\t\t\tformKey: 'company-settings-delete-business-category',\n\t\t\tprimaryButtonText: 'Delete'\n\t\t});\n\t}\n\n\tfunction editBusinessCategory (businessCategory) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tbusinessCategory,\n\t\t\tcallback: $ctrl.onUpdate(),\n\t\t\tformKey: 'company-settings-add-business-category'\n\t\t});\n\t}\n\n\tfunction openDepartmentSubCodeOverridesForm (businessCodeObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tbusinessCode: businessCodeObj,\n\t\t\tcallback: $ctrl.onUpdate(),\n\t\t\tformKey: 'company-settings-department-sub-code-overrides',\n\t\t\ttitle: `${businessCodeObj.BusinessCodeNarrative} sub-code overrides`\n\t\t});\n\t}\n\n\tfunction toggleIsExpanded () {\n\n\t\t$ctrl.isExpanded = !$ctrl.isExpanded;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\topenDepartmentSubCodeOverridesForm\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('businessCategoriesOverride', {\n\tbindings: {\n\t\tbusinessCategories: '=',\n\t\tuserForename: '<'\n\t},\n\tcontroller: 'businessCategoriesOverrideCtrl',\n\ttemplateUrl: 'components/business-categories-override/business-categories-override.component.html'\n})\n.controller('businessCategoriesOverrideCtrl', function () {\n\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tif ($ctrl.businessCategories) {\n\t\t\t$ctrl.businessCategories = $ctrl.businessCategories.filter(businessCategory => businessCategory.BusinessCodes.length !== 0);\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('businessCodeCard', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tbusinessCategory: '<',\n\t\tbusinessCode: '<',\n\t\trefreshDepartments: '&?',\n\t\tshowExtras: '&?'\n\t},\n\tcontroller: 'businessCodeCardCtrl',\n\ttemplateUrl: 'components/business-code-card/business-code-card.component.html',\n})\n.controller('businessCodeCardCtrl', [\n\t'$rootScope',\n\t'BUSINESS_CATEGORY_TYPES',\n\t'BUSINESS_CODE_FORM_STATES',\n\tfunction (\n\t\t$rootScope,\n\t\tBUSINESS_CATEGORY_TYPES,\n\t\tBUSINESS_CODE_FORM_STATES\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction getBusinessCodeFormTitle (formState) {\n\n\t\tswitch (formState) {\n\t\t\tcase BUSINESS_CODE_FORM_STATES.delete:\n\t\t\t\treturn 'Delete business category';\n\n\t\t\tcase BUSINESS_CODE_FORM_STATES.manageTeamMembers:\n\t\t\t\treturn 'Manage team members';\n\n\t\t\tcase BUSINESS_CODE_FORM_STATES.manageVisibility:\n\t\t\t\treturn 'Manage visibility';\n\n\t\t\tcase BUSINESS_CODE_FORM_STATES.create:\n\t\t\t\treturn 'Add new business category';\n\n\t\t\tcase BUSINESS_CODE_FORM_STATES.edit:\n\t\t\t\treturn 'Edit business category';\n\t\t}\n\t}\n\n\tfunction hideMenu (ctrlObj) {\n\n\t\tctrlObj.showMenu = false;\n\t}\n\n\tfunction openBusinessCodeEditForm ($ctrl) {\n\n\t\topenBusinessCodeForm($ctrl, {\n\t\t\tformState: BUSINESS_CODE_FORM_STATES.edit\n\t\t});\n\t}\n\n\tfunction openBusinessCodeDeleteForm ($ctrl) {\n\n\t\topenBusinessCodeForm($ctrl, {\n\t\t\tformState: BUSINESS_CODE_FORM_STATES.delete\n\t\t});\n\t}\n\n\tfunction openBusinessCodeForm ($ctrl, formObj) {\n\n\t\t$rootScope.openSlideInForm(angular.extend({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.refreshDepartments,\n\t\t\tbusinessCategory: $ctrl.businessCategory,\n\t\t\tbusinessCodeId: $ctrl.businessCode.BusinessCodeID,\n\t\t\tformKey: 'business-code',\n\t\t\ttitle: getBusinessCodeFormTitle(formObj.formState)\n\t\t}, formObj));\n\t}\n\n\tfunction openBusinessCodeManageTeamMembersForm ($ctrl) {\n\n\t\topenBusinessCodeForm($ctrl, {\n\t\t\tformState: BUSINESS_CODE_FORM_STATES.manageTeamMembers\n\t\t});\n\t}\n\t\n\tfunction openBusinessCodeManageVisibilityForm ($ctrl) {\n\n\t\topenBusinessCodeForm($ctrl, {\n\t\t\tformState: BUSINESS_CODE_FORM_STATES.manageVisibility\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\tBUSINESS_CATEGORY_TYPES,\n\t\tBUSINESS_CODE_FORM_STATES,\n\n\t\thideMenu,\n\t\topenBusinessCodeDeleteForm,\n\t\topenBusinessCodeEditForm,\n\t\topenBusinessCodeManageTeamMembersForm,\n\t\topenBusinessCodeManageVisibilityForm,\n\n\t\tshowMenu: false\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('businessCodeFormField', {\n\tbindings: {\n\t\tindex: '=',\n\t\tbusinessCode: '=',\n\t\tbusinessCodeList: '=',\n\t\tshowActions: ''\n\t},\n\tcontroller: 'businessCodeFormFieldController',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/business-code-form-field/business-code-form-field.component.html'\n})\n.controller('businessCodeFormFieldController', [function () {\n\n\tlet $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tbusinessCodeValueFormFieldId: `businessCodeValue${$ctrl.index}`,\n\t\t\tbusinessCodeNarrativeFormFieldId: `businessCodeNarrative${$ctrl.index}`\n\t\t});\n\t\tdecorateBusinessCode($ctrl.businessCode);\n\t};\n\n\tfunction decorateBusinessCode (businessCode) {\n\n\t\tbusinessCode.confirmDelete = false;\n\t}\n\n\tfunction deleteBusinessCode (businessCode) {\n\n\t\tbusinessCode.BusinessCodeArchived = true;\n\t}\n\n\tfunction isUnique (businessCode, businessCodeList, businessCodeAttribute) {\n\n\t\treturn !angular.isDefined(businessCodeList.find(code => {\n\t\t\treturn (code !== businessCode && !code.BusinessCodeArchived && code[businessCodeAttribute] === businessCode[businessCodeAttribute]);\n\t\t}));\n\t}\n\n\tfunction onBusinessCodeAttributeChange (formFieldName, attributeName) {\n\n\t\t$ctrl.businessCodeList.forEach((businessCode, index) => {\n\t\t\tlet formField = $ctrl.form[`${formFieldName}${index}`];\n\t\t\tif (!businessCode.BusinessCodeArchived) {\n\t\t\t\tformField.$setValidity('nonUnique', isUnique(businessCode, $ctrl.businessCodeList, attributeName));\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction toggleConfirmDeleteBusinessCode (businessCode) {\n\n\t\tbusinessCode.confirmDelete = !businessCode.confirmDelete;\n\t}\n\n\tangular.extend($ctrl, {\n\n\t\tdeleteBusinessCode,\n\t\tonBusinessCodeAttributeChange,\n\t\tshowActions: angular.isDefined($ctrl.showActions) ? $ctrl.showActions : true,\n\t\ttoggleConfirmDeleteBusinessCode\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('buttonCard', {\n\tbindings: {\n\t\timgSrc: '@',\n\t\ttitle: '@?',\n\t\tsubtitle: '@?',\n\t\tbuttonLink: '@?',\n\t\tbannerText: '@?'\n\t},\n\tcontrollerAs: '$ctrl',\n\ttemplateUrl: 'components/button-card/button-card.component.html'\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('calculationCard', {\n\tbindings: {\n\t\ttitle: '@',\n\t\tamount: '=',\n\t\tbusy: ''\n\t},\n\ttemplateUrl: 'components/calculation-card/calculation-card.component.html'\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('carouselInput', {\n\tbindings: {\n\t\tcurrentIndex: '=',\n\t\tmaxIndex: '<',\n\t\tonIndexChange: '&?',\n\t\tshowDetail: '',\n\t\ttheme: ''\n\t},\n\tcontroller: 'carouselInputCtrl',\n\ttemplateUrl: 'components/carousel-input/carousel-input.component.html'\n})\n.controller('carouselInputCtrl', function () {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\t\tangular.extend($ctrl, {\n\t\t\ttheme: angular.isDefined($ctrl.theme) ? $ctrl.theme : 'is-secondary',\n\t\t\tshowDetail: angular.isDefined($ctrl.showDetail) ? $ctrl.showDetail : true\n\t\t});\n\t}\n\n\tfunction decreaseIndex ($ctrl) {\n\t\t$ctrl.currentIndex--;\n\t\tonIndexChange($ctrl);\n\t}\n\n\tfunction increaseIndex ($ctrl) {\n\t\t$ctrl.currentIndex++;\n\t\tonIndexChange($ctrl);\n\t}\n\n\tfunction onIndexChange ($ctrl) {\n\n\t\tif (angular.isFunction($ctrl.onIndexChange)) {\n\t\t\t$ctrl.onIndexChange();\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tdecreaseIndex,\n\t\tincreaseIndex,\n\t});\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('changeCreator', {\n\tbindings: {\n\t\tvm: '=',\n\t\tadjustmentLabel: '=?',\n\t\tagencyProfileId: '<',\n\t\tallowAddTeamMembers: '<'\n\t},\n\tcontroller: 'changeCreatorCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/change-creator/change-creator.component.html'\n})\n.controller('changeCreatorCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$timeout',\n\t'$transclude',\n\t'adjustmentsService',\n\t'base',\n\t'config',\n\t'growl',\n\t'journalsService',\n\t'newRelicService',\n\t'payrollData',\n\t'pensionData',\n\t'pensionService',\n\t'salaryService',\n\t'teamData',\n\t'validationService',\n\t'ADJUSTMENT_CATEGORY_TYPES',\n\t'ADJUSTMENT_SPECIAL_TYPES',\n\t'ADJUSTMENT_VALUE_TYPES',\n\t'EMPLOYMENT_TYPES',\n\t'PAYMENT_TYPES',\n\t'SALARY_INTERVAL_TYPES',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$timeout,\n\t\t$transclude,\n\t\tadjustmentsService,\n\t\tbase,\n\t\tconfig,\n\t\tgrowl,\n\t\tjournalsService,\n\t\tnewRelicService,\n\t\tpayrollData,\n\t\tpensionData,\n\t\tpensionService,\n\t\tsalaryService,\n\t\tteamData,\n\t\tvalidationService,\n\t\tADJUSTMENT_CATEGORY_TYPES,\n\t\tADJUSTMENT_SPECIAL_TYPES,\n\t\tADJUSTMENT_VALUE_TYPES,\n\t\tEMPLOYMENT_TYPES,\n\t\tPAYMENT_TYPES,\n\t\tSALARY_INTERVAL_TYPES\n\t) {\n\n\tconst $ctrl = this;\n\tconst ADJUSTMENT_TYPE_FILTER_KEYS = {\n\t\tdeductions: 'deductions',\n\t\tadditions: 'additions'\n\t};\n\tconst FORM_FIELD_IDS = {\n\t\tadjustmentTotalValue: 'adjustmentTotalValue',\n\t\tadjustmentUnits: 'adjustmentUnits',\n\t\tsearchTermTeamMembers: 'searchTermTeamMembers'\n\t};\n\n\tfunction $onInit () {\n\n\t\t// Defaults\n\t\t$ctrl.allowAddTeamMembers = angular.isDefined($ctrl.allowAddTeamMembers) ? $ctrl.allowAddTeamMembers : true;\n\n\t\tangular.extend($ctrl.vm, {\n\t\t\tADJUSTMENT_CATEGORY_TYPES,\n\t\t\tADJUSTMENT_TYPE_FILTER_KEYS,\n\t\t\tcalculateAdjustmentValue,\n\t\t\tcalculatePercentageValue,\n\t\t\tcanSetToSalary,\n\t\t\tdeselectAdjustmentType,\n\t\t\tdeselectTeamMember,\n\t\t\tgetPayPeriodForPeriodCount,\n\t\t\tgetSalaryUnpaidLeave,\n\t\t\tincrementSearchResultsAdjustmentTypes,\n\t\t\tonBusinessCategoriesOverrideChange,\n\t\t\tonApplyToAdditionalPostChange,\n\t\t\tresetAdjustmentTypeSearchTerm,\n\t\t\tresetNetToGrossEnabled,\n\t\t\tresetTeamMemberSearchTerm,\n\t\t\treviewNetToGross,\n\t\t\tselectAdjustmentType,\n\t\t\tselectAdjustmentTypeCategory,\n\t\t\tselectSalaryRate,\n\t\t\tselectTeamMember,\n\t\t\tselectedTeamMembers: [], // Make sure this is reset each time the component is initiated otherwise it will duplicate\n\t\t\tsetPercentageCalculationToSalary,\n\t\t\ttoggleIsApplyToAll,\n\t\t\ttoggleSearchTermTeamMembersFocus,\n\t\t\tupdateAdjustmentTypeFilter\n\t\t});\n\n\t\tvalidateVm($ctrl);\n\n\t\t// Not valid\n\t\tif (!$ctrl.vm.isValid) {\n\t\t\tsetComponentState($ctrl.vm.validationState);\n\t\t\treturn;\n\t\t}\n\n\t\t// Preselect team members if applicable\n\t\tif ($ctrl.vm.IS_APPLICABLE_TO_TEAM_MEMBERS && angular.isDefined($ctrl.vm.userIds) && $ctrl.vm.userIds.length > 0) {\n\t\t\ttry {\n\t\t\t\tselectTeamMembersByUserIds($ctrl, $ctrl.vm.userIds);\n\t\t\t}\n\t\t\tcatch (error) {\n\t\t\t\tconsole.error(error);\n\t\t\t}\n\t\t}\n\n\t\t// Preselect adjustment type by id if defined and not an empty guid\n\t\tif ($ctrl.vm.selectedAdjustmentTypeId && !validationService.isEmptyGuid($ctrl.vm.selectedAdjustmentTypeId)) {\n\t\t\tselectAdjustmentTypeById($ctrl);\n\t\t}\n\n\t\t// Preselect Pension scheme\n\t\tif ($ctrl.vm.newAdjustment && $ctrl.vm.newAdjustment.adjustmentType && ($ctrl.vm.newAdjustment.adjustmentType.IsEmployerPension || $ctrl.vm.newAdjustment.adjustmentType.IsEmployeePension)) {\n\t\t\tgetPensionsForTeamMember($ctrl);\n\t\t}\n\n\t\t// Preselect adjustment type by name if defined\n\t\tif ($ctrl.vm.selectedAdjustmentTypeName) {\n\t\t\tselectAdjustmentTypeByName($ctrl);\n\t\t}\n\n\t\ttry {\n\n\t\t\t// Setup adjustment categories\n\t\t\tsetupAdjustmentCategories($ctrl);\n\t\t}\n\t\tcatch (error) {\n\n\t\t\tconsole.error(error);\n\t\t}\n\n\t\tsetComponentState('ready');\n\t}\n\n\tfunction calculateAdjustmentValue ($ctrl) {\n\n\t\t$ctrl.vm.newAdjustment.Value = adjustmentsService.getAdjustmentUnitValue($ctrl.vm.newAdjustment);\n\t}\n\n\tfunction calculatePercentageValue ($ctrl) {\n\n\t\t$ctrl.vm.newAdjustment.Value = adjustmentsService.getAdjustmentPercentageValue($ctrl.vm.newAdjustment);\n\t}\n\n\tfunction canSetToSalary ($ctrl) {\n\n\t\tif (!$ctrl.vm.IS_SET_TO_SALARY_ENABLED) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// Only applies to team members with salaries\n\t\treturn $ctrl.vm.selectedTeamMembers[0].SalaryType === $ctrl.vm.PAYMENT_TYPES.salary;\n\t}\n\n\tfunction decorateSalaryObj (salaryObj) {\n\n\t\tsalaryObj.calculation = null;\n\t\tsalaryObj.hasSalaryRates = false;\n\n\t\tsalaryObj.SalaryRates.forEach(salaryRateObj => {\n\n\t\t\tif (salaryRateObj.SalaryRateHours > 0) {\n\t\t\t\tsalaryRateObj.SalaryRateDescription += ` (${salaryRateObj.SalaryRateHours} x ${$filter('monetise')(salaryRateObj.SalaryRateValue, config.precision.salaryRates)})`;\n\t\t\t}\n\t\t\telse {\n\t\t\t\tsalaryRateObj.SalaryRateDescription += ` (${$filter('monetise')(salaryRateObj.SalaryRateValue, config.precision.salaryRates)})`;\n\t\t\t}\n\n\t\t});\n\n\t\treturn salaryObj;\n\t}\n\n\tfunction deselectAdjustmentType ($ctrl) {\n\n\t\t$ctrl.vm.newAdjustment.adjustmentType = null;\n\n\t\tsetValidity(true);\n\t\tresetNetToGrossEnabled($ctrl);\n\t\tresetPayslipLabel($ctrl);\n\t}\n\n\tfunction deselectTeamMember ($ctrl, index) {\n\n\t\t$ctrl.vm.selectedTeamMembers.splice(index, 1);\n\n\t\tresetAdjustmentType($ctrl);\n\n\t\tfocusOn(FORM_FIELD_IDS.searchTermTeamMembers);\n\t}\n\n\tfunction focusOn (elementId) {\n\n\t\tif (!elementId) {\n\t\t\treturn;\n\t\t}\n\n\t\t$timeout(() => {\n\t\t\tif (document.getElementById(elementId)) {\n\t\t\t\tdocument.getElementById(elementId).focus();\n\t\t\t}\n\t\t\telse {\n\t\t\t\t$rootScope.paycircleMessage(`Unable to apply element focus to #${elementId} as it could not be found.`, 'warn');\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction getAdjustmentTypeByName ($ctrl) {\n\n\t\tconst numberOfAdjustmentTypes = $ctrl.vm.adjustmentTypes.length;\n\n\t\tlet i = 0;\n\n\t\tfor (i; i < numberOfAdjustmentTypes; i++) {\n\n\t\t\tif ($ctrl.vm.adjustmentTypes[i].AgencyAdjustmentGroupEntryText === $ctrl.vm.selectedAdjustmentTypeName) {\n\t\t\t\treturn angular.copy($ctrl.vm.adjustmentTypes[i]);\n\t\t\t}\n\t\t}\n\n\t\treturn null;\n\t}\n\n\tfunction getAdjustmentTypeFilterByFilterKey (filterKey) {\n\n\t\tswitch (filterKey) {\n\t\t\tcase ADJUSTMENT_TYPE_FILTER_KEYS.deductions:\n\t\t\t\treturn (v) => {\n\t\t\t\t\treturn v.IsDeduction;\n\t\t\t\t};\n\t\t\tcase ADJUSTMENT_TYPE_FILTER_KEYS.additions:\n\t\t\t\treturn (v) => {\n\t\t\t\t\treturn !v.IsDeduction;\n\t\t\t\t};\n\t\t\tdefault:\n\t\t\t\treturn (v) => {\n\t\t\t\t\treturn v;\n\t\t\t\t};\n\t\t}\n\t}\n\n\tfunction getFormFieldIdForAdjustmentType (adjustmentTypeObj) {\n\n\t\tswitch (adjustmentTypeObj.AgencyAdjustmentValueType) {\n\n\t\t\t// Absolute\n\t\t\tcase ADJUSTMENT_VALUE_TYPES.absolute:\n\n\t\t\t\t// Special types\n\t\t\t\tswitch (adjustmentTypeObj.AgencyAdjustmentSpecialType) {\n\n\t\t\t\t\t// Accrued holiday\n\t\t\t\t\tcase ADJUSTMENT_SPECIAL_TYPES.accruedHoliday:\n\n\t\t\t\t\t\t// Accrued holiday is automatically calculated so focus is not required\n\t\t\t\t\t\treturn null;\n\n\t\t\t\t\tdefault:\n\n\t\t\t\t\t\treturn FORM_FIELD_IDS.adjustmentTotalValue;\n\n\t\t\t\t}\n\n\t\t\t\tbreak;\n\n\t\t\t// Unit\n\t\t\tcase ADJUSTMENT_VALUE_TYPES.unit:\n\t\t\t\treturn FORM_FIELD_IDS.adjustmentUnits;\n\n\t\t\t// Percentage\n\t\t\tcase ADJUSTMENT_VALUE_TYPES.percentage:\n\t\t\t\treturn FORM_FIELD_IDS.adjustmentUnits;\n\n\t\t\tdefault:\n\t\t\t\treturn null;\n\t\t}\n\t}\n\n\tfunction getIsPeriodCalculationApplicable (salaryObj) {\n\n\t\treturn salaryObj.PaymentType === PAYMENT_TYPES.salary && salaryObj.EmploymentType === EMPLOYMENT_TYPES.standard;\n\t}\n\n\tfunction getPensionsForTeamMember ($ctrl) {\n\n\t\tsetPensionState('loading');\n\n\t\tpensionData.getPensionsForTeamMember($ctrl.vm.selectedTeamMembers[0].UserID, $ctrl.agencyProfileId)\n\t\t\t.then(teamMemberPensionsArr => {\n\n\t\t\t\t// Decorate pension with label\n\t\t\t\tfor (let pensionObj of teamMemberPensionsArr) {\n\t\t\t\t\tlet pensionLabel = `${pensionObj.PensionProviderName} ${pensionObj.EmployerReference}`;\n\t\t\t\t\t// Append additional post title if applicable\n\t\t\t\t\tif (pensionObj.IsAdditionalPost) {\n\t\t\t\t\t\tpensionLabel += ` (${pensionObj.SalaryPolicyPostTitle})`;\n\t\t\t\t\t}\n\t\t\t\t\tpensionObj.pensionLabel = pensionLabel;\n\t\t\t\t}\n\n\t\t\t\t$ctrl.vm.selectedTeamMembers[0].pensions = teamMemberPensionsArr;\n\n\t\t\t\tif (teamMemberPensionsArr.length > 0) {\n\n\t\t\t\t\tif ($ctrl.vm.newAdjustment.AgencyEmployerPensionID === config.guidEmpty) {\n\t\t\t\t\t\tconst defaultPension = pensionService.getDefaultPensionForAdjustment(teamMemberPensionsArr);\n\t\t\t\t\t\t$ctrl.vm.newAdjustment.AgencyEmployerPensionID = defaultPension.AgencyEmployerPensionID;\n\t\t\t\t\t}\n\n\t\t\t\t\tfocusOn('adjustmentTotalValue');\n\n\t\t\t\t\tsetPensionState('ready');\n\t\t\t\t} else {\n\t\t\t\t\tsetValidity(false);\n\t\t\t\t}\n\n\t\t\t})\n\t\t\t.catch(error => {\n\t\t\t\tconsole.error(error);\n\t\t\t\tsetPensionState('error');\n\t\t\t});\n\t}\n\n\tfunction getSalaryUnpaidLeave ($ctrl) {\n\n\t\tif ($ctrl.vm.selectedTeamMembers.length === 0) {\n\t\t\tsetComponentState('error');\n\t\t\tgrowl.error('No team members have been selected');\n\t\t\t$rootScope.paycircleMessage('A calculated/percentage change type requires a team member to have been selected to work.', 'info');\n\t\t\treturn;\n\t\t}\n\n\t\tif ($ctrl.vm.selectedTeamMembers.length > 1) {\n\t\t\tsetComponentState('error');\n\t\t\tgrowl.error('Calculated/Percentage change types can only be applied to one team member at a time');\n\t\t\t$rootScope.paycircleMessage('A calculated/percentage change type has been selected for multiple team members. This is not allowed.', 'info');\n\t\t\treturn;\n\t\t}\n\n\t\tpayrollData.getSalaryUnpaidLeave($ctrl.agencyProfileId, $ctrl.vm.selectedTeamMembers[0].UserID, $ctrl.vm.selectedPayPeriodId, $ctrl.vm.selectedAdjustmentType.AdjustmentUnits).then(calculationObj => {\n\n\t\t\t$ctrl.vm.calculation = calculationObj;\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\n\tfunction getPayPeriodForPeriodCount ($ctrl) {\n\n\t\t$ctrl.vm.recurringPayPeriodDisplay = '';\n\n\t\tif (!$ctrl.vm.newAdjustment.RecurringPeriodCount || $ctrl.vm.newAdjustment.RecurringPeriodCount < 1) {\n\t\t\treturn;\n\t\t}\n\n\t\tpayrollData.getPayPeriodForPeriodCount($ctrl.agencyProfileId, $ctrl.vm.newAdjustment.RecurringPeriodCount)\n\t\t\t.then(payPeriodObj => {\n\t\t\t\t$ctrl.vm.recurringPayPeriodDisplay = payPeriodObj.PayPeriodDisplay;\n\t\t\t})\n\t\t\t.catch(error => {\n\t\t\t\tconsole.error(error);\n\t\t\t\tsetComponentState('error');\n\t\t\t});\n\t}\n\n\tfunction incrementSearchResultsAdjustmentTypes ($ctrl) {\n\n\t\t$ctrl.vm.SEARCH_RESULTS_LIMIT_ADJUSTMENT_TYPES += $ctrl.vm.SEARCH_RESULTS_INCREMENT_COUNT;\n\t}\n\n\tfunction onBusinessCategoriesOverrideChange ($ctrl) {\n\n\t\tconst businessCategories = $ctrl.vm.newAdjustment.overrideBusinessCategories ?\n\t\t\tjournalsService.decorateBusinessCategories($ctrl.vm.businessCategories, $ctrl.vm.newAdjustment.UserAgencyProfileBusinessCodeOverrides) :\n\t\t\t[];\n\n\t\t$ctrl.vm.newAdjustment.businessCategories = businessCategories;\n\t}\n\n\tfunction onApplyToAdditionalPostChange ($ctrl) {\n\n\t\t/* Clear target ID of adjustment and additional post. This removes the additional post association with the adjustment.\n\t\t When 'apply to additional post' is being switched on, this forces reselection. */\n\t\t delete($ctrl.vm.newAdjustment.SalaryPolicyPostID);\n\t\t delete($ctrl.vm.newAdjustment.additionalPost);\n\t}\n\n\tfunction resetAdjustmentType ($ctrl) {\n\n\t\t$ctrl.vm.newAdjustment.adjustmentType = null;\n\n\t\tresetNetToGrossEnabled($ctrl);\n\t\tresetPayslipLabel($ctrl);\n\t}\n\n\tfunction resetAdjustmentTypeSearchTerm ($ctrl) {\n\n\t\t$ctrl.vm.searchTermAdjustmentTypes = '';\n\t}\n\n\tfunction resetNetToGrossEnabled ($ctrl) {\n\n\t\t$ctrl.vm.newAdjustment.NetToGross = false;\n\t\t$ctrl.vm.newAdjustment.grossAmount = null;\n\t}\n\n\tfunction resetPayslipLabel ($ctrl) {\n\n\t\t$ctrl.vm.saveLabel = false;\n\n\t\tsetAdjustmentLabel($ctrl);\n\t}\n\n\tfunction resetTeamMemberSearchTerm ($ctrl) {\n\n\t\t$ctrl.vm.searchTermTeamMembers = '';\n\t}\n\n\tfunction reviewNetToGross ($ctrl, isNetToGrossEnabled, reset) {\n\n\t\t$ctrl.vm.newAdjustment.NetToGross = isNetToGrossEnabled;\n\n\t\t// Force a recalculation\n\t\tif (angular.isDefined(reset) && reset) {\n\t\t\t$ctrl.vm.newAdjustment.grossAmount = null;\n\t\t}\n\n\t\tif (isNetToGrossEnabled || $ctrl.vm.newAdjustment.adjustmentType.AgencyAdjustmentNetToGrossOnly) {\n\n\t\t\tif ($ctrl.vm.newAdjustment.Value && !$ctrl.vm.newAdjustment.grossAmount) {\n\n\t\t\t\tsetNetToGrossLoadingState($ctrl, 'loading');\n\n\t\t\t\tpayrollData.getGrossForNetAdjustment($ctrl.agencyProfileId, $ctrl.vm.selectedPayPeriodId, $ctrl.vm.selectedTeamMembers[0].UserID, $ctrl.vm.newAdjustment.Value).then(grossAmount => {\n\n\t\t\t\t\t$ctrl.vm.newAdjustment.grossAmount = grossAmount;\n\n\t\t\t\t\tsetNetToGrossLoadingState($ctrl, 'ready');\n\t\t\t\t})\n\t\t\t\t.catch(error => {\n\t\t\t\t\t$rootScope.paycircleMessage('Unable to calculate Net to Gross for team member.', 'info');\n\t\t\t\t\tconsole.error(error);\n\t\t\t\t\tsetComponentState('error');\n\t\t\t\t});\n\t\t\t}\n\t\t}\n\t\telse {\n\n\t\t\t$ctrl.vm.newAdjustment.grossAmount = null;\n\t\t}\n\t}\n\n\tfunction reviewTeamMemberCalculatedRates ($ctrl) {\n\n\t\tvar deferred = $q.defer();\n\n\t\t// Check if calculated rates apply to team member based on their salary setup\n\t\tif (!getIsPeriodCalculationApplicable($ctrl.vm.selectedTeamMembers[0].Salary)) {\n\t\t\t$ctrl.vm.selectedTeamMembers[0].salaryState = 'ready';\n\t\t\tdeferred.resolve();\n\t\t\treturn deferred.promise;\n\t\t}\n\n\t\t// Already populated\n\t\tif (angular.isDefined($ctrl.vm.selectedTeamMembers[0].Salary.calculation)) {\n\t\t\t$ctrl.vm.selectedTeamMembers[0].salaryState = 'ready';\n\t\t\tdeferred.resolve();\n\t\t\treturn deferred.promise;\n\t\t}\n\n\t\t$ctrl.vm.selectedTeamMembers[0].salaryState = 'loading';\n\n\t\t// Populate calculation obj\n\t\tteamData.getSalaryForPeriodsCalculation($ctrl.vm.selectedTeamMembers[0].UserID, $ctrl.agencyProfileId, $ctrl.vm.selectedTeamMembers[0].Salary.SalaryYearly, SALARY_INTERVAL_TYPES.annually, $ctrl.vm.selectedTeamMembers[0].Salary.ProRatingType).then(calculationObj => {\n\n\t\t\t// Set object\n\t\t\t$ctrl.vm.selectedTeamMembers[0].Salary.calculation = calculationObj;\n\n\t\t\t$ctrl.vm.selectedTeamMembers[0].salaryState = 'ready';\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tdeferred.reject(error);\n\t\t\tsetComponentState('error');\n\t\t});\n\n\t\treturn deferred.promise;\n\t}\n\n\tfunction reviewTeamMemberHolidayAccrual ($ctrl) {\n\n\t\tvar deferred = $q.defer();\n\n\t\t// Team member must be selected\n\t\tif ($ctrl.vm.selectedTeamMembers.length === 0) {\n\t\t\tgrowl.error('No team members have been selected');\n\t\t\t$rootScope.paycircleMessage('A calculated/percentage change type requires a team member to have been selected to work.', 'info');\n\t\t\tdeferred.reject('No team members have been selected');\n\t\t\treturn deferred.promise;\n\t\t}\n\n\t\t// Already populated\n\t\tif (angular.isDefined($ctrl.vm.selectedTeamMembers[0].HolidayAccrual)) {\n\t\t\tdeferred.resolve();\n\t\t\treturn deferred.promise;\n\t\t}\n\n\t\tsetHolidayAccrualState('loading');\n\n\t\tbase.getUserPayYTDHolidayAccrued($ctrl.agencyProfileId, $ctrl.vm.selectedTeamMembers[0].UserID).then(teamMemberHolidayAccrualAmount => {\n\n\t\t\t$ctrl.vm.selectedTeamMembers[0].HolidayAccrual = teamMemberHolidayAccrualAmount;\n\n\t\t\tfocusOn('adjustmentTotalValue');\n\n\t\t\tsetHolidayAccrualState('ready');\n\t\t\tdeferred.resolve();\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetHolidayAccrualState('error');\n\t\t\tdeferred.reject(error);\n\t\t});\n\n\t\treturn deferred.promise;\n\t}\n\n\tfunction reviewTeamMemberLinkedRates ($ctrl) {\n\n\t\tvar deferred = $q.defer();\n\n\t\t// Team member must be selected\n\t\tif ($ctrl.vm.selectedTeamMembers.length === 0) {\n\t\t\tgrowl.error('No team members have been selected');\n\t\t\t$rootScope.paycircleMessage('A linked change type requires a team member to have been selected to work.', 'info');\n\t\t\tdeferred.reject('No team members have been selected');\n\t\t\treturn deferred.promise;\n\t\t}\n\n\t\t// Already populated\n\t\tif ($ctrl.vm.selectedTeamMembers[0].Salary.calculation) {\n\t\t\tdeferred.resolve();\n\t\t\treturn deferred.promise;\n\t\t}\n\n\t\t// Review to see if calculation object is required\n\t\treviewTeamMemberCalculatedRates($ctrl).then(() => {\n\n\t\t\t// Add salary rate options\n\t\t\tif (!$ctrl.vm.selectedTeamMembers[0].Salary.hasSalaryRates) {\n\n\t\t\t\tsalaryService.addSalaryRates($ctrl.vm.selectedTeamMembers[0].Salary, $ctrl.vm.selectedTeamMembers[0].Salary.calculation);\n\n\t\t\t\t$ctrl.vm.selectedTeamMembers[0].Salary.hasSalaryRates = true;\n\t\t\t}\n\n\t\t\t// Rates are only applicable to Hourly and Salary payment types, otherwise change adjustment type to units\n\t\t\tswitch ($ctrl.vm.selectedTeamMembers[0].Salary.PaymentType) {\n\t\t\t\tcase PAYMENT_TYPES.hourly:\n\t\t\t\tcase PAYMENT_TYPES.salary:\n\t\t\t\t\tbreak;\n\t\t\t\tdefault:\n\t\t\t\t\t$ctrl.vm.selectedAdjustmentType = ADJUSTMENT_VALUE_TYPES.unit;\n\t\t\t}\n\n\t\t\tdeferred.resolve();\n\t\t})\n\t\t.catch(error => {\n\t\t\tdeferred.reject(error);\n\t\t});\n\n\t\treturn deferred.promise;\n\t}\n\n\tfunction reviewTeamMemberSalary ($ctrl) {\n\n\t\tvar deferred = $q.defer();\n\n\t\t// Team member must be selected\n\t\tif ($ctrl.vm.selectedTeamMembers.length === 0) {\n\t\t\tgrowl.error('No team members have been selected');\n\t\t\t$rootScope.paycircleMessage('A calculated/percentage change type requires a team member to have been selected to work.', 'info');\n\t\t\tdeferred.reject('No team members have been selected');\n\t\t\treturn deferred.promise;\n\t\t}\n\n\t\t// Cannot apply to multiple team members\n\t\tif ($ctrl.vm.selectedTeamMembers.length > 1) {\n\t\t\tgrowl.error('Calculated/Percentage change types can only be applied to one team member at a time');\n\t\t\t$rootScope.paycircleMessage('A calculated/percentage change type has been selected for multiple team members. This is not allowed.', 'info');\n\t\t\tdeferred.reject('Calculated/Percentage change types can only be applied to one team member at a time');\n\t\t\treturn deferred.promise;\n\t\t}\n\n\t\t// Skip if salary is already populated\n\t\tif (angular.isDefined($ctrl.vm.selectedTeamMembers[0].Salary)) {\n\t\t\tdeferred.resolve();\n\t\t\treturn deferred.promise;\n\t\t}\n\n\t\t// Load salary object\n\t\tpayrollData.getTeamMemberSalary($ctrl.agencyProfileId, $ctrl.vm.selectedTeamMembers[0].UserID).then(teamMemberSalaryObj => {\n\n\t\t\t$ctrl.vm.selectedTeamMembers[0].Salary = decorateSalaryObj(teamMemberSalaryObj);\n\n\t\t\tdeferred.resolve();\n\t\t})\n\t\t.catch(error => {\n\t\t\tdeferred.reject(error);\n\t\t});\n\n\t\treturn deferred.promise;\n\t}\n\n\tfunction selectAdjustmentType ($ctrl, adjustmentTypeObj, resetValues) {\n\n\t\tresetValues = angular.isDefined(resetValues) ? resetValues : true;\n\n\t\tangular.extend($ctrl.vm.newAdjustment, {\n\t\t\tadjustmentType: angular.copy(adjustmentTypeObj),\n\t\t\tapplyToAdditionalPost: false,\n\t\t\tisApplyToAll: angular.isDefined($ctrl.vm.newAdjustment.isApplyToAll) ? $ctrl.vm.newAdjustment.isApplyToAll : false,\n\t\t\tDeduction: angular.copy(adjustmentTypeObj.IsDeduction),\n\t\t\tValueType: angular.copy(adjustmentTypeObj.AgencyAdjustmentValueType),\n\t\t});\n\n\t\t/* If the SalaryPolicyPostID is empty Guid, it should be removed, as that looks like a valid selection\n\t\t as far as the UI is concerned. */\n\t\tif ($ctrl.vm.newAdjustment.SalaryPolicyPostID === config.guidEmpty) {\n\t\t\tdelete($ctrl.vm.newAdjustment.SalaryPolicyPostID);\n\t\t}\n\n\t\tif (resetValues) {\n\t\t\tadjustmentsService.setDefaultAdjustmentValues($ctrl.vm.newAdjustment.adjustmentType, $ctrl.vm.newAdjustment);\n\t\t}\n\n\t\t// Adjustment value types\n\t\tswitch (adjustmentTypeObj.AgencyAdjustmentValueType) {\n\n\t\t\t// Absolute\n\t\t\tcase ADJUSTMENT_VALUE_TYPES.absolute:\n\n\t\t\t\t// When editing and NetToGross is enabled, fetch NetToGross calculation\n\t\t\t\tif ($ctrl.vm.newAdjustment.NetToGross || $ctrl.vm.newAdjustment.adjustmentType.AgencyAdjustmentNetToGrossOnly) {\n\t\t\t\t\treviewNetToGross($ctrl, $ctrl.vm.newAdjustment.NetToGross);\n\t\t\t\t}\n\t\t\t\tbreak;\n\n\t\t\t// Linked (e.g. Daily & Hourly rates / Link rates)\n\t\t\tcase ADJUSTMENT_VALUE_TYPES.linked: {\n\n\t\t\t\t// Make sure salary is populated\n\t\t\t\treviewTeamMemberSalary($ctrl).then(() => {\n\n\t\t\t\t\t// Generate linked rates (and calculated rates if they apply)\n\t\t\t\t\treviewTeamMemberLinkedRates($ctrl).catch(error => {\n\t\t\t\t\t\tconsole.error(error);\n\t\t\t\t\t});\n\t\t\t\t})\n\t\t\t\t.catch(error => {\n\t\t\t\t\tconsole.error(error);\n\t\t\t\t});\n\t\t\t}\n\t\t}\n\n\t\t// Special adjustment types\n\t\tswitch (adjustmentTypeObj.AgencyAdjustmentSpecialType) {\n\n\t\t\t// Accrued holiday\n\t\t\tcase ADJUSTMENT_SPECIAL_TYPES.accruedHoliday: {\n\t\t\t\treviewTeamMemberHolidayAccrual($ctrl);\n\t\t\t}\n\t\t}\n\n\t\t// Load pensions for team member\n\t\tif ($ctrl.vm.CAN_ATTACH_PENSION_SCHEME && (adjustmentTypeObj.IsEmployeePension || adjustmentTypeObj.IsEmployerPension)) {\n\t\t\tgetPensionsForTeamMember($ctrl);\n\t\t}\n\n\t\tresetAdjustmentTypeSearchTerm($ctrl);\n\n\t\tif ($ctrl.vm.IS_ADJUSTMENT_AMOUNT_APPLICABLE) {\n\t\t\tfocusOn(getFormFieldIdForAdjustmentType(adjustmentTypeObj));\n\t\t}\n\t}\n\n\tfunction selectAdjustmentTypeById ($ctrl) {\n\n\t\tconst selectedAdjustmentTypeObj = adjustmentsService.getAdjustmentTypeById('AgencyAdjustmentGroupEntryID', $ctrl.vm.selectedAdjustmentTypeId, $ctrl.vm.adjustmentTypes);\n\n\t\tif (!selectedAdjustmentTypeObj) {\n\t\t\tconst message = 'Change Creator > selectAdjustmentTypeById > No adjustment type matched: Unable to pre-select';\n\t\t\t$rootScope.paycircleMessage(message, 'info');\n\t\t\tnewRelicService.noticeError(message);\n\t\t\treturn;\n\t\t}\n\n\t\tselectAdjustmentType($ctrl, selectedAdjustmentTypeObj, false);\n\t}\n\n\tfunction selectAdjustmentTypeByName ($ctrl) {\n\n\t\tconst selectedAdjustmentTypeObj = getAdjustmentTypeByName($ctrl);\n\n\t\tif (!selectedAdjustmentTypeObj) {\n\t\t\t$rootScope.paycircleMessage('Change Creator > selectAdjustmentTypeByName > No adjustment type matched: Unable to pre-select', 'info');\n\t\t\treturn;\n\t\t}\n\n\t\tselectAdjustmentType($ctrl, selectedAdjustmentTypeObj);\n\t}\n\n\tfunction selectAdjustmentTypeCategory ($ctrl, categoryIndex) {\n\n\t\tif (!$ctrl.vm.adjustmentTypesCategories.length) {\n\t\t\tconsole.warn('No enabled categories or categories with results');\n\t\t\treturn;\n\t\t}\n\n\t\tconst activeCategoryObj = $ctrl.vm.adjustmentTypesCategories[categoryIndex];\n\n\t\t$ctrl.vm.adjustmentTypesCategory = angular.copy(activeCategoryObj);\n\t\t$ctrl.vm.adjustmentTypesCategoryKey = angular.copy(activeCategoryObj.key);\n\t}\n\n\tfunction selectSalaryRate ($ctrl) {\n\n\t\t$timeout(() => {\n\n\t\t\tif (!$ctrl.vm.newAdjustment.selectedRate) {\n\t\t\t\t$ctrl.vm.newAdjustment.Value = null;\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t$ctrl.vm.newAdjustment.Units = angular.copy($ctrl.vm.newAdjustment.selectedRate.SalaryRateHours);\n\t\t\t$ctrl.vm.newAdjustment.UnitValue = angular.copy($ctrl.vm.newAdjustment.selectedRate.SalaryRateValue);\n\t\t\t$ctrl.vm.newAdjustment.UnitValueMultiplier = angular.copy($ctrl.vm.newAdjustment.adjustmentType.Multiplier);\n\n\t\t\tif ($ctrl.vm.newAdjustment.selectedRate.SalaryRateID === 'custom') {\n\t\t\t\tfocusOn('adjustmentUnitValue');\n\t\t\t}\n\n\t\t\tcalculateAdjustmentValue($ctrl);\n\t\t});\n\t}\n\n\tfunction selectTeamMember ($ctrl, teamMemberObj) {\n\n\t\t$ctrl.vm.selectedTeamMembers.push(teamMemberObj);\n\n\t\tupdateTeamDescriptionLabel($ctrl);\n\t\tsetupAdjustmentTypesForUserTypes($ctrl);\n\t\tupdateAdjustmentTypeFilter($ctrl);\n\t\tresetTeamMemberSearchTerm($ctrl);\n\t}\n\n\tfunction selectTeamMemberByUserId ($ctrl, userId) {\n\n\t\tconst selectedTeamMemberObj = $ctrl.vm.teamMembers.find(teamMemberObj => teamMemberObj.UserID === userId);\n\n\t\tselectTeamMember($ctrl, selectedTeamMemberObj);\n\t}\n\n\tfunction selectTeamMembersByUserIds ($ctrl, userIds) {\n\n\t\tuserIds.forEach(userId => {\n\n\t\t\tselectTeamMemberByUserId($ctrl, userId);\n\t\t});\n\t}\n\n\tfunction setAdjustmentLabel ($ctrl, adjustmentLabel) {\n\n\t\tadjustmentLabel = angular.isDefined(adjustmentLabel) ? adjustmentLabel : '';\n\n\t\t$ctrl.vm.newAdjustment.Label = adjustmentLabel;\n\t\t$ctrl.vm.selectedAdjustmentLabel = adjustmentLabel;\n\t}\n\n\tfunction setComponentState (componentState) {\n\n\t\t$ctrl.componentState = componentState;\n\t}\n\n\tfunction setHolidayAccrualState (holidayAccrualState) {\n\n\t\t$ctrl.holidayAccrualState = holidayAccrualState;\n\t}\n\n\tfunction setNetToGrossLoadingState ($ctrl, netToGrossLoadingState) {\n\n\t\t$ctrl.vm.newAdjustment.netToGrossLoadingState = netToGrossLoadingState;\n\t}\n\n\tfunction setPensionState (pensionState) {\n\n\t\t$ctrl.pensionState = pensionState;\n\t}\n\n\tfunction setPercentageCalculationToSalary ($ctrl) {\n\n\t\treviewTeamMemberSalary($ctrl).then(() => {\n\n\t\t\t$ctrl.vm.newAdjustment.UnitValue = angular.copy($ctrl.vm.selectedTeamMembers[0].Salary.SalaryYearly);\n\n\t\t\tcalculatePercentageValue($ctrl);\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction setupAdjustmentCategories ($ctrl) {\n\n\t\t$ctrl.vm.adjustmentTypesCategoryKey = null;\n\t\t$ctrl.vm.adjustmentTypesCategories = [\n\t\t\t{\n\t\t\t\tcount: 0,\n\t\t\t\tkey: 'all',\n\t\t\t\tisEnabled: false,\n\t\t\t\tname: 'All',\n\t\t\t\tfilter: value => { return value.IsDeduction; }\n\t\t\t},\n\t\t\t{\n\t\t\t\tcount: 0,\n\t\t\t\tkey: 'additions',\n\t\t\t\tisEnabled: true,\n\t\t\t\tname: 'Additions',\n\t\t\t\tfilter: value => { return !value.IsDeduction; }\n\t\t\t},\n\t\t\t{\n\t\t\t\tcount: 0,\n\t\t\t\tkey: 'deductions',\n\t\t\t\tisEnabled: true,\n\t\t\t\tname: 'Deductions',\n\t\t\t\tfilter: value => { return value.IsDeduction; }\n\t\t\t},\n\t\t\t{\n\t\t\t\tcount: 0,\n\t\t\t\tkey: 'calculated',\n\t\t\t\tisEnabled: true,\n\t\t\t\tname: 'Calculated',\n\t\t\t\tfilter: value => { return value.Category === 'Calculated'; } // TODO: Need service to return category type and map to ENUM to avoid category name changing\n\t\t\t}\n\t\t];\n\n\t\t// Populate counts\n\t\t$ctrl.vm.adjustmentTypes.forEach(adjustmentType => {\n\n\t\t\t// Add total count\n\t\t\t$ctrl.vm.adjustmentTypesCategories[0].count++;\n\n\t\t\t// Calculated\n\t\t\tif (adjustmentType.Category === 'Calculated') {\n\t\t\t\t$ctrl.vm.adjustmentTypesCategories[3].count++;\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Deductions\n\t\t\tif (adjustmentType.IsDeduction) {\n\t\t\t\t$ctrl.vm.adjustmentTypesCategories[2].count++;\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Additions\n\t\t\telse {\n\t\t\t\t$ctrl.vm.adjustmentTypesCategories[1].count++;\n\t\t\t\treturn;\n\t\t\t}\n\t\t});\n\n\t\t// Remove any inactive categories\n\t\t$ctrl.vm.adjustmentTypesCategories = $ctrl.vm.adjustmentTypesCategories.filter(_ => { return _.isEnabled && _.count > 0; });\n\n\t\t// Select active category\n\t\tselectAdjustmentTypeCategory($ctrl, 0);\n\t}\n\n\tfunction setupAdjustmentTypesForUserTypes ($ctrl) {\n\n\t\t/*\n\t\tconst ADJUSTMENT_TYPE_STATES = {\n\t\t\tnone: -1,\n\t\t\tpayrollOnly: 0,\n\t\t\tcisOnly: 1,\n\t\t\tall: 2\n\t\t};\n\t\t*/\n\n\t\tlet hasCISTeamMembers = false;\n\t\tlet hasPAYETeamMembers = false;\n\t\tlet returnedAdjustmentTypesArr = angular.copy($ctrl.vm.adjustmentTypesOriginal);\n\n\t\t$ctrl.vm.selectedTeamMembers.forEach((teamMemberObj) => {\n\n\t\t\tif (teamMemberObj.IsCISSubcontractor) {\n\t\t\t\thasCISTeamMembers = true;\n\t\t\t}\n\t\t\telse {\n\t\t\t\thasPAYETeamMembers = true;\n\t\t\t}\n\t\t});\n\n\t\t// Filter original set based on team members chosen\n\t\treturnedAdjustmentTypesArr = returnedAdjustmentTypesArr.filter((adjustmentTypeObj) => {\n\n\t\t\t// Multiple team members\n\t\t\tif ($ctrl.vm.selectedTeamMembers.length > 1) {\n\n\t\t\t\t// No percentage types allowed for multiple selection\n\t\t\t\tif (adjustmentTypeObj.AgencyAdjustmentValueType === ADJUSTMENT_VALUE_TYPES.percentage) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// No accrued holiday allowed for multiple selection\n\t\t\t\tif (adjustmentTypeObj.AgencyAdjustmentSpecialType === ADJUSTMENT_SPECIAL_TYPES.accruedHoliday) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// CIS & Payroll\n\t\t\tif (hasPAYETeamMembers && hasCISTeamMembers) {\n\t\t\t\treturn adjustmentTypeObj;\n\t\t\t}\n\n\t\t\t// Payroll only\n\t\t\tif (hasPAYETeamMembers) {\n\t\t\t\treturn adjustmentTypeObj.Category !== 'CIS';\n\t\t\t}\n\n\t\t\t// CIS only\n\t\t\tif (hasCISTeamMembers) {\n\t\t\t\treturn adjustmentTypeObj.Category === 'CIS';\n\t\t\t}\n\t\t});\n\n\t\t// No adjustment types\n\t\tif ($ctrl.vm.adjustmentTypes.length === 0) {\n\t\t\tsetComponentState('no-adjustment-types');\n\t\t\treturn;\n\t\t}\n\n\t\t$ctrl.vm.adjustmentTypes = returnedAdjustmentTypesArr;\n\t\t$ctrl.vm.adjustmentTypesCount = adjustmentsService.getAdjustmentTypesCounts(returnedAdjustmentTypesArr);\n\t}\n\n\tfunction setValidity (isValid) {\n\t\t$ctrl.vm.isValid = isValid;\n\t}\n\n\tfunction toggleIsApplyToAll (newAdjustmentObj) {\n\n\t\tnewAdjustmentObj.isApplyToAll = !newAdjustmentObj.isApplyToAll;\n\t}\n\n\tfunction toggleSearchTermTeamMembersFocus ($ctrl, newValue) {\n\n\t\t$ctrl.vm.searchTermTeamMembersFocused = newValue;\n\t}\n\n\tfunction updateAdjustmentTypeFilter ($ctrl, filterKey) {\n\n\t\t// Use filter key if defined, otherwise base it on initial count\n\t\tfilterKey = angular.isDefined(filterKey) ? filterKey : $ctrl.vm.adjustmentTypesCount.totalAdditions > 0 ? ADJUSTMENT_TYPE_FILTER_KEYS.additions : ADJUSTMENT_TYPE_FILTER_KEYS.deductions;\n\n\t\t$ctrl.vm.adjustmentTypesFilter = getAdjustmentTypeFilterByFilterKey(filterKey);\n\t\t$ctrl.vm.adjustmentTypesFilterKey = filterKey;\n\t}\n\n\tfunction updateTeamDescriptionLabel ($ctrl) {\n\n\t\t$ctrl.vm.teamDescriptionLabel = '';\n\n\t\t// Summarise if more than 1 team member\n\t\tif ($ctrl.vm.selectedTeamMembers.length > 1) {\n\n\t\t\t$ctrl.vm.teamDescriptionLabel = `${$ctrl.vm.selectedTeamMembers.length} team members`;\n\n\t\t\treturn;\n\t\t}\n\n\t\t$ctrl.vm.selectedTeamMembers.forEach((teamMemberObj, index) => {\n\n\t\t\tif (index > 0) {\n\t\t\t\t$ctrl.vm.teamDescriptionLabel += ', ';\n\t\t\t}\n\n\t\t\t$ctrl.vm.teamDescriptionLabel += `${teamMemberObj.Forename} ${teamMemberObj.Surname}`;\n\t\t});\n\t}\n\n\tfunction validateVm ($ctrl) {\n\n\t\tsetValidity(true);\n\t\t$ctrl.vm.validationState = null;\n\n\t\t// No adjustment types\n\t\tif ($ctrl.vm.adjustmentTypes.length === 0) {\n\t\t\tsetValidity(false);\n\t\t\t$ctrl.vm.validationState = 'no-adjustment-types';\n\t\t\t$rootScope.paycircleMessage('Change Creator: No adjustment types are available', 'error');\n\t\t\treturn $ctrl;\n\t\t}\n\n\t\t// No team members\n\t\tif ($ctrl.vm.IS_APPLICABLE_TO_TEAM_MEMBERS && $ctrl.vm.teamMembers.length === 0) {\n\t\t\tsetValidity(false);\n\t\t\t$ctrl.vm.validationState = 'no-team-members';\n\t\t\t$rootScope.paycircleMessage(`Change Creator: Configured to apply to team members but no team members are defined.\n\t\t\t\tEither populate the teamMembers array or you can switch IS_APPLICABLE_TO_TEAM_MEMBERS to false if this is company specific\n\t\t\t`, 'error');\n\t\t\treturn $ctrl;\n\t\t}\n\n\t\treturn $ctrl;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n\n\t/* Watch for changes for the selected adjustment type (by ID or name). When used to edit a set of adjustments,\n\t this component needs to auto-select the adjustment type when switching\n\t$scope.$watch('$ctrl.vm.selectedAdjustmentTypeId', (newValue, oldValue) => {\n\t\tif (newValue !== oldValue) {\n\t\t\tif ($ctrl.vm.selectedAdjustmentTypeId && !validationService.isEmptyGuid($ctrl.vm.selectedAdjustmentTypeId)) {\n\t\t\t\tselectAdjustmentTypeById($ctrl);\n\t\t\t}\n\t\t}\n\t});\n\t$scope.$watch('$ctrl.vm.selectedAdjustmentTypeName', (newValue, oldValue) => {\n\t\tif (newValue !== oldValue) {\n\t\t\tselectAdjustmentTypeByName($ctrl);\n\t\t}\n\t}); */\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('changesImported', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tisWorkflowActive: '<',\n\t\tonImport: '&',\n\t\tpayPeriod: '<',\n\t\tuserPayElements: '<'\n\t},\n\tcontroller: 'changesImportedCtrl',\n\ttemplateUrl: 'components/changes-imported/changes-imported.component.html',\n})\n.controller('changesImportedCtrl', [\n\t'$rootScope',\n\t'FULL_SCREEN_MODAL_KEYS',\n\t'WORKFLOW_CHANGES_TABLE_STATES',\nfunction (\n\t$rootScope,\n\tFULL_SCREEN_MODAL_KEYS,\n\tWORKFLOW_CHANGES_TABLE_STATES\n) {\n\n\tconst $ctrl = this;\n\n\tfunction getPayElementCounts (userPayElementsArr) {\n\n\t\tconst payElementObj = {\n\t\t\ttotalCount: 0,\n\t\t\tadditions: {\n\t\t\t\tcount: 0,\n\t\t\t\tvalue: 0\n\t\t\t},\n\t\t\tdeductions: {\n\t\t\t\tcount: 0,\n\t\t\t\tvalue: 0\n\t\t\t}\n\t\t};\n\n\t\tfor (let teamMemberObj of userPayElementsArr) {\n\n\t\t\tpayElementObj.totalCount += teamMemberObj.PayElements.length;\n\n\t\t\tfor (let teamMemberPayElementsObj of teamMemberObj.PayElements) {\n\n\t\t\t\tif (teamMemberPayElementsObj.Deduction) {\n\t\t\t\t\tpayElementObj.deductions.count++;\n\t\t\t\t\tpayElementObj.deductions.value += teamMemberPayElementsObj.Value;\n\n\t\t\t\t} else {\n\t\t\t\t\tpayElementObj.additions.count++;\n\t\t\t\t\tpayElementObj.additions.value += teamMemberPayElementsObj.Value;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\treturn payElementObj;\n\t}\n\n\tfunction openChangesTable (ctrlObj) {\n\n\t\t$rootScope.$broadcast('open-full-screen-modal', {\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.onImport,\n\t\t\tmodalKey: FULL_SCREEN_MODAL_KEYS.changesTable,\n\t\t\tpayPeriodId: ctrlObj.payPeriod.PayPeriodID,\n\t\t});\n\t}\n\n\tfunction submitChanges (ctrlObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.onImport,\n\t\t\tformKey: 'submit-changes-table'\n\t\t});\n\t}\n\n\t$ctrl.$onInit = function () {\n\n\t\t// Check what state the changes table submission is in.\n\t\tlet changesTableMessage = '';\n\t\tlet changesTableCanBeSubmitted = false;\n\t\tif ($ctrl.payPeriod.ChangesTableState === WORKFLOW_CHANGES_TABLE_STATES.submitted) {\n\t\t\tchangesTableMessage = 'The changes table has been submitted for review before importing.';\n\t\t}\n\t\telse if ($ctrl.isWorkflowActive) {\n\t\t\tchangesTableMessage = 'Check that you’ve added all your changes before clicking ‘I’ve added everything’.';\n\t\t}\n\t\telse {\n\t\t\t// Show submit option for non-[paycircle, bureau, bureaumanager] roles\n\t\t\tif (!$rootScope.userHasRole(['paycircle', 'bureau', 'bureaumanager'])) {\n\t\t\t\tchangesTableMessage = 'Add your changes then submit them for review.';\n\t\t\t\tchangesTableCanBeSubmitted = true;\n\t\t\t}\n\t\t\t// Nothing additional is shown for [paycircle, bureau, bureaumanager] roles\n\t\t}\n\n\t\tangular.extend($ctrl, {\n\t\t\tchangesTableMessage,\n\t\t\tchangesTableCanBeSubmitted,\n\t\t\tpayElements: getPayElementCounts($ctrl.userPayElements),\n\t\t\topenChangesTable,\n\t\t\tsubmitChanges\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('changesTable', {\n\tbindings: {\n\t\tchangesOptions: '='\n\t},\n\tcontroller: 'changesTableCtrl',\n\ttemplateUrl: 'components/changes-table/changes-table.component.html',\n})\n.controller('changesTableCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$state',\n\t'$timeout',\n\t'adjustmentsService',\n\t'config',\n\t'dataImport',\n\t'growl',\n\t'importService',\n\t'messageData',\n\t'payPeriodService',\n\t'payrollData',\n\t'searchService',\n\t'session',\n\t'teamData',\n\t'teamService',\n\t'ADJUSTMENT_VALUE_TYPES',\n\t'IMPORT_MAPPING_TYPES',\n\t'TOOLTIPS',\n\t'USER_IMPORT_GROUP_STATES',\n\t'WORKFLOW_CHANGES_TABLE_STATES',\nfunction (\n\t$filter,\n\t$q,\n\t$rootScope,\n\t$state,\n\t$timeout,\n\tadjustmentsService,\n\tconfig,\n\tdataImport,\n\tgrowl,\n\timportService,\n\tmessageData,\n\tpayPeriodService,\n\tpayrollData,\n\tsearchService,\n\tsession,\n\tteamData,\n\tteamService,\n\tADJUSTMENT_VALUE_TYPES,\n\tIMPORT_MAPPING_TYPES,\n\tTOOLTIPS,\n\tUSER_IMPORT_GROUP_STATES,\n\tWORKFLOW_CHANGES_TABLE_STATES\n) {\n\n\tconst $ctrl = this;\n\n\tconst CURRENT_USER_ID = session.getUserId();\n\n\tconst COMPONENT_STATES = {\n\t\tconfirmImport: 'confirmImport',\n\t\terror: 'error',\n\t\timported: 'imported',\n\t\timporting: 'importing',\n\t\tloading: 'loading',\n\t\tnoAdjustmentsAvailable: 'no-adjustments-available',\n\t\tnoTeamMembers: 'no-team-members',\n\t\tpayrollPartiallySubmitted: 'payroll-partially-submitted',\n\t\tready: 'ready',\n\t};\n\n\tconst HEADER_STATES = {\n\t\tcancel: 'cancel',\n\t\tdefault: 'default',\n\t\tdelete: 'delete'\n\t};\n\n\tconst PAY_ELEMENT_STATES = {\n\t\tediting: 'editing',\n\t\tedited: 'edited'\n\t};\n\n\tconst COLUMN_WIDTHS = {\n\t\twide: 390,\n\t\tdefault: 210\n\t};\n\n\tconst TEAM_MEMBER_VIEW_TYPES = [\n\t\t{\n\t\t\tprop: 'fullname',\n\t\t\tdisplay: 'Name'\n\t\t},\n\t\t{\n\t\t\tprop: 'PayrollID',\n\t\t\tdisplay: 'Payroll ID'\n\t\t},\n\t\t{\n\t\t\tprop: 'NINumber',\n\t\t\tdisplay: 'NI Number'\n\t\t}\n\t];\n\n\tlet AGENCY_PROFILE_ID;\n\tlet PAY_PERIOD_ID;\n\tlet USER_IMPORT_GROUP_ID;\n\n\tfunction addNewPayElementForTeamMember (ctrlObj, teamMemberObj, payElementObj) {\n\n\t\tlet newPayElementObj = getNewPayElementForTeamMember(ctrlObj, teamMemberObj, payElementObj);\n\n\t\taddPayElementToTable(ctrlObj, newPayElementObj, PAY_ELEMENT_STATES.editing).then(() => {\n\t\t\tfocusOnElement(newPayElementObj.postId + payElementObj.id);\n\t\t});\n\t}\n\n\tfunction addPayElementToTable (ctrlObj, payElementObj, payElementState) {\n\n\t\treturn $q(resolve => {\n\n\t\t\tlet teamMemberTableObj = getTeamMemberFromTable(ctrlObj, payElementObj.postId);\n\n\t\t\tif (!teamMemberTableObj) {\n\t\t\t\tteamMemberTableObj = {};\n\t\t\t}\n\n\t\t\tpayElementObj.state = payElementState;\n\n\t\t\tteamMemberTableObj[payElementObj.id] = payElementObj;\n\n\t\t\tctrlObj.updatedPayElements[payElementObj.postId] = teamMemberTableObj;\n\n\t\t\tresolve();\n\t\t});\n\t}\n\n\tfunction changeOrderBy (searchOptionsObj, orderByOptionObj) {\n\t\tsearchService.changeOrderBy(searchOptionsObj, orderByOptionObj);\n\t}\n\n\tfunction createNewUserImportGroup (ctrlObj) {\n\n\t\treturn $q((resolve, reject) => {\n\t\t\tlet updatedElementsArr = getUpdatedElements(ctrlObj);\n\n\t\t\tctrlObj.payElementSavedCount = updatedElementsArr.length;\n\n\t\t\tpayrollData.updateUserPayElementsForImportGroup(AGENCY_PROFILE_ID, PAY_PERIOD_ID, updatedElementsArr, USER_IMPORT_GROUP_ID).then(() => {\n\n\t\t\t\tgetUserImportGroup()\n\t\t\t\t\t.then(resolve)\n\t\t\t\t\t.catch(reject);\n\t\t\t})\n\t\t\t.catch(reject);\n\t\t});\n\t}\n\n\tfunction decoratePayElements (payElementObj) {\n\n\t\tpayElementObj.columnWidth = getColumnWidthForPayElement(payElementObj);\n\t\tpayElementObj.id = getPayElementId(payElementObj);\n\n\t\treturn [ADJUSTMENT_VALUE_TYPES.absolute, ADJUSTMENT_VALUE_TYPES.unit, ADJUSTMENT_VALUE_TYPES.percentage].includes(payElementObj.AgencyAdjustmentValueType);\n\t}\n\n\tfunction deletePayElementFromTeamMember (ctrlObj, teamMemberObj, payElementObj) {\n\n\t\tlet teamMemberTableObj = getTeamMemberFromTable(ctrlObj, teamMemberObj.postId);\n\n\t\tdelete teamMemberTableObj[payElementObj.id];\n\n\t\tif (Object.values(teamMemberTableObj).length === 0) {\n\t\t\tdelete ctrlObj.updatedPayElements[teamMemberObj.postId];\n\t\t}\n\n\t\tupdatePayElementTotals(ctrlObj);\n\t}\n\n\tfunction deleteUserImportGroup (ctrlObj) {\n\n\t\tif (isUserImportGroupSaved()) {\n\t\t\tdataImport.deleteUserImportGroup(USER_IMPORT_GROUP_ID).then(() => {\n\n\t\t\t\tsetCallbackOnClose(ctrlObj);\n\t\t\t\tresetTable(ctrlObj);\n\t\t\t\tgrowl.success('All changes deleted');\n\t\t\t})\n\t\t\t.catch(onError);\n\n\t\t} else {\n\t\t\tresetTable(ctrlObj);\n\t\t\tgrowl.success('All changes deleted');\n\t\t}\n\t}\n\n\tfunction editPayElementForTeamMember (ctrlObj, teamMemberObj, payElementObj) {\n\t\tgetTeamMemberPayElement(ctrlObj, teamMemberObj, payElementObj).state = PAY_ELEMENT_STATES.editing;\n\t}\n\n\tfunction focusOnElement (elementId) {\n\t\t$timeout(function () {\n\t\t\tlet tableElement = document.getElementById(elementId);\n\n\t\t\ttableElement.focus();\n\t\t\ttableElement.select();\n\t\t});\n\t}\n\n\tfunction getAdjustmentPercentageValue (payElementObj, teamMemberPayElementObj) {\n\n\t\tswitch (payElementObj.AgencyAdjustmentValueType) {\n\t\t\tcase ADJUSTMENT_VALUE_TYPES.percentage:\n\t\t\t\treturn adjustmentsService.getAdjustmentPercentageValue(teamMemberPayElementObj);\n\t\t\tcase ADJUSTMENT_VALUE_TYPES.unit:\n\t\t\t\treturn adjustmentsService.getAdjustmentUnitValue(teamMemberPayElementObj);\n\t\t\tdefault:\n\t\t\t\treturn teamMemberPayElementObj.Value;\n\t\t}\n\t}\n\n\tfunction getColumnWidthForPayElement (payElementObj) {\n\n\t\tswitch (payElementObj.AgencyAdjustmentValueType) {\n\t\t\tcase ADJUSTMENT_VALUE_TYPES.unit:\n\t\t\tcase ADJUSTMENT_VALUE_TYPES.percentage:\n\t\t\t\treturn COLUMN_WIDTHS.wide;\n\t\t\tdefault:\n\t\t\t\treturn COLUMN_WIDTHS.default;\n\t\t}\n\t}\n\n\tfunction getTeamMembersAdjustmentTypeFilterKey (teamMembersArr) {\n\n\t\tfor (const teamMemberObj of teamMembersArr) {\n\n\t\t\tif (teamMemberObj.IsCISSubcontractor) {\n\t\t\t\treturn 'all';\n\t\t\t}\n\t\t}\n\n\t\treturn 'paye';\n\t}\n\n\tfunction getNewPayElementForTeamMember (ctrlObj, teamMemberObj, payElementObj) {\n\n\t\tlet newPayElementObj = angular.copy(ctrlObj.emptyPayElement);\n\n\t\tangular.extend(newPayElementObj, {\n\t\t\tAgencyAdjustmentGroupEntryID: adjustmentsService.getAgencyAdjustmentGroupEntryId(payElementObj),\n\t\t\tid: payElementObj.id,\n\t\t\tPayPeriodID: PAY_PERIOD_ID,\n\t\t\tpostId: teamMemberObj.postId,\n\t\t\t// Salary Policy Post ID !== emptyGuid for additional posts\n\t\t\tSalaryPolicyPostID: teamMemberObj.salaryPolicyPostId,\n\t\t\tUserID: teamMemberObj.UserID\n\t\t});\n\n\t\tadjustmentsService.setDefaultAdjustmentValues(payElementObj, newPayElementObj);\n\n\t\treturn newPayElementObj;\n\t}\n\n\tfunction getPayElementId (payElementObj) {\n\t\treturn payElementObj.Description ? $filter('slugify')(payElementObj.Description) : $filter('slugify')(payElementObj.AgencyAdjustmentGroupEntryText);\n\t}\n\n\tfunction getPayElementsFromImportGroup (ctrlObj) {\n\n\t\tconst FUTURE_ADJUSTMENTS = false;\n\t\tconst USER_ID = null;\n\n\t\treturn $q((resolve, onError) => {\n\t\t\tpayrollData.getUserPayElements(AGENCY_PROFILE_ID, PAY_PERIOD_ID, USER_ID, FUTURE_ADJUSTMENTS, USER_IMPORT_GROUP_ID).then(payElementGroupArr => {\n\t\t\t\tprocessPayElementsFromGroup(ctrlObj, payElementGroupArr).then(() => {\n\t\t\t\t\tresolve(ctrlObj);\n\t\t\t\t});\n\t\t\t})\n\t\t\t.catch(onError);\n\t\t});\n\t}\n\n\tfunction getPayElementsFromTable (ctrlObj) {\n\t\treturn Object.keys(ctrlObj.updatedPayElements).reduce((returnArr, postId) => {\n\t\t\treturn returnArr.concat(Object.values(ctrlObj.updatedPayElements[postId]));\n\t\t}, []);\n\t}\n\n\tfunction getTeamMemberFromTable (ctrlObj, postId) {\n\t\treturn ctrlObj.updatedPayElements[postId];\n\t}\n\n\tfunction getTeamMemberPayElement (ctrlObj, teamMemberObj, payElementObj) {\n\t\treturn getTeamMemberFromTable(ctrlObj, teamMemberObj.postId)[payElementObj.id];\n\t}\n\n\tfunction getUpdatedElements (ctrlObj) {\n\n\t\tlet updatedPayElementArr = getPayElementsFromTable(ctrlObj);\n\n\t\treturn updatedPayElementArr.filter(adjustmentsService.resetNewAdjustmentValues);\n\t}\n\n\tfunction getUserImportGroup () {\n\n\t\treturn $q((resolve, reject) => {\n\t\t\tdataImport.getUserImportGroupForUser(PAY_PERIOD_ID, CURRENT_USER_ID, IMPORT_MAPPING_TYPES.changesTable).then(userImportGroupObj => {\n\n\t\t\t\tUSER_IMPORT_GROUP_ID = userImportGroupObj.UserImportGroupID;\n\t\t\t\tresolve(userImportGroupObj);\n\t\t\t})\n\t\t\t.catch(reject);\n\t\t});\n\t}\n\n\tfunction goToCompanyState (ctrlObj, state) {\n\n\t\tctrlObj.changesOptions.closeModal();\n\n\t\t$state.go(state, {\n\t\t\tagencyProfileId: AGENCY_PROFILE_ID,\n\t\t});\n\t}\n\n\tfunction init () {\n\n\t\tconst INCLUDE_LEAVERS = false;\n\n\t\tconst getAgencyAdjustmentGroupCombined = payrollData.getAgencyAdjustmentGroupCombined(AGENCY_PROFILE_ID);\n\t\tconst getEmptyUserPayElementDetail = payrollData.getEmptyUserPayElementDetail(AGENCY_PROFILE_ID);\n\t\tconst getUserAgencyProfilesForAgencyTeamMemberMinimum = teamData.getUserAgencyProfilesForAgencyTeamMemberMinimum(AGENCY_PROFILE_ID, INCLUDE_LEAVERS);\n\t\tconst getUserImportGroupForUser = getUserImportGroup();\n\n\t\t$q.all([\n\t\t\tgetAgencyAdjustmentGroupCombined,\n\t\t\tgetEmptyUserPayElementDetail,\n\t\t\tgetUserAgencyProfilesForAgencyTeamMemberMinimum,\n\t\t\tgetUserImportGroupForUser])\n\t\t.then(([\n\t\t\tadjustmentGroupsObj,\n\t\t\temptyPayElementObj,\n\t\t\tteamMembersArr,\n\t\t\tuserImportGroupObj\n\t\t]) => {\n\n\t\t\tlet adjustmentTypesArr = adjustmentsService.getAllAdjustmentTypesFromAdjustmentGroup(adjustmentGroupsObj, getTeamMembersAdjustmentTypeFilterKey(teamMembersArr));\n\n\t\t\tlet searchOptionsObj = searchService.getOptionsWithDefaults(searchService.changesTable);\n\n\t\t\tif (teamMembersArr.length === 0) {\n\t\t\t\tsetComponentState(COMPONENT_STATES.noTeamMembers);\n\t\t\t setShowClose();\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Block changes when payroll is partially submitted\n\t\t\tif ($rootScope.currentPeriod.IsPayrollPartiallySubmitted) {\n\t\t\t\t$ctrl.submittedFiles = payPeriodService.getSuccessfulSubmissionsDisplayForPayPeriod($rootScope.currentPeriod);\n\t\t\t\tsetComponentState(COMPONENT_STATES.payrollPartiallySubmitted);\n\t\t\t setShowClose();\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tconst EXPAND_ADDITIONAL_POSTS = true;\n\t\t\tlet ctrlObj = {\n\t\t\t\temptyPayElement: emptyPayElementObj,\n\t\t\t\terrorMessages: {\n\t\t\t\t\trequired: 'Please enter a value',\n\t\t\t\t\tpattern: 'Maximum of ' + $filter('monetise')(config.number7Digits4Decimal, 'down') + '.9999',\n\t\t\t\t\tnumber: 'Value must be a number'\n\t\t\t\t},\n\t\t\t\terrorMessagesTotals: {\n\t\t\t\t\trequired: 'Please enter a value',\n\t\t\t\t\tpattern: 'Maximum of ' + $filter('monetise')(config.number9Digits2Decimal),\n\t\t\t\t\tnumber: 'Value must be a number'\n\t\t\t\t},\n\t\t\t\theaderState: HEADER_STATES.default,\n\t\t\t\tpayElements: adjustmentTypesArr.filter(decoratePayElements),\n\t\t\t\tsearchOptions: searchOptionsObj,\n\t\t\t\tshowSearch: false,\n\t\t\t\tshowMarkAsActiveTooltip: false,\n\t\t\t\tteamMembers: teamService.decorateAndFilterTeamMembers(teamMembersArr, { ExcludeFromPayroll: true, OnHold: true, IsOffPayrollWorker: true }, EXPAND_ADDITIONAL_POSTS),\n\t\t\t\tteamMemberView: TEAM_MEMBER_VIEW_TYPES.find(viewTypeObj => viewTypeObj.prop === 'fullname').prop,\n\t\t\t\tupdatedPayElements: {},\n\t\t\t\tisImportGroupComplete: (userImportGroupObj.State === USER_IMPORT_GROUP_STATES.complete && isUserImportGroupSaved()),\n\t\t\t};\n\n\t\t\tsetChangesMade(false);\n\n\t\t\tif (importService.hasUserImportedElements(userImportGroupObj)) {\n\t\t\t\tgetPayElementsFromImportGroup(ctrlObj)\n\t\t\t\t\t.then(loadTable)\n\t\t\t\t\t.catch(onError);\n\n\t\t\t} else {\n\t\t\t\tloadTable(ctrlObj);\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction isUserImportGroupSaved () {\n\t\treturn USER_IMPORT_GROUP_ID !== config.guidEmpty;\n\t}\n\n\tfunction loadTable (ctrlObj) {\n\n\t\tif (getIsUsedPayElementsVisibleInPack(ctrlObj)) {\n\t\t\tupdatePayElementTotals(ctrlObj);\n\t\t\tangular.extend($ctrl, ctrlObj);\n\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t}\n\t\telse {\n\t\t\tsetComponentState(COMPONENT_STATES.noAdjustmentsAvailable);\n\t\t}\n\t}\n\n\tfunction onConfirmImport (ctrlObj) {\n\n\t\tsetComponentState(COMPONENT_STATES.importing);\n\n\t\tif (isUserImportGroupSaved()) {\n\t\t\tupdateUserImportGroupApproved(ctrlObj);\n\n\t\t} else {\n\t\t\tcreateNewUserImportGroup(ctrlObj).then(() => {\n\t\t\t\tupdateUserImportGroupApproved(ctrlObj);\n\t\t\t})\n\t\t\t.catch(onError);\n\t\t}\n\t}\n\n\tfunction onCancelClick (ctrlObj) {\n\n\t\tif (ctrlObj.changesMade) {\n\t\t\tsetHeaderState(HEADER_STATES.cancel);\n\t\t} else {\n\t\t\tctrlObj.changesOptions.closeModal();\n\t\t}\n\t}\n\n\tfunction onCellChange (ctrlObj) {\n\t\tsetChangesMade(true);\n\t\tupdatePayElementTotals(ctrlObj);\n\t}\n\n\tfunction onFormSave () {\n\n\t\tsetFormState('saved');\n\t\tgrowl.success('Changes saved');\n\n\t\t$timeout(function () {\n\t\t\tsetFormState(null);\n\t\t}, 2000);\n\t}\n\n\tfunction onError (error) {\n\t\tsetComponentState(COMPONENT_STATES.error);\n\t console.error(error);\n\t setShowClose();\n\t}\n\n\tfunction onTableCellClick (ctrlObj, teamMemberObj, payElementObj) {\n\n\t\tlet teamMemberPayElementObj = getTeamMemberPayElement(ctrlObj, teamMemberObj, payElementObj);\n\n\t\tif (teamMemberPayElementObj.state === PAY_ELEMENT_STATES.edited) {\n\t\t\tteamMemberPayElementObj.state = PAY_ELEMENT_STATES.editing;\n\t\t}\n\t}\n\n\tfunction openMarkAsActiveTooltip (ctrlObj) {\n\t\tctrlObj.showMarkAsActiveTooltip = true;\n\t}\n\n\tfunction processPayElementsFromGroup (ctrlObj, payElementGroupArr) {\n\n\t\tlet payElementsArr = payElementGroupArr.map(teamMemberObj => teamMemberObj.PayElements).flat();\n\n\t\tctrlObj.payElementSavedCount = 0;\n\n\t\treturn $q(resolve => {\n\n\t\t\tif (payElementsArr.length === 0) {\n\t\t\t\tresolve();\n\t\t\t}\n\n\t\t\tfor (let payElementObj of payElementsArr) {\n\n\t\t\t\tangular.extend(payElementObj, {\n\t\t\t\t\tid: getPayElementId(payElementObj),\n\t\t\t\t\t// Uniquely identify pay element by post (UserId + SalaryPolicyPostID)\n\t\t\t\t\tpostId: payElementObj.UserID + payElementObj.SalaryPolicyPostID\n\t\t\t\t});\n\n\t\t\t\taddPayElementToTable(ctrlObj, payElementObj, PAY_ELEMENT_STATES.edited).then(() => {\n\n\t\t\t\t\tctrlObj.payElementSavedCount++;\n\n\t\t\t\t\tif (ctrlObj.payElementSavedCount === payElementsArr.length) {\n\t\t\t\t\t\tresolve();\n\t\t\t\t\t}\n\t\t\t\t});\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction resetTable (ctrlObj) {\n\n\t\tangular.extend(ctrlObj, {\n\t\t\theaderState: HEADER_STATES.default,\n\t\t\tpayElementSavedCount: 0,\n\t\t\tupdatedPayElements: {},\n\t\t\tisImportGroupComplete: false\n\t\t});\n\n\t\tUSER_IMPORT_GROUP_ID = config.guidEmpty;\n\t\tsetChangesMade(false);\n\t\tupdatePayElementTotals(ctrlObj);\n\t}\n\n\tfunction setCallbackOnClose (ctrlObj) {\n\n\t\tif (!angular.isDefined(ctrlObj.changesOptions.onClose)) {\n\t\t\tctrlObj.changesOptions.onClose = ctrlObj.changesOptions.callback;\n\t\t}\n\t}\n\n\tfunction setChangesMade (changesMadeBool) {\n\t\t$ctrl.changesMade = changesMadeBool;\n\t}\n\n\tfunction setComponentState (newState) {\n\t\t$ctrl.componentState = newState;\n\t}\n\n\tfunction setFormState (newState) {\n\t\tif ($ctrl.changesTableForm) {\n\t\t\t$ctrl.changesTableForm.state = newState;\n\t\t}\n\t}\n\n\tfunction setHeaderState (newState) {\n\t\t$ctrl.headerState = newState;\n\t}\n\n\tfunction setShowClose () {\n\t\t$ctrl.changesOptions.showClose = true;\n\t}\n\n\tfunction toggleSearch (ctrlObj) {\n\t\tctrlObj.showSearch = !ctrlObj.showSearch;\n\n\t\tif (ctrlObj.showSearch) {\n\t\t\tfocusOnElement('changes-table-search');\n\t\t}\n\t}\n\n\tfunction updateUserImportGroupState (ctrlObj, newImportGroupState) {\n\n\t\t// If new state is 'approved', also update the workflow template changes table state\n\t\tconst updateChangesTable = [];\n\t\tif (newImportGroupState = USER_IMPORT_GROUP_STATES.approved) {\n\t\t\tupdateChangesTable.push(messageData.updateWorkflowTemplateChangesTableState(AGENCY_PROFILE_ID, WORKFLOW_CHANGES_TABLE_STATES.complete));\n\t\t}\n\t\tupdateChangesTable.push(dataImport.updateUserImportGroupState(USER_IMPORT_GROUP_ID, newImportGroupState));\n\n\t\treturn $q((resolve, reject) => {\n\t\t\t$q.all(updateChangesTable).then(() => {\n\t\t\t\tsetCallbackOnClose(ctrlObj);\n\t\t\t\tresolve();\n\t\t\t})\n\t\t\t.catch(reject);\n\t\t});\n\t}\n\n\tfunction getIsUsedPayElementsVisibleInPack (ctrlObj) {\n\n\t\tif (ctrlObj.payElements.length === 0) {\n\t\t\treturn false;\n\t\t}\n\n\t\tlet teamMemberPayElementsArr = getPayElementsFromTable(ctrlObj);\n\n\t\tfor (let teamMemberPayElementObj of teamMemberPayElementsArr) {\n\n\t\t\t// If matching pay element within pack doesn't exist then show warning\n\t\t\tlet payElementObj = ctrlObj.payElements.find(payElementObj => payElementObj.id === teamMemberPayElementObj.id);\n\n\t\t\tif (!payElementObj) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction updatePayElementTotals (ctrlObj) {\n\n\t\tlet teamMemberPayElementsArr = getPayElementsFromTable(ctrlObj);\n\n\t\tfor (let payElementObj of ctrlObj.payElements) {\n\t\t\tpayElementObj.totalValue = 0;\n\t\t}\n\n\t\tfor (let teamMemberPayElementObj of teamMemberPayElementsArr) {\n\n\t\t\tlet payElementObj = ctrlObj.payElements.find(payElementObj => payElementObj.id === teamMemberPayElementObj.id);\n\n\t\t\tteamMemberPayElementObj.Value = getAdjustmentPercentageValue(payElementObj, teamMemberPayElementObj);\n\n\t\t\tif (teamMemberPayElementObj.Value && teamMemberPayElementObj.Value !== '') {\n\t\t\t\tpayElementObj.totalValue += parseFloat(teamMemberPayElementObj.Value);\n\t\t\t}\n\n\t\t}\n\t}\n\n\tfunction updateUserImportGroupApproved (ctrlObj) {\n\n\t\tupdateUserImportGroupState(ctrlObj, USER_IMPORT_GROUP_STATES.approved).then(() => {\n\t\t\tsetComponentState(COMPONENT_STATES.imported);\n\t\t\tsetShowClose();\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction updateUserPayElementsForImportGroup (ctrlObj) {\n\n\t\tsetFormState('saving');\n\n\t\tlet updatedElementsArr = getUpdatedElements(ctrlObj);\n\n\t\tctrlObj.payElementSavedCount = updatedElementsArr.length;\n\n\t\tpayrollData.updateUserPayElementsForImportGroup(AGENCY_PROFILE_ID, PAY_PERIOD_ID, updatedElementsArr, USER_IMPORT_GROUP_ID).then(() => {\n\n\t\t\tsetCallbackOnClose(ctrlObj);\n\t\t\tsetChangesMade(false);\n\n\t\t\tif (isUserImportGroupSaved()) {\n\t\t\t\tgetPayElementsFromImportGroup(ctrlObj)\n\t\t\t\t\t.then(onFormSave)\n\t\t\t\t\t.catch(onError);\n\n\t\t\t} else {\n\t\t\t\tgetUserImportGroup()\n\t\t\t\t\t.then(() => {\n\t\t\t\t\t\tgetPayElementsFromImportGroup(ctrlObj)\n\t\t\t\t\t\t\t.then(onFormSave)\n\t\t\t\t\t\t\t.catch(onError);\n\t\t\t\t\t})\n\t\t\t\t\t.catch(onError);\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\t$ctrl.$onInit = function () {\n\n\t\tsetComponentState(COMPONENT_STATES.loading);\n\n\t\tlet changesOptionsObj = $ctrl.changesOptions;\n\t\tAGENCY_PROFILE_ID = changesOptionsObj.agencyProfileId;\n\t\tPAY_PERIOD_ID = changesOptionsObj.payPeriodId;\n\n\t\tangular.extend($ctrl, {\n\t\t\tADJUSTMENT_VALUE_TYPES,\n\t\t\tCOMPONENT_STATES,\n\t\t\tPAY_ELEMENT_STATES,\n\t\t\tHEADER_STATES,\n\t\t\tTEAM_MEMBER_VIEW_TYPES,\n\t\t\tTOOLTIPS: TOOLTIPS.changesTable,\n\t\t\tUSER_IMPORT_GROUP_STATES,\n\n\t\t\taddNewPayElementForTeamMember,\n\t\t\tchangeOrderBy,\n\t\t\tdeletePayElementFromTeamMember,\n\t\t\tdeleteUserImportGroup,\n\t\t\teditPayElementForTeamMember,\n\t\t\tgoToCompanyState,\n\t\t\tonCancelClick,\n\t\t\tonCellChange,\n\t\t\tonConfirmImport,\n\t\t\tonTableCellClick,\n\t\t\topenMarkAsActiveTooltip,\n\t\t\tsetComponentState,\n\t\t\tsetHeaderState,\n\t\t\ttoggleSearch,\n\t\t\tupdateUserPayElementsForImportGroup\n\t\t});\n\n\t\tinit();\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('checkbox', [function () {\n\treturn {\n\t\trestrict: 'A',\n\t\tscope: {\n\t\t\tlabelText: '=',\n\t\t\tlabelTextClass: '@?',\n\t\t\ticon:\t '@?',\n\t\t\tid: '@',\n\t\t\talign: '@'\n\t\t},\n\t\tlink: function (scope, element) {\n\n\t\t\tlet checkbox = angular.element(element);\n\t\t\tlet checkboxClass = scope.align !== undefined ? ' ' + scope.align : '';\n\t\t\tlet checkboxId = !scope.id ? element[0].id : scope.id;\n\t\t\tlet labelTextClass = angular.isDefined(scope.labelTextClass) ? scope.labelTextClass : '';\n\n\t\t\t// Add wrapper\n\t\t\tcheckbox.wrap('');\n\n\t\t\t// Append icon (optional, still used?)\n\t\t\tif (scope.icon !== undefined) {\n\t\t\t\tcheckbox.after(``);\n\t\t\t}\n\n\t\t\t// Append tick box\n\t\t\tcheckbox.after(``);\n\n\t\t\t// Append text label\n\t\t\tif (scope.labelText !== undefined) {\n\t\t\t\tcheckbox.after(``);\n\t\t\t}\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('checkboxInput', [function () {\n\treturn {\n\t\trestrict: 'A',\n\t\tlink: function ($scope, $element, $attrs) {\n\n\t\t\t$element.addClass('checkbox-input-field');\n\n\t\t\tvar checkboxEl = angular.element($element);\n\t\t\tvar checkboxId = $attrs.id;\n\t\t\tvar checkboxTheme = $attrs.checkboxInputTheme !== undefined ? $attrs.checkboxInputTheme : 'primary';\n\n\t\t\t// Add wrapper\n\t\t\tcheckboxEl.wrap(``);\n\n\t\t\t// Append tick box\n\t\t\tcheckboxEl.after(``);\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n/**\n\tA simple component for showing a list of items in a collapsible container.\n\tisActive: initial state of container\n*/\n.component('collapsibleList', {\n\tbindings: {\n\t\tcanOpen: '<',\n\t\tisActive: '<',\n\t\tlabel: '<'\n\t},\n\tcontroller: 'collapsibleListCtrl',\n\ttemplateUrl: 'components/collapsible-list/collapsible-list.component.html',\n\ttransclude: {\n\t\t'collapsibleListContent': '?collapsibleListContent',\n\t\t'collapsibleListActions': '?collapsibleListActions'\n\t}\n})\n\n.controller('collapsibleListCtrl', [\n\t'$transclude',\n\tfunction (\n\t\t$transclude\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tcanOpen: angular.isDefined($ctrl.canOpen) ? $ctrl.canOpen : true,\n\t\t\thasActions: $transclude.isSlotFilled('collapsibleListActions'),\n\t\t\tisCollapsed: angular.isDefined($ctrl.isCollapsed) ? $ctrl.isCollapsed : false\n\t\t});\n\t}\n\n\tfunction toggleIsActive ($ctrl) {\n\n\t\tif (!$ctrl.canOpen) {\n\t\t\treturn;\n\t\t}\n\n\t\t$ctrl.isActive = !$ctrl.isActive;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\ttoggleIsActive\n\t});\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('costSplitFormField', {\n bindings: {\n businessCategories: '<',\n\t\temptyUserAgencyProfileBusinessCode: '<',\n\t\tuser:'<',\n\t\tuserBusinessCodes: '='\n },\n controller: 'costSplitFormFieldController',\n require: {\n\t\tform: '^form'\n },\n templateUrl: 'components/cost-split-form-field/cost-split-form-field.component.html',\n transclude: true\n})\n\n.controller('costSplitFormFieldController', [\n\t'config',\n\t'utilities',\n\tfunction(\n\t\tconfig,\n\t\tutilities\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onChanges (changes) {\n\n\t\tif (changes.businessCategories) {\n\t\t\t$ctrl.businessCategories = changes.businessCategories.currentValue.filter((businessCategory) => businessCategory.selectedBusinessCode !== null);\n\t\t}\n\t}\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tconfirmDelete: false,\n\t\t\tbusinessCodesCostSplit: $ctrl.userBusinessCodes.BusinessCodeCostSplit,\n\t\t});\n\n\t\tsetupSelectedBusinessCategory();\n\t}\n\n\tfunction addBusinessCode () {\n\n\t\t$ctrl.businessCodesCostSplit.UserAgencyProfileBusinessCodes.push(getEmptyUserAgencyProfileBusinessCode($ctrl.selectedBusinessCategory));\n\n\t\tvalidateCostSplits();\n\t}\n\n\tfunction getEmptyUserAgencyProfileBusinessCode (selectedBusinessCategory) {\n\n\t\treturn angular.extend({}, $ctrl.emptyUserAgencyProfileBusinessCode, {\n\t\t\tBusinessCategoryID: selectedBusinessCategory.BusinessCategoryID,\n\t\t\tBusinessCodeID: null,\n\t\t\tUserAgencyProfileBusinessCodePercent: 0,\n\t\t\tUserAgencyProfileBusinessCodePrimary: false,\n\t\t});\n\t}\n\n\tfunction getPercentageTotal () {\n\n\t\treturn $ctrl.businessCodesCostSplit.UserAgencyProfileBusinessCodes.reduce((total, businessCode) => total + (parseFloat(businessCode.UserAgencyProfileBusinessCodePercent) || 0), 0) || 0;\n\t}\n\n\tfunction onBusinessCodeChangeDelete ($index) {\n\n\t\t$ctrl.businessCodesCostSplit.UserAgencyProfileBusinessCodes.splice($index, 1);\n\n\t\tupdatePercentage();\n\t\tsetDirty();\n\t}\n\n\tfunction onDelete () {\n\n\t\tangular.extend($ctrl.businessCodesCostSplit, {\n\t\t\tBusinessCategoryID: config.guidEmpty,\n\t\t\tUserAgencyProfileBusinessCodes: []\n\t\t});\n\n\t\t$ctrl.form.$setValidity('costSplits', true);\n\t}\n\n\tfunction onBusinessCodeChange () {\n\n\t\tvalidateCostSplits();\n\t\tsetDirty();\n\t}\n\n\tfunction onBusinessCodePercentageChange () {\n\n\t\tupdatePercentage();\n\t\tsetDirty();\n\t}\n\n\tfunction onBusinessCategoryChange (selectedBusinessCategory) {\n\n\t\tsetupSelectedBusinessCategory(selectedBusinessCategory);\n\t}\n\n\tfunction setDirty() {\n\n\t\t// We need to set to empty guid otherwise the business code won't be saved in the backend\n\t\tfor (let businessCode of $ctrl.businessCodesCostSplit.UserAgencyProfileBusinessCodes) {\n\t\t\tbusinessCode.UserAgencyProfileBusinessCodeID = config.guidEmpty;\n\t\t}\n\t}\n\n\tfunction setupSelectedBusinessCategory (selectedBusinessCategory) {\n\n\t\tif (!selectedBusinessCategory) {\n\t\t\tselectedBusinessCategory = $ctrl.businessCategories.find(businessCategory => businessCategory.BusinessCategoryID === $ctrl.businessCodesCostSplit.BusinessCategoryID);\n\t\t}\n\n\t\tfunction isInSelectedBusinessCategory (userBusinessCodeObj) {\n\t\t\treturn userBusinessCodeObj.BusinessCategoryID === selectedBusinessCategory.BusinessCategoryID;\n\t\t}\n\n\t\tfunction sortUserBusinessCodes (a, b) {\n\t\t\t// We want primary business codes at the top\n\t\t\tif (a.BusinessCodeID === selectedBusinessCategory.selectedBusinessCode.BusinessCodeID) {\n\t\t\t\treturn -1;\n\t\t\t} else if (b.BusinessCodeID === selectedBusinessCategory.selectedBusinessCode.BusinessCodeID) {\n\t\t\t\treturn 1;\n\t\t\t}\n\n\t\t\t// Sort by descending percentage (multiplied by -1 to reverse the default comparison order)\n\t\t\tconst percentComparison = utilities.comparator('UserAgencyProfileBusinessCodePercent')(a, b) * -1;\n\n\t\t\t// If the percentages are equal, sort by business code name\n\t\t\tif (percentComparison === 0) {\n\t\t\t\treturn utilities.comparator('BusinessCodeNarrative')(a, b);\n\t\t\t} else {\n\t\t\t\treturn percentComparison;\n\t\t\t}\n\t\t}\n\n\t\t// Filter out the non assigned business codes\n\t\tselectedBusinessCategory.BusinessCodes = selectedBusinessCategory.BusinessCodes.filter(businessCode => businessCode.BusinessCodeID !== config.guidEmpty);\n\n\t\t$ctrl.businessCodesCostSplit.BusinessCategoryID = selectedBusinessCategory.BusinessCategoryID;\n\n\t\t// Copy the BusinessCodeNarrative from the BusinessCode to the UserAgencyProfileBusinessCode so that we can sort based on the name\n\t\t$ctrl.businessCodesCostSplit.UserAgencyProfileBusinessCodes.forEach(userBusinessCode => {\n\t\t\tif (isInSelectedBusinessCategory(userBusinessCode)) {\n\n\t\t\t\tif (userBusinessCode.BusinessCodeID !== null) {\n\n\t\t\t\t\tuserBusinessCode.BusinessCodeNarrative = selectedBusinessCategory.BusinessCodes.find(businessCode => businessCode.BusinessCodeID === userBusinessCode.BusinessCodeID && userBusinessCode.BusinessCodeID !== null).BusinessCodeNarrative;\n\t\t\t\t}\n\t\t\t}\n\t\t});\n\n\t\t$ctrl.businessCodesCostSplit.UserAgencyProfileBusinessCodes = $ctrl.businessCodesCostSplit.UserAgencyProfileBusinessCodes.filter(isInSelectedBusinessCategory).sort(sortUserBusinessCodes);\n\n\t\tlet primaryBusinessCode = $ctrl.businessCodesCostSplit.UserAgencyProfileBusinessCodes.find(businessCode => businessCode.UserAgencyProfileBusinessCodePrimary);\n\n\t\tif ($ctrl.businessCodesCostSplit.UserAgencyProfileBusinessCodes.length === 0) {\n\n\t\t\tconst emptyUserBusinessCode = getEmptyUserAgencyProfileBusinessCode(selectedBusinessCategory);\n\t\t\tprimaryBusinessCode = getEmptyUserAgencyProfileBusinessCode(selectedBusinessCategory);\n\n\t\t\tangular.extend(primaryBusinessCode, {\n\t\t\t\tBusinessCategoryID: selectedBusinessCategory.BusinessCategoryID,\n\t\t\t\tBusinessCodeID: selectedBusinessCategory.selectedBusinessCode.BusinessCodeID,\n\t\t\t\tUserAgencyProfileBusinessCodePercent: 100,\n\t\t\t\tUserAgencyProfileBusinessCodePrimary: true,\n\t\t\t});\n\n\t\t\t$ctrl.businessCodesCostSplit.UserAgencyProfileBusinessCodes = [primaryBusinessCode, emptyUserBusinessCode];\n\t\t}\n\n\t\tprimaryBusinessCode.BusinessCodeNarrative = selectedBusinessCategory.selectedBusinessCode.BusinessCodeNarrative;\n\n\t\tangular.extend($ctrl, {\n\t\t\tselectedBusinessCategory,\n\t\t\tprimaryBusinessCode\n\t\t});\n\n\t\tupdatePercentage();\n\t}\n\n\tfunction toggleConfirmDelete () {\n\n\t\t$ctrl.confirmDelete = !$ctrl.confirmDelete;\n\t}\n\n\tfunction updatePercentage () {\n\n\t\tfunction equal(x, y) {\n\t\t\treturn Math.abs(x - y) < 100 * Number.EPSILON;\n\t\t}\n\n\t\tconst total = getPercentageTotal();\n\n\t\t$ctrl.isMaxValue = equal(total, 100);\n\t\t$ctrl.totalPercentage = parseFloat(total).toFixed(4) + '%';\n\n\t\tvalidateCostSplits();\n\t}\n\n\tfunction validateCostSplits () {\n\n\t\tfunction isBusinessCodeValid (businessCodeObj) {\n\t\t\treturn businessCodeObj.BusinessCodeID !== null &&\n\t\t\t\t businessCodeObj.UserAgencyProfileBusinessCodePercent > 0 &&\n\t\t\t\t businessCodeObj.UserAgencyProfileBusinessCodePercent < 100;\n\t\t}\n\n\t\tconst isValid = $ctrl.isMaxValue &&\n\t\t\tangular.isDefined($ctrl.selectedBusinessCategory) &&\n\t\t\t$ctrl.businessCodesCostSplit.UserAgencyProfileBusinessCodes.every(isBusinessCodeValid);\n\n\t\t// We invalidate the parent form to disable the submit button\n\t\t$ctrl.form.$setValidity('costSplits', isValid);\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onChanges,\n\t\t$onInit,\n\t\taddBusinessCode,\n\t\tonBusinessCategoryChange,\n\t\tonBusinessCodeChange,\n\t\tonBusinessCodeChangeDelete,\n\t\tonBusinessCodePercentageChange,\n\t\tonDelete,\n\t\ttoggleConfirmDelete\n\t});\n}])\n\n// Filter for the business codes to removed the ones already used (make sure to reapply the filter in the HTML file\n.filter('addToBusinessCodesRemoveUsedCodes', function () {\n\n\treturn function (\n\t\tbusinessCodesArr,\n\t\tbusinessCodesCostSplitArr,\n\t\tcurrentValue\n\t) {\n\n\t\t// Returns array of Business Codes - Filtering out IDs that appear in updatesList more than once, unless ID is the current value\n\n\t\tfunction getUsedBusinessCodes () {\n\n\t\t\tconst returnArr = [];\n\n\t\t\tfor (let businessCodeChange of businessCodesCostSplitArr) {\n\n\t\t\t\t// Initial value is null, don't include that in this array\n\t\t\t\tif (businessCodeChange.BusinessCodeID !== null) {\n\t\t\t\t\treturnArr.push(businessCodeChange.BusinessCodeID);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\treturn returnArr;\n\t\t}\n\n\t\tfunction getApplicableBusinessCodesIds () {\n\n\t\t\tfunction filterOutUsedBusinessCodes (businessCodeObj) {\n\n\t\t\t\t// Can only select the business code type once\n\t\t\t\tconst isBusinessCategoryIsNotAlreadyUsed = !usedBusinessCategoriesArr.includes(businessCodeObj.BusinessCodeID);\n\n\t\t\t\t// Keep the current value in the array as it would be removed from the dropdown otherwise\n\t\t\t\tconst isBusinessCategoryCurrentValue = businessCodeObj.BusinessCodeID === currentValue;\n\n\t\t\t\treturn isBusinessCategoryIsNotAlreadyUsed || isBusinessCategoryCurrentValue;\n\t\t\t}\n\n\t\t\tif (angular.isUndefined(businessCodesArr)) {\n\t\t\t\treturn [];\n\t\t\t}\n\n\t\t\tconst usedBusinessCategoriesArr = getUsedBusinessCodes();\n\n\t\t\treturn businessCodesArr.filter(filterOutUsedBusinessCodes);\n\t\t}\n\n\t\treturn getApplicableBusinessCodesIds();\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('pcCheckbox', [function () {\n\treturn {\n\t\trestrict: 'C',\n\t\tscope: {\n\t\t\tpcCheckboxClass: '@'\n\t\t},\n\t\tlink: function ($scope, element, attrs) {\n\n\t\t\tvar checkbox = angular.element(element);\n\t\t\tvar checkboxId = attrs.id;\n\n\t\t\t// Add label\n\t\t\tcheckbox.after(``);\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('circleLoader', [function () {\n\treturn {\n\t\trestrict: 'E',\n\t\ttemplateUrl: 'components/circle-loader/circleLoaderComponent.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tsize: '='\n\t\t}\n\t};\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('codeField', {\n\tbindings: {\n\t\tcode: '=',\n\t\tfieldDisabled: '',\n\t\tonCodeChange: '&?',\n\t\tshowFooter: '',\n\t\ttheme: '@?',\n\t\ttitle: '@?'\n\t},\n\tcontroller: 'codeFieldCtrl',\n\trequire: '^form',\n\ttemplateUrl: 'components/code-field/code-field.component.html',\n\ttransclude: {\n\t\tfooter: '?cfFooter',\n\t},\n})\n.controller('codeFieldCtrl', ['$scope', '$timeout', '$transclude', 'utilities',\n\tfunction ($scope, $timeout, $transclude, utilities) {\n\n\tconst $ctrl = this;\n\tconst MAX_LENGTH = 6;\n\n\tfunction $onInit () {\n\n\t\tconst fieldsObj = {};\n\n\t\tfor (let fieldIndex = 0; fieldIndex < MAX_LENGTH; fieldIndex++) {\n\t\t\tfieldsObj[`field${fieldIndex+1}`] = $ctrl.code && $ctrl.code[fieldIndex] ? $ctrl.code[fieldIndex] : null;\n\t\t}\n\n\t\t$ctrl.fields = fieldsObj;\n\n\t\tfocusOnEmptyCode($ctrl);\n\t}\n\n\tfunction focusOnEmptyCode (ctrlObj) {\n\n\t\tif (!ctrlObj.code) {\n\t\t\tutilities.focusOn('field1');\n\t\t}\n\t}\n\n\tfunction onBlur (ctrlObj) {\n\t\tctrlObj.isFocussed = false;\n\t}\n\n\tfunction onChange (ctrlObj) {\n\n\t\tconst codeString = Object.values(ctrlObj.fields).join('');\n\n\t\tif (codeString && codeString !== ctrlObj.code) {\n\n\t\t\t$ctrl.code = codeString;\n\n\t\t\tif (codeString.length === MAX_LENGTH && angular.isDefined(ctrlObj.onCodeChange)) {\n\t\t\t\t$timeout(() => {\n\t\t\t\t\tctrlObj.onCodeChange();\n\t\t\t\t});\n\t\t\t}\n\n\t\t}\n\t}\n\n\tfunction onFocus (ctrlObj) {\n\n\t\tctrlObj.isFocussed = true;\n\n\t\tfocusOnEmptyCode(ctrlObj);\n\t}\n\n\tfunction onMouseLeave (ctrlObj) {\n\t\tctrlObj.isMouseOver = false;\n\t}\n\n\tfunction onMouseOver (ctrlObj) {\n\t\tctrlObj.isMouseOver = true;\n\t}\n\n\tfunction onPaste (ctrlObj, eventObj) {\n\n\t\tconst code = utilities.getClipboardTextFromEvent(eventObj);\n\n\t\tctrlObj.code = code.substr(0, MAX_LENGTH);\n\n\t\tutilities.focusOn('field6');\n\t}\n\n\t$scope.$watch('$ctrl.code', function (oldValue, newValue) {\n\n\t\tif (oldValue !== newValue) {\n\t\t\t$onInit();\n\t\t}\n\t});\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tonBlur,\n\t\tonFocus,\n\t\tonMouseLeave,\n\t\tonMouseOver,\n\t\tonPaste,\n\t\tonChange,\n\n\t\thasFooter: $transclude.isSlotFilled('footer'),\n\t\tisMouseOver: false\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('colourPicker', ['REGEX', function (REGEX) {\n\treturn {\n\t\trestrict: 'E',\n\t\ttemplateUrl: 'components/colour-picker/colourPickerComponent.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tcolour: '=',\n\t\t\tcpOnChange: '&',\n\t\t\tcpId: '@'\n\t\t},\n\t\tlink: function (scope, element) {\n\n\t\t\tvar colourPicker = element[0];\n\t\t\tvar slideInFormBody = document.getElementById('slide-in-form-body');\n\n\t\t\tvar spectrumCanvas = colourPicker.querySelector('.colour-picker__canvas--spectrum');\n\t\t\tvar spectrumCtx = spectrumCanvas.getContext('2d');\n\t\t\tvar spectrumCursor = colourPicker.querySelector('.colour-picker__cursor--spectrum');\n\t\t\tvar spectrumRect = spectrumCanvas.getBoundingClientRect();\n\n\t\t\tvar hueCanvas = colourPicker.querySelector('.colour-picker__canvas--hue');\n\t\t\tvar hueCtx = hueCanvas.getContext('2d');\n\t\t\tvar hueCursor = colourPicker.querySelector('.colour-picker__cursor--hue');\n\t\t\tvar hueRect = hueCanvas.getBoundingClientRect();\n\n\t\t\tvar hex = colourPicker.querySelector('.colour-picker__input');\n\t\t\tvar hexBox = colourPicker.querySelector('.colour-picker__colour');\n\t\t\tvar popOut = colourPicker.querySelector('.colour-picker__popout');\n\t\t\tvar popOutBackground = colourPicker.querySelector('.colour-picker__background');\n\n\t\t\tvar hue = 0;\n\t\t\tvar saturation = 1;\n\t\t\tvar lightness = 0.5;\n\n\t\t\tvar open = false;\n\n\t\t\tscope.onChange = function (updatedColour) {\n\n\t\t\t\tif (scope.cpOnChange !== undefined && typeof scope.cpOnChange === 'function' && REGEX.hex.test(updatedColour)) {\n\t\t\t\t\tscope.cpOnChange();\n\t\t\t\t}\n\t\t\t};\n\n\t\t\tfunction colorPicker () {\n\n\t\t\t\trefreshElementRects();\n\t\t\t\tcreateShadeSpectrum();\n\t\t\t\tcreateHueSpectrum();\n\t\t\t}\n\n\t\t\tfunction colorToHue (colour) {\n\t\t\t\t\n\t\t\t\tcolour = tinycolor(colour);\n\t\t\t\tvar hueString = tinycolor('hsl ' + colour.toHsl().h + ' 1 .5').toHslString();\n\t\t\t\treturn hueString;\n\t\t\t}\n\n\t\t\tfunction colorToPos (colour) {\n\t\t\t\tcolour = tinycolor(colour);\n\t\t\t\tvar hsl = colour.toHsl();\n\t\t\t\thue = hsl.h;\n\t\t\t\tvar hsv = colour.toHsv();\n\t\t\t\tvar x = spectrumRect.width * hsv.s;\n\t\t\t\tvar y = spectrumRect.height * (1 - hsv.v);\n\t\t\t\tvar hueY = hueRect.height - hue / 360 * hueRect.height;\n\t\t\t\tupdateSpectrumCursor(x, y);\n\t\t\t\tupdateHueCursor(hueY);\n\t\t\t\tsetCurrentColor(colour);\n\t\t\t\tcreateShadeSpectrum(colorToHue(colour));\n\t\t\t}\n\n\t\t\tfunction createHueSpectrum () {\n\t\t\t\t\n\t\t\t\tvar canvas = hueCanvas;\n\t\t\t\tvar ctx = hueCtx;\n\t\t\t\tvar hueGradient = ctx.createLinearGradient(0, 0, 0, canvas.height);\n\t\t\t\t\n\t\t\t\thueGradient.addColorStop(0.0, 'hsl(0,100%,50%)');\n\t\t\t\thueGradient.addColorStop(0.17, 'hsl(298.8, 100%, 50%)');\n\t\t\t\thueGradient.addColorStop(0.33, 'hsl(241.2, 100%, 50%)');\n\t\t\t\thueGradient.addColorStop(0.5, 'hsl(180, 100%, 50%)');\n\t\t\t\thueGradient.addColorStop(0.67, 'hsl(118.8, 100%, 50%)');\n\t\t\t\thueGradient.addColorStop(0.83, 'hsl(61.2,100%,50%)');\n\t\t\t\thueGradient.addColorStop(1.0, 'hsl(360,100%,50%)');\n\t\t\t\t\n\t\t\t\tctx.fillStyle = hueGradient;\n\t\t\t\tctx.fillRect(0, 0, canvas.width, canvas.height);\n\t\t\t\tcanvas.addEventListener('mousedown', function(e) {\n\t\t\t\t\tstartGetHueColor(e);\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tfunction createShadeSpectrum (colour) {\n\n\t\t\t\tvar canvas = spectrumCanvas;\n\t\t\t\tvar ctx = spectrumCtx;\n\t\t\t\tctx.clearRect(0, 0, canvas.width, canvas.height);\n\t\t\t\tif (!colour) {\n\t\t\t\t\tcolour = '#f00';\n\t\t\t\t}\n\t\t\t\tctx.fillStyle = colour;\n\t\t\t\tctx.fillRect(0, 0, canvas.width, canvas.height);\n\n\t\t\t\tvar whiteGradient = ctx.createLinearGradient(0, 0, canvas.width, 0);\n\t\t\t\twhiteGradient.addColorStop(0, '#fff');\n\t\t\t\twhiteGradient.addColorStop(1, 'transparent');\n\t\t\t\tctx.fillStyle = whiteGradient;\n\t\t\t\tctx.fillRect(0, 0, canvas.width, canvas.height);\n\n\t\t\t\tvar blackGradient = ctx.createLinearGradient(0, 0, 0, canvas.height);\n\t\t\t\tblackGradient.addColorStop(0, 'transparent');\n\t\t\t\tblackGradient.addColorStop(1, '#000');\n\t\t\t\tctx.fillStyle = blackGradient;\n\t\t\t\tctx.fillRect(0, 0, canvas.width, canvas.height);\n\n\t\t\t\tcanvas.addEventListener('mousedown', function(e) {\n\t\t\t\t\tstartGetSpectrumColor(e);\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tfunction endGetHueColor () {\n\n\t\t\t\thueCursor.classList.remove('dragging');\n\t\t\t\twindow.removeEventListener('mousemove', getHueColor);\n\t\t\t}\n\n\t\t\tfunction endGetSpectrumColor () {\n\n\t\t\t\tspectrumCursor.classList.remove('dragging');\n\t\t\t\twindow.removeEventListener('mousemove', getSpectrumColor);\n\t\t\t}\n\n\t\t\tfunction getHueColor (e) {\n\n\t\t\t\te.preventDefault();\n\t\t\t\tvar y = e.pageY - hueRect.top;\n\t\t\t\tif (y > hueRect.height) {\n\t\t\t\t\ty = hueRect.height;\n\t\t\t\t}\n\t\t\t\tif (y < 0) {\n\t\t\t\t\ty = 0;\n\t\t\t\t}\n\t\t\t\tvar percent = y / hueRect.height;\n\t\t\t\thue = 360 - 360 * percent;\n\t\t\t\tvar hueColor = tinycolor('hsl ' + hue + ' 1 .5').toHslString();\n\t\t\t\tvar colour = tinycolor('hsl ' + hue + ' ' + saturation + ' ' + lightness).toHslString();\n\t\t\t\tcreateShadeSpectrum(hueColor);\n\t\t\t\tupdateHueCursor(y, hueColor);\n\t\t\t\tsetCurrentColor(colour);\n\t\t\t\tsetColorValues(colour);\n\t\t\t}\n\n\t\t\tfunction getSpectrumColor (e) {\n\t\t\t\t\n\t\t\t\t// got some help here - http://stackoverflow.com/questions/23520909/get-hsl-value-given-x-y-and-hue\n\t\t\t\te.preventDefault();\n\t\t\t\t//get x/y coordinates\n\t\t\t\tvar x = e.pageX - spectrumRect.left;\n\t\t\t\tvar y = e.pageY - spectrumRect.top;\n\t\t\t\t//constrain x max\n\t\t\t\tif (x > spectrumRect.width) {\n\t\t\t\t\tx = spectrumRect.width;\n\t\t\t\t}\n\t\t\t\tif (x < 0) {\n\t\t\t\t\tx = 0.1;\n\t\t\t\t}\n\t\t\t\tif (y > spectrumRect.height) {\n\t\t\t\t\ty = spectrumRect.height;\n\t\t\t\t}\n\t\t\t\tif (y < 0) {\n\t\t\t\t\ty = 0.1;\n\t\t\t\t}\n\t\t\t\t//convert between hsv and hsl\n\t\t\t\tvar xRatio = x / spectrumRect.width * 100;\n\t\t\t\tvar yRatio = y / spectrumRect.height * 100;\n\t\t\t\tvar hsvValue = 1 - yRatio / 100;\n\t\t\t\tvar hsvSaturation = xRatio / 100;\n\t\t\t\tlightness = hsvValue / 2 * (2 - hsvSaturation);\n\t\t\t\tsaturation = hsvValue * hsvSaturation / (1 - Math.abs(2 * lightness - 1));\n\t\t\t\tvar colour = tinycolor('hsl ' + hue + ' ' + saturation + ' ' + lightness);\n\t\t\t\tsetCurrentColor(colour);\n\t\t\t\tsetColorValues(colour);\n\t\t\t\tupdateSpectrumCursor(x, y);\n\t\t\t}\n\n\t\t\tfunction init () {\n\t\t\t\t\n\t\t\t\tcolorPicker();\n\t\t\t\tcolorToPos(hex.value);\n\t\t\t}\n\n\t\t\tfunction refreshElementRects () {\n\n\t\t\t\tspectrumRect = spectrumCanvas.getBoundingClientRect();\n\t\t\t\thueRect = hueCanvas.getBoundingClientRect();\n\t\t\t}\n\n\t\t\tfunction refreshElementRectsOnScrollStop () {\n\n\t\t\t\tvar timer = null;\n\n\t\t\t\tif (timer !== null) {\n\t\t\t\t\tclearTimeout(timer); \n\t\t\t\t}\n\t\t\t\ttimer = setTimeout(function () {\n\t\t\t\t\trefreshElementRects();\n\t\t\t\t}, 150);\t\n\t\t\t}\n\n\t\t\tfunction setColorValues (colour) {\n\n\t\t\t\t//convert to tinycolor object\n\t\t\t\tcolour = tinycolor(colour);\n\t\t\t\tvar hexValue = '#' + colour.toHex();\n\t\t\t\t//set inputs\n\t\t\t\t// hex.value = hexValue;\n\t\t\t\thexBox.style.backgroundColor = hexValue;\n\t\t\t\tscope.$apply(function(){\n\t\t\t\t\tscope.colour = hexValue;\n\t\t\t\t\tscope.onChange(hexValue);\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tfunction setCurrentColor (colour) {\n\n\t\t\t\tcolour = tinycolor(colour);\n\t\t\t\tspectrumCursor.style.backgroundColor = colour;\n\t\t\t\thueCursor.style.backgroundColor = 'hsl(' + colour.toHsl().h + ', 100%, 50%)';\n\t\t\t}\n\n\t\t\tfunction startGetHueColor (e) {\n\t\t\t\t\n\t\t\t\tgetHueColor(e);\n\t\t\t\thueCursor.classList.add('dragging');\n\t\t\t\twindow.addEventListener('mousemove', getHueColor);\n\t\t\t\twindow.addEventListener('mouseup', endGetHueColor);\n\t\t\t}\n\n\t\t\tfunction togglePopup () {\n\n\t\t\t\trefreshElementRects();\n\t\t\t\tcolorToPos(hex.value);\n\n\t\t\t\tif (!open) {\n\t\t\t\t\tpopOut.classList.add('colour-picker__popout--active');\n\t\t\t\t\topen = true;\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\tpopOut.classList.remove('colour-picker__popout--active');\n\t\t\t\t\topen = false;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction updateHueCursor (y) {\n\n\t\t\t\thueCursor.style.top = (y - 3) + 'px'; // Remove 3px for cursor border\n\t\t\t}\n\n\t\t\tfunction updateSpectrumCursor (x, y) {\n\t\t\t\t\n\t\t\t\t//assign position\n\t\t\t\tspectrumCursor.style.left = x + 'px';\n\t\t\t\tspectrumCursor.style.top = y + 'px';\n\t\t\t}\n\n\t\t\tvar startGetSpectrumColor = function (e) {\n\t\t\t\t\n\t\t\t\tgetSpectrumColor(e);\n\t\t\t\tspectrumCursor.classList.add('dragging');\n\t\t\t\twindow.addEventListener('mousemove', getSpectrumColor);\n\t\t\t\twindow.addEventListener('mouseup', endGetSpectrumColor);\n\t\t\t};\n\n\t\t\thex.addEventListener('input', function () {\n\n\t\t\t\tvar value = hex.value;\n\n\t\t\t\tif (value.length > 1 && value.charAt(0) !== '#') {\n\t\t\t\t\thex.value = '#';\n\t\t\t\t}\n\t\t\t\telse if (REGEX.hex.test(value)) {\n\t\t\t\t\tcolorToPos(value);\n\t\t\t\t\thexBox.style.backgroundColor = value;\n\t\t\t\t}\n\t\t\t});\n\n\t\t\thexBox.addEventListener('click', function () {\n\n\t\t\t\ttogglePopup();\n\t\t\t});\n\n\t\t\tpopOutBackground.addEventListener('click', function () {\n\t\t\t\ttogglePopup();\n\t\t\t});\n\n\t\t\twindow.addEventListener('resize', function () {\n\t\t\t\trefreshElementRects();\n\t\t\t});\n\n\t\t\tslideInFormBody.addEventListener('scroll', refreshElementRectsOnScrollStop);\n\n\t\t\tinit();\n\n\t\t\tscope.$on('$destroy', function () {\n\t\t\t\t\n\t\t\t\tslideInFormBody.removeEventListener('scroll', refreshElementRectsOnScrollStop);\n\t\t\t});\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('communicationsTimeline', function () {\n\n\treturn {\n\t\tcontroller: 'communicationsTimelineController',\n\t\ttemplateUrl: 'components/communications-timeline/communicationsTimelineComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tagencyProfileId: '<',\n\t\t\tagencyEmployerPensionId: '<',\n\t\t\tcompanyPostponed: '='\n\t\t}\n\t};\n})\n.directive('communicationsTimelineMobile', function () {\n\n\treturn {\n\t\tcontroller: 'communicationsTimelineController',\n\t\ttemplateUrl: 'components/communications-timeline/communicationsTimelineComponentMobile.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tagencyProfileId: '<',\n\t\t\tagencyEmployerPensionId: '<',\n\t\t\tcompanyPostponed: '='\n\t\t}\n\t};\n})\n.controller('communicationsTimelineController', ['$scope', 'pensionService', function ($scope, pensionService) {\n\n\t$scope.pensionComms = pensionService.getDeadlinesArray();\n\t$scope.selected = -1;\n\t$scope.toggleSelected = function (popup) {\n\n\t\tif ($scope.selected === popup) {\n\t\t\t$scope.selected = -1;\n\t\t}\n\t\telse {\n\t\t\t$scope.selected = popup;\n\t\t}\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('companyActivity', function () {\n\n\treturn {\n\t\tcontroller: 'companyActivityController',\n\t\ttemplateUrl: 'components/company-activity/company-activity.component.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tagencyProfileId: '<',\n\t\t\tsideBarOptions: '='\n\t\t}\n\t};\n})\n.controller('companyActivityController', [\n\t'$filter',\n\t'$scope',\n\t'base',\n\t'logService',\n\tfunction (\n\t\t$filter,\n\t\t$scope,\n\t\tbase,\n\t\tlogService\n\t) {\n\n\tconst agencyProfileId = $scope.agencyProfileId;\n\n\tfunction init () {\n\n\t\tloadActivity();\n\t}\n\n\tfunction loadActivity () {\n\n\t\tsetPageState('loading');\n\n\t\tbase.getAgencyLogEntriesForLogCategoryList(agencyProfileId).then(logEntriesArray => {\n\n\t\t\tvar logCategoriesArray = logService.getLogCategoriesArray(logEntriesArray);\n\t\t\t\n\t\t\tlogEntriesArray = logService.decorateLogEntries(logEntriesArray);\n\n\t\t\t$scope.vm = {\n\t\t\t\tlogEntries: logEntriesArray,\n\t\t\t\tlogCategories: logCategoriesArray,\n\t\t\t\tlogCategoryId: logCategoriesArray.length ? logCategoriesArray[0].id : 0\n\t\t\t};\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetPageState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tloadActivity\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('companyCard', {\n\tbindings: {\n\t\tagencyProfileParentId: '<',\n\t\tbulkItems: '=',\n\t\tcompany: '<',\n\t\tisClone: '',\n\t\tisBasicView: '',\n\t\treloadCompany: '&',\n\t\treloadCompanies: '&?'\n\t},\n\tcontroller: 'companyCardCtrl',\n\ttemplateUrl: 'components/company-card/company-card.component.html',\n})\n.controller('companyCardCtrl', [\n\t'$rootScope',\n\t'agency',\n\t'bulkService',\n\t'companyData',\n\t'payPeriodService',\n\t'reportData',\n\t'utilities',\n\t'PENSION_STATES',\n\t'STATE_TYPES',\n\t'SUBMISSION_STATES',\n\t'USER_ROLES',\n\tfunction (\n\t\t$rootScope,\n\t\tagency,\n\t\tbulkService,\n\t\tcompanyData,\n\t\tpayPeriodService,\n\t\treportData,\n\t\tutilities,\n\t\tPENSION_STATES,\n\t\tSTATE_TYPES,\n\t\tSUBMISSION_STATES,\n\t\tUSER_ROLES\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tisBulkSelectionEnabled: angular.isDefined($ctrl.bulkItems) && !$rootScope.userHasRole($ctrl.USER_ROLES.groupadminlite),\n\t\t\tisClone: angular.isDefined($ctrl.isClone) ? $ctrl.isClone : false,\n\t\t\treportDownloadState: 'loading'\n\t\t});\n\n\t\tif ($ctrl.company.PayPeriod.PayrollState > SUBMISSION_STATES.unsubmitted) {\n\t\t\tpayPeriodService.pollForSubmissionState($ctrl.company.PayPeriod, STATE_TYPES.finalise, 'PayrollState', $ctrl.company.Company.AgencyProfileID)\n\t\t\t\t.then($ctrl.reloadCompany);\n\t\t}\n\t}\n\n\tfunction deleteCompany () {\n\n\t\tconst confirmed = window.confirm(`Are you sure you wish to delete ${$ctrl.company.Company.Name}? This cannot be undone.`);\n\n\t\tif (confirmed) {\n\n\t\t\t$ctrl.isCompanyBeingDeleted = true;\n\n\t\t\tcompanyData.deleteAgencyProfile($ctrl.company.Company.AgencyProfileID)\n\t\t\t\t.then(() => {\n\t\t\t\t\t$ctrl.reloadCompanies();\n\t\t\t\t})\n\t\t\t\t.catch(onError)\n\t\t\t\t.finally(() => {\n\t\t\t\t\t$ctrl.isCompanyBeingDeleted = false;\n\t\t\t\t});\n\t\t}\n\t}\n\n\tfunction getReportsForCompany () {\n\n\t\tfunction getPayPeriodForReports (companyObj) {\n\n\t\t\tif (angular.isObject(companyObj.PreviousPayPeriod)) {\n\t\t\t\treturn companyObj.PreviousPayPeriod;\n\n\t\t\t} else if (utilities.isValidGuid(companyObj.PayPeriod.PayPeriodID)) {\n\t\t\t\treturn companyObj.PayPeriod;\n\n\t\t\t} else {\n\t\t\t\treturn null;\n\t\t\t}\n\t\t}\n\n\t\tif ($ctrl.reportDownloadState === 'loading') {\n\n\t\t\tcompanyData.getAgencyProfileAgencyProfile($ctrl.company.Company.AgencyProfileID)\n\t\t\t\t.then(companyObj => {\n\n\t\t\t\t\tconst reportPayPeriodObj = getPayPeriodForReports(companyObj);\n\n\t\t\t\t\tif (reportPayPeriodObj) {\n\t\t\t\t\t\treportData.getClassicReports($ctrl.company.Company.AgencyProfileID, reportPayPeriodObj.PayPeriodID)\n\t\t\t\t\t\t\t.then(classicReportsArr => {\n\n\t\t\t\t\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\t\t\t\t\treports: classicReportsArr,\n\t\t\t\t\t\t\t\t\treportPeriod: reportPayPeriodObj,\n\t\t\t\t\t\t\t\t\treportDownloadState: 'ready'\n\t\t\t\t\t\t\t\t});\n\t\t\t\t\t\t\t})\n\t\t\t\t\t\t\t.catch(onError);\n\n\t\t\t\t\t} else {\n\t\t\t\t\t\t$ctrl.reportDownloadState = 'error';\n\t\t\t\t\t}\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\t\t}\n\t}\n\n\tfunction hideMenus () {\n\t\t$ctrl.options = {\n\t\t\tshowMenu: false,\n\t\t\tshowReportMenu: false\n\t\t};\n\t}\n\n\tfunction onCheckboxToggle (ctrlObj) {\n\t\tctrlObj.bulkItems = bulkService.updateBulkItemTotals(ctrlObj.bulkItems);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState(error);\n\t}\n\n\tfunction openAddAChangeForm (companyObj) {\n\t\topenSlideInForm({\n\t\t\tcallback: $ctrl.reloadCompany,\n\t\t\tformKey: 'add-a-change',\n\t\t\tpayPeriod: companyObj.PayPeriod\n\t\t});\n\t}\n\n\tfunction openArchiveCompanyForm () {\n\t\topenSlideInForm({\n\t\t\tavailableWhenCompanyPAYESchemeCeasedPending: false,\n\t\t\tcallback: $ctrl.reloadCompanies,\n\t\t\tformKey: 'archive-company'\n\t\t});\n\t}\n\n\tfunction openBacsPennyTestForm () {\n\n\t\topenSlideInForm({\n\t\t\tformKey: 'bacs-penny-test'\n\t\t});\n\t}\n\n\tfunction openCeasePayeForm () {\n\n\t\topenSlideInForm({\n\t\t\tcallback: $ctrl.reloadCompany,\n\t\t\tformKey: 'company-settings-cease-paye'\n\t\t});\n\t}\n\n\tfunction openClonePayrollForm () {\n\n\t\topenSlideInForm({\n\t\t\tformKey: 'clone-payroll'\n\t\t});\n\t}\n\n\tfunction openCompanyOverviewForm () {\n\t\topenSlideInForm({\n\t\t\tcallback: $ctrl.reloadCompany,\n\t\t\tformKey: 'company-overview',\n\t\t\tagencyProfileParentId: $ctrl.agencyProfileParentId,\n\t\t\tshowContext: false,\n\t\t\tsize: 'large'\n\t\t});\n\t}\n\n \tfunction openCrossPeriodReportForm () {\n\t\topenSlideInForm({\n\t\t\tformKey: 'cross-period-report'\n\t\t});\n\t}\n\n\tfunction openDeleteCloneForm () {\n\n\t\topenSlideInForm({\n\t\t\tcallback: $ctrl.reloadCompanies,\n\t\t\tformAction: 'delete',\n\t\t\tformKey: 'clone-payroll',\n\t\t\ttitle: 'Delete clone'\n\t\t});\n\t}\n\n\tfunction openManageAdminsForm () {\n\t\topenSlideInForm({\n\t\t\tformKey: 'manage-admins'\n\t\t});\n\t}\n\n\tfunction openManageCompanyGroupsForm () {\n\t\topenSlideInForm({\n\t\t\tcallback: $ctrl.reloadCompanies,\n\t\t\tformKey: 'manage-company-groups',\n\t\t\ttitle: 'Manage groups'\n\t\t});\n\t}\n\n \tfunction openManagePayElementsForm () {\n\t\topenSlideInForm({\n\t\t\tcallback: $ctrl.reloadCompanies,\n\t\t\tagencyProfileParentId: $ctrl.agencyProfileParentId,\n\t\t\tformKey: 'manage-pay-elements'\n\t\t});\n\t}\n\n\tfunction openManageReportPacksForm () {\n\t\topenSlideInForm({\n\t\t\tcallback: $ctrl.reloadCompany,\n\t\t\tagencyProfileParentId: $ctrl.agencyProfileParentId,\n\t\t\tformKey: 'manage-report-packs'\n\t\t});\n\t}\n\n\tfunction openManageVisibilityForm () {\n\t\topenSlideInForm({\n\t\t\tagencyProfileParentId: $ctrl.agencyProfileParentId,\n\t\t\tformKey: 'manage-visibility'\n\t\t});\n\t}\n\n\tfunction openRunPayrollForm (companyObj) {\n\t\topenSlideInForm({\n\t\t\tcallback: $ctrl.reloadCompany,\n\t\t\tformKey: 'run-payroll',\n\t\t\ttitle: companyObj.Company.PensionOnly ? 'Run period' : null\n\t\t});\n\t}\n\n\tfunction openSlideInForm (formOptions) {\n\n\t\t// Hide dropdown menu\n\t\thideMenus();\n\n\t\tangular.extend(formOptions, {\n\t\t\tagencyProfileId: $ctrl.company.Company.AgencyProfileID,\n\t\t\tagencyProfileParentId: $ctrl.agencyProfileParentId\n\t\t});\n\n\t\t$rootScope.$broadcast('open-slide-in-form', formOptions);\n\t}\n\n\tfunction openSwitchToLiveForm () {\n\t\topenSlideInForm({\n\t\t\tcallback: $ctrl.reloadCompany,\n\t\t\tformKey: 'switch-to-live'\n\t\t});\n\t}\n\n\tfunction openSwitchToTestForm () {\n\t\topenSlideInForm({\n\t\t\tcallback: $ctrl.reloadCompany,\n\t\t\tformKey: 'switch-to-live',\n\t\t\ttitle: 'Switch to Test Mode'\n\t\t});\n\t}\n\n\tfunction openViewChangesForm () {\n\t\topenSlideInForm({\n\t\t\tcallback: $ctrl.reloadCompany,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'view-changes'\n\t\t});\n\t}\n\n\tfunction resetPeriod ($ctrl) {\n\n\t\tagency.updateAgencyPayPeriodResetFailedState($ctrl.company.PayPeriod.PayPeriodID).then(() => {\n\t\t\t$ctrl.reloadCompany();\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction setPageState (newState) {\n\t\t$ctrl.pageState = newState;\n\t}\n\n\tfunction showResetPeriodConfirmation ($ctrl) {\n\n\t\t$rootScope.openModalDialog({\n\t\t\tcallback: resetPeriod.bind(undefined, $ctrl),\n\t\t\tmodalKey: 'payroll-reset-period',\n\t\t\tmodalData: {\n\t\t\t\tcompany: $ctrl.company\n\t\t\t}\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t// $onChanges,\n\t\t$onInit,\n\t\tPENSION_STATES,\n\t\tSUBMISSION_STATES,\n\t\tUSER_ROLES,\n\n\t\tisCompanyBeingDeleted: false,\n\t\toptions: {\n\t\t\tshowMenu: false,\n\t\t\tshowReportMenu: false\n\t\t},\n\n\t\tdeleteCompany,\n\t\tgetReportsForCompany,\n\t\thideMenus,\n\t\tonCheckboxToggle,\n\t\topenAddAChangeForm,\n\t\topenArchiveCompanyForm,\n\t\topenBacsPennyTestForm,\n\t\topenCeasePayeForm,\n\t\topenClonePayrollForm,\n\t\topenCompanyOverviewForm,\n\t\topenCrossPeriodReportForm,\n\t\topenDeleteCloneForm,\n\t\topenManageAdminsForm,\n\t\topenManageCompanyGroupsForm,\n\t\topenManagePayElementsForm,\n\t\topenManageReportPacksForm,\n\t\topenManageVisibilityForm,\n\t\topenRunPayrollForm,\n\t\topenSwitchToLiveForm,\n\t\topenSwitchToTestForm,\n\t\topenViewChangesForm,\n\t\tresetPeriod,\n\t\tshowResetPeriodConfirmation,\n\t\treloadCompany: $ctrl.reloadCompany,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('companyArchivedCard', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/company-archived-card/companyArchivedCard.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tcompany: '=',\n\t\t\tonCheckboxToggle: '=',\n\t\t\tonUpdate: '=',\n\t\t\treloadCompanies: '&?'\n\t\t},\n\t\tcontroller: 'companyArchivedCardController'\n\t};\n})\n.controller('companyArchivedCardController', ['$rootScope', '$scope', '$state', '$stateParams', '$timeout', 'agency', 'companyData', 'payPeriodService', 'session', 'ARCHIVE_REASONS', function ($rootScope, $scope, $state, $stateParams, $timeout, agency, companyData, payPeriodService, session, ARCHIVE_REASONS) {\n\n\tvar onUpdate = $scope.onUpdate;\n\n\tfunction hideMenus () {\n\n\t\t$scope.options = {\n\t\t\tshowMenu: false,\n\t\t\tshowReportMenu: false\n\t\t};\n\t}\n\n\tfunction openUndoArchiveCompanyForm (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: companyObj.Company.AgencyProfileID,\n\t\t\tavailableWhenCompanyPAYESchemeCeased: true,\n\t\t\tavailableWhenCompanyPAYESchemeCeasedPending: true,\n\t\t\tcallback: onUpdate,\n\t\t\tformKey: 'archive-company'\n\t\t});\n\t}\n\n\tfunction openExportDataForm (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: companyObj.Company.AgencyProfileID,\n\t\t\tformKey: 'export-company-data'\n\t\t});\n\t}\n\n\tfunction openManageAdminsForm (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: companyObj.Company.AgencyProfileID,\n\t\t\tformKey: 'manage-admins'\n\t\t});\n\t}\n\n\t// Scope variables\n\t$scope.ARCHIVE_REASONS = ARCHIVE_REASONS;\n\t$scope.options = {\n\t\tshowMenu: false,\n\t\tshowReportMenu: false\n\t};\n\n\t$scope.hideMenus = function () {\n\n\t\thideMenus();\n\t};\n\n\t$scope.openExportDataForm = function (companyObj) {\n\n\t\topenExportDataForm(companyObj);\n\t};\n\n\t$scope.openManageAdminsForm = function (companyObj) {\n\n\t\topenManageAdminsForm(companyObj);\n\t};\n\n\t$scope.openUndoArchiveCompanyForm = function (companyObj) {\n\n\t\topenUndoArchiveCompanyForm(companyObj);\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('companyGroupCard', {\n\tbindings: {\n\t\tcompanyGroup: '=',\n\t\tcompanyGroups: '=',\n\t\tcallback: '&?',\n\t\tagencyProfileParentId: ''\n\t},\n\tcontroller: 'companyGroupCardCtrl',\n\ttemplateUrl: 'components/company-group-card/company-group-card.component.html',\n})\n.controller('companyGroupCardCtrl', ['$rootScope', 'FORM_WIZARD_KEYS',\n\tfunction ($rootScope, FORM_WIZARD_KEYS) {\n\n\tconst $ctrl = this;\n\n\tfunction hideMenu (ctrlObj) {\n\t\tctrlObj.showMenu = false;\n\t}\n\n\tfunction openAddCompanyWizard (ctrlObj) {\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\tcallback: $ctrl.callback,\n\t\t\tagencyProfileParentId: ctrlObj.companyGroup.Company.AgencyProfileID,\n\t\t\tprimaryButtonText: 'Next',\n\t\t\tshowHeader: true,\n\t\t\ttitle: 'Create company',\n\t\t\twizardKey: FORM_WIZARD_KEYS.company\n\t\t});\n\t}\n\n\tfunction openAutoCreateCompanyForm (ctrlObj) {\n\t\topenSlideInForm(ctrlObj, {\n\t\t\tformKey: 'auto-create-company',\n\t\t\tagencyProfileParentId: ctrlObj.companyGroup.Company.AgencyProfileID\n\t\t});\n\t}\n\n\tfunction openDeleteCompanyGroupForm (ctrlObj) {\n\t\topenSlideInForm(ctrlObj, {\n\t\t\tcompanyGroups: ctrlObj.companyGroups,\n\t\t\tformKey: 'delete-company-group',\n\t\t\ttitle: 'Delete group'\n\t\t});\n\t}\n\n\tfunction openManageAdminsForm (ctrlObj) {\n\t\topenSlideInForm(ctrlObj, {\n\t\t\tformKey: 'manage-admins'\n\t\t});\n\t}\n\n\tfunction openManageReportPacksForm (ctrlObj) {\n\t\topenSlideInForm(ctrlObj, {\n\t\t\tagencyProfileParentId: ctrlObj.agencyProfileParentId,\n\t\t\tformKey: 'manage-report-packs'\n\t\t});\n\t}\n\n\tfunction openSlideInForm (ctrlObj, formOptionsObj) {\n\n\t\thideMenu(ctrlObj);\n\n\t\tangular.extend(formOptionsObj, {\n\t\t\tagencyProfileId: ctrlObj.companyGroup.Company.AgencyProfileID,\n\t\t\tcallback: $ctrl.callback,\n\t\t});\n\n\t\t$rootScope.openSlideInForm(formOptionsObj);\n\t}\n\n\tangular.extend($ctrl, {\n\t\thideMenu,\n\t\topenAddCompanyWizard,\n\t\topenAutoCreateCompanyForm,\n\t\topenDeleteCompanyGroupForm,\n\t\topenManageAdminsForm,\n\t\topenManageReportPacksForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('companyGroupCardBasic', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/company-group-card-basic/companyGroupCardBasic.html',\n\t\tscope: {\n\t\t\tcompanyGroup: '=',\n\t\t\tcallback: '=',\n\t\t\tremoveCompanyGroup: '&?',\n\t\t},\n\t\tcontroller: 'companyGroupCardBasicController'\n\t};\n})\n.controller('companyGroupCardBasicController', ['$rootScope', '$scope', 'FORM_WIZARD_KEYS',\n\tfunction ($rootScope, $scope, FORM_WIZARD_KEYS) {\n\n\tvar agencyProfileParentId \t= $scope.companyGroup.AgencyProfileID;\n\tvar callback \t\t\t\t= $scope.callback;\n\n\t// Scope variables\n\t$scope.companyGroup.isSelected = false;\n\n\t// Scope functions\n\t$scope.openAddCompanyWizard = function () {\n\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\tcallback: callback,\n\t\t\tagencyProfileParentId: agencyProfileParentId,\n\t\t\tprimaryButtonText: 'Next',\n\t\t\tshowHeader: true,\n\t\t\ttitle: 'Create company',\n\t\t\twizardKey: FORM_WIZARD_KEYS.company\n\t\t});\n\t};\n\n\t$scope.openAutoCreateCompanyForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tcallback: callback,\n\t\t\tformKey: 'auto-create-company',\n\t\t\tagencyProfileParentId: agencyProfileParentId\n\t\t});\n\t};\n\n\t$scope.openManageAdminsForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileParentId,\n\t\t\tformKey: 'manage-admins'\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('companyMessageBar', {\n\ttemplateUrl: 'components/company-message-bar/company-message-bar.component.html',\n\tbindings: {\n\t\tcompany: '='\n\t},\n\tcontroller: 'companyMessageBarController'\n})\n.controller('companyMessageBarController', [\n\t'$rootScope',\n\t'stateService',\n\tfunction (\n\t\t$rootScope,\n\t\tstateService\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction openSwitchToLiveForm (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: companyObj.AgencyProfileID,\n\t\t\tcallback: refreshCompany,\n\t\t\tformKey: 'switch-to-live',\n\t\t\ttitle: companyObj.IsInTestMode ? null : 'Switch to Test Mode'\n\t\t});\n\t}\n\n\tfunction refreshCompany () {\n\n\t\tstateService.setCompany($ctrl.company.AgencyProfileID);\n\t}\n\n\tangular.extend($ctrl, {\n\t\topenSwitchToLiveForm,\n\t\tparentCompany: stateService.getPreviousCompanyObj()\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('companyOnboardingCard', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/company-onboarding-card/companyOnboardingCard.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tagencyProfileParentId: '@',\n\t\t\tcompany: '=',\n\t\t\treloadCompanies: '&'\n\t\t},\n\t\tcontroller: 'companyOnboardingCardController'\n\t};\n})\n.controller('companyOnboardingCardController', ['$rootScope', '$scope', '$state', 'companyData', 'growl', 'ADMIN_INVITE_STATES', 'COMPANY_STATES', function ($rootScope, $scope, $state, companyData, growl, ADMIN_INVITE_STATES, COMPANY_STATES) {\n\n\tvar agencyProfileParentId = $scope.agencyProfileParentId;\n\n\tfunction updateCompany () {\n\n\t\t$scope.reloadCompanies();\n\t}\n\n\t$scope.COMPANY_STATES = COMPANY_STATES;\n\t$scope.ADMIN_INVITE_STATES = ADMIN_INVITE_STATES;\n\n\t$scope.openBureauNewCompanyForm = function (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileParentId: agencyProfileParentId,\n\t\t\tcallback: updateCompany,\n\t\t\tcompanyObj: companyObj,\n\t\t\tformKey: 'onboarding-bureau-new-company',\n\t\t\tshowContext: false,\n\t\t});\n\t};\n\n\t$scope.openChangeCompanyStateForm = function (companyObj, newState) {\n\n\t\tvar formTitle;\n\t\tswitch (newState) {\n\t\t\tcase COMPANY_STATES.onboarding:\n\t\t\t\tformTitle = 'Move to Onboarding';\n\t\t\t\tbreak;\n\t\t\tcase COMPANY_STATES.firstPeriod:\n\t\t\t\tformTitle = 'Move to first pay period';\n\t\t\t\tbreak;\n\t\t\tcase COMPANY_STATES.readyToRun:\n\t\t\t\tformTitle = 'Mark as \\'Ready to run\\'';\n\t\t}\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tcompany: companyObj,\n\t\t\tnewCompanyState: newState,\n\t\t\tcallback: updateCompany,\n\t\t\tformKey: 'onboarding-bureau-change-company-state',\n\t\t\ttitle: formTitle,\n\t\t\tcontextType: 'company',\n\t\t\tshowContext: true\n\t\t});\n\t};\n\n\t$scope.openDeleteCompanyForm = function (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tcompany: companyObj,\n\t\t\tcallback: updateCompany,\n\t\t\tformKey: 'onboarding-bureau-delete-company',\n\t\t\ttitle: 'Delete company',\n\t\t\tcontextType: 'company',\n\t\t\tshowContext: true\n\t\t});\n\t};\n\n\t$scope.openEditFirstPeriodForm = function (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tcompany: companyObj,\n\t\t\tcallback: updateCompany,\n\t\t\tformKey: 'onboarding-bureau-edit-first-period',\n\t\t\ttitle: 'Edit first pay period',\n\t\t\tcontextType: 'company',\n\t\t\tshowContext: true\n\t\t});\n\t};\n\n\t$scope.openExtendTrialForm = function (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tcompany: companyObj,\n\t\t\tcallback: updateCompany,\n\t\t\tformKey: 'onboarding-bureau-extend-trial',\n\t\t\ttitle: 'Extend free trial',\n\t\t\tcontextType: 'company',\n\t\t\tshowContext: true\n\t\t});\n\t};\n\n\t$scope.openNewAdminForm = function (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: companyObj.AgencyProfileID,\n\t\t\tcallback: updateCompany,\n\t\t\tformKey: 'new-admin'\n\t\t});\n\t};\n\n\t$scope.openManageAdminsForm = function (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: companyObj.AgencyProfileID,\n\t\t\tformKey: 'manage-admins',\n\t\t\tcontextType: 'company',\n\t\t\tshowContext: true\n\t\t});\n\t};\n\n\t$scope.openManagePayElementsForm = function (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: companyObj.AgencyProfileID,\n\t\t\tagencyProfileParentId: agencyProfileParentId,\n\t\t\tformKey: 'manage-pay-elements'\n\t\t});\n\t};\n\n\t$scope.openOnboardingChecklistForm = function (companyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tcompany: companyObj,\n\t\t\tcallback: updateCompany,\n\t\t\tformKey: 'onboarding-bureau-onboarding-checklist',\n\t\t\ttitle: $scope.company.State === COMPANY_STATES.onboarding ? 'Onboarding checklist' : 'Demo checklist',\n\t\t\tcontextType: 'company',\n\t\t\tshowContext: true\n\t\t});\n\t};\n\n\t$scope.resendInvite = function (companyObj) {\n\n\t\tcompanyObj.inviteSendingState = 'sending';\n\n\t\tcompanyData.sendInvitationMailInternal(companyObj.OnboardingID, agencyProfileParentId).then(function () {\n\t\t\tgrowl.success(companyObj.AdminForename + ' has been resent an invitation');\n\t\t\tcompanyObj.inviteSendingState = null;\n\t\t})\n\t\t.catch(function () {\n\t\t\tcompanyObj.inviteSendingState = null;\n\t\t\tgrowl.error('We were unable to resend an invitation');\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('companyOnboardingStatus', function () {\n\n\treturn {\n\t\tcontroller: 'companyOnboardingStatusController',\n\t\ttemplateUrl: 'components/company-onboarding-status/companyOnboardingStatusComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tagencyProfileId: '<',\n\t\t\tsideBarOptions: '='\n\t\t}\n\t};\n})\n.controller('companyOnboardingStatusController', ['$q', '$rootScope', '$scope', 'companyData', 'onboardingService', 'teamData', 'teamService', 'FORM_WIZARD_KEYS',\n\tfunction ($q, $rootScope, $scope, companyData, onboardingService, teamData, teamService, FORM_WIZARD_KEYS) {\n\n\tvar agencyProfileId = $scope.agencyProfileId;\n\n\tfunction closeSideBarMenu (sideBarOptions) {\n\n\t\tsideBarOptions.isOpen = false;\n\t\tsideBarOptions.activeMenu = null;\n\t}\n\n\tfunction decorateIncompleteTeamMembers (incompleteTeamMemberObj) {\n\n\t\tvar count = 0;\n\n\t\tincompleteTeamMemberObj.AddressSetupComplete ? null : count++;\n\t\tincompleteTeamMemberObj.BankSetupComplete ? null : count++;\n\t\tincompleteTeamMemberObj.CompanySetupComplete ? null : count++;\n\t\tincompleteTeamMemberObj.TelephoneSetupComplete ? null : count++;\n\t\tincompleteTeamMemberObj.EmailSetupComplete ? null : count++;\n\t\tincompleteTeamMemberObj.PersonalSetupComplete ? null : count++;\n\t\tincompleteTeamMemberObj.SalarySetupComplete ? null : count++;\n\t\tincompleteTeamMemberObj.TaxSetupComplete ? null : count++;\n\n\t\tincompleteTeamMemberObj.isOpen = false;\n\t\tincompleteTeamMemberObj.incompleteTaskCount = count;\n\n\t\treturn incompleteTeamMemberObj;\n\t}\n\n\tfunction getSkippedQuestions (onboardingDashboardObj) {\n\n\t\treturn {\n\t\t\tcompany: {\n\t\t\t\tisOpen: false,\n\t\t\t\tquestions: onboardingService.getSkippedQuestionsByQuestionGroupKey(onboardingDashboardObj, 'company')\n\t\t\t},\n\t\t\tpayroll: {\n\t\t\t\tisOpen: false,\n\t\t\t\tquestions: onboardingService.getSkippedQuestionsByQuestionGroupKey(onboardingDashboardObj, 'payroll')\n\t\t\t}\n\t\t};\n\t}\n\n\tfunction getTotalSkippedQuestions (skippedQuestionsObj) {\n\n\t\treturn skippedQuestionsObj.company.questions.length + skippedQuestionsObj.payroll.questions.length;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tvar getOnboardingDashboard = companyData.getOnboardingDashboard(agencyProfileId);\n\t\tvar getTeamMemberAdmins = teamData.getTeamMemberAdmins(agencyProfileId);\n\t\tvar getTeamMemberCompletionState = teamData.getTeamMemberCompletionState(agencyProfileId);\n\n\t\t$q.all([getOnboardingDashboard, getTeamMemberAdmins, getTeamMemberCompletionState]).then(function (data) {\n\n\t\t\tvar onboardingDashboardObj = data[0];\n\t\t\tvar companyAdminsArray = data[1];\n\t\t\tvar teamMemberCompletionArray = data[2];\n\n\t\t\tvar skippedQuestions = getSkippedQuestions(onboardingDashboardObj);\n\n\t\t\t$scope.hasAdviser = onboardingDashboardObj.HasAdviser;\n\t\t\t$scope.companyAdmins = companyAdminsArray.filter(teamService.adminFilter);\n\t\t\t$scope.incompleteTeamMembers = teamMemberCompletionArray.filter(decorateIncompleteTeamMembers);\n\t\t\t$scope.isCompanyQuestionsOpen = false;\n\t\t\t$scope.onboardingDashboardObj = onboardingDashboardObj;\n\t\t\t$scope.skippedQuestions = skippedQuestions;\n\t\t\t$scope.totalSkippedQuestions = skippedQuestions.company.questions.length + skippedQuestions.payroll.questions.length;\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(function (error) {\n\t\t\tconsole.error(error);\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction refreshOnboardingDashboard () {\n\n\t\tcompanyData.getOnboardingDashboard(agencyProfileId).then(function (onboardingDashboardObj) {\n\n\t\t\tvar skippedQuestionsObj = getSkippedQuestions(onboardingDashboardObj);\n\n\t\t\t$scope.hasAdviser = onboardingDashboardObj.HasAdviser;\n\t\t\t$scope.skippedQuestions = skippedQuestionsObj;\n\t\t\t$scope.totalSkippedQuestions = getTotalSkippedQuestions(skippedQuestionsObj);\n\t\t})\n\t\t.catch(function () {\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\t$scope.closeSideBarMenu = function (sideBarOptions) {\n\n\t\tcloseSideBarMenu(sideBarOptions);\n\t};\n\n\t$scope.openAddressForm = function (teamMemberObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'address',\n\t\t\tuserId: teamMemberObj.UserID\n\t\t});\n\t};\n\n\t$scope.openAddTeamMembers = function () {\n\n\t\tcloseSideBarMenu($scope.sideBarOptions);\n\t\t$rootScope.$broadcast('show-onboarding-add-team-members');\n\t};\n\n\t$scope.openAskMyAdvisorForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tformKey: 'ask-my-advisor',\n\t\t\tshowContext: false\n\t\t});\n\t};\n\n\t$scope.openCompanyDetailsForm = function (teamMemberObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'company-details',\n\t\t\tuserId: teamMemberObj.UserID\n\t\t});\n\t};\n\n\t$scope.openCompanyReferencesForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'company-settings-references'\n\t\t});\n\t};\n\n\t$scope.openEmailAddressForm = function (teamMemberObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'email-address',\n\t\t\tuserId: teamMemberObj.UserID\n\t\t});\n\t};\n\n\t$scope.openOnboardingWizardCompanyForm = function (questionObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshOnboardingDashboard,\n\t\t\tformKey: 'onboarding-wizard-company',\n\t\t\tformStep: questionObj.formStep,\n\t\t\tinitCallbackOnClose: true\n\t\t});\n\t};\n\n\t$scope.openOnboardingWizardPayrollForm = function (questionObj, onboardingDashboardObj) {\n\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\tactiveStepIndex: questionObj.formStep,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: refreshOnboardingDashboard,\n\t\t\tquestionGroup: onboardingService.getQuestionGroupForQuestionGroupKey(onboardingDashboardObj, 'payroll'),\n\t\t\twizardKey: FORM_WIZARD_KEYS.companyPayroll\n\t\t});\n\t};\n\n\n\t$scope.openPayInformationForm = function (teamMemberObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'pay-information',\n\t\t\tuserId: teamMemberObj.UserID\n\t\t});\n\t};\n\n\t$scope.openPaymentDetailsForm = function (teamMemberObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'payment-details',\n\t\t\tuserId: teamMemberObj.UserID\n\t\t});\n\t};\n\n\t$scope.openPaymentsToDateForm = function (teamMemberObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'payments-to-date',\n\t\t\tuserId: teamMemberObj.UserID\n\t\t});\n\t};\n\n\t$scope.openPersonalForm = function (teamMemberObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'personal',\n\t\t\tuserId: teamMemberObj.UserID\n\t\t});\n\t};\n\n\t$scope.openStarterInformationForm = function (teamMemberObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'starter-information',\n\t\t\tuserId: teamMemberObj.UserID\n\t\t});\n\t};\n\n\t$scope.openTaxStatusForm = function (teamMemberObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'tax-status',\n\t\t\tuserId: teamMemberObj.UserID\n\t\t});\n\t};\n\n\t$scope.toggleIsOpen = function (vmObj) {\n\n\t\tvmObj.isOpen = !vmObj.isOpen;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('companyOnboardingSummary', function () {\n\n\treturn {\n\t\tcontroller: 'companyOnboardingSummaryController',\n\t\ttemplateUrl: 'components/company-onboarding-summary/companyOnboardingSummaryComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tagencyProfileId: '<',\n\t\t\tonClose: '&?'\n\t\t}\n\t};\n})\n.controller('companyOnboardingSummaryController', ['$rootScope', '$scope', 'teamData', function ($rootScope, $scope, teamData) {\n\n\tconst INCLUDE_LEAVERS = false;\n\n\tvar agencyProfileId = $scope.agencyProfileId;\n\n\t// TODO: data to be added to service\n\tfunction decorateTeamMember (teamMemberObj) {\n\n\t\tteamMemberObj.PercentageComplete = 75;\n\t\tteamMemberObj.OnboardingType = 1; // 0 = form, 1 = import\n\n\t\treturn teamMemberObj;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tteamData.getUserAgencyProfilesForAgencyTeamMemberMinimum(agencyProfileId, INCLUDE_LEAVERS).then(function (teamMembersArray) {\n\n\t\t\t$scope.teamMembers = teamMembersArray.filter(decorateTeamMember);\n\n\t\t\tselectTeamMember($scope.teamMembers, 0);\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(function () {\n\t\t\tsetPageState('error');\n\t\t});\n\t}\n\n\tfunction selectTeamMember (teamMembersArray, index) {\n\n\t\tsetTeamMemberState('loading');\n\n\t\tvar activeTeamMember = teamMembersArray[index];\n\n\t\t// Hook up GetPensionInfo service to return pension details\n\n\t\t$scope.activeTeamMember = activeTeamMember;\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction setTeamMemberState (teamMemberState) {\n\n\t\t$scope.teamMemberState = teamMemberState;\n\t}\n\n\tinit();\n\n\t$scope.selectTeamMember = function (teamMembersArray, index) {\n\n\t\tselectTeamMember(teamMembersArray, index);\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('companyPensionSummary', function () {\n\n return {\n templateUrl: 'components/company-pension-summary/companyPensionSummaryComponent.html',\n restrict: 'E',\n replace: true,\n controller: 'companyPensionSummaryCtrl',\n scope: {\n \tagencyProfileId: '<',\n pension: '='\n }\n };\n})\n.controller('companyPensionSummaryCtrl', ['$scope', 'PENSION_TYPES', function ($scope, PENSION_TYPES) {\n\t$scope.PENSION_TYPES = PENSION_TYPES;\n}]);\n\n/* globals confetti */\n'use strict';\n\nangular.module('paycircleApp')\n.component('confetti', {\n\tbindings: {\n\t\tfireConfetti: '&?',\n\t\tisConfettiVisible: '=',\n\t\tconfettiId: '@',\n\t\tuseElementLocation: ''\n\t},\n\tcontroller: 'confettiCtrl',\n\ttemplateUrl: 'components/confetti/confetti.component.html',\n})\n.controller('confettiCtrl', [\n\t'$element',\n\t'$timeout',\n\t'utilities',\n\tfunction (\n\t\t$element,\n\t\t$timeout,\n\t\tutilities\n\t) {\n\n\tconst CONFETTI_COLOURS = ['#2cb1d3', '#f3428d', '#2faf94', '#b08dc4', '#e3c369', '#df6f5a'];\n\n\tvar $ctrl = this;\n\tvar myCanvas;\n\tvar myConfetti;\n\n\tfunction fireConfetti () {\n\n\t\tlet xCoOrd = utilities.getMediaType() === 'phone' ? 0.5 : 0.44;\n\t\tlet yCoOrd = utilities.getMediaType() === 'phone' ? 0.4 : 0.35;\n\n\t\tif ($ctrl.useElementLocation) {\n\n\t\t\tconst viewportOffset = $element[0].getBoundingClientRect();\n\n\t\t\txCoOrd = 1-(window.innerWidth-viewportOffset.left)/window.innerWidth;\n\t\t\tyCoOrd = 1-(window.innerHeight-viewportOffset.top)/window.innerHeight;\n\t\t}\n\n\t\tmyConfetti({\n\t\t angle: 90,\n\t\t\tcolors: CONFETTI_COLOURS,\n\t\t spread: r(50, 70),\n\t\t particleCount: r(250, 500),\n\t\t origin: {\n\t\t y: yCoOrd,\n\t\t x: xCoOrd\n\t\t },\n\t\t zIndex: 1000\n\t\t});\n\t}\n\n\tfunction r (min, max) {\n\n\t return Math.random() * (max - min) + min;\n\t}\n\n\t$ctrl.$onInit = function () {\n\n\t\tmyCanvas = document.getElementById($ctrl.confettiId);\n\t\tmyConfetti = confetti.create(myCanvas, { resize: true });\n\n\t\tfireConfetti();\n\t};\n\n\t$ctrl.fireConfetti = function () {\n\n\t\tfireConfetti();\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.directive('correctionalSubmissionFieldset', function () {\n\n\t// This has to be a angular directive with restrict:A as it's within a table\n\treturn {\n\t\trestrict: 'A',\n\t\ttemplateUrl: 'components/correctional-submission-fieldset/correctional-submission-fieldset.component.html',\n\t\tscope: {\n\t\t\tfieldsetId: '@',\n\t\t\tform: '<',\n\t\t\tisDifferenceColumnVisible: '<',\n\t\t\tonPaymentChange: '&',\n\t\t\tpayment: '<',\n\t\t\ttaxYear: '<',\n\t\t\tteamMember: '<',\n\t\t},\n\t\tcontroller: 'correctionalSubmissionFieldsetCtrl'\n\t};\n})\n.controller('correctionalSubmissionFieldsetCtrl', [\n\t'$filter',\n\t'$scope',\n\tfunction (\n\t\t$filter,\n\t\t$scope\n\t) {\n\n\tconst paymentObj = $scope.payment;\n\n\tfunction init () {\n\t\tonNewPaymentAmountChange();\n\t}\n\n\tfunction calculateDifference () {\n\n\t\t// Difference is not shown on YTD FPS, but is needed to know if the form is valid or not\n\t\tconst oldAmount = paymentObj.paymentAmount;\n\t\tconst newAmountInteger = parseFloat(paymentObj.paymentNewAmount);\n\t\tconst difference = Math.abs(oldAmount - newAmountInteger);\n\n\t\t// Save interger version to use on save and for display\n\t\tpaymentObj.paymentNewAmountInterger = newAmountInteger;\n\n\t\tif (paymentObj.paymentNewAmount && difference > 0) {\n\t\t\tif (newAmountInteger > oldAmount) {\n\t\t\t\tangular.extend(paymentObj, {\n\t\t\t\t\tpaymentDifferenceLabel: '+' + $filter('number')(difference, 2),\n\t\t\t\t\tpaymentIsDecrease: false,\n\t\t\t\t\tpaymentIsIncrease: true,\n\t\t\t\t});\n\n\t\t\t} else {\n\t\t\t\tangular.extend(paymentObj, {\n\t\t\t\t\tpaymentDifferenceLabel: '-' + $filter('number')(difference, 2),\n\t\t\t\t\tpaymentIsDecrease: true,\n\t\t\t\t\tpaymentIsIncrease: false\n\t\t\t\t});\n\t\t\t}\n\t\t}\n\t\telse {\n\t\t\tangular.extend(paymentObj, {\n\t\t\t\tpaymentDifferenceLabel: '0.00',\n\t\t\t\tpaymentIsDecrease: false,\n\t\t\t\tpaymentIsIncrease: false\n\t\t\t});\n\t\t}\n\t}\n\n\tfunction onNewPaymentAmountChange () {\n\t\tcalculateDifference();\n\t\tsetIsPaymentValid();\n\t\t$scope.onPaymentChange();\n\t}\n\n\tfunction setIsPaymentValid () {\n\n\t\tconst paymentNewAmountIsEmpty = (!paymentObj.paymentNewAmount || paymentObj.paymentNewAmount === '');\n\t\tconst paymentNewAmountHasChanged = (paymentObj.paymentNewAmountInterger !== paymentObj.paymentOriginalNewAmount);\n\n\t\tpaymentObj.isValid = (!paymentNewAmountIsEmpty && paymentNewAmountHasChanged);\n\t}\n\n\tfunction paymentPatternConfig() {\n\n\t\tif (paymentObj.paymentPatternConfig.toString().includes('.')) {\n\t\t\treturn 'Maximum of ' + $filter('monetise')(paymentObj.paymentPatternConfig) + ' for ' + paymentObj.paymentLabel;\n\t\t} else {\n\t\t\treturn 'Maximum of ' + $filter('monetise')(paymentObj.paymentPatternConfig, 'down') + ' for ' + paymentObj.paymentLabel + '. No decimal places';\n\t\t}\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tonNewPaymentAmountChange,\n\t\tpaymentConfig: paymentPatternConfig(),\n\t\tpaymentId: $filter('slugify')(`${$scope.fieldsetId}-${paymentObj.paymentLabel}`)\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('currentTaxStatus', {\n\tbindings: {\n\t\tteamMember: '<',\n\t},\n\tcontroller: 'currentTaxStatusCtrl',\n\ttemplateUrl: 'components/current-tax-status/current-tax-status.component.html',\n})\n.controller('currentTaxStatusCtrl', [\n\t'config',\n\t'NI_CATEGORY_LETTER',\n\tfunction (\n\t\tconfig,\n\t\tNI_CATEGORY_LETTER\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction getTaxCode (taxStatusDetailsObj) {\n\n\t\treturn taxStatusDetailsObj.TaxCode + (taxStatusDetailsObj.TaxCodeM1W1 ? ' ' + config.w1m1Label : '');\n\t}\n\n\tfunction $onInit () {\n\t\tangular.extend($ctrl, {\n\t\t\ttaxCode: getTaxCode($ctrl.teamMember.Tax),\n\t\t});\n\t}\n\t\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tNI_CATEGORY_LETTER,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n\t.component('customTextarea', {\n\t\tbindings: {\n\t\t\ttext: '=',\n\t\t\tname: '@',\n\t\t\tplaceholder: '@',\n\t\t\trequired: '@',\n\t\t\trows: '@',\n\t\t\tform: '<'\n\t\t},\n\t\tcontroller: 'customTextareaCtrl',\n\t\ttemplateUrl: 'components/custom-textarea/custom-textarea.component.html',\n\t\trequire: {\n\t\t\tform: '^form',\n\t\t\tngModel: '?^ngModel'\n\t\t},\n\t})\n\n\t.controller('customTextareaCtrl', [\n\t\tfunction (\n\t\t){\n\n\t\tconst $ctrl = this;\n\n\t\t$ctrl.$onInit = function () {\n\n\t\t};\n\n\t\tfunction updateNgModel () {\n\n\t\t\t// Since we are using the div as input, we need to update the ngModel manually\n\t\t\tconst divInput = getDivInput();\n\n\t\t\tif (divInput) {\n\t\t\t\t$ctrl.text = divInput.innerText;\n\t\t\t}\n\n\t\t\tconst textarea = getTextarea();\n\n\t\t\tif (textarea) {\n\n\t\t\t\ttextarea.value = $ctrl.text;\n\t\t\t\ttextarea.dispatchEvent(new Event('input'));\n\t\t\t\t// Mark as touched to be able to trigger the validation\n\t\t\t\t$ctrl.form[$ctrl.name].$setTouched(true);\n\n\t\t\t}\n\t\t}\n\n\t\tfunction getDivInput () {\n\n\t\t\treturn document.getElementById(`${$ctrl.name}-textarea-input`);\n\t\t}\n\n\t\tfunction getTextarea () {\n\n\t\t\treturn document.getElementById(`${$ctrl.name}`);\n\t\t}\n\n\t\tangular.extend($ctrl, {\n\n\t\t\tupdateNgModel,\n\t\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('customerCodesCard', {\n\tbindings: {\n\t\tagencyProfileId: '=',\n\t\tcustomerCode: '<',\n\t\trefresh: '='\n\t},\n\tcontroller: 'customerCodesCardCtrl',\n\ttemplateUrl: 'components/customer-codes-card/customer-codes-card.component.html'\n})\n\n.controller('customerCodesCardCtrl', [\n\t'$rootScope',\n\tfunction (\n\t\t$rootScope\n\t){\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\t};\n\n\tfunction editCustomerCode (customerCodeObj) {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcustomerCode: customerCodeObj,\n\t\t\tcallback: $ctrl.refresh,\n\t\t\tformKey: 'company-settings-customer-codes'\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\teditCustomerCode\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('customisationImageUploader', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/customisation-image-uploader/customisationImageUploaderComponent.html',\n\t\tcontroller: 'customisationImageUploaderController',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tagencyProfileId: '<',\n\t\t\tfuAllowedFileTypes: '@?',\n\t\t\tfuCustomisationType: '<',\n\t\t\tfuMaxFileSize: '<', // kb\n\t\t\tfuModel: '=',\n\t\t\tfuTheme: '@?',\n\t\t\tfuTemplate: '@?',\n\t\t\tfuOnDelete: '&?',\n\t\t\tfuOnUpdate: '&',\n\t\t\tfuMessage: '@?'\n\t\t}\n\t};\n})\n.controller('customisationImageUploaderController', [\n\t'$scope',\n\t'$timeout',\n\t'$transclude',\n\t'companyData',\n\t'dataTransfer',\n\t'libraries',\n\t'CUSTOMISATION_TYPES',\n\t'CUSTOMISATION_TYPE_IDS',\n\tfunction (\n\t\t$scope,\n\t\t$timeout,\n\t\t$transclude,\n\t\tcompanyData,\n\t\tdataTransfer,\n\t\tlibraries,\n\t\tCUSTOMISATION_TYPES,\n\t\tCUSTOMISATION_TYPE_IDS\n\t) {\n\n\tvar agencyProfileId = $scope.agencyProfileId;\n\tvar customisationType = $scope.fuCustomisationType;\n\tvar customisationTypeId = CUSTOMISATION_TYPE_IDS[customisationType];\n\tvar maxFileSize = $scope.fuMaxFileSize !== undefined ? $scope.fuMaxFileSize * 1000 : null;\n\n\tfunction fireCallback () {\n\n\t\tif (typeof($scope.fuOnUpdate) === 'function') {\n\n\t\t\t$scope.fuOnUpdate();\n\t\t}\n\t}\n\n\tfunction fireOnDelete () {\n\n\t\tif (typeof($scope.fuOnDelete) === 'function') {\n\n\t\t\t$scope.fuOnDelete();\n\t\t}\n\t\telse {\n\n\t\t\tfireCallback();\n\t\t}\n\t}\n\n\tfunction init () {\n\n\t\t// Customisation type is required\n\t\tif (customisationType === undefined || customisationTypeId === undefined) {\n\t\t\tconsole.error('Paycircle: Customisation type does not exist');\n\t\t\treturn;\n\t\t}\n\n\t\t// If max file size provided, make sure it's a number\n\t\tif (isNaN(maxFileSize)) {\n\t\t\tconsole.error('Paycircle: Customisation maximum file size is not a number');\n\t\t\treturn;\n\t\t}\n\n\t\tvar uploader = $scope.uploader = dataTransfer.getNewFileUploader({\n\t\t\turl: libraries.httpHandler.upload.customisation,\n\t\t\tqueueLimit: 1,\n\t\t\tformData: [{\n\t\t\t\tagencyprofileid: agencyProfileId,\n\t\t\t\timageType: customisationType,\n\t\t\t}],\n\t\t\tonAfterAddingFile: function (item) {\n\n\t\t\t\t// Validate file size\n\t\t\t\tif (maxFileSize && item.file.size > maxFileSize) {\n\t\t\t\t\t$scope.attemptedFileSize = item.file.size;\n\t\t\t\t\t$scope.fuState = 'invalid-file-size';\n\t\t\t\t\tuploader.clearQueue();\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t$scope.fuState = 'uploading';\n\n\t\t\t\t// Give the uploading message time to be digested\n\t\t\t\t$timeout(function () {\n\t\t\t\t\tuploader.uploadAll();\n\t\t\t\t}, 1500);\n\t\t\t},\n\t\t\tonSuccessItem: (item, response) => {\n\n\t\t\t\t// If file upload is unsuccessful (incorrect format/contains virus)\n\t\t\t\tif (response !== '1') {\n\t\t\t\t\t$scope.fuState = 'invalid-file';\n\t\t\t\t\tuploader.clearQueue();\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Give server time to generate file\n\t\t\t\t$timeout(function () {\n\n\t\t\t\t\t$scope.fuState = 'uploaded';\n\t\t\t\t\tfireCallback();\n\t\t\t\t\tuploader.clearQueue();\n\n\t\t\t\t}, 2000);\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction isImagePopulated (imageUrl) {\n\n\t\tif (imageUrl === '' || imageUrl === undefined || !imageUrl) {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tinit();\n\n\t$scope.deleteState = null;\n\t$scope.fuAllowedFileTypes = 'image/jpg, image/jpeg, image/png';\n\t$scope.fuProgress = 45;\n\t$scope.fuState = isImagePopulated($scope.fuModel) ? 'uploaded' : 'upload';\n\t$scope.fuTheme = $scope.fuTheme !== undefined ? $scope.fuTheme : 'primary';\n\t$scope.fuTemplate = $scope.fuTemplate !== undefined ? $scope.fuTemplate : 'inline';\n\t$scope.fuMessage = $scope.fuMessage || 'Choose file';\n\n\t$scope.cancelDeleteFileUpload = function () {\n\n\t\t$scope.fuState = 'uploaded';\n\t};\n\n\t$scope.confirmDeleteFileUpload = function () {\n\n\t\t$scope.fuState = 'confirm-delete';\n\t};\n\n\t$scope.deleteFileUpload = function () {\n\n\t\t$scope.fuState = 'deleting';\n\n\t\t// Give the deleting message time to be digested\n\t\t$timeout(function () {\n\n\t\t\tcompanyData.deleteAgencyProfileBLOBKey(agencyProfileId, customisationTypeId).then(function () {\n\t\t\t\t$scope.fuState = 'upload';\n\n\t\t\t\t// Give the server time to delete the file\n\t\t\t\t$timeout(function () {\n\t\t\t\t\tfireOnDelete();\n\t\t\t\t}, 1000);\n\t\t\t})\n\t\t\t.catch(function () {\n\t\t\t\t$scope.fuState = 'delete-error';\n\t\t\t});\n\t\t}, 1500);\n\t};\n\n\t$scope.setState = function (state) {\n\n\t\t$scope.fuState = state;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('dashboardCarousel', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/dashboard-carousel/dashboardCarouselComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tcap: '@?',\n\t\t\tcompanyList: '=?',\n\t\t\tcompanyLists: '=?',\n\t\t\tpresetFilterKey: '',\n\t\t\tinfoLabel: '@?',\n\t\t\tinfo: '@',\n\t\t\titemsCount: '=?',\n\t\t\tisTeamMemberList: '=?',\n\t\t\titemDescription: '<',\n\t\t\ttagType: '@?',\n\t\t\ttheme: '@',\n\t\t},\n\t\tcontroller: 'dashboardCarouselCtrl'\n\t};\n})\n\n.controller('dashboardCarouselCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$timeout',\n\t'DPS_STATES',\nfunction (\n\t$rootScope,\n\t$scope,\n\t$state,\n\t$timeout,\n\tDPS_STATES\n) {\n\n\tconst init = () => {\n\n\t\t$scope.companyData = {};\n\t\t$scope.companyData.companyList = $scope.companyList ? $scope.companyList : [];\n\t\t$scope.companyData.companyLists = $scope.companyLists ? $scope.companyLists : [];\n\t\t//Set the number of items to display per page of the carousel.\n\t\t$scope.mediaPhone = 760; //Width in pixels to jump the display count\n\t\t$scope.displayCountPhone = 2;\n\t\t$scope.displayCountDesktop = 6;\n\n\t\t$scope.tagType = !$scope.tagType ? 'daysTo' : 'isApproved';\n\n\t\tsetDisplayCount();\n\t\tif($scope.companyData.companyLists.length > 0) {\n\t\t\t$scope.changeCategory(0);\n\t\t}\n\n\t\t$scope.cap = $scope.cap && $scope.cap < $scope.companyData.companyList.length ? parseInt($scope.cap) : $scope.companyData.companyList.length;\n\n\t\twindow.addEventListener('resize', () => {\n\t\t\tsetDisplayCount();\n\t\t\tconfigureCarousel($scope.displayCount, $scope.companyData.companyList.length);\n\t\t});\n\t\tconfigureCarousel($scope.displayCount, $scope.companyData.companyList.length);\n\t};\n\n\tconst setDisplayCount = () => {\n\t\t$scope.displayCount = window.innerWidth <= $scope.mediaPhone ? $scope.displayCountPhone : $scope.displayCountDesktop;\n\t};\n\t/**\n\t * Creates a new data ref that can be used by the data carousel component.\n\t * @param {number} displayCount the amount of items to show in a single slide.\n\t * @param {number} totalItems the length of the list to be shown.\n\t * @return {void}\n\t */\n\tconst configureCarousel = (displayCount, totalItems, noReset) => {\n\t\ttotalItems = totalItems > $scope.cap ? $scope.cap : totalItems;\n\t\t//Each item in the returned array will represent a pip of the pagination controls in the carousel.\n\t\t// ES6 LINE READS: $scope.paginationList = [...new Array(Math.ceil(totalItems/displayCount)).keys()].map(_ => _ + 1);\n\t\t// Line has been pre-processed by babel to remove spread syntax that would otherwise break the build.\n\t\t$scope.paginationList = [].concat(_toConsumableArray(new Array(Math.ceil(totalItems / displayCount)).keys())).map(function (_) {\n\t\t\treturn _ + 1;\n\t\t});\n\t\t//Pointer to be used against the pagination list to control navigation.\n\t\tif(!noReset) {\n\t\t\t$scope.paginationIndex = 0;\n\t\t\t//Object that will inform the view which items should presently be in view.\n\t\t\t$scope.displayBounds = getDisplayBounds($scope.paginationList[$scope.paginationIndex], displayCount);\n\t\t}\n\t};\n\n\t/**\n\t * Returns the upper and lower bounds of items that should be displayed.\n\t * @param {number} paginationIndex The page currently on by the user. - Used to calculate offsets.\n\t * @param {number} displayCount How many items should be listed on each page of the carousel.\n\t * @return {object} {max, min}\n\t */\n\tconst getDisplayBounds = (page, displayCount) => ({\n\t\tmax: page * displayCount - 1,\n\t\tmin: page * displayCount - displayCount,\n\t});\n\n\t/**\n\t * Function generater by babel to avoid spread syntax use.\n\t * @type {arr}\n\t */\n\tconst _toConsumableArray = arr => {\n\t\tif (Array.isArray(arr)) { for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) { arr2[i] = arr[i]; } return arr2; } else { return Array.from(arr); }\n\t};\n\t/**\n\t * Updates the paginationIndex pointer to the next item in the paginationList.\n\t * Sets flag 'animateOut' which can be checked in scope for closing animations.\n\t * @param {number} destinationPage prodided as an index of the paginationList array. (NOT the value)\n\t * @return {void}\n\t */\n\t$scope.navigateToPage = (destinationPage) => {\n\t\tif(destinationPage !== $scope.paginationIndex) {\n\t\t\t$scope.animateOut = true;\n\t\t\tif(destinationPage < $scope.paginationIndex) {\n\t\t\t\t$scope.animateBackwards = true;\n\t\t\t} else {\n\t\t\t\t$scope.animateBackwards = false;\n\t\t\t}\n\t\t\t$timeout(() => {\n\t\t\t\t$scope.animateOut = false;\n\t\t\t\tif(destinationPage > $scope.paginationList.length - 1) {\n\t\t\t\t\t$scope.paginationIndex = 0;\n\t\t\t\t} else if (destinationPage < 0) {\n\t\t\t\t\t$scope.paginationIndex = $scope.paginationList.length - 1;\n\t\t\t\t} else {\n\t\t\t\t\t$scope.paginationIndex = destinationPage;\n\t\t\t\t}\n\n\t\t\t\t$scope.displayBounds = getDisplayBounds($scope.paginationList[$scope.paginationIndex], $scope.displayCount);\n\t\t\t}, 300);\n\t\t}\n\t};\n\n\t/**\n\t * Switches the active company list to be used in the carousel.\n\t * @param {number} index index of the list in companylists\n\t * @return {void}\n\t */\n\n\t$scope.DPS_STATES = DPS_STATES;\n\n\t$scope.changeCategory = (index) => {\n\t\t$scope.paginationIndex = -1;\n\t\t$scope.animateOut = true;\n\t\t$scope.animateBackwards = false;\n\t\t$timeout(() => {\n\t\t\t$scope.animateOut = false;\n\t\t\t$scope.companyData.companyList = $scope.companyData.companyLists[index].companies;\n\t\t\tconfigureCarousel($scope.displayCount, $scope.companyData.companyList.length, true);\n\n\t\t\t$scope.displayBounds = getDisplayBounds($scope.paginationList[$scope.paginationIndex], $scope.displayCount);\n\t\t\t$scope.activeList = $scope.companyData.companyLists[index].title;\n\t\t}, 300);\n\t\t$scope.navigateToPage(0);\n\n\t};\n\n\t$scope.navigateTo = (companyId, companyName, userId) => {\n\n\t\t// Context: Team Member\n\t\tif (userId) {\n\t\t\t$state.go('team.profile.overview', {userId: userId, agencyProfileId: companyId});\n\t\t}\n\n\t\t// Context: Company\n\t\telse {\n\t\t\t$state.go('company-dashboard', {agencyProfileId: companyId});\n\t\t}\n\t};\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('demoCompleted', function () {\n\n\treturn {\n\t\trestrict: 'E',\n\t\ttemplateUrl: 'components/demo-completed/demoCompletedComponent.html',\n\t\tscope: {\n\t\t\tdcFor: '@'\n\t\t},\n\t\tcontroller: 'demoCompletedCtrl'\n\t};\n})\n.controller('demoCompletedCtrl', ['$element', '$rootScope', '$scope', '$state', '$timeout', 'TOOLTIPS', function ($element, $rootScope, $scope, $state, $timeout, TOOLTIPS) {\n\n\tvar showFor = $scope.dcFor.split(',');\n\tvar demoTaskComplete = $rootScope.demoTaskComplete;\n\tvar demoToooltip = TOOLTIPS.demo[demoTaskComplete.demoShortId];\n\n\t$scope.demoCompletedMessage = demoToooltip.completed.replace('{{firstname}}', demoTaskComplete.firstName);\n\t$scope.demoLinkCopy = demoToooltip.link ? demoToooltip.link : 'Complete more tasks';\n\t$scope.showMessage = showFor.includes(demoTaskComplete.demoShortId) ? true : false;\n\n\tif ($scope.showMessage) {\n\t\t$timeout(function() {\n\n\t\t\t$element[0].scrollIntoView({\n\t\t\t\tbehavior: 'smooth',\n\t\t\t\tblock: 'center'\n\t\t\t});\n\t\t}, 0);\n\t}\n\n\n\t$scope.backToDashboard = function () {\n\n\t\t$state.go('company-dashboard', {\n\t\t\tagencyProfileId: $rootScope.currentCompany.AgencyProfileID,\n\t\t\tcompletedDemo: demoTaskComplete.groupId\n\t\t});\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('descriptionCard', {\n\tbindings: {\n\t\ticon: '@',\n\t\ttheme: '@'\n\t},\n\ttemplateUrl: 'components/description-card/description-card.component.html',\n\ttransclude: true\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('detailBlock', {\n\tbindings: {\n\t\tdbCanEdit: '',\n\t\tdbDetails: '=',\n\t\tdbEditText: '',\n\t\tdbFeedbackPosition: '@?',\n\t\tdbShowFeedback: ''\n\t},\n\tcontroller: 'detailBlockCtrl',\n\ttemplateUrl: 'components/detail-block/detail-block.component.html',\n\ttransclude: {\n\t\t'feedback': '?dbFeedback',\n\t\t'content': '?dbContent',\n\t\t'html': '?dbHtml'\n\t}\n})\n.controller('detailBlockCtrl', ['$rootScope', 'CUSTOMISATION_SHADES', 'EMAIL_PREVIEW_TYPES', 'PENSION_TYPES', function ($rootScope, CUSTOMISATION_SHADES, EMAIL_PREVIEW_TYPES, PENSION_TYPES) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\t\tangular.extend($ctrl, {\n\t\t\tCUSTOMISATION_SHADES,\n\t\t\tEMAIL_PREVIEW_TYPES,\n\t\t\tPENSION_TYPES,\n\t\t\tcurrentCompany: $rootScope.currentCompany,\n\t\t\tdbCanEdit: angular.isDefined($ctrl.dbCanEdit) ? $ctrl.dbCanEdit : true,\n\t\t\tdbEditText: angular.isDefined($ctrl.dbEditText) ? $ctrl.dbEditText : 'Edit',\n\t\t\tdbFeedbackPosition: angular.isDefined($ctrl.dbFeedbackPosition) ? $ctrl.dbFeedbackPosition : 'top',\n\t\t\tdbShowFeedback: angular.isDefined($ctrl.dbShowFeedback) ? $ctrl.dbShowFeedback : false\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.directive('disbursementCard', function () {\n\n\treturn {\n\t\tcontroller: 'disbursementCardCtrl',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tcompany: '<',\n\t\t\tdisbursement: '<',\n\t\t\trefreshDisbursements: '&?'\n\t\t},\n\t\ttemplateUrl: 'components/disbursement-card/disbursement-card.component.html'\n\t};\n})\n\n.controller('disbursementCardCtrl', ['$rootScope', '$scope', 'DISBURSEMENT_CONTEXT_TYPES', function ($rootScope, $scope, DISBURSEMENT_CONTEXT_TYPES) {\n\n\tfunction openDeleteBacsDisbursementForm (companyObj, disbursementObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: companyObj.AgencyProfileID,\n\t\t\tcallback: $scope.refreshDisbursements,\n\t\t\tcontextType: 'company',\n\t\t\tdisbursement: disbursementObj,\n\t\t\tformKey: 'company-settings-delete-bacs-disbursement',\n\t\t\ttitle: 'Delete disbursement'\n\t\t});\n\t}\n\n\tfunction openEditBacsDisbursementForm (companyObj, disbursementObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: companyObj.AgencyProfileID,\n\t\t\tcallback: $scope.refreshDisbursements,\n\t\t\tcontextType: 'company',\n\t\t\tdisbursementId: disbursementObj.DisbursementID,\n\t\t\tformKey: 'company-settings-add-bacs-disbursement',\n\t\t\ttitle: 'Edit disbursement'\n\t\t});\n\t}\n\n\tangular.extend($scope, {\n\t\tDISBURSEMENT_CONTEXT_TYPES,\n\t\topenDeleteBacsDisbursementForm,\n\t\topenEditBacsDisbursementForm,\n\t\tshowMenu: false\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('documentUploadCard', {\n\tbindings: {\n\t\tdocument: '<',\n\t\tdocumentIndex: '<',\n\t\tonDelete: '&'\n\t},\n\tcontroller: 'documentUploadCardCtrl',\n\ttemplateUrl: 'components/document-upload-card/document-upload-card.component.html',\n\ttransclude: {\n\t\t'actions': '?actions',\n\t},\n})\n.controller('documentUploadCardCtrl', ['$transclude', 'base', function ($transclude, base) {\n\n\tconst $ctrl = this;\n\n\tfunction confirmDeleteDocument (documentObj) {\n\n\t\tdocumentObj.state = 'confirm';\n\t}\n\n\tfunction deleteDocument (documentObj) {\n\n\t\tbase.deleteAgencyDocument(documentObj.AgencyDocumentID).then(() => {\n\n\t\t\tif (angular.isFunction($ctrl.onDelete)) {\n\t\t\t\t$ctrl.onDelete();\n\t\t\t}\n\t\t})\n\t\t.catch((error) => {\n\t\t\tconsole.error(error);\n\t\t\tdocumentObj.state = 'error';\n\t\t});\n\t}\n\n\tfunction resetDocumentState (documentObj) {\n\n\t\tdocumentObj.state = null;\n\t}\n\n\t$ctrl.$onInit = () => {\n\n\t\t$ctrl.hasActions = $transclude.isSlotFilled('actions');\n\t};\n\n\tangular.extend($ctrl, {\n\t\tconfirmDeleteDocument,\n\t\tdeleteDocument,\n\t\tresetDocumentState\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('documentUploadRow', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tdocument: '<',\n\t\tbulkItems: '=?',\n\t\trefreshPage: '&?'\n\t},\n\tcontroller: 'documentUploadRowCtrl',\n\ttemplateUrl: 'components/document-upload-row/document-upload-row.component.html',\n})\n.controller('documentUploadRowCtrl', [\n\t'$rootScope',\n\t'bulkService',\n\t'dataTransfer',\n\t'importService',\n\t'DOCUMENT_STATES',\n\t'DOCUMENT_TYPES',\n\t'FILE_UPLOAD_FORMS',\n\t'MIME_FORMATS',\n\tfunction (\n\t\t$rootScope,\n\t\tbulkService,\n\t\tdataTransfer,\n\t\timportService,\n\t\tDOCUMENT_STATES,\n\t\tDOCUMENT_TYPES,\n\t\tFILE_UPLOAD_FORMS,\n\t\tMIME_FORMATS\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction downloadDocument (ctrlObj) {\n\n\t\tconst downloadUrl = dataTransfer.getBlobDownloadUrl(ctrlObj.document.AgencyDocumentID, ctrlObj.agencyProfileId, ctrlObj.document.documentNameOriginal);\n\n\t\tdataTransfer.downloadFile(downloadUrl, ctrlObj.document.documentNameOriginal);\n\t}\n\n\tfunction getFormTitle (formState) {\n\n\t\tswitch (formState) {\n\t\t\tcase FILE_UPLOAD_FORMS.deleteFile:\n\t\t\t\treturn 'Delete file';\n\n\t\t\tcase FILE_UPLOAD_FORMS.importFile:\n\t\t\t\treturn 'Import team data';\n\n\t\t\tcase FILE_UPLOAD_FORMS.importHistory:\n\t\t\t\treturn 'Import history';\n\n\t\t\tdefault:\n\t\t\t\treturn 'Edit file label';\n\t\t}\n\t}\n\n\tfunction onCheckboxToggle (ctrlObj) {\n\t\tbulkService.updateBulkItemTotals(ctrlObj.bulkItems);\n\t}\n\n\tfunction openFileUploadsForm (ctrlObj, formState) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tdocument: ctrlObj.document,\n\t\t\tcallback: ctrlObj.refreshPage,\n\t\t\tformKey: 'company-settings-file-uploads',\n\t\t\tformState: formState,\n\t\t\ttitle: getFormTitle(formState)\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\tdownloadDocument,\n\t\tgoToDataImporterForDocumentType: importService.goToDataImporterForDocumentType,\n\t\tonCheckboxToggle,\n\t\topenFileUploadsForm,\n\n\t\tDOCUMENT_TYPES,\n\t\tDOCUMENT_STATES,\n\t\tFILE_UPLOAD_FORMS,\n\t\tMIME_FORMATS,\n\n\t\tshowMenu: false,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('downloadLinkCard', {\n\tbindings: {\n\t\ttext: '@',\n\t\turl: '<'\n\t},\n\tcontroller: 'downloadLinkCtrl',\n\ttemplateUrl: 'components/download-link-card/download-link-card.component.html'\n})\n.controller('downloadLinkCtrl', ['dataTransfer', function (dataTransfer) {\n\n\tconst $ctrl = this;\n\n\tangular.extend($ctrl, {\n\t\tdownloadFile: dataTransfer.downloadFile\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('dropdownMenu', {\n\tbindings: {\n\t\tmenuAlign: '@?',\n menuDemoId: '@?',\n menuText: '@?',\n menuIcon: '@?',\n menuIconSize: '@?',\n menuId: '@?',\n menuOnOpen: '&?',\n menuShow: '=?',\n menuShowChevron: '',\n menuSize: '@?', // s, m (default), l\n menuTheme: '@?'\n\t},\n\tcontroller: 'dropdownMenuCtrl',\n\ttemplateUrl: 'components/dropdown-menu/dropdown-menu.component.html',\n\ttransclude: true\n})\n.controller('dropdownMenuCtrl', function () {\n\n\tconst $ctrl = this;\n\n\tfunction toggleMenu (ctrlObj) {\n\t\tctrlObj.menuShow = !ctrlObj.menuShow;\n\n\t\tif (ctrlObj.menuShow && angular.isDefined(ctrlObj.menuOnOpen) && angular.isFunction(ctrlObj.menuOnOpen)) {\n\t\t\tctrlObj.menuOnOpen();\n\t\t}\n\t}\n\n\t$ctrl.$onInit = () => {\n\t\tangular.extend($ctrl, {\n\t\t\tmenuAlign: angular.isDefined($ctrl.menuAlign) ? $ctrl.menuAlign : 'right',\n\t\t\tmenuIconSize: angular.isDefined($ctrl.menuIconSize) ? $ctrl.menuIconSize : 'm',\n\t\t\tmenuShow: angular.isDefined($ctrl.menuShow) ? $ctrl.menuShow : false,\n\t\t\tmenuShowChevron: angular.isDefined($ctrl.menuShowChevron) ? $ctrl.menuShowChevron : true,\n\t\t\tmenuTheme: angular.isDefined($ctrl.menuTheme) ? $ctrl.menuTheme : '',\n\t\t});\n\t};\n\n\t$ctrl.toggleMenu = ctrlObj => {\n\t\ttoggleMenu(ctrlObj);\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('editableLabel', {\n\tbindings: {\n\t\tfieldName: '@',\n\t\tisEditable: '',\n\t\tngModel: '=',\n\t\tonEdit: '&?'\n\t},\n\tcontroller: 'editableLabelCtrl',\n\ttemplateUrl: 'components/editable-label/editable-label.component.html'\n})\n.controller('editableLabelCtrl', function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\t\tangular.extend($ctrl, {\n\t\t\teditMode: false,\n\t\t\tisEditable: angular.isDefined($ctrl.isEditable) ? $ctrl.isEditable : false\n\t\t});\n\t};\n\n\tfunction cancelEditMode (ctrlObj) {\n\n\t\tctrlObj.editMode = false;\n\n\t\t// Optional callback\n\t\tif (angular.isDefined($ctrl.onEdit)) {\n\t\t\t$ctrl.onEdit();\n\t\t}\n\t}\n\n\tfunction enterEditMode (ctrlObj) {\n\t\tctrlObj.editMode = true;\n\t}\n\n\tangular.extend($ctrl, {\n\t\tcancelEditMode,\n\t\tenterEditMode\n\t});\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('emailCard', {\n\n\tcontroller: 'emailCardController',\n\ttemplateUrl: 'components/email-card/email-card.component.html',\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\temail: '<',\n\t\tonEmailActiveChange: '&?',\n\t\tpreviewType: '=?'\n\t}\n})\n\n.controller('emailCardController', ['$scope', 'EMAIL_PREVIEW_TYPES', 'MAIL_GROUP_TYPES', function($scope, EMAIL_PREVIEW_TYPES, MAIL_GROUP_TYPES) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function() {\n\t\t$ctrl.previewType = $ctrl.previewType || EMAIL_PREVIEW_TYPES.standard;\n\t\tif ($ctrl.email.Group === MAIL_GROUP_TYPES.system) {\n\t\t\t$ctrl.cardTheme = 'primary';\n\t\t\t$ctrl.isSystemEmail = true;\n\t\t}\n\t\telse {\n\t\t\t$ctrl.cardTheme = 'secondary';\n\t\t\t$ctrl.isSystemEmail = false;\n\t\t}\n\t};\n\n\tfunction toggleEmailIsActive (emailObj) {\n\t\temailObj.IsActive = !emailObj.IsActive;\n\t\tif (angular.isDefined($ctrl.onEmailActiveChange)) {\n\t\t\t$ctrl.onEmailActiveChange();\n\t\t}\n\t}\n\n\tangular.extend($scope, {\n\t\t// Constants\n\t\tEMAIL_PREVIEW_TYPES,\n\t\tMAIL_GROUP_TYPES,\n\n\t\t// Functions\n\t\ttoggleEmailIsActive\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('emailContacts', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tcontactExternalId: '<',\n\t\tisInAddressBook: '',\n\t\tlabel: '@',\n\t\tnewContacts: '=',\n\t\toldContacts: '='\n\t},\n\trequire: {\n\t\tform: '^form'\n\t},\n\tcontroller: 'emailContactsCtrl',\n\ttemplateUrl: 'components/email-contacts/email-contacts.component.html',\n})\n.controller('emailContactsCtrl', ['$q', 'searchService', 'teamData', 'userData',\n\tfunction ($q, searchService, teamData, userData) {\n\n\tconst $ctrl = this;\n\n\tconst CONTACT_TYPES = {\n\t\texisting: 'existing',\n\t\tnew: 'new'\n\t};\n\n\tconst COMPONENT_STATES = {\n\t\tloading: 'loading',\n\t\tready: 'ready',\n\t\terror: 'error',\n\t};\n\n\tfunction $onInit () {\n\n\t\tsetComponentState(COMPONENT_STATES.loading);\n\n\t\tconst getTeamMemberAdmins = teamData.getTeamMemberAdmins($ctrl.agencyProfileId);\n\t\tconst getAllTeamMemberContactsExternal = userData.getAllTeamMemberContactsExternal($ctrl.agencyProfileId);\n\t\tconst getTeamMemberContactsExternal = userData.getTeamMemberContactsExternal($ctrl.agencyProfileId, $ctrl.contactExternalId);\n\n\t\t$q.all([getTeamMemberAdmins, getAllTeamMemberContactsExternal, getTeamMemberContactsExternal]).then(\n\t\t\t([teamMemberAdminsArr, allExternalEmailContactsArr, externalEmailContactsForContactTypeArr]) => {\n\n\t\t\tconst unusedExternalContactsArr = getUnusedContacts(allExternalEmailContactsArr, externalEmailContactsForContactTypeArr);\n\n\t\t\tangular.extend($ctrl, {\n\t\t\t\tteamMemberAdmins: teamMemberAdminsArr,\n\t\t\t\texternalContactsForType: externalEmailContactsForContactTypeArr,\n\t\t\t\tunusedExternalContacts: unusedExternalContactsArr.filter(decorateExistingContacts),\n\t\t\t\tshowPayrollAdmins: false,\n\t\t\t\tshowExternalContacts: false,\n\t\t\t\tselectedContacts: {}\n\t\t\t});\n\n\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction decorateExistingContacts (externalContactObj) {\n\n\t\texternalContactObj.fullName = `${externalContactObj.Forename} ${externalContactObj.Surname}`;\n\n\t\treturn externalContactObj;\n\t}\n\n\tfunction deleteSavedContact (ctrlObj, contactIndex) {\n\n\t\tconst deletedContactObj = ctrlObj.externalContactsForType[contactIndex];\n\n\t\tctrlObj.oldContacts.push(deletedContactObj);\n\t\tctrlObj.unusedExternalContacts.push(decorateExistingContacts(deletedContactObj));\n\n\t\tctrlObj.externalContactsForType.splice(contactIndex, 1);\n\t}\n\n\tfunction deleteUnsavedContact (ctrlObj, contactIndex) {\n\t\tctrlObj.newContacts.splice(contactIndex, 1);\n\t}\n\n\tfunction getEmptyTeamMemberContact (ctrlObj) {\n\n\t\treturn $q((onComplete, onError) => {\n\n\t\t\tif (!angular.isDefined(ctrlObj.emptyContact)) {\n\n\t\t\t\tuserData.getEmptyTeamMemberContact().then(emptyTeamMemberContactObj => {\n\n\t\t\t\t\tctrlObj.emptyContact = emptyTeamMemberContactObj;\n\n\t\t\t\t\tonComplete(emptyTeamMemberContactObj);\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\n\t\t\t} else {\n\t\t\t\tonComplete(angular.copy(ctrlObj.emptyContact));\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction getUnusedContacts (allExternalEmailContactsArr, externalEmailContactsForContactTypeArr) {\n\n\t\tconst externalContactIdsOfTypeArr = externalEmailContactsForContactTypeArr.map(externalContactObj => externalContactObj.ContactID);\n\n\t\treturn allExternalEmailContactsArr.filter(externalContactObj => !externalContactIdsOfTypeArr.includes(externalContactObj.ContactID));\n\t}\n\n\tfunction onAddExternalContact (ctrlObj) {\n\n\t\tgetEmptyTeamMemberContact(ctrlObj).then(emptyContactObj => {\n\n\t\t\tangular.extend(emptyContactObj, {\n\t\t\t\texternalContactType: ctrlObj.unusedExternalContacts.length > 0 ? CONTACT_TYPES.existing : CONTACT_TYPES.new,\n\t\t\t\texistingContact: null\n\t\t\t});\n\n\t\t\tctrlObj.newContacts.push(emptyContactObj);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onExternalContactSelect (ctrlObj, contactIndex, contactObj) {\n\n\t\tctrlObj.selectedContacts[contactIndex] = contactObj.existingContact.ContactID;\n\n\t\tangular.extend(contactObj, {\n\t\t\tContactID: contactObj.existingContact.ContactID,\n\t\t\tEmail: contactObj.existingContact.Email,\n\t\t\tForename: contactObj.existingContact.Forename,\n\t\t\tSurname: contactObj.existingContact.Surname\n\t\t});\n\n\t\tunselectContactIfAlreadySelected(ctrlObj, contactIndex, contactObj);\n\t}\n\n\tfunction onExternalContactTypeChange (contactObj) {\n\t\tangular.extend(contactObj, {\n\t\t\tEmail: '',\n\t\t\tForename: '',\n\t\t\tSurname: '',\n\t\t\texistingContact: null\n\t\t});\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetComponentState(COMPONENT_STATES.error);\n\t}\n\n\tfunction setComponentState (newState) {\n\t\t$ctrl.componentState = newState;\n\t}\n\n\tfunction toggleShowPayrollAdmins (ctrlObj) {\n\t\tif (ctrlObj.teamMemberAdmins.length > 0) {\n\t\t\tctrlObj.showPayrollAdmins = !ctrlObj.showPayrollAdmins;\n\t\t}\n\t}\n\n\tfunction toggleshowExternalContacts (ctrlObj) {\n\t\tctrlObj.showExternalContacts = !ctrlObj.showExternalContacts;\n\t}\n\n\tfunction unselectContactIfAlreadySelected (ctrlObj, contactIndex, contactObj) {\n\n\t\tfor (let externalContactIndex = 0; externalContactIndex < ctrlObj.newContacts.length; externalContactIndex++) {\n\n\t\t\tif (contactIndex !== externalContactIndex) {\n\n\t\t\t\tconst externalContactObj = ctrlObj.newContacts[externalContactIndex];\n\n\t\t\t\tif (externalContactObj.existingContact && contactObj.existingContact.ContactID === externalContactObj.existingContact.ContactID) {\n\t\t\t\t\texternalContactObj.existingContact = null;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tCOMPONENT_STATES,\n\t\tCONTACT_TYPES,\n\n\t\tdeleteSavedContact,\n\t\tdeleteUnsavedContact,\n\t\tonAddExternalContact,\n\t\tonExternalContactSelect,\n\t\tonExternalContactTypeChange,\n\t\ttoggleShowPayrollAdmins,\n\t\ttoggleshowExternalContacts,\n\n\t\tsearchBarOptionsAdmins: searchService.emailContactsAdmins,\n\t\tsearchBarOptionsExternal: searchService.emailContactsExternal\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('emptySearch', {\n\tbindings: {\n\t\tsearchBarOptions: '='\n\t},\n\ttemplateUrl: 'components/empty-search/empty-search.component.html'\n});\n'use strict';\n\nangular.module('paycircleApp')\n.component('epsFormField', {\n\tbindings: {\n\t\tepsDetail: '<',\n\t\tepsFormField: '<',\n\t\tisDisabled: '',\n\t\tonChange: '&?',\n\t\tshowLabels: '<'\n\t},\n\trequire: {\n\t\tepsForm: '^form',\n\t\t// Just to enforce parent / child relationship. An epsFormField must belong to an epsFormFieldset\n\t\tepsFormFieldset: '^epsFormFieldset'\n\t},\n\tcontroller: 'epsFormFieldCtrl',\n\ttemplateUrl: 'components/eps-form-field/eps-form-field.component.html'\n})\n.controller('epsFormFieldCtrl', [function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\t\t// Enabled by default. (Calculated EPS fields will always be disabled in the template).\n\t\t$ctrl.isDisabled = angular.isDefined($ctrl.isDisabled) ? $ctrl.isDisabled : false;\n\t};\n\n\tfunction differenceOnChange(ctrlObj) {\n\n\t\tif (angular.isFunction(ctrlObj.onChange)) {\n\t\t\tctrlObj.onChange();\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\tdifferenceOnChange\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('epsFormFieldset', {\n\tbindings: {\n\t\teps: '<'\n\t},\n\tcontroller: 'epsFormFieldsetCtrl',\n\ttemplateUrl: 'components/eps-form-fieldset/eps-form-fieldset.component.html'\n})\n.controller('epsFormFieldsetCtrl', ['utilities', function (utilities) {\n\n\tconst $ctrl = this;\n\n\tconst EPS_FORM_NO_CHANGES = 'epsFormNoChanges';\n\tconst EPS_FIELD_NEGATIVE = 'epsFormFieldNegative';\n\n\tfunction decorateEPS (epsObj) {\n\n\t\t/* Don't do anything if this object has already been updated. This form can be reinstated, and its changes state needs to be\n\t\t preserved for potential resubmission (if eps submission fails). There's no point doing all of this twice anyway. */\n\t\tif (!epsObj.hasChanges) {\n\t\t\t// Add eps fields. Used to build up form and check validity. Dependant fields are marked, correspond to other calculated fields.\n\t\t\tepsObj.epsFormFields = [];\n\n\t\t\tif (epsObj.CanUpdateSMP || \n\t\t\t\tepsObj.EPSDetail.SMPRecoveredYTD !== 0 || epsObj.EPSDetail.SMPRecoveredThisPeriod !== 0 || \n\t\t\t\tepsObj.EPSDetail.NICCompensationOnSMPYTD !== 0 || epsObj.EPSDetail.NICCompensationOnSMPThisPeriod !== 0) {\n\t\t\t\tepsObj.epsFormFields.push({\n\t\t\t\t\tname: 'SMPRecovered',\n\t\t\t\t\tdescription: 'SMP Reclaimed',\n\t\t\t\t\tdependantNICField: 'NICCompensationOnSMP'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tname: 'NICCompensationOnSMP',\n\t\t\t\t\tdescription: 'SMP NIC Compensation Recovered',\n\t\t\t\t\tisCalculated: true\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tif (epsObj.CanUpdateSPP || \n\t\t\t\tepsObj.EPSDetail.SPPRecoveredYTD !== 0 || epsObj.EPSDetail.SPPRecoveredThisPeriod !== 0 || \n\t\t\t\tepsObj.EPSDetail.NICCompensationOnSPPYTD !== 0 || epsObj.EPSDetail.NICCompensationOnSPPThisPeriod !== 0) {\n\t\t\t\tepsObj.epsFormFields.push({\n\t\t\t\t\tname: 'SPPRecovered',\n\t\t\t\t\tdescription: 'SPP Reclaimed',\n\t\t\t\t\tdependantNICField: 'NICCompensationOnSPP'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tname: 'NICCompensationOnSPP',\n\t\t\t\t\tdescription: 'SPP NIC Compensation Recovered',\n\t\t\t\t\tisCalculated: true\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tif (epsObj.CanUpdateSAP || \n\t\t\t\tepsObj.EPSDetail.SAPRecoveredYTD !== 0 || epsObj.EPSDetail.SAPRecoveredThisPeriod !== 0 || \n\t\t\t\tepsObj.EPSDetail.NICCompensationOnSAPYTD !== 0 || epsObj.EPSDetail.NICCompensationOnSAPThisPeriod !== 0) {\n\t\t\t\tepsObj.epsFormFields.push({\n\t\t\t\t\tname: 'SAPRecovered',\n\t\t\t\t\tdescription: 'SAP Reclaimed',\n\t\t\t\t\tdependantNICField: 'NICCompensationOnSAP'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tname: 'NICCompensationOnSAP',\n\t\t\t\t\tdescription: 'SAP NIC Compensation Recovered',\n\t\t\t\t\tisCalculated: true\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tif (epsObj.CanUpdateShPP || \n\t\t\t\tepsObj.EPSDetail.ShPRecoveredYTD !== 0 || epsObj.EPSDetail.ShPRecoveredThisPeriod !== 0 || \n\t\t\t\tepsObj.EPSDetail.NICCompensationOnShPPYTD !== 0 || epsObj.EPSDetail.NICCompensationOnShPPThisPeriod !== 0) {\n\t\t\t\tepsObj.epsFormFields.push({\n\t\t\t\t\tname: 'ShPPRecovered',\n\t\t\t\t\tdescription: 'ShPP Reclaimed',\n\t\t\t\t\tdependantNICField: 'NICCompensationOnShPP'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tname: 'NICCompensationOnShPP',\n\t\t\t\t\tdescription: 'ShPP NIC Compensation Recovered',\n\t\t\t\t\tisCalculated: true\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tif (epsObj.CanUpdateSPBP || \n\t\t\t\tepsObj.EPSDetail.SPBPRecoveredYTD !== 0 || epsObj.EPSDetail.SPBPRecoveredThisPeriod !== 0 || \n\t\t\t\tepsObj.EPSDetail.NICCompensationOnSPBPYTD !== 0 || epsObj.EPSDetail.NICCompensationOnSPBPThisPeriod !== 0) {\n\t\t\t\tepsObj.epsFormFields.push({\n\t\t\t\t\tname: 'SPBPRecovered',\n\t\t\t\t\tdescription: 'SPBP Reclaimed',\n\t\t\t\t\tdependantNICField: 'NICCompensationOnSPBP'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tname: 'NICCompensationOnSPBP',\n\t\t\t\t\tdescription: 'SPBP NIC Compensation Recovered',\n\t\t\t\t\tisCalculated: true\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tif (epsObj.CanUpdateSNCP || \n\t\t\t\tepsObj.EPSDetail.SNCPRecoveredYTD !== 0 || epsObj.EPSDetail.SNCPRecoveredThisPeriod !== 0 || \n\t\t\t\tepsObj.EPSDetail.NICCompensationOnSNCPYTD !== 0 || epsObj.EPSDetail.NICCompensationOnSNCPThisPeriod !== 0) {\n\t\t\t\tepsObj.epsFormFields.push({\n\t\t\t\t\tname: 'SNCPRecovered',\n\t\t\t\t\tdescription: 'SNCP Reclaimed',\n\t\t\t\t\tdependantNICField: 'NICCompensationOnSNCP'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tname: 'NICCompensationOnSNCP',\n\t\t\t\t\tdescription: 'SNCP NIC Compensation Recovered',\n\t\t\t\t\tisCalculated: true\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t// Applicable only id EPS detail has CIS\n\t\t\tif (epsObj.EPSDetail.HasCIS) {\n\t\t\t\tepsObj.epsFormFields.push({\n\t\t\t\t\tname: 'CISDeductionsSuffered',\n\t\t\t\t\tdescription: 'CIS Deductions Suffered'\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tepsObj.epsFormFields.push({\n\t\t\t\tname: 'AppLevyDue',\n\t\t\t\tdescription: 'Apprenticeship Levy',\n\t\t\t\tintegersOnly: true\n\t\t\t},\n\t\t\t{\n\t\t\t\tdescription: 'Employment Allowance',\n\t\t\t\tisEmploymentAllowanceField: true,\n\t\t\t\tname: 'EmploymentAllowanceClaimed'\n\t\t\t});\n\n\t\t\t// In turn, decorate those with field names for YTD (current value) and ThisPeriod (difference)\n\t\t\tepsObj.epsFormFields.forEach(epsFormField => {\n\t\t\t\tepsFormField.currentValueField = `${epsFormField.name}YTD`;\n\t\t\t\tepsFormField.differenceField = `${epsFormField.name}ThisPeriod`;\n\t\t\t\t// This field is calculated and doesn't form part of the API, so lowercase it to ensure it's ignored\n\t\t\t\tepsFormField.newValueField = `${epsFormField.name.toLowerCase()}NewValue`;\n\t\t\t\tupdateEpsFormField(epsObj, epsFormField);\n\t\t\t});\n\n\t\t\t// Check for changes. There may be some initially if an EPS is retrieved that hasn't been successfully submitted.\n\t\t\tcheckForChanges(epsObj);\n\n\t\t\t// Assess if manual EPS warning needs to be shown\n\t\t\tupdateIsEAOnlyUpdatedField();\n\t\t}\n\t}\n\n\tfunction checkForChanges (epsObj) {\n\n\t\tlet epsHasChanges = false;\n\n\t\t// The form is valid if at least one difference value has changed; i.e. if current !== new for any eps field\n\t\tfor (let epsFormField of epsObj.epsFormFields) {\n\t\t\tif (epsObj.EPSDetail[epsFormField.currentValueField] !== epsObj.EPSDetail[epsFormField.newValueField]) {\n\t\t\t\tepsHasChanges = true;\n\t\t\t\tbreak;\n\t\t\t}\n\t\t}\n\t\tepsObj.hasChanges = epsHasChanges;\n\t}\n\n\tfunction epsFormFieldOnChange (epsForm, epsObj, epsFormField) {\n\t\tupdateEpsFormField(epsObj, epsFormField);\n\n\t\t// If the new value is -ve, mark the difference field as invalid, valid otherwise\n\t\tepsForm[epsFormField.differenceField].$setValidity(EPS_FIELD_NEGATIVE, epsObj.EPSDetail[epsFormField.newValueField] >= 0);\n\n\t\t/* Check EPS object for changes. This field change could have restored the object to its unchanged state,\n\t\t so it needs to be checked here. */\n\t\tcheckForChanges(epsObj);\n\n\t\t// Assess if manual EPS warning needs to be shown\n\t\tupdateIsEAOnlyUpdatedField();\n\t}\n\n\tfunction getEpsFormField (epsObj, epsFormFieldName) {\n\n\t\treturn epsObj.epsFormFields.find(epsFormField => {\n\t\t\treturn epsFormField.name === epsFormFieldName;\n\t\t});\n\t}\n\n\tfunction getShowManualEPSEAWarning () {\n\n\t\t// Warning should be shown if only the EA field has a difference applied to it\n\n\t\tlet otherFieldsHaveDifferenceValue = false;\n\t\tlet employmentAllowanceFieldHasValue = false;\n\n\t\tfunction isDifferenceFieldUpdated (formField) {\n\t\t\treturn $ctrl.eps.EPSDetail[formField.differenceField] !== 0;\n\t\t}\n\n\t\tfor (let formField of $ctrl.eps.epsFormFields) {\n\n\t\t\tif (!formField.isEmploymentAllowanceField) {\n\n\t\t\t\t// Check fields other than EA field for a value\n\t\t\t\tif (isDifferenceFieldUpdated(formField)) {\n\t\t\t\t\totherFieldsHaveDifferenceValue = true;\n\t\t\t\t}\n\n\t\t\t}\n\t\t\t// Check EA field for a value\n\t\t\telse {\n\t\t\t\temploymentAllowanceFieldHasValue = isDifferenceFieldUpdated(formField);\n\t\t\t}\n\n\t\t}\n\n\t\t// Returns true if all difference fields other than the EA field are empty\n\t\treturn !otherFieldsHaveDifferenceValue && employmentAllowanceFieldHasValue;\n\t}\n\n\tfunction onEPSCanBeSubmittedWithoutChangesChange(epsObj) {\n\t\tif (epsObj.canBeSubmittedWithoutChanges) {\n\t\t\t// For each EPS form field, zero the difference and update to get everything in sync.\n\t\t\tepsObj.epsFormFields.forEach(epsFormField => {\n\t\t\t\tepsObj.EPSDetail[epsFormField.differenceField] = 0;\n\t\t\t\tupdateEpsFormField (epsObj, epsFormField);\n\t\t\t});\n\t\t}\n\t}\n\n\tfunction updateEpsFormField (epsObj, epsFormField) {\n\n\t\t// Set or update new value for UI. Round to two decimal places.\n\t\tconst newValue = utilities.roundTo((epsObj.EPSDetail[epsFormField.currentValueField] + epsObj.EPSDetail[epsFormField.differenceField]), 2);\n\t\tepsObj.EPSDetail[epsFormField.newValueField] = newValue;\n\n\t\t// If there's a dependant NIC field, calculate and set that\n\t\tif (angular.isDefined(epsFormField.dependantNICField)) {\n\t\t\t// Calculate and round\n\t\t\tlet dependantNICFieldValue = epsObj.EPSDetail[epsFormField.differenceField] * epsObj.EPSDetail.StatPayNICCompensationPcnt;\n\t\t\tdependantNICFieldValue = utilities.roundTo(dependantNICFieldValue, 2);\n\n\t\t\t// Get the dependant form field, set its calculated value and in turn update it.\n\t\t\tconst dependantEpsFormField = getEpsFormField(epsObj, epsFormField.dependantNICField);\n\t\t\tif (angular.isDefined(dependantEpsFormField)) {\n\t\t\t\tepsObj.EPSDetail[dependantEpsFormField.differenceField] = dependantNICFieldValue;\n\t\t\t\tupdateEpsFormField(epsObj, dependantEpsFormField);\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction updateIsEAOnlyUpdatedField () {\n\t\t$ctrl.eps.showManualEPSEAWarning = getShowManualEPSEAWarning();\n\t}\n\n\t$ctrl.$onInit = function () {\n\n\t\t// By default a change must be made to pass form validation\n\t\t$ctrl.eps.canBeSubmittedWithoutChanges = angular.isDefined($ctrl.eps.canBeSubmittedWithoutChanges) ? $ctrl.eps.canBeSubmittedWithoutChanges : false;\n\n\t\tdecorateEPS($ctrl.eps);\n\t};\n\n\tangular.extend($ctrl, {\n\n\t\t// Constants\n\t\tEPS_FORM_NO_CHANGES,\n\n\t\t// Functions\n\t\tepsFormFieldOnChange,\n\t\tonEPSCanBeSubmittedWithoutChangesChange\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('errorBlock', {\n\tbindings: {\n\t\ttitle: '',\n\t\thasGutter: '',\n\t\tsecondaryAction: '&?',\n\t\tsecondaryActionText: '@?'\n\t},\n\tcontroller: 'errorBlockCtrl',\n\ttemplateUrl: 'components/error-block/error-block.component.html',\n\ttransclude: true,\n})\n.controller('errorBlockCtrl', [\n\t'tracking',\n\t'utilities',\n\t'TRACKING_EVENTS',\n\t'TRACKING_EVENT_CATEGORIES',\n\tfunction (\n\t\ttracking,\n\t\tutilities,\n\t\tTRACKING_EVENTS,\n\t\tTRACKING_EVENT_CATEGORIES\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\t// Track search events\n\t\ttracking.trackEvent(TRACKING_EVENTS.errorBlock, {\n\t\t\tevent_category: TRACKING_EVENT_CATEGORIES.errors\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\thasGutter: angular.isDefined($ctrl.hasGutter) ? $ctrl.hasGutter : false,\n\t\treloadPage: utilities.reloadPage,\n\t\ttitle: angular.isDefined($ctrl.title) ? $ctrl.title : 'There seems to be a problem'\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('extendedCheckbox', {\n\tbindings: {\n\t\talwaysShowContent: '',\n\t\tdisabled: '=?',\n\t\thasBorder: '<',\n\t\tname: '@',\n\t\tngModel: '=',\n\t\tonChange: '&?',\n\t\trequired: '=?'\n\t},\n\tcontroller: 'extendedCheckboxCtrl',\n\ttemplateUrl: 'components/extended-checkbox/extended-checkbox.component.html',\n\ttransclude: {\n\t\t'label': 'checkboxLabel',\n\t\t'content': '?checkboxContent'\n\t},\n})\n.controller('extendedCheckboxCtrl', ['$transclude', '$timeout', function ($transclude, $timeout) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\n\t\tlet alwaysShowContent = $ctrl.alwaysShowContent;\n\t\tlet disabled = $ctrl.disabled;\n\t\tlet hasBorder = $ctrl.hasBorder;\n\t\tlet required = $ctrl.required;\n\n\t\tangular.extend($ctrl, {\n\t\t\thasBorder: angular.isDefined(hasBorder) ? hasBorder : true,\n\t\t\thasContent: $transclude.isSlotFilled('content'),\n\t\t\talwaysShowContent: angular.isDefined(alwaysShowContent) ? alwaysShowContent : false,\n\t\t\trequired: angular.isDefined(required) ? required : false,\n\t\t\tdisabled: angular.isDefined(disabled) ? disabled : false,\n\t\t});\n\t};\n\n\tfunction onCheckboxChange () {\n\n\t\tif (angular.isDefined($ctrl.onChange) && angular.isFunction($ctrl.onChange)) {\n\t\t\t$timeout(function () {\n\t\t\t\t$ctrl.onChange();\n\t\t\t});\n\t\t}\n\t}\n\n\t$ctrl.onCheckboxChange = onCheckboxChange;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('extendedRadio', {\n\tbindings: {\n\t\talwaysShowContent: '<',\n\t\tdisabled: '',\n\t\thasClickAnywhere: '',\n\t\tid: '@?',\n\t\tname: '@',\n\t\tngModel: '=',\n\t\trequired: '',\n\t\tonChange: '&?',\n\t\tshowContentWhenChecked: '',\n\t\ttheme: '@?',\n\t\tvalue: '<'\n\t},\n\tcontroller: 'extendedRadioCtrl',\n\ttemplateUrl: 'components/extended-radio/extended-radio.component.html',\n\ttransclude: {\n\t\t'content': '?radioContent',\n\t\t'field': '?radioField',\n\t\t'label': 'radioLabel'\n\t},\n})\n.controller('extendedRadioCtrl', ['$transclude', '$timeout', function ($transclude, $timeout) {\n\n\tconst $ctrl = this;\n\n\tfunction onRadioChange (ctrlObj) {\n\n\t\tif (angular.isDefined(ctrlObj.onChange) && angular.isFunction(ctrlObj.onChange)) {\n\t\t\t$timeout(() => {\n\t\t\t\tctrlObj.onChange();\n\t\t\t});\n\t\t}\n\t}\n\n\t$ctrl.$onInit = function () {\n\n\t\tconst alwaysShowContent = $ctrl.alwaysShowContent;\n\t\tconst disabled = $ctrl.disabled;\n\t\tconst required = $ctrl.required;\n\n\t\tangular.extend($ctrl, {\n\t\t\talwaysShowContent: angular.isDefined(alwaysShowContent) ? alwaysShowContent : false,\n\t\t\tdisabled: angular.isDefined(disabled) ? disabled : false,\n\t\t\thasContent: $transclude.isSlotFilled('content'),\n\t\t\thasField: $transclude.isSlotFilled('field'),\n\t\t\tid: angular.isDefined($ctrl.id) ? $ctrl.id : `${$ctrl.name}-${$ctrl.value}`,\n\t\t\tshowContentWhenChecked: angular.isDefined($ctrl.showContentWhenChecked) ? $ctrl.showContentWhenChecked : true,\n\t\t\trequired: angular.isDefined(required) ? required : false\n\t\t});\n\t};\n\n\t$ctrl.onRadioChange = onRadioChange;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('extendedToggleInput', {\n\tbindings: {\n\t\t// See toggle-input.component.js for definitions\n\t\talwaysShowContent: '',\n\t\tfieldDisabled: '=?',\n\t\tfieldLabel: '@',\n\t\tfieldLabelStayActive: '',\n\t\tfieldModel: '=',\n\t\tfieldName: '@',\n\t\tfieldOnChange: '&?',\n\t\tfieldThemeLight: ''\n\t},\n\tcontroller: 'extendedToggleInputCtrl',\n\ttemplateUrl: 'components/extended-toggle-input/extended-toggle-input.component.html',\n\ttransclude: {\n\t\t'content': '?fieldContent',\n\t\t'description': '?fieldDescription'\n\t},\n})\n.controller('extendedToggleInputCtrl', [\n\t'$transclude',\n\tfunction (\n\t\t$transclude\n\t) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\t\tangular.extend($ctrl, {\n\t\t\thasDescription: $transclude.isSlotFilled('description'),\n\t\t\thasContent: $transclude.isSlotFilled('content')\n\t\t});\n\t};\n\n\tfunction onFieldChange (ctrlObj) {\n\t\tif (angular.isFunction(ctrlObj.fieldOnChange)) {\n\t\t\tctrlObj.fieldOnChange();\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\tonFieldChange\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n\t.component('fastSearch', {\n\t\tbindings: {\n\t\t\tagencyProfileId: '=',\n\t\t\tuserId: '='\n\t\t},\n\t\tcontroller: 'fastSearchCtrl',\n\t\ttemplateUrl: 'components/fast-search/fast-search.component.html',\n\t})\n\n\t.controller('fastSearchCtrl', [\n\t\t'TRACKING_EVENTS',\n\t\t'TRACKING_EVENT_CATEGORIES',\n\t\t'$q',\n\t\t'REGEX',\n\t\t'$rootScope',\n\t\t'$state',\n\t\t'$timeout',\n\t\t'tracking',\n\t\t'userData',\n\t\t'utilities',\n\t\t'USER_ROLES',\n\t\tfunction (\n\t\t\tTRACKING_EVENTS,\n\t\t\tTRACKING_EVENT_CATEGORIES,\n\t\t\t$q,\n\t\t\tREGEX,\n\t\t\t$rootScope,\n\t\t\t$state,\n\t\t\t$timeout,\n\t\t\ttracking,\n\t\t\tuserData,\n\t\t\tutilities,\n\t\t\tUSER_ROLES\n\t\t) {\n\n\t\t\tconst $ctrl = this;\n\n\t\t\tfunction getCategoriesForUserType () {\n\n\t\t\t\tconst isPaycircleSuperUser = $rootScope.userHasRole([USER_ROLES.paycircle]);\n\t\t\t\tif (isPaycircleSuperUser) {\n\t\t\t\t\treturn {\n\t\t\t\t\t\tteamMembers: {\n\t\t\t\t\t\t\tName: 'teamMembers',\n\t\t\t\t\t\t\tLabel: 'Team members',\n\t\t\t\t\t\t\tSearch: userData.getTeamMemberTurboSearch,\n\t\t\t\t\t\t\tFields: {\n\t\t\t\t\t\t\t\tFullName: {\n\t\t\t\t\t\t\t\t\tName: 'FullName',\n\t\t\t\t\t\t\t\t\tLabel: 'Full name'\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\tEmailAddress: {\n\t\t\t\t\t\t\t\t\tName: 'Email',\n\t\t\t\t\t\t\t\t\tLabel: 'Email address'\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\tNiNumber: {\n\t\t\t\t\t\t\t\t\tName: 'NiNumber',\n\t\t\t\t\t\t\t\t\tLabel: 'NI number'\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\tGuid: {\n\t\t\t\t\t\t\t\t\tName: 'SearchGuid',\n\t\t\t\t\t\t\t\t\tLabel: 'GUID',\n\t\t\t\t\t\t\t\t\tInputPattern: REGEX.guid\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t},\n\t\t\t\t\t\tcompanies: {\n\t\t\t\t\t\t\tName: 'comapanies',\n\t\t\t\t\t\t\tLabel: 'Companies',\n\t\t\t\t\t\t\tSearch: userData.getCompanyTurboSearch,\n\t\t\t\t\t\t\tFields: {\n\t\t\t\t\t\t\t\tName: {\n\t\t\t\t\t\t\t\t\tName: 'Name',\n\t\t\t\t\t\t\t\t\tLabel: 'Name'\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\tTaxOfficeReference: {\n\t\t\t\t\t\t\t\t\tName: 'TaxOfficeReference',\n\t\t\t\t\t\t\t\t\tLabel: 'Tax office reference'\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\tClientReference: {\n\t\t\t\t\t\t\t\t\tName: 'ClientReference',\n\t\t\t\t\t\t\t\t\tLabel: 'Client reference'\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\tGuid: {\n\t\t\t\t\t\t\t\t\tName: 'SearchGuid',\n\t\t\t\t\t\t\t\t\tLabel: 'GUID',\n\t\t\t\t\t\t\t\t\tInputPattern: REGEX.guid\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t};\n\t\t\t\t}\n\n\t\t\t\treturn {\n\t\t\t\t\tteamMembers: {\n\t\t\t\t\t\tName: 'teamMembers',\n\t\t\t\t\t\tLabel: 'Team members',\n\t\t\t\t\t\tSearch: userData.getTeamMemberTurboSearch,\n\t\t\t\t\t\tFields: {\n\t\t\t\t\t\t\tFullName: {\n\t\t\t\t\t\t\t\tName: 'FullName',\n\t\t\t\t\t\t\t\tLabel: 'Full name'\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\tEmailAddress: {\n\t\t\t\t\t\t\t\tName: 'Email',\n\t\t\t\t\t\t\t\tLabel: 'Email address'\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\tNiNumber: {\n\t\t\t\t\t\t\t\tName: 'NiNumber',\n\t\t\t\t\t\t\t\tLabel: 'NI number'\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t},\n\t\t\t\t\tcompanies: {\n\t\t\t\t\t\tName: 'comapanies',\n\t\t\t\t\t\tLabel: 'Companies',\n\t\t\t\t\t\tSearch: userData.getCompanyTurboSearch,\n\t\t\t\t\t\tFields: {\n\t\t\t\t\t\t\tName: {\n\t\t\t\t\t\t\t\tName: 'Name',\n\t\t\t\t\t\t\t\tLabel: 'Name'\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\tTaxOfficeReference: {\n\t\t\t\t\t\t\t\tName: 'TaxOfficeReference',\n\t\t\t\t\t\t\t\tLabel: 'Tax office reference'\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\tClientReference: {\n\t\t\t\t\t\t\t\tName: 'ClientReference',\n\t\t\t\t\t\t\t\tLabel: 'Client reference'\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tconst CATEGORIES = getCategoriesForUserType();\n\n\t\t\tconst COMPONENT_STATES = {\n\t\t\t\tclosing: 'closing',\n\t\t\t\terror: 'error',\n\t\t\t\tloading: 'loading',\n\t\t\t\topening: 'opening',\n\t\t\t\tnoResults: 'no-results',\n\t\t\t\tready: 'ready'\n\t\t\t};\n\n\t\t\tconst SEARCH_STATES = {\n\t\t\t\tloading: 'loading',\n\t\t\t\tready: 'ready'\n\t\t\t};\n\n\t\t\tconst MIN_SEARCH_LENGTH = 3;\n\t\t\tconst MAX_SEARCH_LENGTH = 100;\n\t\t\tconst RESULTS_COUNT = 20;\n\n\t\t\tfunction $onInit () {\n\n\t\t\t\tsetComponentState(COMPONENT_STATES.opening);\n\n\t\t\t\t$ctrl.searchData = {\n\t\t\t\t\tResultsLimit: RESULTS_COUNT,\n\t\t\t\t\tSearchResults: [],\n\t\t\t\t\tState: SEARCH_STATES.loading,\n\t\t\t\t\tSearchString: ''\n\t\t\t\t};\n\n\t\t\t\tsetFocusOnSearchInput();\n\n\t\t\t\t// Give the component time to animate\n\t\t\t\t$timeout(() => {\n\t\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\t\t}, 200);\n\t\t\t}\n\n\t\t\tfunction closeFastSearch () {\n\t\t\t\tsetComponentState(COMPONENT_STATES.closing);\n\n\t\t\t\t$timeout(() => {\n\t\t\t\t\t$rootScope.$broadcast('close-fast-search');\n\t\t\t\t}, 200);\n\t\t\t}\n\n\t\t\tfunction getInputPattern () {\n\t\t\t\treturn angular.isDefined($ctrl.activeField.InputPattern) ? $ctrl.activeField.InputPattern : '';\n\t\t\t}\n\n\t\t\tfunction onError (error) {\n\n\t\t\t\tsetComponentState(COMPONENT_STATES.error);\n\t\t\t\tconsole.error(error);\n\t\t\t}\n\n\t\t\tfunction setActiveCategory (category) {\n\n\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\tcategoryMenuOpen: false,\n\t\t\t\t\tactiveCategory: category,\n\t\t\t\t\tactiveField: Object.values(category.Fields)[0]\n\t\t\t\t});\n\n\t\t\t\tsetFocusOnSearchInput();\n\t\t\t}\n\n\t\t\tfunction setActiveField (field) {\n\n\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\tfieldMenuOpen: false,\n\t\t\t\t\tactiveField: field\n\t\t\t\t});\n\n\t\t\t\tsetFocusOnSearchInput();\n\t\t\t}\n\n\t\t\tfunction setComponentState (componentState) {\n\n\t\t\t\t$ctrl.componentState = componentState;\n\t\t\t}\n\n\t\t\tfunction setFocusOnSearchInput () {\n\t\t\t\tconst selectAll = false;\n\t\t\t\tconst delay = 0;\n\n\t\t\t\tutilities.focusOn('paycircle-fast-search-input', selectAll, delay);\n\t\t\t}\n\n\t\t\tfunction showMoreResults () {\n\n\t\t\t\t$ctrl.searchData.ResultsLimit += RESULTS_COUNT;\n\t\t\t}\n\n\t\t\tfunction navigateToTeamMember (userId, companyId) {\n\t\t\t\t// Reset app header to remove current breadcrumbs companies\n\t\t\t\t$rootScope.$broadcast('reset-company-storage');\n\t\t\t\t// Load the team member\n\t\t\t\t$state.go(\n\t\t\t\t\t'team.profile.overview',\n\t\t\t\t\t{userId: userId, agencyProfileId: companyId},\n\t\t\t\t\t{reload: true}\n\t\t\t\t);\n\t\t\t}\n\n\t\t\tfunction navigateToCompany (companyId) {\n\t\t\t\t// Reset app header to remove current breadcrumbs companies\n\t\t\t\t$rootScope.$broadcast('reset-company-storage');\n\t\t\t\t// Navigate to company dashboard\n\t\t\t\t$state.go(\n\t\t\t\t\t'company-dashboard',\n\t\t\t\t\t{agencyProfileId: companyId},\n\t\t\t\t\t{reload: true}\n\t\t\t\t);\n\t\t\t}\n\n\t\t\tfunction updateSearch (searchString) {\n\n\t\t\t\tif (searchString.length < MIN_SEARCH_LENGTH) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t$ctrl.searchState = SEARCH_STATES.ready;\n\n\t\t\t\tangular.extend($ctrl.searchData, {\n\t\t\t\t\tState: SEARCH_STATES.loading,\n\t\t\t\t\tCategory: $ctrl.activeCategory,\n\t\t\t\t\tSearchString: searchString\n\t\t\t\t});\n\n\t\t\t\tconst searchCriteria = { [$ctrl.activeField.Name]: searchString };\n\n\t\t\t\t$ctrl.activeCategory.Search($ctrl.agencyProfileId, searchCriteria)\n\t\t\t\t\t.then((resultsArr) => {\n\t\t\t\t\t\tangular.extend($ctrl.searchData, {\n\t\t\t\t\t\t\tSearchResults: resultsArr,\n\t\t\t\t\t\t\tState: SEARCH_STATES.ready\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\t// Track search events\n\t\t\t\t\t\ttracking.trackEvent(TRACKING_EVENTS.fastSearchQuery, {\n\t\t\t\t\t\t\tevent_category: TRACKING_EVENT_CATEGORIES.search,\n\t\t\t\t\t\t\tevent_label: searchString\n\t\t\t\t\t\t});\n\t\t\t\t\t})\n\t\t\t\t\t.catch(onError);\n\t\t\t}\n\n\t\t\tangular.extend($ctrl, {\n\t\t\t\tCATEGORIES,\n\t\t\t\tCOMPONENT_STATES,\n\t\t\t\tSEARCH_STATES,\n\t\t\t\tMIN_SEARCH_LENGTH,\n\t\t\t\tMAX_SEARCH_LENGTH,\n\n\t\t\t\t$onInit,\n\t\t\t\tactiveCategory: CATEGORIES.companies,\n\t\t\t\tactiveField: Object.values(CATEGORIES.companies.Fields)[0],\n\t\t\t\tsearchString: '',\n\t\t\t\tcategoryMenuOpen: false,\n\t\t\t\tfieldMenuOpen: false,\n\n\t\t\t\tcloseFastSearch,\n\t\t\t\tgetInputPattern,\n\t\t\t\tnavigateToCompany,\n\t\t\t\tnavigateToTeamMember,\n\t\t\t\tsetActiveCategory,\n\t\t\t\tsetActiveField,\n\t\t\t\tshowMoreResults,\n\t\t\t\tupdateSearch\n\t\t\t});\n\t\t}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('featureCarousel', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/feature-carousel/featureCarouselComponent.html',\n\t\tcontroller: 'featureCarouselController',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tfcActiveKey: '=?',\n\t\t\tfcItems: '<',\n\t\t\tfcOnActiveKeyChange: '=?',\n\t\t\tfcTheme: '@?',\n\t\t\tfcDirectory: '@?'\n\t\t}\n\t};\n})\n.controller('featureCarouselController', ['$scope', '$timeout', function ($scope, $timeout) {\n\n\tvar activeItemIndex = $scope.fcActiveKey !== undefined ? getItemIndexByItemKey($scope.fcActiveKey) : 0;\n\n\tfunction getItemIndexByItemKey (itemKey) {\n\t\treturn $scope.fcItems.findIndex(function(i){\n\t\t\treturn i.key === itemKey;\n\t\t});\n\t}\n\n\tfunction setActiveItem (activeItemIndex) {\n\n\t\tif ($scope.fcItems[activeItemIndex] === undefined) {\n\t\t\tconsole.error('Paycircle: The feature key provided is incorrect or does not match. Please make sure a correct feature key is used');\n\t\t\treturn;\n\t\t}\n\n\t\tvar activeKey = $scope.fcItems[activeItemIndex].key;\n\n\t\t$scope.fcActiveKey = activeKey;\n\t\t$scope.activeItemIndex = activeItemIndex;\n\n\t\tif ($scope.fcOnActiveKeyChange !== undefined) {\n\t\t\t$scope.fcOnActiveKeyChange(activeKey);\n\t\t}\n\t}\n\n\tsetActiveItem(activeItemIndex);\n\n\t$scope.goToNextItem = function () {\n\n\n\t\tif ($scope.activeItemIndex === ($scope.fcItems.length - 1)) {\n\t\t\treturn;\n\t\t}\n\n\t\t$scope.carouselState = 'closeNext';\n\n\t\t$timeout(function () {\n\t\t\t$scope.carouselState = 'next';\n\t\t\t$scope.activeItemIndex = $scope.activeItemIndex + 1;\n\t\t\tsetActiveItem($scope.activeItemIndex);\n\t\t}, 250);\n\t};\n\n\t$scope.goToPreviousItem = function () {\n\n\t\tif ($scope.activeItemIndex === 0) {\n\t\t\treturn;\n\t\t}\n\n\t\t$scope.carouselState = 'closePrevious';\n\n\t\t$timeout(function () {\n\t\t\t$scope.carouselState = 'previous';\n\t\t\t$scope.activeItemIndex = $scope.activeItemIndex - 1;\n\t\t\tsetActiveItem($scope.activeItemIndex);\n\t\t}, 250);\n\t};\n}]);\n\n'use strict';\n\n// Filter Bar Options\n\t// Filter Groups\n\t\t// Filter Options\n\t\t\t// Filter Option\n\nangular.module('paycircleApp')\n.component('filterBar', {\n\tbindings: {\n\t\tapplyFilterKeys: '',\n\t\tfilterBarOptions: '=',\n\t\tpresetFilterKey: '@?'\n\t},\n\tcontroller: 'filterBarCtrl',\n\tcontrollerAs: 'vm',\n\ttemplateUrl: 'components/filter-bar/filter-bar.component.html'\n})\n.controller('filterBarCtrl', [\n\t'$rootScope',\n\t'filterService',\n\t'storageService',\n\t'FILTER_OPTION_SPECIAL_TYPES',\n\t'STATE_STORAGE_KEYS',\n\tfunction (\n\t\t$rootScope,\n\t\tfilterService,\n\t\tstorageService,\n\t\tFILTER_OPTION_SPECIAL_TYPES,\n\t\tSTATE_STORAGE_KEYS\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tlet savedFilterKeys = storageService.getFromSessionStorageForCurrentState(STATE_STORAGE_KEYS.filterKeys);\n\t\tlet savedAdditionalValuesObj = storageService.getFromSessionStorageForCurrentState(STATE_STORAGE_KEYS.filterAdditionalData);\n\n\t\tlet appliedFilterKeys = $ctrl.applyFilterKeys !== undefined ? $ctrl.applyFilterKeys.split(',') : savedFilterKeys ? savedFilterKeys : null;\n\t\tlet filterBarOptionsObj = $ctrl.filterBarOptions;\n\t\tlet presetFilterKey = $ctrl.presetFilterKey !== undefined ? $ctrl.presetFilterKey : null;\n\t\tlet resetFilters = false;\n\n\t\t// No filter bar options defined\n\t\tif (filterBarOptionsObj === undefined) {\n\t\t\t$rootScope.paycircleMessage('Filter cannot be loaded as no filter options are defined', 'error');\n\t\t\treturn;\n\t\t}\n\n\t\t// Check for preset filter\n\t\tif (presetFilterKey) {\n\t\t\tappliedFilterKeys = filterService.getFilterKeysByPresetFilterKey(presetFilterKey);\n\t\t}\n\n\t\t$ctrl.filterBarOptions = decorateFilterBarOptionsObj(filterBarOptionsObj, resetFilters, appliedFilterKeys, savedAdditionalValuesObj);\n\n\t\tapplyAllFilters(filterBarOptionsObj);\n\t}\n\n\tfunction applyAllFilters (filterBarOptionsObj) {\n\n\t\tfunction getIsFilterAMatch (filterGroupOptionObj, value) {\n\n\t\t\tif (filterGroupOptionObj.inputType) {\n\n\t\t\t\tswitch (filterGroupOptionObj.inputType) {\n\n\t\t\t\t\t// Pass in date to filter function\n\t\t\t\t\tcase FILTER_OPTION_SPECIAL_TYPES.date:\n\t\t\t\t\t\tif (filterGroupOptionObj.filterExp(value, filterGroupOptionObj.dateIso)) {\n\t\t\t\t\t\t\treturn true;\n\t\t\t\t\t\t}\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\t\t\telse if (filterGroupOptionObj.filterExp(value)) {\n\t\t\t\treturn true;\n\t\t\t}\n\n\t\t\treturn false;\n\t\t}\n\n\t\tfilterBarOptionsObj.appliedFilter = value => {\n\n\t\t\tlet returnBool = false;\n\n\t\t\t// Loop over filter groups\n\t\t\tfor (let filterGroupObj of filterBarOptionsObj.filterGroups) {\n\n\t\t\t\t// Setup active states\n\t\t\t\tfilterGroupObj.isActive = false; // Has a filter in this group been activated\n\t\t\t\tfilterGroupObj.isMatch = false; // Has a filter in this group matched\n\n\t\t\t\tswitch (filterGroupObj.filterAction) {\n\n\t\t\t\t\tcase 'or':\n\n\t\t\t\t\t\t// Loop over filter options\n\t\t\t\t\t\tfor (let filterGroupOptionObj of filterGroupObj.filterOptions) {\n\n\t\t\t\t\t\t\tif (filterGroupObj.activeFilterKey === filterGroupOptionObj.key) {\n\t\t\t\t\t\t\t\tfilterGroupOptionObj.isActive = true;\n\t\t\t\t\t\t\t\tfilterGroupObj.isActive = true;\n\t\t\t\t\t\t\t\tfilterGroupObj.isMatch = getIsFilterAMatch(filterGroupOptionObj, value);\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\telse {\n\t\t\t\t\t\t\t\tfilterGroupOptionObj.isActive = false;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tdefault:\n\n\t\t\t\t\t\t// Loop over filter options\n\t\t\t\t\t\tfor (let filterGroupOptionObj of filterGroupObj.filterOptions) {\n\n\t\t\t\t\t\t\t// Inclusive - Builds results up\n\t\t\t\t\t\t\tif (filterGroupOptionObj.isActive) {\n\t\t\t\t\t\t\t\tfilterGroupObj.isActive = true;\n\t\t\t\t\t\t\t\tfilterGroupObj.isMatch = getIsFilterAMatch(filterGroupOptionObj, value);\n\t\t\t\t\t\t\t\tif (filterGroupObj.isMatch) {\n\t\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Loop over active filter groups and only return if matches across all filter groups\n\t\t\tfor (let filterGroupObj of filterBarOptionsObj.filterGroups) {\n\t\t\t\tif (filterGroupObj.isActive) {\n\t\t\t\t\tif (!filterGroupObj.isMatch) {\n\t\t\t\t\t\treturnBool = false;\n\t\t\t\t\t\tbreak;\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\treturnBool = true;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tupdateFilterCounts(filterBarOptionsObj);\n\n\t\t\treturn filterBarOptionsObj.totalCount === 0 ? true : returnBool; // Return all if no filters are applied\n\t\t};\n\t}\n\n\tfunction clearFilters (vmObj) {\n\n\t\tlet resetFilters = true;\n\n\t\tdecorateFilterBarOptionsObj(vmObj.filterBarOptions, resetFilters);\n\n\t\tvmObj.filterBarOptions.filterGroups.forEach(resetFilterGroupValues);\n\n\t\tstorageService.deleteFromSessionStorageForCurrentState(STATE_STORAGE_KEYS.filterKeys);\n\n\t\t// Clear additional data\n\t\tstorageService.deleteFromSessionStorageForCurrentState(STATE_STORAGE_KEYS.filterAdditionalData);\n\n\t\tapplyAllFilters(vmObj.filterBarOptions);\n\t}\n\n\tfunction decorateFilterBarOptionsObj (filterBarOptionsObj, resetFilters, appliedFilterKeys, savedAdditionalValuesObj) {\n\n\t\tfunction setupAdditionalData (filterOptionObj, savedAdditionalValuesObj) {\n\n\t\t\tconst savedFilterValue = savedAdditionalValuesObj[filterOptionObj.key];\n\n\t\t\tif (!savedFilterValue) {\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Get saved value from storage and apply to filter option\n\t\t\tswitch (filterOptionObj.inputType) {\n\t\t\t\tcase FILTER_OPTION_SPECIAL_TYPES.date:\n\t\t\t\t\tfilterOptionObj.dateIso = savedFilterValue;\n\t\t\t\t\tbreak;\n\t\t\t}\n\t\t}\n\n\t\tfilterBarOptionsObj.appliedFilter = null;\n\t\tfilterBarOptionsObj.modalOpen = false;\n\t\tfilterBarOptionsObj.totalCount = 0;\n\n\t\t// Filter groups\n\t\tfilterBarOptionsObj.filterGroups.forEach(filterGroupObj => {\n\n\t\t\tfilterGroupObj.activeFilterKey = null;\n\t\t\tfilterGroupObj.count = 0;\n\t\t\tfilterGroupObj.menuOpen = false;\n\n\t\t\t// Is this an 'or' (radio) option, only one can be active\n\t\t\tif (filterGroupObj.filterAction === 'or') {\n\t\t\t\tfilterGroupObj.filterOptions.forEach(filterOptionObj => {\n\t\t\t\t\tif (appliedFilterKeys && appliedFilterKeys.includes(filterOptionObj.key) && !resetFilters) {\n\t\t\t\t\t\tfilterGroupObj.activeFilterKey = filterOptionObj.key;\n\t\t\t\t\t\tfilterOptionObj.isActive = true;\n\n\t\t\t\t\t\tif (filterOptionObj.inputType) {\n\t\t\t\t\t\t\tsetupAdditionalData(filterOptionObj, savedAdditionalValuesObj);\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\tfilterOptionObj.isActive = false;\n\t\t\t\t\t}\n\t\t\t\t});\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Filter group options\n\t\t\t\tfilterGroupObj.filterOptions.forEach(filterOption => {\n\t\t\t\t\tfilterOption.isActive = false;\n\n\t\t\t\t\tif (appliedFilterKeys && !resetFilters) {\n\t\t\t\t\t\tfilterOption.isActive = appliedFilterKeys.indexOf(filterOption.key) > -1;\n\n\t\t\t\t\t\tif (filterOption.isActive && filterOption.inputType) {\n\t\t\t\t\t\t\tsetupAdditionalData(filterOption, savedAdditionalValuesObj);\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t});\n\t\t\t}\n\t\t});\n\n\t\treturn filterBarOptionsObj;\n\t}\n\n\tfunction deselectAllFilterGroupOptions (filterGroupObj) {\n\n\t\tfilterGroupObj.activeFilterKey = null;\n\n\t\tresetFilterGroupValues(filterGroupObj);\n\n\t\t// Update storage\n\t\tsaveFilterGroupOptions(filterGroupObj);\n\t}\n\n\tfunction updateSavedAdditionalDataForFilterOption (key, value) {\n\n\t\tconst additionalDataObj = angular.copy(storageService.getFromSessionStorageForCurrentState(STATE_STORAGE_KEYS.filterAdditionalData, {}));\n\n\t\tstorageService.deleteFromSessionStorageForCurrentState(STATE_STORAGE_KEYS.filterAdditionalData);\n\n\t\tadditionalDataObj[key] = value;\n\n\t\tstorageService.addToSessionStorageForCurrentState(STATE_STORAGE_KEYS.filterAdditionalData, additionalDataObj);\n\t}\n\n\tfunction saveFilterGroupOptions (filterGroupOptionObj, isFromOptionChangeClick) {\n\n\t\tfunction onFilterGroupOptionIsActive (filterOptionObj) {\n\n\t\t\tif (isFromOptionChangeClick && filterOptionObj.inputType) {\n\t\t\t\tswitch (filterOptionObj.inputType) {\n\t\t\t\t\tcase FILTER_OPTION_SPECIAL_TYPES.date:\n\t\t\t\t\t\tif (filterOptionObj.dateIso === undefined || filterOptionObj.dateIso === '') {\n\t\t\t\t\t\t\treturn;\n\t\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tstorageService.addToSessionStorageForCurrentState(STATE_STORAGE_KEYS.filterKeys, filterOptionObj.key);\n\n\t\t\tif (filterOptionObj.inputType) {\n\t\t\t\tswitch (filterOptionObj.inputType) {\n\t\t\t\t\tcase FILTER_OPTION_SPECIAL_TYPES.date:\n\t\t\t\t\t\tupdateSavedAdditionalDataForFilterOption(filterOptionObj.key, filterOptionObj.dateIso);\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\tfunction onFilterGroupOptionIsInactive (filterOptionObj) {\n\n\t\t\tstorageService.deleteFromSessionStorageForCurrentState(STATE_STORAGE_KEYS.filterKeys, filterOptionObj.key);\n\n\t\t\tif (filterOptionObj.inputType) {\n\t\t\t\tswitch (filterOptionObj.inputType) {\n\t\t\t\t\tcase FILTER_OPTION_SPECIAL_TYPES.date:\n\t\t\t\t\t\tupdateSavedAdditionalDataForFilterOption(filterOptionObj.key, '');\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\tfilterGroupOptionObj.filterOptions.forEach(filterOption => {\n\t\t\tif (filterGroupOptionObj.filterAction === 'or') {\n\t\t\t\t// Ensure that only the specified key is active\n\t\t\t\tif (filterGroupOptionObj.activeFilterKey === filterOption.key) {\n\t\t\t\t\tonFilterGroupOptionIsActive(filterOption);\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\tonFilterGroupOptionIsInactive(filterOption);\n\t\t\t\t}\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Add or remove the filter option key from storage, depending on its active state\n\t\t\t\tif (filterOption.isActive) {\n\t\t\t\t\tonFilterGroupOptionIsActive(filterOption);\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\tonFilterGroupOptionIsInactive(filterOption);\n\t\t\t\t}\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction selectAllFilterGroupOptions (filterGroupObj) {\n\n\t\tfilterGroupObj.filterOptions.forEach(filterOption => {\n\t\t\tfilterOption.isActive = true;\n\t\t});\n\n\t\t// Save filter to storage\n\t\tsaveFilterGroupOptions(filterGroupObj);\n\t}\n\n\tfunction resetFilterGroupValues (filterGroupObj) {\n\n\t\tfilterGroupObj.filterOptions.forEach(filterOption => {\n\t\t\tfilterOption.isActive = false;\n\n\t\t\tif (filterOption.inputType) {\n\t\t\t\tswitch (filterOption.inputType) {\n\t\t\t\t\tcase FILTER_OPTION_SPECIAL_TYPES.date:\n\t\t\t\t\t\tfilterOption.dateIso = '';\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction toggleMenu (selectedFilter) {\n\n\t\tselectedFilter.menuOpen = !selectedFilter.menuOpen;\n\t}\n\n\tfunction toggleMobileMenu (vmObj) {\n\n\t\tvmObj.filterBarOptions.modalOpen = !vmObj.filterBarOptions.modalOpen;\n\t}\n\n\tfunction updateFilterCounts (filterBarOptionsObj) {\n\n\t\tfilterBarOptionsObj.totalCount = 0;\n\n\t\tfilterBarOptionsObj.filterGroups.forEach(filterGroupObj => {\n\n\t\t\tfilterGroupObj.count = 0;\n\n\t\t\tfilterGroupObj.filterOptions.forEach(filterOptionObj => {\n\n\t\t\t\tif (filterOptionObj.isActive) {\n\t\t\t\t\tfilterBarOptionsObj.totalCount++;\n\t\t\t\t\tfilterGroupObj.count++;\n\t\t\t\t}\n\t\t\t});\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tclearFilters,\n\t\tdeselectAllFilterGroupOptions,\n\t\tsaveFilterGroupOptions,\n\t\t// saveFilterRadioGroupOption,\n\t\t// saveFilterCheckboxOption,\n\t\tselectAllFilterGroupOptions,\n\t\ttoggleMenu,\n\t\ttoggleMobileMenu,\n\n\t\tFILTER_OPTION_SPECIAL_TYPES\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('filterBarBasic', {\n\tbindings: {\n\t\tfilterBarOptions: '='\n\t},\n\tcontroller: 'filterBarBasicCtrl',\n\ttemplateUrl: 'components/filter-bar-basic/filter-bar-basic.component.html'\n})\n.controller('filterBarBasicCtrl', [\n\t'$timeout',\n\tfunction (\n\t\t$timeout\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl.filterBarOptions, {\n\t\t\tisSearchActive: false,\n\t\t\tsearchString: ''\n\t\t});\n\n\t\t// Set initial filter option\n\t\tif (angular.isUndefined($ctrl.filterBarOptions.filterKey)) {\n\t\t\t$ctrl.filterBarOptions.filterKey = 'all';\n\t\t}\n\n\t\t// Set initial display option\n\t\tif (angular.isDefined($ctrl.filterBarOptions.displayOptions) && angular.isUndefined($ctrl.filterBarOptions.displayKey)) {\n\t\t\tsetDisplayKey($ctrl, $ctrl.filterBarOptions.displayOptions[0]);\n\t\t}\n\t}\n\n\tfunction focusOn (elementId) {\n\n\t\t$timeout(() => {\n\t\t\tif (document.getElementById(elementId)) {\n\t\t\t\tdocument.getElementById(elementId).focus();\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction setDisplayKey ($ctrl, displayOptionObj) {\n\n\t\tangular.extend($ctrl.filterBarOptions, {\n\t\t\tdisplayOption: displayOptionObj\n\t\t});\n\n\t\tif (angular.isFunction($ctrl.filterBarOptions.onDisplayChange)) {\n\t\t\t$ctrl.filterBarOptions.onDisplayChange($ctrl.filterBarOptions);\n\t\t}\n\t}\n\n\tfunction setFilterExp ($ctrl, filterObj) {\n\n\t\tangular.extend($ctrl.filterBarOptions, {\n\t\t\tfilterKey: filterObj.key,\n\t\t\tfilterExp: filterObj.filterExp,\n\t\t\tsearchString: ''\n\t\t});\n\t}\n\n\tfunction toggleIsSearchActive ($ctrl) {\n\n\t\t$ctrl.filterBarOptions.isSearchActive = $ctrl.filterBarOptions.isSearchActive ? false : true;\n\n\t\tif ($ctrl.filterBarOptions.isSearchActive) {\n\t\t\tfocusOn('filter-bar-basic_search-input');\n\t\t}\n\t}\n\n\tfunction toggleIsSearchActiveOnBlur ($ctrl) {\n\n\t\tif ($ctrl.filterBarOptions.searchString === '') {\n\t\t\t$ctrl.toggleIsSearchActive($ctrl);\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tfocusOn,\n\t\tsetDisplayKey,\n\t\tsetFilterExp,\n\t\ttoggleIsSearchActive,\n\t\ttoggleIsSearchActiveOnBlur\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('fileCard', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tfile: '<',\n\t\tfileSize: '@?',\n\t\tfileTheme: '@?',\n onDelete: '&?',\n hasDownload: '',\n\t\tpayPeriodId: ''\n\t},\n\tcontroller: 'fileCardCtrl',\n\ttemplateUrl: 'components/file-card/file-card.component.html',\n\ttransclude: {\n\t\t'footer': '?fcFooter'\n\t},\n})\n.controller('fileCardCtrl', [\n\t'$transclude',\n\t'dataTransfer',\n\t'importService',\n\t'messageData',\n\tfunction (\n\t\t$transclude,\n\t\tdataTransfer,\n\t\timportService,\n\t\tmessageData\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tconst fileObj = $ctrl.file;\n\n\t\tangular.extend($ctrl, {\n \thasDownload: angular.isDefined($ctrl.hasDownload) && $ctrl.hasDownload,\n \tdownloadUrl: dataTransfer.getBlobDownloadUrl(fileObj.AgencyDocumentID, $ctrl.agencyProfileId, fileObj.DocumentName),\n \ticon: importService.getIconForMimeFormat(fileObj.MIMEFormat, fileObj.DocumentState)\n\t\t});\n\t}\n\n\tfunction deleteFile (fileObj) {\n\n\t\tfileObj.state = 'deleting';\n\n\t\tmessageData.messageDocumentDelete($ctrl.agencyProfileId, fileObj.AgencyDocumentID).then(() => {\n\n\t\t\tif (angular.isFunction($ctrl.onDelete)) {\n\t\t\t\t$ctrl.onDelete();\n\t\t\t}\n\n\t\t\tfileObj.state = null;\n\t\t})\n\t\t.catch(error => {\n\t\t\tfileObj.state = 'error';\n\t\t console.error(error);\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tdeleteFile,\n\t\tdownloadFile: dataTransfer.downloadFile,\n\t\thasFooter: $transclude.isSlotFilled('footer')\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('formAccordion', {\n\tbindings: {\n\t\ticon: '@?',\n\t\tonToggle: '&?',\n\t\tshowContent: '=?',\n\t\ttheme: '@?'\n\t},\n\tcontroller: 'formAccordionCtrl',\n\ttemplateUrl: 'components/form-accordion/form-accordion.component.html',\n\ttransclude: {\n\t\t'content': '?faContent',\n\t\t'title': '?faTitle'\n\t},\n})\n.controller('formAccordionCtrl', ['$timeout', '$transclude',\n\tfunction ($timeout, $transclude) {\n\n\tconst $ctrl = this;\n\n\tfunction toggleContent () {\n\n\t\t$ctrl.showContent = !$ctrl.showContent;\n\n\t\tif (angular.isFunction($ctrl.onToggle)) {\n\t\t\t$timeout($ctrl.onToggle, 0);\n\t\t}\n\t}\n\n\tfunction $onInit () {\n\t\tangular.extend($ctrl, {\n\t\t\thasContent: $transclude.isSlotFilled('content'),\n\t\t\thasTitle: $transclude.isSlotFilled('title'),\n\t\t\ticon: angular.isDefined($ctrl.icon) ? $ctrl.icon : 'icon-edit',\n\t\t\tshowContent: angular.isDefined($ctrl.showContent) ? $ctrl.showContent : false,\n\t\t\ttheme: angular.isDefined($ctrl.theme) ? $ctrl.theme : 'is-tertiary',\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\ttoggleContent,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('formAccordionAlternative', {\n\tbindings: {\n\t\tcancelId: '@?',\n\t\teditId: '@?',\n\t\tisReadOnly: '',\n\t\tonCancel: '&?',\n\t\tonEdit: '&?'\n\t},\n\tcontroller: 'formAccordionAlternativeCtrl',\n\ttemplateUrl: 'components/form-accordion-alternative/form-accordion-alternative.component.html',\n\ttransclude: {\n\t\t'content': '?faaContent',\n\t\t'subtitle': '?faaSubtitle',\n\t\t'titleClosed': '?faaTitleClosed',\n\t\t'titleOpen': '?faaTitleOpen',\n\t},\n})\n.controller('formAccordionAlternativeCtrl', [\n\t'$transclude',\n\tfunction (\n\t\t$transclude\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit() {\n\n\t\t$ctrl.hasContent = $transclude.isSlotFilled('content');\n\t\t$ctrl.hasSubtitle = $transclude.isSlotFilled('subtitle');\n\t}\n\n\tfunction toggleContent () {\n\n\t\t$ctrl.showContent = !$ctrl.showContent;\n\n\t\tif (!$ctrl.showContent && angular.isFunction($ctrl.onCancel)) {\n\t\t\t$ctrl.onCancel();\n\t\t}\n\n\t\tif ($ctrl.showContent && angular.isFunction($ctrl.onEdit)) {\n\t\t\t$ctrl.onEdit();\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\ttoggleContent\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('formCabinet', function () {\n\n\treturn {\n\t\tcontroller: 'formCabinetCtrl',\n\t\ttemplateUrl: 'components/form-cabinet/formCabinet.html',\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tformOptions: '='\n\t\t}\n\t};\n})\n.controller('formCabinetCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$timeout',\n\t'applicationService',\n\t'payrollData',\n\t'teamData',\n\t'companyData',\n\t'companyService',\n\t'payPeriodService',\n\t'pensionData',\n\t'securityService',\n\t'tracking',\n\t'utilities',\n\t'BUSINESS_TYPES',\n\t'PENSION_TYPES',\n\t'SUBMISSION_STATES',\n\t'TRACKING_EVENT_CATEGORIES',\n\t'TRACKING_EVENTS',\n\t'USER_GUIDES',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$timeout,\n\t\tapplicationService,\n\t\tpayrollData,\n\t\tteamData,\n\t\tcompanyData,\n\t\tcompanyService,\n\t\tpayPeriodService,\n\t\tpensionData,\n\t\tsecurityService,\n\t\ttracking,\n\t\tutilities,\n\t\tBUSINESS_TYPES,\n\t\tPENSION_TYPES,\n\t\tSUBMISSION_STATES,\n\t\tTRACKING_EVENT_CATEGORIES,\n\t\tTRACKING_EVENTS,\n\t\tUSER_GUIDES\n\t) {\n\n\tconst currentUserObj = $rootScope.currentUser;\n\n\tlet formOptionsObj = $scope.formOptions;\n\tconst agencyProfileId = formOptionsObj.agencyProfileId;\n\tconst userId = formOptionsObj.userId;\n\n\tconst CABINET_STATES = {\n\t\tcompanyArchived: 'company-archived',\n\t\tcompanyIsClone: 'company-is-clone',\n\t\tcompanyHasNoPayroll: 'company-has-no-payrll',\n\t\terror: 'error',\n\t\tloading: 'loading',\n\t\tnoPermissions: 'no-permissions',\n\t\tnotAvailableInPlayground: 'not-available-in-playground',\n\t\tpayeSchemeCeased: 'paye-scheme-ceased',\n\t\tpayrollFailed: 'payroll-failed',\n\t\tpayrollNotUnsubmitted: 'payroll-not-unsubmitted',\n\t\tpayrollPartiallySubmitted: 'payroll-partially-submitted',\n\t\tperiodCalculated: 'period-calculated',\n\t\tperiodInRollback: 'period-in-rollback',\n\t\tready: 'ready',\n\t\tteamMemberAdvancingOrAdvanced: 'team-member-advancing-or-advanced',\n\t\tteamMemberOnHold: 'team-member-on-hold',\n\t};\n\n\tfunction checkFormData (formOptionsObj) {\n\n\t\tconst companyObj = formOptionsObj.company;\n\t\tconst currentPayPeriodObj = formOptionsObj.currentPayPeriod;\n\t\tconst teamMemberObj = formOptionsObj.context;\n\n\t\tif (companyObj) {\n\n\t\t\t// Company archived\n\t\t\tif (companyObj.IsArchived && !formOptionsObj.availableWhenCompanyArchived) {\n\t\t\t\tsetPageState(CABINET_STATES.companyArchived);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Company PAYE ceased\n\t\t\tif (companyObj.CeasePAYESchemeComplete && !formOptionsObj.availableWhenCompanyPAYESchemeCeased) {\n\t\t\t\tsetPageState(CABINET_STATES.payeSchemeCeased);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Company PAYE cease pending\n\t\t\tif (!companyObj.CeasePAYESchemeComplete && companyObj.PAYECeaseDateISO !== '' && !formOptionsObj.availableWhenCompanyPAYESchemeCeasedPending) {\n\t\t\t\tsetPageState(CABINET_STATES.payeSchemeCeased);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Company cloned\n\t\t\tif (companyObj.IsClone && !formOptionsObj.availableWhenCompanyIsClone) {\n\t\t\t\tsetPageState(CABINET_STATES.companyIsClone);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Company is Pension only\n\t\t\tif (companyObj.PensionOnly && !formOptionsObj.availableWhenCompanyIsPensionOnly) {\n\t\t\t\tsetPageState(CABINET_STATES.companyHasNoPayroll);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Company has no payroll\n\t\t\tif (!companyObj.IsPayrollActive && !formOptionsObj.availableWhenCompanyPayrollModuleOff) {\n\t\t\t\tsetPageState(CABINET_STATES.companyHasNoPayroll);\n\t\t\t\treturn;\n\t\t\t}\n\t\t}\n\n\t\t// Payroll pending, submitting or failed\n\t\tif (!formOptionsObj.availableWhenNotUnsubmitted) {\n\n\t\t\t// No period loaded for company\n\t\t\tif (!currentPayPeriodObj) {\n\t\t\t\tsetPageState(CABINET_STATES.error);\n\t\t\t\tthrow(`PayrollState is not defined and is required for form: ${formOptionsObj.formKey}`);\n\t\t\t}\n\n\t\t\t// No payroll state\n\t\t\tif (angular.isUndefined(currentPayPeriodObj.PayrollState)) {\n\t\t\t\tsetPageState(CABINET_STATES.error);\n\t\t\t\tthrow(`PayrollState is not defined and is required for form: ${formOptionsObj.formKey}`);\n\t\t\t}\n\n\t\t\t// Failed\n\t\t\tif (currentPayPeriodObj.PayrollState === SUBMISSION_STATES.failed) {\n\t\t\t\tsetPageState(CABINET_STATES.payrollFailed);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Pending\n\t\t\tif (currentPayPeriodObj.PayrollState !== SUBMISSION_STATES.unsubmitted) {\n\t\t\t\tsetPageState(CABINET_STATES.payrollNotUnsubmitted);\n\t\t\t\treturn;\n\t\t\t}\n\t\t}\n\n\t\t// Payroll Partially Submitted\n\t\tif (!formOptionsObj.availableWhenPayrollPartiallySubmitted) {\n\n\t\t\t// No period loaded for company\n\t\t\tif (!currentPayPeriodObj) {\n\t\t\t\tsetPageState(CABINET_STATES.error);\n\t\t\t\tthrow(`Pay period is not defined and is required for form: ${formOptionsObj.formKey}`);\n\t\t\t}\n\n\t\t\t// No IsPayrollPartiallySubmitted state\n\t\t\tif (angular.isUndefined(currentPayPeriodObj.IsPayrollPartiallySubmitted)) {\n\t\t\t\tsetPageState(CABINET_STATES.error);\n\t\t\t\tthrow(`IsPayrollPartiallySubmitted is not defined and is required for form: ${formOptionsObj.formKey}. Set isPayPeriodMinimumRequired: true in form options`);\n\t\t\t}\n\n\t\t\t// Partial Submission\n\t\t\tif (currentPayPeriodObj.IsPayrollPartiallySubmitted) {\n\n\t\t\t\t$scope.submittedFiles = payPeriodService.getSuccessfulSubmissionsDisplayForPayPeriod(currentPayPeriodObj);\n\n\t\t\t\tsetPageState(CABINET_STATES.payrollPartiallySubmitted);\n\t\t\t\treturn;\n\t\t\t}\n\t\t}\n\n\t\t// Period in rollback\n\t\tif (!formOptionsObj.availableWhenPeriodInRollback) {\n\n\t\t\t// No period loaded for company\n\t\t\tif (!currentPayPeriodObj) {\n\t\t\t\tsetPageState(CABINET_STATES.error);\n\t\t\t\tthrow(`Pay period is not defined and is required for form: ${formOptionsObj.formKey}`);\n\t\t\t}\n\n\t\t\t// No IsRollback state\n\t\t\tif (angular.isUndefined(currentPayPeriodObj.IsRollback)) {\n\t\t\t\tsetPageState(CABINET_STATES.error);\n\t\t\t\tthrow(`IsRollback is not defined and is required for form: ${formOptionsObj.formKey}`);\n\t\t\t}\n\n\t\t\t// In rollback\n\t\t\tif (currentPayPeriodObj.IsRollback) {\n\t\t\t\tsetPageState(CABINET_STATES.periodInRollback);\n\t\t\t\treturn;\n\t\t\t}\n\t\t}\n\n\t\t// Period calculated\n\t\tif (!formOptionsObj.availableWhenPayrollCalculated) {\n\n\t\t\t// No period loaded for company\n\t\t\tif (!currentPayPeriodObj) {\n\t\t\t\tsetPageState(CABINET_STATES.error);\n\t\t\t\tthrow(`Pay period is not defined and is required for form: ${formOptionsObj.formKey}`);\n\t\t\t}\n\n\t\t\t// No IsPayrollLocked state\n\t\t\tif (angular.isUndefined(currentPayPeriodObj.IsPayrollLocked)) {\n\t\t\t\tsetPageState(CABINET_STATES.error);\n\t\t\t\tthrow(`IsPayrollLocked is not defined and is required for form: ${formOptionsObj.formKey}. Set isPayPeriodMinimumRequired: true in form options`);\n\t\t\t}\n\n\t\t\tif (currentPayPeriodObj.IsPayrollLocked) {\n\t\t\t\tsetPageState(CABINET_STATES.periodCalculated);\n\t\t\t\treturn;\n\t\t\t}\n\t\t}\n\n\t\t// If team member loaded\n\t\tif (teamMemberObj) {\n\n\t\t\t// 'On Hold'\n\t\t\tif (!formOptionsObj.availableWhenTeamMemberOnHold && teamMemberObj.IsOnHold) {\n\t\t\t\tsetPageState(CABINET_STATES.teamMemberOnHold);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// 'Advancing' or 'Advanced'\n\t\t\tif (!formOptionsObj.availableWhenTeamMemberIsAdvancingOrAdvanced && (teamMemberObj.IsAdvancingFuturePeriods || teamMemberObj.HasAdvancedFuturePeriods)) {\n\t\t\t\tsetPageState(CABINET_STATES.teamMemberAdvancingOrAdvanced);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t}\n\n\t\t// Page state\n\t\tsetPageState(CABINET_STATES.ready);\n\t}\n\n\tfunction decorateCompany (companyObj) {\n\n\t\tcompanyObj.companyType = companyService.getCompanyTypeByInterfaceType(companyObj.CompanyType);\n\n\t\treturn $filter('companyDetails')(companyObj, currentUserObj.isPaycircleAdmin);\n\t}\n\n\tfunction decorateTeamMember (teamMemberObj) {\n\n\t\tif (!teamMemberObj) {\n\t\t\treturn teamMemberObj;\n\t\t}\n\n\t\tteamMemberObj.isCompany = teamMemberObj.IsCISSubcontractor && (teamMemberObj.BusinessDetails.BusinessType === BUSINESS_TYPES.company || teamMemberObj.BusinessDetails.BusinessType === BUSINESS_TYPES.trust);\n\n\t\treturn teamMemberObj;\n\t}\n\n\tfunction init () {\n\n\t\t// Setup form options with default properties\n\t\tapplicationService.setupFormOptions(formOptionsObj);\n\n\t\t// Check if user has correct permissions, if permissions required\n\t\tif (formOptionsObj.requiredPermissions && !securityService.isUserAuthorisedFromPermissionArray(currentUserObj, formOptionsObj.requiredPermissions, 'form')) {\n\t\t\tsetPageState(CABINET_STATES.noPermissions);\n\t\t\treturn;\n\t\t}\n\n\t\t// Check if available while in playground\n\t\tif (!formOptionsObj.availableInPlayground && currentUserObj.IsInPlayground) {\n\t\t\tsetPageState(CABINET_STATES.notAvailableInPlayground);\n\t\t\treturn;\n\t\t}\n\n\t\t// Load context data if it hasn't been loaded previously\n\t\tif (formOptionsObj.contextDataLoaded) {\n\t\t\tcheckFormData(formOptionsObj);\n\n\t\t} else {\n\t\t\tloadContextData(formOptionsObj);\n\t\t}\n\n\t\t// Track form opening\n\t\ttracking.trackEvent(TRACKING_EVENTS.slideInFormOpened, {\n\t\t\tevent_category: TRACKING_EVENT_CATEGORIES.forms,\n\t\t\tevent_label: formOptionsObj.formKey\n\t\t});\n\t}\n\n\tfunction getFormContextType (formOptionsObj) {\n\n\t\t// Context type specified\n\t\tif (formOptionsObj.contextType) {\n\t\t\treturn formOptionsObj.contextType;\n\t\t}\n\n\t\t// Company\n\t\tif (agencyProfileId && userId) {\n\t\t\treturn 'company';\n\t\t}\n\n\t\treturn formOptionsObj.context ? 'user' : 'company';\n\t}\n\n\tfunction getIsServiceCallsApplicable (formOptionsObj) {\n\n\t\t// All service calls require company id\n\t\tif (!formOptionsObj.agencyProfileId) {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction getIsServiceCallsRequired () {\n\n\t\tif (\n\t\t\tformOptionsObj.loadCompanyDetails ||\n\t\t\tformOptionsObj.loadPayPeriodCurrentDetails ||\n\t\t\tformOptionsObj.loadPayPeriodMinimumDetails ||\n\t\t\tformOptionsObj.loadPensionDetails ||\n\t\t\tformOptionsObj.loadTeamMemberDetails\n\t\t) {\n\t\t\treturn true;\n\t\t}\n\n\t\treturn false;\n\t}\n\n\tfunction getLoadCompanyDetails (formOptionsObj) {\n\n\t\tif (formOptionsObj.agencyProfileId) {\n\t\t\treturn true;\n\t\t}\n\n\t\treturn false;\n\t}\n\n\tfunction getLoadPayPeriodCurrentDetails (formOptionsObj) {\n\n\t\t// Pay period object is passed into form so use that\n\t\tif (angular.isObject(formOptionsObj.currentPayPeriod)) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// Manual option to force loading of pay period\n\t\tif (formOptionsObj.isPayPeriodCurrentRequired) {\n\t\t\treturn true;\n\t\t}\n\n\t\treturn false;\n\t}\n\n\tfunction getLoadPayPeriodMinimumDetails (formOptionsObj) {\n\n\t\t// Pay period object has been passed into the formOptionsObj, so we'll use that\n\t\tif (angular.isObject(formOptionsObj.currentPayPeriod)) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// Pay period is available at company level, so we'll use that\n\t\tif (angular.isObject($rootScope.currentPeriod)) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// If the pay period minimum object is required for the form to work it will get loaded if not available higher up the hierarchy tree\n\t\tif (formOptionsObj.isPayPeriodMinimumRequired) {\n\t\t\treturn true;\n\t\t}\n\n\t\t// If any of these are defined, and there is no pay period object, then we need to make sure it's available\n\t\tif (\n\t\t\t!formOptionsObj.availableWhenNotUnsubmitted ||\n\t\t\t!formOptionsObj.availableWhenPayrollPartiallySubmitted ||\n\t\t\t!formOptionsObj.availableWhenPeriodInRollback ||\n\t\t\t!formOptionsObj.availableWhenPayrollCalculated\n\t\t) {\n\t\t\treturn true;\n\t\t}\n\n\t\treturn false;\n\t}\n\n\tfunction getLoadPensionDetails (formOptionsObj) {\n\n\t\tif (formOptionsObj.agencyEmployerPensionId && formOptionsObj.showPensionContext) {\n\t\t\tutilities.debug(`Pension details loaded for ${formOptionsObj.formKey}`);\n\t\t\treturn true;\n\t\t}\n\n\t\treturn false;\n\t}\n\n\tfunction getLoadTeamMemberDetails (formOptionsObj) {\n\n\t\tif (formOptionsObj.agencyProfileId && formOptionsObj.userId) {\n\t\t\tutilities.debug(`Team member details loaded for ${formOptionsObj.formKey}`);\n\t\t\treturn true;\n\t\t}\n\n\t\treturn false;\n\t}\n\n\tfunction getPayPeriodCurrentService (formOptionsObj) {\n\n\t\tif (!formOptionsObj.loadPayPeriodCurrentDetails) {\n\t\t\treturn null;\n\t\t}\n\n\t\tutilities.debug(`GetPayPeriodCurrent loaded for ${formOptionsObj.formKey}`);\n\n\t\treturn payrollData.getPayPeriodCurrent(formOptionsObj.agencyProfileId);\n\t}\n\n\tfunction getPayPeriodMinimumService (formOptionsObj) {\n\n\t\tif (!formOptionsObj.loadPayPeriodMinimumDetails) {\n\t\t\treturn null;\n\t\t}\n\n\t\tutilities.debug(`GetPayPeriodMinimum loaded for ${formOptionsObj.formKey}`);\n\n\t\treturn payrollData.getPayPeriodMinimum(formOptionsObj.agencyProfileId);\n\t}\n\n\tfunction loadContextData (formOptionsObj) {\n\n\t\t// Bow out early if there's no company id\n\t\tif (!getIsServiceCallsApplicable(formOptionsObj)) {\n\t\t\tsetPageState(CABINET_STATES.ready);\n\t\t\treturn;\n\t\t}\n\n\t\t// Needs to happen prior to getLoadPayPeriodMinimumDetails\n\t\tconst loadPayPeriodCurrentDetails = getLoadPayPeriodCurrentDetails(formOptionsObj);\n\n\t\tangular.extend(formOptionsObj, {\n\t\t\tloadCompanyDetails: getLoadCompanyDetails(formOptionsObj),\n\t\t\tloadPayPeriodCurrentDetails,\n\t\t\tloadPayPeriodMinimumDetails: getLoadPayPeriodMinimumDetails(formOptionsObj),\n\t\t\tloadPensionDetails: getLoadPensionDetails(formOptionsObj),\n\t\t\tloadTeamMemberDetails: getLoadTeamMemberDetails(formOptionsObj)\n\t\t});\n\n\t\t// Drop out if no service calls are actually required\n\t\tif (!getIsServiceCallsRequired(formOptionsObj)) {\n\t\t\tsetPageState(CABINET_STATES.ready);\n\t\t\treturn;\n\t\t}\n\n\t\tfunction getCurrentPeriodObj (currentPeriodObj, minimumPeriodObj) {\n\n\t\t\t// Pay period current\n\t\t\tif (currentPeriodObj) {\n\t\t\t\treturn currentPeriodObj;\n\t\t\t}\n\n\t\t\t// Minimum pay period\n\t\t\tif (minimumPeriodObj) {\n\t\t\t\treturn minimumPeriodObj;\n\t\t\t}\n\n\t\t\t// Pay period is passed in to form options, use that\n\t\t\tif (formOptionsObj.currentPayPeriod) {\n\t\t\t\treturn formOptionsObj.currentPayPeriod;\n\t\t\t}\n\n\t\t\t// Use currentPeriod from root\n\t\t\treturn $rootScope.currentPeriod;\n\t\t}\n\n\t\tsetPageState(CABINET_STATES.loading);\n\n\t\t$timeout(() => {\n\n\t\t\tconst getAgencyProfileCompanyDetails = formOptionsObj.loadCompanyDetails ? companyData.getAgencyProfileCompanyDetails(agencyProfileId) : null;\n\t\t\tconst getUserAgencyProfileForAgencyTeamMemberMinimum = formOptionsObj.loadTeamMemberDetails ? teamData.getUserAgencyProfileForAgencyTeamMemberMinimum(userId, agencyProfileId) : null;\n\t\t\tconst getPayPeriodCurrent = getPayPeriodCurrentService(formOptionsObj);\n\t\t\tconst getPayPeriodMinimum = getPayPeriodMinimumService(formOptionsObj);\n\t\t\tconst getAgencyEmployerPensionSummary = formOptionsObj.loadPensionDetails ? pensionData.getAgencyEmployerPensionSummary(agencyProfileId, formOptionsObj.agencyEmployerPensionId) : null;\n\n\t\t\t$q.all([\n\t\t\t\tgetAgencyProfileCompanyDetails,\n\t\t\t\tgetUserAgencyProfileForAgencyTeamMemberMinimum,\n\t\t\t\tgetPayPeriodCurrent,\n\t\t\t\tgetPayPeriodMinimum,\n\t\t\t\tgetAgencyEmployerPensionSummary\n\t\t\t]).then(([\n\t\t\t\tcompanyObj,\n\t\t\t\tteamMemberObj,\n\t\t\t\tcurrentPayPeriodObj,\n\t\t\t\tminimumPayPeriodObj,\n\t\t\t\tpensionObj\n\t\t\t]) => {\n\n\t\t\t\tangular.extend(formOptionsObj, {\n\t\t\t\t\tcompany: decorateCompany(companyObj),\n\t\t\t\t\tcontext: decorateTeamMember(teamMemberObj),\n\t\t\t\t\tcurrentPayPeriod: getCurrentPeriodObj(currentPayPeriodObj, minimumPayPeriodObj),\n\t\t\t\t\tcontextDataLoaded: true,\n\t\t\t\t\tcontextType: getFormContextType(formOptionsObj),\n\t\t\t\t\tpension: pensionObj\n\t\t\t\t});\n\n\t\t\t\tutilities.debug(formOptionsObj, 'log');\n\n\t\t\t\tcheckFormData(formOptionsObj);\n\t\t\t})\n\t\t\t.catch(onError);\n\n\t\t}, formOptionsObj.animationSpeed * 1000);\n\t}\n\n\tfunction onError (error) {\n\n\t\tsetPageState(CABINET_STATES.error);\n\t\tthrow(error);\n\t}\n\n\tfunction setPageState (newState) {\n\t\t$scope.pageState = newState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tCABINET_STATES,\n\t\tPENSION_TYPES,\n\t\tUSER_GUIDES\n\t});\n\n\t$scope.$watch('formOptions.formKey', function (newValue, oldValue) {\n\t\tif (!angular.equals(newValue, oldValue)) {\n\t\t\tinit();\n\t\t}\n\t});\n}]);\n\n\n\n'use strict';\n\n/**\n * @ngdoc function\n * @name formFeedback\n * @description\n * Directive that handles the form feedback\n */\n\nangular.module('paycircleApp')\n.directive('formFeedback', function () {\n\n\treturn {\n\t\tcontroller: 'formFeedbackCtrl',\n\t\ttemplateUrl: 'components/form-feedback/formFeedback.html',\n\t\treplace: true,\n\t\ttransclude: true,\n\t\tscope: {\n\t\t\tstate: '='\n\t\t}\n\t};\n})\n.controller('formFeedbackCtrl', ['$scope', '$timeout', function ($scope, $timeout) {\n\n\tvar timer;\n\n\ttimer = $timeout(function () {\n\t\t$scope.state = '';\n\t}, 2000);\n\n\n\t$scope.$on('$destroy', function () {\n\n\t\t$timeout.cancel(timer);\n\t});\n\n}]);\n\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('formField', {\n\tbindings: {\n\t\tformFieldOptions: '=',\n\t\tngModel: '='\n\t},\n\tcontroller: 'formFieldCtrl',\n\trequire: {\n\t\tparentForm: '^form'\n\t},\n\ttemplateUrl: 'components/form-field/form-field.component.html',\n\ttransclude: {\n\t\t'main': '?formFieldMain'\n\t}\n})\n.controller('formFieldCtrl', ['$filter', '$timeout', '$transclude', 'REGEX', function ($filter, $timeout, $transclude, REGEX) {\n\n\tconst $ctrl = this;\n\tconst FIELD_KEYS = [\n\t\t'errorMessages',\n\t\t'fieldType',\n\t\t'hasHeader',\n\t\t'isRequired',\n\t\t'label',\n\t\t'maxlength',\n\t\t'message',\n\t\t'minlength',\n\t\t'name',\n\t\t'onChange',\n\t\t'options',\n\t\t'patternRegex',\n\t\t'patternRegexKey',\n\t\t'placeholder',\n\t\t'suffix'\n\t];\n\tconst FIELD_TYPES = {\n\t\tcheckbox: 'checkbox',\n\t\tdate: 'date',\n\t\tmoney: 'money',\n\t\tnumber: 'number',\n\t\tpercentage: 'percentage',\n\t\tradios: 'radios',\n\t\tselect: 'select',\n\t\ttext: 'text'\n\t};\n\n\tfunction $onInit () {\n\n\t\tvalidateFormFieldOptions($ctrl.formFieldOptions);\n\n\t\tdecorateFormFieldOptionsWithDefaults($ctrl.formFieldOptions);\n\n\t\t$ctrl.componentState = 'ready';\n\t}\n\n\tfunction decorateFormFieldOptionsWithDefaults (formFieldOptionsObj) {\n\t\t\n\t\t// Defaults\n\t\tconst DEFAULTS = {\n\t\t\tclass: null,\n\t\t\terrorMessages: getErrorMessages(formFieldOptionsObj),\n\t\t\tfieldType: FIELD_TYPES.text,\n\t\t\thasHeader: true,\n\t\t\tisRequired: true,\n\t\t\tlabel: 'Test field',\n\t\t\tmaxDateIso: null,\n\t\t\tmaxlength: null,\n\t\t\tmessage: null,\n\t\t\tminDateIso: null,\n\t\t\tminlength: null,\n\t\t\tname: getFieldName(formFieldOptionsObj),\n\t\t\toptions: null,\n\t\t\tpatternRegex: getPatternRegexForForm(formFieldOptionsObj),\n\t\t\tpatternRegexKey: null,\n\t\t\tplaceholder: '',\n\t\t\tsuffix: null\n\t\t};\n\n\t\t// A variation of angular.extend to keep the original object in tact >\n\t\t// Without this, two way binding is not possible as the object is re-created as this components $ctrl\n\t\tconst numberOfFieldKeys = FIELD_KEYS.length;\n\t\tlet i = 0;\n\n\t\tfor (i; i < numberOfFieldKeys; i++) {\n\t\t\t\n\t\t\tconst FIELD_KEY = FIELD_KEYS[i];\n\n\t\t\tif (angular.isUndefined(formFieldOptionsObj[FIELD_KEY])) {\n\t\t\t\tformFieldOptionsObj[FIELD_KEY] = DEFAULTS[FIELD_KEY];\n\t\t\t}\t\n\t\t}\n\t}\n\n\tfunction getErrorMessages (formFieldOptions) {\n\n\t\tswitch (formFieldOptions.fieldType) {\n\n\t\t\tcase FIELD_TYPES.date:\n\n\t\t\t\treturn [\n\t\t\t\t\t{\n\t\t\t\t\t\tkey: 'pattern',\n\t\t\t\t\t\tmessage: 'Please enter a valid date'\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tkey: 'required',\n\t\t\t\t\t\tmessage: 'Please enter a date'\n\t\t\t\t\t}\n\t\t\t\t];\n\n\t\t\tdefault:\n\n\t\t\t\treturn [\n\t\t\t\t\t{\n\t\t\t\t\t\tkey: 'maxlength',\n\t\t\t\t\t\tmessage: `Please enter a maximum of ${formFieldOptions.maxlength} character${formFieldOptions.maxlength > 1 ? 's' : ''}`\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tkey: 'minlength',\n\t\t\t\t\t\tmessage: `Please enter a maximum of ${formFieldOptions.minlength} character${formFieldOptions.minlength > 1 ? 's' : ''}`\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tkey: 'pattern',\n\t\t\t\t\t\tmessage: getPatternMessageForRegexPatternKey(formFieldOptions)\n\t\t\t\t\t},\n\t\t\t\t\t{\n\t\t\t\t\t\tkey: 'required',\n\t\t\t\t\t\tmessage: 'Please enter a value'\n\t\t\t\t\t}\n\t\t\t\t];\n\n\t\t}\n\t}\n\n\tfunction getFieldName (formFieldOptions) {\n\n\t\t// Use name if supplied\n\t\tif (angular.isDefined(formFieldOptions.name)) {\n\t\t\treturn formFieldOptions.name;\n\t\t}\n\n\t\t// Default to ID\n\t\treturn formFieldOptions.id;\n\t}\n\n\tfunction getPatternMessageForRegexPatternKey (formFieldOptions) {\n\n\t\tswitch (formFieldOptions.patternRegexKey) {\n\n\t\t\tcase 'carMakeModel': {\n\t\t\t\treturn 'Please enter letters, numbers or basic symbols';\n\t\t\t}\t\n\t\t\tcase 'numbersPositiveWhole': {\n\t\t\t\treturn 'Please enter a whole number';\n\t\t\t}\t\n\t\t\tdefault: {\n\t\t\t\treturn 'Please enter a valid value';\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction hasHeader (formFieldOptions) {\n\n\t\tswitch (formFieldOptions.fieldType) {\n\t\t\tcase FIELD_TYPES.checkbox:\n\t\t\t\treturn false;\n\t\t\tdefault:\n\t\t\t\treturn true;\n\t\t}\n\t}\n\n\tfunction onChange () {\n\n\t\t// ng-model update event needs to happen before on change event, otherwise values in parent controller are incorrect\n\t\tif (angular.isFunction($ctrl.formFieldOptions.onChange)) {\n\t\t\t$timeout(() => {\n\t\t\t\t$ctrl.formFieldOptions.onChange();\n\t\t\t});\n\t\t}\n\t}\n\n\tfunction getPatternRegexForForm (formFieldOptions) {\n\n\t\t// If a specific regex key is defined, fetch it\n\t\tif (formFieldOptions.patternRegexKey) {\n\n\t\t\tconst matchedPatternRegex = REGEX[formFieldOptions.patternRegexKey];\n\n\t\t\t// Unable to match pattern by key\n\t\t\tif (angular.isUndefined(matchedPatternRegex)) {\n\t\t\t\tthrow 'No REGEX pattern matched';\n\t\t\t}\n\n\t\t\treturn matchedPatternRegex;\n\t\t}\n\n\t\treturn null;\n\t}\n\n\tfunction validateFormFieldOptions (formFieldOptions) {\n\n\t\t// Requires options\n\t\tif (angular.isUndefined(formFieldOptions)) {\n\t\t\tthrow 'No formFieldOptions provided';\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\tFIELD_TYPES,\n\t\t$onInit,\n\t\thasHeader,\n\t\tonChange\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('formFieldErrors', {\n\tbindings: {\n\t\terrorTypes: '<',\n\t\tinputName: '@'\n\t},\n\tcontroller: 'formFieldErrorsCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/form-field-errors/form-field-errors.component.html'\n})\n.controller('formFieldErrorsCtrl', [function () {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\t// Input name is required\n\t\tif (!angular.isString($ctrl.inputName)) {\n\t\t\tconsole.error(': input-name is not defined. An input name is required for the form field errors component');\n\t\t}\n\n\t\t// Form object is required\n\t\tif (angular.isUndefined($ctrl.errorTypes)) {\n\t\t\tconsole.error(': Error types are not defined. Error types are required for the form field errors component');\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('formGroup', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/form-group/formGroupComponent.html',\n\t\tcontroller: 'formGroupController',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tfgIsOpen: '',\n\t\t\tfgTitle: '@'\n\t\t},\n\t\ttransclude: true\n\t};\n})\n.controller('formGroupController', ['$scope', function ($scope) {\n\n\t$scope.fgIsOpen = $scope.fgIsOpen !== undefined ? $scope.fgIsOpen : false;\n\n\t$scope.toggleOpen = function () {\n\n\t\t$scope.fgIsOpen = !$scope.fgIsOpen;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('formHeader', {\n\tbindings: {\n\t\tfhShowTitle: '',\n\t\tfhSubtitle: '@',\n\t\ttheme: '@'\n\t},\n\tcontroller: 'formHeaderComponentCtrl',\n\ttemplateUrl: 'components/form-header/form-header.component.html',\n\ttransclude: {\n\t\t'formHeaderIntro': '?formHeaderIntro'\n\t}\n})\n.controller('formHeaderComponentCtrl', [\n\t'$transclude',\n\tfunction (\n\t\t$transclude\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tfhShowTitle: angular.isDefined($ctrl.fhShowTitle) ? $ctrl.fhShowTitle : true,\n\t\t\thasIntro: $transclude.isSlotFilled('formHeaderIntro')\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('formState', {\n\ttemplateUrl: 'components/form-state/form-state.component.html',\n\tcontroller: 'formStateController',\n\tbindings: {\n\t\tfsIcon: '@',\n\t\tfsShowClose: '<',\n\t\tfsTheme: '@?',\n\t\tfsTitle: '@',\n\t\tformOptions: '='\n\t},\n\ttransclude: {\n\t\t'main': '?fsMain',\n\t\t'preheader': '?fsPreheader',\n\t\t'actions': '?fsActions'\n\t}\n})\n\n.controller('formStateController', [\n\t'$transclude',\n\tfunction (\n\t\t$transclude\n\t) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\tangular.extend($ctrl, {\n\n\t\t\t// Defaults\n\t\t\tfsShowClose: angular.isDefined($ctrl.fsShowClose) ? $ctrl.fsShowClose : true,\n\t\t\tfsTheme: angular.isDefined($ctrl.fsTheme) ? $ctrl.fsTheme : 'primary',\n\t\t\tfsIcon: angular.isDefined($ctrl.fsIcon) ? $ctrl.fsIcon: 'question-mark',\n\n\t\t\t// Transclusion flags for convenience\n\t\t\tshowFormActions: $transclude.isSlotFilled('actions'),\n\t\t\tshowPreHeader: $transclude.isSlotFilled('preheader')\n\t\t});\n\n\t\t// Derived icon theme, based on icon type. Default to overall theme.\n\t\t$ctrl.iconTheme = $ctrl.fsTheme;\n\t\tswitch ($ctrl.fsIcon) {\n\t\t\tcase 'warning': {\n\t\t\t\t$ctrl.iconTheme = 'tertiary';\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase 'information':\n\t\t\tcase 'question-mark': {\n\t\t\t\t$ctrl.iconTheme = 'primary';\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase 'tick': {\n\t\t\t\t$ctrl.iconTheme = 'positive';\n\t\t\t\tbreak;\n\t\t\t}\n\t\t}\n\t};\n\n}]);\n\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('formWizard', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/form-wizard/formWizard.html',\n\t\tscope: {\n\t\t\twizardOptions: '='\n\t\t},\n\t\tcontroller: 'formWizardCtrl'\n\t};\n})\n.controller('formWizardCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$state',\n\t'$timeout',\n\t'applicationService',\n\t'companyData',\n\t'pensionService',\n\t'session',\n\t'teamData',\n\t'teamService',\n\t'utilities',\n\t'wizardService',\n\t'COMPANY_STATES',\n\t'FORM_WIZARD_KEYS',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\t$state,\n\t\t$timeout,\n\t\tapplicationService,\n\t\tcompanyData,\n\t\tpensionService,\n\t\tsession,\n\t\tteamData,\n\t\tteamService,\n\t\tutilities,\n\t\twizardService,\n\t\tCOMPANY_STATES,\n\t\tFORM_WIZARD_KEYS\n\t) {\n\n\tconst agencyProfileId = $scope.wizardOptions.agencyProfileId;\n\tconst animationSpeed = $scope.wizardOptions.animationSpeed; // Seconds\n\tconst callback = $scope.wizardOptions.callback;\n\tconst companyState = $scope.wizardOptions.companyState;\n\tconst currentPayPeriod = $scope.wizardOptions.currentPayPeriod;\n\tconst wizardKey = $scope.wizardOptions.wizardKey;\n\n\tlet activeStepIndex = $scope.wizardOptions.activeStepIndex;\n\tlet isCallbackActive = false; // Set to true if updates have been made to know when to fire callback\n\tlet userId = $scope.wizardOptions.userId;\n\tlet wizardOptions = $scope.wizardOptions;\n\n\tfunction back () {\n\n\t\tactiveStepIndex--;\n\t\tloadWizardForms();\n\t}\n\n\tfunction closeWizard (onClosed) {\n\n\t\t$scope.wizardOptions.isClosing = true;\n\n\t\t// Signal close to application. This is effectively a slide-in form. It just needs to know so it can deal with the overlay.\n\t\t$rootScope.$broadcast('close-slide-in-form');\n\n\t\t$timeout(() => {\n\t\t\t$scope.wizardOptions.isClosing = false;\n\t\t\t$scope.wizardOptions.isWizardOpen = false;\n\n\t\t\t// Only execute callback when a change has been made\n\t\t\tif (wizardOptions.initCallbackOnClose !== false && isCallbackActive) {\n\t\t\t\t$scope.wizardOptions.forceCallback();\n\t\t\t}\n\n\t\t\t// Used when opening new form wizard from within a wizard\n\t\t\tif (onClosed !== undefined && typeof onClosed === 'function') {\n\t\t\t\tonClosed();\n\t\t\t}\n\t\t}, animationSpeed * 1000);\n\t}\n\n\tfunction forceCallback (callbackPropertiesObj) {\n\n\t\tif (callback !== undefined) {\n\n\t\t\t// Validate to make sure the callback is a function\n\t\t\tif (!utilities.isFunction(callback)) {\n\t\t\t\tconsole.warn('Callback provided is not a function');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Callback can provide a custom callback object\n\t\t\tif (callbackPropertiesObj !== undefined) {\n\t\t\t\tcallback(callbackPropertiesObj);\n\t\t\t}\n\t\t\telse {\n\t\t\t\tcallback(userId, agencyProfileId);\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction getFormKeyIndexForWizard (wizardFormsData) {\n\n\t\tvar i = 0;\n\t\tvar numberOfForms = wizardFormsData.length;\n\n\t\tfor (i; i < numberOfForms; i++) {\n\n\t\t\tvar wizardForm = wizardFormsData[i];\n\n\t\t\tif (wizardForm.state === 0) {\n\t\t\t\treturn i;\n\t\t\t}\n\t\t}\n\n\t\treturn 0;\n\t}\n\n\tfunction getRequiredPermissionsForWizard (wizardKey) {\n\n\t\tswitch (wizardKey) {\n\t\t\tcase FORM_WIZARD_KEYS.teamMemberAdd:\n\t\t\t\treturn [\n\t\t\t\t\t'Team.canAddDeleteTeamMembers'\n\t\t\t\t];\n\n\t\t\tcase FORM_WIZARD_KEYS.teamMemberEditPersonal:\n\t\t\t\treturn [\n\t\t\t\t\t'Team.canAddDeleteTeamMembers',\n\t\t\t\t\t'Team.canEditPersonalDetails'\n\t\t\t\t];\n\n\t\t\tcase FORM_WIZARD_KEYS.cisCompany:\n\t\t\tcase FORM_WIZARD_KEYS.cisSubcontractor:\n\t\t\tcase FORM_WIZARD_KEYS.teamMemberEditEmployment:\n\t\t\t\treturn [\n\t\t\t\t\t'Team.canAddDeleteTeamMembers',\n\t\t\t\t\t'Team.canEditCompanyDetails'\n\t\t\t\t];\n\n\t\t\tcase FORM_WIZARD_KEYS.teamMemberEditAEPension:\n\t\t\tcase FORM_WIZARD_KEYS.teamMemberEditNonAEPension:\n\t\t\t\treturn [\n\t\t\t\t\t'Team.canAddDeleteTeamMembers',\n\t\t\t\t\t'Team.canUpdateTeamPensionSettings'\n\t\t\t\t];\n\n\t\t\tdefault:\n\t\t\t\treturn null;\n\t\t}\n\t}\n\n\tfunction getWizardOptions (wizardFormsArray, teamMemberInformationObj) {\n\n\t\tvar activeStep;\n\t\tvar formKey;\n\t\tvar totalForms = wizardFormsArray.length;\n\n\t\t// If no active step load first incomplete form\n\t\tif (activeStepIndex === undefined) {\n\n\t\t\t// Get index of first incomplete form\n\t\t\tactiveStepIndex = getFormKeyIndexForWizard(wizardFormsArray);\n\n\t\t\t// Set form key\n\t\t\tformKey = wizardFormsArray[activeStepIndex].formKey;\n\t\t}\n\n\t\t// Otherwise load first form in array\n\t\telse {\n\t\t\tformKey = wizardFormsArray[activeStepIndex].formKey;\n\t\t}\n\n\t\tactiveStep = activeStepIndex + 1;\n\n\t\t// Get index of first form in array in a 'pending' state\n\t\tvar updatedWizardOptions = {\n\t\t\tactiveStep: activeStep,\n\t\t\tactiveStepIndex: activeStepIndex,\n\t\t\tcanGoBack: totalForms > 0 && activeStep > 1,\n\t\t\tcanSkip: wizardOptions.canSkip === false ? false : totalForms && activeStep < totalForms,\n\t\t\tcloseWizard: closeWizard,\n\t\t\tformKey: formKey,\n\t\t\tisOpen: true,\n\t\t\topenNewFormWizard: openNewFormWizard,\n\t\t\tshowHeader: true,\n\t\t\tshowProgressBar: true,\n\t\t\tstate: 'ready',\n\t\t\tteamMemberInformation: angular.isDefined(teamMemberInformationObj) ? teamMemberInformationObj : null,\n\t\t\ttotalSteps: wizardOptions.noWizardSummary ? totalForms : (totalForms -1),\n\t\t\tprimaryButtonText: (!wizardOptions.noWizardSummary && activeStep === totalForms -1) || (wizardOptions.noWizardSummary && activeStep === totalForms) ? 'Finish' : 'Next',\n\t\t\twizardFormsArray: wizardFormsArray,\n\t\t\twizardKey: wizardKey,\n\t\t\trequiredPermissions: getRequiredPermissionsForWizard(wizardKey)\n\t\t};\n\n\t\twizardOptions = angular.extend(wizardOptions, updatedWizardOptions);\n\n\t\tapplicationService.setupFormOptions(wizardOptions);\n\n\t\treturn wizardOptions;\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tswitch (wizardKey) {\n\t\t\tcase 'company':\n\t\t\t\twizardService.resetCompany();\n\t\t\t\twizardService.resetPension();\n\t\t\t\tbreak;\n\t\t}\n\n\t\tloadWizardForms();\n\t}\n\n\tfunction loadTeamMemberForms (formKey) {\n\n\t\tif (!userId) {\n\t\t\t$rootScope.paycircleMessage('Add new team member wizard - No user ID provided', 'error');\n\t\t\treturn;\n\t\t}\n\n\t\tif (!agencyProfileId) {\n\t\t\t$rootScope.paycircleMessage('Add new team member wizard - No AgencyProfileID provided', 'error');\n\t\t\treturn;\n\t\t}\n\n\t\tteamData.getTeamMemberInformation(userId, agencyProfileId).then(teamMemberInformationObj => {\n\n\t\t\t// Grab the pension object for the pension wizard\n\t\t\tlet teamMemberWizardPensionObj = {};\n\t\t\tif (formKey === 'ae-pension') {\n\t\t\t\tconst teamMemberPensionObj = pensionService.getTeamMemberAEPension(teamMemberInformationObj.Pensions, wizardOptions.agencyEmployerPensionId, wizardOptions.pensionAdditionalPostId);\n\t\t\t\t// If found, set for wizard service. If not, a pension hasn't been set yet and the wizard pension object will remain empty.\n\t\t\t\tif (angular.isDefined(teamMemberPensionObj)) {\n\t\t\t\t\tteamMemberWizardPensionObj = teamMemberPensionObj;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tconst wizardFormsArray = wizardService.getWizardTeamMemberForms(formKey, teamMemberInformationObj, currentPayPeriod, teamMemberWizardPensionObj);\n\n\t\t\topenSlideInForm(wizardFormsArray, teamMemberInformationObj);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction loadWizardForms () {\n\n\t\tvar wizardFormsArray = null;\n\n\t\tswitch (wizardKey) {\n\n\t\t\t// Add new company\n\t\t\tcase FORM_WIZARD_KEYS.company:\n\n\t\t\t\twizardFormsArray = wizardService.getWizardCompanyForms();\n\n\t\t\t\topenSlideInForm(wizardFormsArray);\n\n\t\t\t\tbreak;\n\n\t\t\t// Company > Payroll\n\t\t\tcase FORM_WIZARD_KEYS.companyPayroll:\n\n\t\t\t\twizardFormsArray = wizardService.getWizardCompanyPayrollForms();\n\n\t\t\t\topenSlideInForm(wizardFormsArray);\n\n\t\t\t\tbreak;\n\n\t\t\t// Company > HR\n\t\t\tcase FORM_WIZARD_KEYS.companyHR:\n\n\t\t\t\twizardFormsArray = wizardService.getHRSetupWizardForms();\n\n\t\t\t\topenSlideInForm(wizardFormsArray);\n\n\t\t\t\tbreak;\n\n\t\t\t// CIS Company\n\t\t\tcase FORM_WIZARD_KEYS.cisCompany:\n\n\t\t\t\tloadTeamMemberForms('cis-company');\n\n\t\t\t\tbreak;\n\n\t\t\t// CIS Subcontractor\n\t\t\tcase FORM_WIZARD_KEYS.cisSubcontractor:\n\n\t\t\t\tloadTeamMemberForms('cis-subcontractor');\n\n\t\t\t\tbreak;\n\n\n\t\t\t// Team Member > Add\n\t\t\tcase FORM_WIZARD_KEYS.teamMemberAdd:\n\n\t\t\t\twizardFormsArray = wizardService.getWizardTeamMemberForms('personal');\n\n\t\t\t\topenSlideInForm(wizardFormsArray);\n\n\t\t\t\tbreak;\n\n\t\t\t// Team Member > Edit\n\t\t\tcase FORM_WIZARD_KEYS.teamMemberEditPersonal:\n\n\t\t\t\tloadTeamMemberForms('personal');\n\n\t\t\t\tbreak;\n\n\t\t\t// Team Member > Employment\n\t\t\tcase FORM_WIZARD_KEYS.teamMemberEditEmployment:\n\n\t\t\t\tloadTeamMemberForms('employment');\n\n\t\t\t\tbreak;\n\n\t\t\t// Team Member > AE Pension\n\t\t\tcase FORM_WIZARD_KEYS.teamMemberEditAEPension:\n\n\t\t\t\tloadTeamMemberForms('ae-pension');\n\n\t\t\t\tbreak;\n\n\t\t\t// Team Member > Non-AE Pension\n\t\t\tcase FORM_WIZARD_KEYS.teamMemberEditNonAEPension:\n\n\t\t\t\tloadTeamMemberForms('non-ae-pension');\n\n\t\t\t\tbreak;\n\n\t\t\t// Form key not set up\n\t\t\tdefault:\n\t\t\t\t$rootScope.paycircleMessage('Unable to find form wizard for key: ' + wizardKey, 'error');\n\t\t}\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetPageState('error');\n\t}\n\n\tfunction onSuccess (responseObj) {\n\n\t\tactiveStepIndex++;\n\n\t\tisCallbackActive = true;\n\n\t\t// On team member creation, no UserID is present\n\t\tif (responseObj !== undefined) {\n\t\t\tuserId = responseObj.userId;\n\t\t}\n\t\tloadWizardForms();\n\t}\n\n\tfunction openNewFormWizard (wizardOptions) {\n\n\t\tif (wizardOptions.disableCallback) {\n\t\t\tisCallbackActive = false;\n\t\t}\n\n\t\tcloseWizard(function () {\n\t\t\t$timeout(function () {\n\t\t\t\t$rootScope.$broadcast('open-form-wizard', wizardOptions);\n\t\t\t});\n\t\t});\n\t}\n\n\tfunction openSlideInForm (wizardFormsArray, teamMemberInformationObj) {\n\n\t\tif (!wizardFormsArray.length) {\n\t\t\t$rootScope.paycircleMessage('Form wizard - No forms returned for wizard', 'info');\n\t\t\treturn;\n\t\t}\n\n\t\tif (companyState === COMPANY_STATES.onboarding) {\n\t\t\twizardFormsArray[wizardFormsArray.length-1].formKey = 'personal-overview';\n\t\t}\n\n\t\tvar slideInFormOptions = getWizardOptions(wizardFormsArray, teamMemberInformationObj);\n\n\t\t$scope.wizardOptions = slideInFormOptions;\n\n\t\tsetPageState('ready');\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction skip () {\n\n\t\tactiveStepIndex++;\n\t\tloadWizardForms();\n\t}\n\n\tinit();\n\n\tangular.extend($scope.wizardOptions, {\n\t\tback,\n\t\tcloseWizard,\n\t\tforceCallback,\n\t\tonSuccess,\n\t\tskip\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('fullPageControls', {\n\tbindings: {\n\t\ttheme: '@?'\n\t},\n\tcontroller: 'fullPageControlsCtrl',\n\ttemplateUrl: 'components/full-page-controls/full-page-controls.component.html',\n\ttransclude: {\n\t\t'primaryActions': '?fpcPrimary',\n\t\t'secondaryActions': '?fpcSecondary',\n\t\t'tertiaryActions': '?fpcTertiary'\n\t},\n})\n.controller('fullPageControlsCtrl', [\n\t'$transclude',\n\tfunction (\n\t\t$transclude\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\thasPrimaryActions: $transclude.isSlotFilled('primaryActions'),\n\t\t\thasSecondaryActions: $transclude.isSlotFilled('secondaryActions'),\n\t\t\thasTertiaryActions: $transclude.isSlotFilled('tertiaryActions')\n\t\t});\n\t}\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('fileUploader', {\n\tbindings: {\n\t\tfuAgencyProfileId: '<',\n\t\tfuAllowedFileTypes: '@?',\n\t\tfuAllowedFileTypesKey: '@?',\n\t\tfuAllowMultiple: '',\n\t\tfuFileList: '',\n\t\tfuLabel: '@?',\n\t\tfuMaxFileSize: '',\n\t\tfuName: '@',\n\t\tfuOnError: '&?',\n\t\tfuOnUpdate: '&?',\n\t\tfuOnUploadStart: '&?',\n\t\tfuOnUploadComplete: '&?',\n\t\tfuParams: '<'\n\t},\n\tcontroller: 'fileUploaderAltCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/file-uploader/file-uploader.component.html'\n})\n.controller('fileUploaderAltCtrl', [\n\t'$scope',\n\t'$timeout',\n\t'$window',\n\t'config',\n\t'dataTransfer',\n\t'fileUploadService',\n\t'importService',\n\t'libraries',\n\t'messageData',\n\t'utilities',\n\tfunction (\n\t\t$scope,\n\t\t$timeout,\n\t\t$window,\n\t\tconfig,\n\t\tdataTransfer,\n\t\tfileUploadService,\n\t\timportService,\n\t\tlibraries,\n\t\tmessageData,\n\t\tutilities\n\t) {\n\t\tconst $ctrl = this;\n\n\t\t// Individual file upload statuses\n\t\tconst FILE_UPLOAD_STATUSES = {\n\t\t\tcomplete: 'complete',\n\t\t\terror: 'error',\n\t\t\tsuccess: 'success',\n\t\t\tuploading: 'uploading'\n\t\t};\n\n\t\t// Overall uploader status; if anything's being uploaded, it'll be 'uploaded', otherwise 'complete' (even if nothing's been uploaded)\n\t\tconst UPLOADER_STATUSES = {\n\t\t\tcomplete: 'complete',\n\t\t\tuploading: 'uploading'\n\t\t};\n\n\t\t/* These will get stuffed into a hidden required input to control the overall uploader validity in the context of the parent form,\n\t\t to effectively disable the form during upload. */\n\t\tconst UPLOADER_VALID_STATUSES = {\n\t\t\t// This can be any string as long as it isn't empty; 'valid' is an obvious and inoffensive choice.\n\t\t\tvalid: 'valid',\n\t\t\t// Similarly for invalid status. Must be an empty string, so the hidden required input is invalid.\n\t\t\tinvalid: ''\n\t\t};\n\n\t\t$ctrl.$onDestroy = () => {\n\n\t\t\t// Ensure window events don't linger once this component is destroyed\n\t\t\tsetUploaderEnabled(false);\n\t\t};\n\n\t\t$ctrl.$onInit = () => {\n\n\t\t\tconst fileUploadTypesStr = fileUploadService.getAllowedFileTypesForUpload($ctrl.fuAllowedFileTypes, $ctrl.fuAllowedFileTypesKey);\n\n\t\t\tangular.extend($ctrl, {\n\t\t\t\tshowDropzone: false,\n\n\t\t\t\t/* Unique file ID (in the context of this uploader). A list of files (for the UI) and file items (for the uploader) are maintained\n\t\t\t\t separately in this component, so as not to corrupt the file list provided by the component client. Uploader file items have a\n\t\t\t\t recursive structure which will cause a problem if they end up getting passed to the platform. In this way a mapping can be\n\t\t\t\t established between files and fileitems without combining the two. */\n\t\t\t\tfileId: 0,\n\n\t\t\t\t// Defaults\n\t\t\t\tfuAllowedFileTypes: fileUploadTypesStr,\n\t\t\t\tfuAllowedFileTypesDescription: getFileUploadTypesDescription(fileUploadTypesStr),\n\t\t\t\tfuLabel: angular.isDefined($ctrl.fuLabel) ? $ctrl.fuLabel : 'Drag and drop or click to browse files',\n\t\t\t\tfuMaxFileSize: angular.isDefined($ctrl.fuMaxFileSize) ? $ctrl.fuMaxFileSize : config.maxDocumentUploadSize,\n\t\t\t\tfuAllowMultiple: angular.isDefined($ctrl.fuAllowMultiple) ? $ctrl.fuAllowMultiple : false,\n\t\t\t\t// Initialise file list to empty array if not specified\n\t\t\t\tfuFileList: angular.isDefined($ctrl.fuFileList) ? $ctrl.fuFileList : [],\n\t\t\t\t/* File items for uploader. Initially always empty; this will only become populated for new uploads\n\t\t\t\t (while the file list, above, may contain files, those represent files that have already been uploaded,\n\t\t\t\t so the uploader doesn't need to know anything about those) */\n\t\t\t\tuploaderFileItems: []\n\t\t\t});\n\n\t\t\t// Decorate file list for UI. These have been passed to the uploader, so have already been uploaded.\n\t\t\t$ctrl.fuFileList.forEach(file => {\n\t\t\t\tangular.extend(file, {\n\t\t\t\t\tallowRetry: false,\n\t\t\t\t\ticon: importService.getIconForMimeFormat(file.MIMEFormat),\n\t\t\t\t\tstatus: FILE_UPLOAD_STATUSES.complete,\n\t\t\t\t\t/* Add file ID and increment for next. Strictly this won't be necessary for already uplaoded files,\n\t\t\t\t\t just here to keep things consistent. */\n\t\t\t\t\tid: $ctrl.fileId++\n\t\t\t\t});\n\t\t\t});\n\n\t\t\t// Create and set uploader\n\t\t\tconst uploader = dataTransfer.getNewFileUploader({\n\n\t\t\t\tformData: [$ctrl.fuParams],\n\t\t\t\turl: libraries.httpHandler.upload.importFile,\n\n\t\t\t\tonAfterAddingFile: fileItem => {\n\n\t\t\t\t\t// Add file, grab ID\n\t\t\t\t\tconst newFile = $ctrl.addFileForFileItem(fileItem);\n\n\t\t\t\t\t// Hide the dropzone overlay, in case this follows a drop operation\n\t\t\t\t\t$ctrl.showDropzone = false;\n\n\t\t\t\t\t// Validate file format\n\t\t\t\t\tif (!fileUploadService.isUploadValidFileFormat(fileItem, $ctrl.fuAllowedFileTypes)) {\n\t\t\t\t\t\tangular.extend(newFile, {\n\t\t\t\t\t\t\tallowRetry: false,\n\t\t\t\t\t\t\terrorMessage: 'File format not allowed',\n\t\t\t\t\t\t\ticon: 'icon-warning',\n\t\t\t\t\t\t\tstatus: FILE_UPLOAD_STATUSES.error\n\t\t\t\t\t\t});\n\t\t\t\t\t}\n\n\t\t\t\t\t// Validate file size\n\t\t\t\t\telse if (newFile.DocumentSize > $ctrl.fuMaxFileSize) {\n\t\t\t\t\t\tangular.extend(newFile, {\n\t\t\t\t\t\t\tallowRetry: false,\n\t\t\t\t\t\t\terrorMessage: 'File size too big',\n\t\t\t\t\t\t\ticon: 'icon-warning',\n\t\t\t\t\t\t\tstatus: FILE_UPLOAD_STATUSES.error\n\t\t\t\t\t\t});\n\t\t\t\t\t}\n\t\t\t\t\t\n\t\t\t\t\t// Upload the file\n\t\t\t\t\telse {\n\t\t\t\t\t\t$ctrl.uploadFile(newFile);\n\t\t\t\t\t}\n\n\t\t\t\t\t// Update uploader status\n\t\t\t\t\tsetUploaderStatus();\n\t\t\t\t},\n\n\t\t\t\tonCancelItem: fileItem => {\n\n\t\t\t\t\t// Remove the item\n\t\t\t\t\t$ctrl.removeFile(fileItem.fileId);\n\n\t\t\t\t\t// Update uploader status\n\t\t\t\t\tsetUploaderStatus();\n\t\t\t\t},\n\n\t\t\t\tonErrorItem: fileItem => {\n\n\t\t\t\t\t// Add the file item to the separate list of file items, in case the user decides to retry\n\t\t\t\t\t$ctrl.uploaderFileItems.push(fileItem);\n\n\t\t\t\t\t// Set error state on file\n\t\t\t\t\tconst file = getFile(fileItem.fileId);\n\t\t\t\t\tangular.extend(file, {\n\t\t\t\t\t\tallowRetry: true,\n\t\t\t\t\t\terrorMessage: 'Upload error',\n\t\t\t\t\t\ticon: 'icon-warning',\n\t\t\t\t\t\tstatus: FILE_UPLOAD_STATUSES.error\n\t\t\t\t\t});\n\n\t\t\t\t\t// Update uploader status\n\t\t\t\t\tsetUploaderStatus();\n\t\t\t\t},\n\n\t\t\t\tonSuccessItem: fileItem => {\n\n\t\t\t\t\t// Set success state on item\n\t\t\t\t\tconst file = getFile(fileItem.fileId);\n\t\t\t\t\tconst responseJsonArr = JSON.parse(fileItem._xhr.response);\n\n\t\t\t\t\t// If server response is an empty array, presume file has been rejected by server as mime type is not valid\n\t\t\t\t\tif (responseJsonArr.length === 0) {\n\t\t\t\t\t\tangular.extend(file, {\n\t\t\t\t\t\t\tallowRetry: false,\n\t\t\t\t\t\t\terrorMessage: 'File format not allowed',\n\t\t\t\t\t\t\ticon: 'icon-warning',\n\t\t\t\t\t\t\tstatus: FILE_UPLOAD_STATUSES.error\n\t\t\t\t\t\t});\n\t\t\t\t\t}\n\n\t\t\t\t\t// File format is valid\n\t\t\t\t\telse {\n\t\t\t\t\t\tangular.extend(file, {\n\t\t\t\t\t\t\t// Attach document ID to match platform document structure, and to enable deletion in UI\n\t\t\t\t\t\t\tAgencyDocumentID: responseJsonArr[0],\n\n\t\t\t\t\t\t\t// Decorators for UI\n\t\t\t\t\t\t\tallowRetry: false,\n\t\t\t\t\t\t\terrorMessage: '',\n\t\t\t\t\t\t\ticon: 'icon-tick',\n\t\t\t\t\t\t\tstatus: FILE_UPLOAD_STATUSES.success\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\t/* After a short delay, update status to 'complete'. There is a distinction here in the UI,\n\t\t\t\t\t\t between 'success' and 'complete'. This will merely have the effect of briefly showing a\n\t\t\t\t\t\t tick before the normal attachment icon ... in case the latter isn't clear enough on its own. */\n\t\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t\tangular.extend(file, {\n\t\t\t\t\t\t\t\ticon: importService.getIconForMimeFormat(file.MIMEFormat),\n\t\t\t\t\t\t\t\tstatus: FILE_UPLOAD_STATUSES.complete\n\t\t\t\t\t\t\t});\n\t\t\t\t\t\t}, 500);\n\t\t\t\t\t}\n\n\t\t\t\t\t// Update uploader status\n\t\t\t\t\tsetUploaderStatus();\n\t\t\t\t}\n\t\t\t});\n\n\t\t\tangular.extend($ctrl, {\n\t\t\t\tuploader,\n\t\t\t\tuploaderStatus: UPLOADER_STATUSES.complete,\n\t\t\t\t// Initially valid\n\t\t\t\tvalidStatus: UPLOADER_VALID_STATUSES.valid\n\t\t\t});\n\n\t\t\t// Enable upload\n\t\t\tsetUploaderEnabled(true);\n\n\t\t\t// Init status\n\t\t\tsetUploaderStatus();\n\t\t};\n\n\t\tfunction addFileForFileItem (fileItem) {\n\t\t\t// Add a 'platform-friendly' file object for this file item, with the next file Id.\n\t\t\tconst file = {\n\t\t\t\tid: ++$ctrl.fileId,\n\n\t\t\t\t// Attributes as understood by the platform\n\t\t\t\tDocumentName: fileItem.file.name,\n\t\t\t\tDocumentSize: fileItem.file.size,\n\t\t\t\t// 'Mime types' defined by platform are all upper case file extensions\n\t\t\t\tMIMEFormat: utilities.getFileExtension(fileItem.file.name.toUpperCase())\n\t\t\t};\n\t\t\t$ctrl.fuFileList.push(file);\n\n\t\t\t// Establish relationship between file and file item and add file item to list\n\t\t\tfileItem.fileId = $ctrl.fileId;\n\t\t\t$ctrl.uploaderFileItems.push(fileItem);\n\n\t\t\t// File list changed - refresh enabled status\n\t\t\tsetUploaderEnabled();\n\n\t\t\t// Notify observer if there is one\n\t\t\tif (angular.isFunction($ctrl.fuOnUpdate)) {\n\t\t\t\t$ctrl.fuOnUpdate();\n\t\t\t}\n\n\t\t\t// Return new file\n\t\t\treturn file;\n\t\t}\n\n\t\tfunction deleteFile (file) {\n\n\t\t\tif (file.status === FILE_UPLOAD_STATUSES.error) {\n\t\t\t\t// This file hasn't been uploaded, so just remove it\n\t\t\t\tremoveFile(file.id);\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// This file has been uploaded so needs to be properly removed\n\t\t\t\tmessageData.messageDocumentDelete(\n\t\t\t\t\t$ctrl.fuAgencyProfileId,\n\t\t\t\t\tfile.AgencyDocumentID\n\t\t\t\t)\n\t\t\t\t.then(() => {\n\t\t\t\t\tremoveFile(file.id);\n\t\t\t\t})\n\t\t\t\t.catch (error => {\n\t\t\t\t\tconsole.error(error);\n\n\t\t\t\t\t// Notify observer if there is one\n\t\t\t\t\tif (angular.isFunction($ctrl.fuOnError())) {\n\t\t\t\t\t\t$ctrl.fuOnError(error);\n\t\t\t\t\t}\n\t\t\t\t});\n\t\t\t}\n\t\t}\n\n\t\tfunction getFile (fileId) {\n\n\t\t\t// Get file corresponding to file ID\n\t\t\treturn $ctrl.fuFileList.find(file => file.id === fileId);\n\t\t}\n\n\t\tfunction getFileItem (fileId) {\n\n\t\t\t// Get file item corresponding to file ID\n\t\t\treturn $ctrl.uploaderFileItems.find(fileItem => fileItem.fileId === fileId);\n\t\t}\n\n\t\tfunction getFileUploadTypesDescription (fileUploadTypesStr) {\n\n\t\t\tlet returnStr = '';\n\n\t\t\tlet fileUploadTypesArr = fileUploadTypesStr.split(',');\n\n\t\t\tconst numberOfFileTypes = fileUploadTypesArr.length;\n\n\t\t\tfileUploadTypesArr.forEach((fileUploadType, index) => {\n\n\t\t\t\t// Last\n\t\t\t\tif (index === (numberOfFileTypes - 1)) {\n\n\t\t\t\t\treturnStr += `and ${fileUploadType}`;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Second from last\n\t\t\t\tif (index === (numberOfFileTypes - 2)) {\n\n\t\t\t\t\treturnStr += `${fileUploadType} `;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Everything else\n\t\t\t\treturnStr += `${fileUploadType}, `;\n\t\t\t});\n\n\t\t\treturn returnStr;\n\t\t}\n\n\t\tfunction getUploadedCount (uploaderFileItemsArr) {\n\n\t\t\treturn uploaderFileItemsArr.reduce((uploadedCount, fileItem) => {\n\t\t\t\treturn (fileItem.status === FILE_UPLOAD_STATUSES.complete) ? uploadedCount + 1 : uploadedCount;\n\t\t\t}, 0);\n\t\t}\n\n\t\tfunction onCancelClick () {\n\n\t\t\t/* Every file being uploaded needs to be cancelled. These will be removed by the onCancel event\n\t\t\t handler in the uploader. */\n\t\t\t$ctrl.fuFileList.forEach(file => {\n\t\t\t\tif (file.status === FILE_UPLOAD_STATUSES.uploading) {\n\t\t\t\t\tconst fileItem = getFileItem(file.id);\n\t\t\t\t\t$ctrl.uploader.cancelItem(fileItem);\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\n\t\tfunction onDeleteClick (file) {\n\n\t\t\tdeleteFile(file);\n\t\t}\n\n\t\tfunction onDropZoneDragLeave () {\n\t\t\t/* Ensure change detection picks this up. The event handler fires outside the context of angularjs,\n\t\t\t\tso if this isn't done, the change isn't reflected in the view. */\n\t\t\t$scope.$apply(() => {\n\t\t\t\t$ctrl.showDropzone = false;\n\t\t\t});\n\t\t}\n\n\t\tfunction onRetryClick (file) {\n\n\t\t\tuploadFile(file);\n\t\t}\n\n\t\tfunction onWindowDragOver () {\n\t\t\t/* Ensure change detection picks this up. The event handler fires outside the context of angularjs,\n\t\t\t so if this isn't done, the change isn't reflected in the view. */\n\t\t\t$scope.$apply(() => {\n\t\t\t\t// Show / hide dropzone depending on isEnabled\n\t\t\t\t$ctrl.showDropzone = $ctrl.isEnabled;\n\t\t\t});\n\t\t}\n\n\t\tfunction removeFile (fileId) {\n\n\t\t\t// Remove specified file from file list. Ensure this is done in place so the bound array is affected.\n\t\t\tconst fileToRemove = $ctrl.fuFileList.find(file => file.id === fileId);\n\t\t\tconst fileToRemoveIndex = $ctrl.fuFileList.indexOf(fileToRemove);\n\t\t\t$ctrl.fuFileList.splice(fileToRemoveIndex, 1);\n\n\t\t\t// Remove from uploader file items. Internal to this component so filter can be used here.\n\t\t\t$ctrl.uploaderFileItems = $ctrl.uploaderFileItems.filter(fileItem => fileItem.fileId !== fileId);\n\n\t\t\t// File list changed - refresh enabled status\n\t\t\tsetUploaderEnabled();\n\t\t}\n\n\t\tfunction setUploaderEnabled (isEnabled) {\n\n\t\t\t// If not specified, determine whether the uploader should be enabled.\n\t\t\tif (angular.isUndefined(isEnabled)) {\n\t\t\t\t// Ensure upload isn't possible if allow multiple is false and file list has an entry\n\t\t\t\tisEnabled = ($ctrl.fuAllowMultiple || (!$ctrl.fuAllowMultiple && $ctrl.fuFileList.length === 0));\n\t\t\t}\n\n\t\t\tconst uploaderDropzoneElement = document.getElementById('file-uploader-dropzone');\n\n\t\t\t// Do this only if enabled status has changed, or if this is being forced\n\t\t\tif (isEnabled !== $ctrl.isEnabled) {\n\n\t\t\t\t$ctrl.isEnabled = isEnabled;\n\n\t\t\t\t// Enable / disable drag drop events\n\t\t\t\tif (isEnabled) {\n\t\t\t\t\t// Show dropzone when dragging anywhere onto browser window.\n\t\t\t\t\t$window.addEventListener('dragenter', onWindowDragOver);\n\n\t\t\t\t\t// Hide dropzone when dragging outside of it\n\t\t\t\t\tuploaderDropzoneElement.addEventListener('dragleave', onDropZoneDragLeave);\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\t// Remove event listeners on disable\n\t\t\t\t\t$window.removeEventListener('dragenter', onWindowDragOver);\n\t\t\t\t\tuploaderDropzoneElement.removeEventListener('dragleave', onDropZoneDragLeave);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\tfunction setUploaderStatus () {\n\n\t\t\t// Set overall uploader status based on individual file statuses.\n\t\t\tif ($ctrl.fuFileList.some(file => file.status === FILE_UPLOAD_STATUSES.uploading)) {\n\n\t\t\t\t// Do nothing if the status isn't going to change.\n\t\t\t\tif ($ctrl.uploaderStatus !== UPLOADER_STATUSES.uploading) {\n\n\t\t\t\t\t// At least one file is currently uploading\n\t\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\t\tuploaderStatus: UPLOADER_STATUSES.uploading,\n\t\t\t\t\t\tvalidStatus: UPLOADER_VALID_STATUSES.invalid\n\t\t\t\t\t});\n\n\t\t\t\t\t// Notify upload(s) in progress\n\t\t\t\t\tif (angular.isFunction($ctrl.fuOnUploadStart())) {\n\t\t\t\t\t\t$ctrl.fuOnUploadStart()();\n\t\t\t\t\t}\n\n\t\t\t\t}\n\t\t\t}\n\t\t\telse {\n\n\t\t\t\t// Do nothing if the status isn't going to change.\n\t\t\t\tif ($ctrl.uploaderStatus !== UPLOADER_STATUSES.complete) {\n\n\t\t\t\t\t// No files uploading\n\t\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\t\tuploaderStatus: UPLOADER_STATUSES.complete,\n\t\t\t\t\t\tvalidStatus: UPLOADER_VALID_STATUSES.valid\n\t\t\t\t\t});\n\n\t\t\t\t\t// Notify upload(s) complete\n\t\t\t\t\tif (angular.isFunction($ctrl.fuOnUploadComplete())) {\n\t\t\t\t\t\t$ctrl.fuOnUploadComplete()();\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\tfunction uploadFile (file) {\n\n\t\t\t// Update status for uploading\n\t\t\tangular.extend(file, {\n\t\t\t\tstatus: FILE_UPLOAD_STATUSES.uploading,\n\t\t\t\terrorMessage: ''\n\t\t\t});\n\n\t\t\t// Update uploader status\n\t\t\tsetUploaderStatus();\n\n\t\t\t// The file item is used for the upload. Find it, upload it.\n\t\t\tconst fileItem = getFileItem(file.id);\n\t\t\t$ctrl.uploader.uploadItem(fileItem);\n\t\t}\n\n\t\tangular.extend($ctrl, {\n\n\t\t\tFILE_UPLOAD_STATUSES,\n\t\t\tUPLOADER_STATUSES,\n\n\t\t\tgetUploadedCount,\n\t\t\tonCancelClick,\n\t\t\tonDeleteClick,\n\t\t\tonRetryClick,\n\n\t\t\t// Required for uploader above, not template\n\t\t\taddFileForFileItem,\n\t\t\tdeleteFile,\n\t\t\tremoveFile,\n\t\t\tsetUploaderStatus,\n\t\t\tuploadFile\n\t\t});\n\t}\n]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('fileUploaderQueued', {\n\tbindings: {\n\t\tfuAllowedFileTypes: '@?',\n\t\tfuAllowedFileTypesKey: '@?',\n\t\tfuMaxFileSize: '<',\n\t\tfuMessage: '@?',\n\t\tfuOnQueueUpdate: '&?',\n\t\tfuQueue: '='\n\t},\n\tcontroller: 'fileUploaderQueuedCtrl',\n\ttemplateUrl: 'components/file-uploader/file-uploader-queued.component.html'\n})\n.controller('fileUploaderQueuedCtrl', [\n\t'$rootScope',\n\t'$timeout',\n\t'dataTransfer',\n\t'fileUploadService',\n\t'utilities',\n\tfunction (\n\t\t$rootScope,\n\t\t$timeout,\n\t\tdataTransfer,\n\t\tfileUploadService,\n\t\tutilities\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst COMPONENT_STATES = {\n\t\tinvalidFileSize: 'invalid-file-size',\n\t\tupload: 'upload',\n\t\tuploaded: 'uploaded',\n\t\tuploadError: 'upload-error',\n\t\tuploading: 'uploading'\n\t};\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tfiles: [],\n\t\t\tfuAllowedFileTypes: fileUploadService.getAllowedFileTypesForUpload($ctrl.fuAllowedFileTypes, $ctrl.fuAllowedFileTypesKey),\n\t\t\tfuMaxFileSize: $ctrl.fuMaxFileSize || 750000, // bytes 1000 bytes = 1kB, 1000kB = 1mB\n\t\t\tfuMessage: $ctrl.fuMessage || 'Choose file'\n\t\t});\n\n\t\t// If max file size provided, make sure it's a number\n\t\tif (isNaN($ctrl.fuMaxFileSize)) {\n\t\t\t$rootScope.paycircleMessage(' maximum file size is not a number', 'warn');\n\t\t\treturn;\n\t\t}\n\n\t\tconst uploader = dataTransfer.getNewFileUploader({\n\n\t\t\tonAfterAddingFile: fileItem => {\n\n\t\t\t\t// Validate file size\n\t\t\t\tif ($ctrl.fuMaxFileSize && fileItem.file.size > $ctrl.fuMaxFileSize) {\n\t\t\t\t\tsetComponentState(COMPONENT_STATES.invalidFileSize);\n\t\t\t\t\tfileItem.remove();\n\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\tsetComponentState(COMPONENT_STATES.upload);\n\t\t\t\t\t}, 2000);\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// Decorate for file-card\n\t\t\t\tangular.extend(fileItem, {\n\t\t\t\t\tDocumentName: fileItem.file.name,\n\t\t\t\t\tDocumentSize: fileItem.file.size,\n\t\t\t\t\tMIMEFormat: utilities.getMimeFormatFromDocumentName(fileItem.file.name),\n\t\t\t\t});\n\n\t\t\t\t// Call parent decorator\n\t\t\t\tif (angular.isDefined($ctrl.fuOnQueueUpdate) && angular.isFunction($ctrl.fuOnQueueUpdate)) {\n\t\t\t\t\t$ctrl.fuOnQueueUpdate();\n\t\t\t\t}\n\t\t\t}\n\t\t});\n\n\t\tangular.extend($ctrl, {\n\t\t\tfuQueue: uploader.queue,\n\t\t\tuploader: uploader\n\t\t});\n\n\t\tsetComponentState(COMPONENT_STATES.upload);\n\t}\n\n\tfunction getComponentClass (componentState) {\n\n\t\tswitch (componentState) {\n\t\t\tcase COMPONENT_STATES.upload:\n\t\t\t\treturn 'has-background is-primary';\n\n\t\t\tcase COMPONENT_STATES.uploading:\n\t\t\t\treturn '';\n\n\t\t\tcase COMPONENT_STATES.uploaded:\n\t\t\t\treturn 'has-background is-positive';\n\n\t\t\tcase COMPONENT_STATES.invalidFileSize:\n\t\t\tcase COMPONENT_STATES.uploadError:\n\t\t\t\treturn 'has-background is-assertive';\n\t\t}\n\t}\n\n\tfunction setComponentState (componentState) {\n\t\t$ctrl.componentState = componentState;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tCOMPONENT_STATES,\n\n\t\tgetComponentClass,\n\t\tsetComponentState\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('fullScreenModal', {\n\tbindings: {\n\t\tmodalOptions: '=',\n\t},\n\tcontroller: 'fullScreenModalCtrl',\n\ttemplateUrl: 'components/full-screen-modal/full-screen-modal.component.html',\n})\n.controller('fullScreenModalCtrl', [\n\t'FULL_SCREEN_MODAL_KEYS',\n\t'FULL_SCREEN_MODAL_OPTIONS',\n\tfunction (\n\t\tFULL_SCREEN_MODAL_KEYS,\n\t\tFULL_SCREEN_MODAL_OPTIONS\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tif ($ctrl.modalOptions.modalKey) {\n\t\t\t$ctrl.modalOptions = angular.extend($ctrl.modalOptions, FULL_SCREEN_MODAL_OPTIONS[$ctrl.modalOptions.modalKey]);\n\t\t}\n\n\t\t$ctrl.modalOptions.closeModal = closeModal;\n\t}\n\n\tfunction closeModal () {\n\n\t\tif (angular.isFunction($ctrl.modalOptions.onClose)) {\n\t\t\t$ctrl.modalOptions.onClose($ctrl.modalOptions.returnObject);\n\t\t}\n\n\t\t$ctrl.modalOptions.previewIsOpen = false;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tcloseModal,\n\n\t\tFULL_SCREEN_MODAL_KEYS\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('furloughPartTimeFormField', {\n\tbindings: {\n\t\tindex: '=',\n\t\tisPaid: '',\n\t\tpayPeriodDetail: '<'\n\t},\n\tcontroller: 'furloughPartTimeFormFieldCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/furlough-part-time-form-field/furlough-part-time-form-field.component.html'\n})\n\n.controller('furloughPartTimeFormFieldCtrl', [function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\t\t$ctrl.isPaid = angular.isDefined($ctrl.isPaid) ? $ctrl.isPaid : false;\n\t};\n\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('genderPayGapReportCard', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tindex: '<',\n\t\tgenderPayGapReport: '<',\n\t\tonUpdate: '&'\n\t},\n\tcontroller: 'genderPayGapReportCardCtrl',\n\ttemplateUrl: 'components/gender-pay-gap-report-card/gender-pay-gap-report-card.component.html'\n})\n.controller('genderPayGapReportCardCtrl', [\n\t'$rootScope',\n\t'reportsService',\n\tfunction (\n\t\t$rootScope,\n\t\treportsService\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction openDeleteGenderPayGapReportForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tformKey: 'company-settings-gender-pay-gap-delete',\n\t\t\treport: $ctrl.genderPayGapReport\n\t\t});\n\t}\n\n\tfunction openGenderPayGapWizard () {\n\n\t\treportsService.openGenderPayGapReportCreator(\n\t\t\t{\n\t\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\t\tcallback: $ctrl.onUpdate\n\t\t\t},\n\t\t\t$ctrl.genderPayGapReport\n\t\t);\n\t}\n\n\tangular.extend($ctrl, {\n\t\topenDeleteGenderPayGapReportForm,\n\t\topenGenderPayGapWizard\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('genderPayGapReportCreator', {\n\tbindings: {\n\t\treportOptions: '=',\n\t},\n\tcontroller: 'genderPayGapReportCreatorCtrl',\n\ttemplateUrl: 'components/gender-pay-gap-report-creator/gender-pay-gap-report-creator.component.html',\n})\n.controller('genderPayGapReportCreatorCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'bulkService',\n\t'config',\n\t'filterService',\n\t'growl',\n\t'reportData',\n\t'searchService',\n\t'utilities',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\tbulkService,\n\t\tconfig,\n\t\tfilterService,\n\t\tgrowl,\n\t\treportData,\n\t\tsearchService,\n\t\tutilities\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst ADD_TEAM_MEMBER_STATES = {\n\t\tactive: 'active',\n\t\tinactive: 'inactive',\n\t\tloading: 'loading',\n\t};\n\n\tconst COMPONENT_STATES = {\n\t\terror: 'error',\n\t\tcalculating: 'calculating',\n\t\tloading: 'loading',\n\t\tready: 'ready'\n\t};\n\n\tconst FORM_STATES = {\n\t\tsaving: 'saving',\n\t\tactive: null\n\t};\n\n\tconst WIZARD_STEPS = {\n\t\tcombineReports: 'combine-reports',\n\t\texcludeTeamMembers: 'exclude-team-members',\n\t\tnoPayElements: 'no-pay-elements',\n\t\tnoTeamMembers: 'no-team-members',\n\t\tpayAndHours: 'pay-and-hours',\n\t\tpayElements: 'pay-elements',\n\t\tsettings: 'settings',\n\t\tviewReport: 'view-report'\n\t};\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tisBulkReport: !$rootScope.currentCompany.isPayrollCompany,\n\t\t\tisNewReport: !$ctrl.reportOptions.report\n\t\t});\n\n\t\t// If we are editing an existing report\n\t\tif (!$ctrl.isNewReport) {\n\t\t\tsetupExistingReportWizard();\n\t\t}\n\t\telse {\n\t\t\tsetupNewReportWizard();\n\t\t}\n\t}\n\n\tfunction getDecoratedTeam (teamMembersArr) {\n\n\t\tfor (let teamMemberObj of teamMembersArr) {\n\n\t\t\tconst nameSplitArr = teamMemberObj.Name.split(' ');\n\n\t\t\tteamMemberObj.forenameSearch = nameSplitArr.shift();\n\t\t\tteamMemberObj.surnameSearch = nameSplitArr.join(' ');\n\t\t}\n\n\t\treturn teamMembersArr;\n\t}\n\n\tfunction getDecoratedReports (reportsArr) {\n\n\t\tfor (let reportObj of reportsArr) {\n\t\t\treportObj.isIncluded = ($ctrl.report.GenderPayGapReportIDs || []).includes(reportObj.GenderPayGapReportID);\n\t\t}\n\n\t\treturn reportsArr;\n\t}\n\n\tfunction getGPGPayElementSettings () {\n\t\treturn $q((resolve, reject) => {\n\n\t\t\t// Return saved data if it exists\n\t\t\tif ($ctrl.payElements) {\n\t\t\t\tresolve($ctrl.payElements);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Show loading state if report is complete\n\t\t\tif ($ctrl.report.GenderPayGapReportCreationComplete) {\n\t\t\t\tsetComponentState(COMPONENT_STATES.loading);\n\t\t\t}\n\n\t\t\treportData.getGenderPayGapPayElementSettings($ctrl.reportOptions.agencyProfileId, $ctrl.report.GenderPayGapReportID)\n\t\t\t\t.then(payElementsArr => {\n\n\t\t\t\t\t$ctrl.payElements = payElementsArr;\n\n\t\t\t\t\tresolve($ctrl.payElements);\n\t\t\t\t})\n\t\t\t\t.catch(reject);\n\t\t});\n\t}\n\n\tfunction getGPGReports () {\n\n\t\treturn $q((resolve, reject) => {\n\n\t\t\t// Return saved data if it exists\n\t\t\tif ($ctrl.genderPayGapReports) {\n\t\t\t\tresolve();\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Show loading state if report is complete\n\t\t\tif ($ctrl.report.GenderPayGapReportCreationComplete) {\n\t\t\t\tsetComponentState(COMPONENT_STATES.loading);\n\t\t\t}\n\n\t\t\t// We need to update the report object with the latest values\n\t\t\treportData.getGenderPayGapReport($ctrl.reportOptions.agencyProfileId, $ctrl.report.GenderPayGapReportID)\n\t\t\t\t.then(reportData => {\n\n\t\t\t\t\t// Set report data\n\t\t\t\t\t$ctrl.report = reportData;\n\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\n\t\t\treportData.getGenderPayGapReportsForAgencyParent($ctrl.reportOptions.agencyProfileId, $ctrl.report.GenderPayGapReportSnapshotDateISO)\n\t\t\t\t.then(reportsArr => {\n\n\t\t\t\t\t$ctrl.genderPayGapReports = bulkService.getBulkItemsObj(getDecoratedReports(reportsArr));\n\n\t\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\n\t\t\t\t\tresolve();\n\t\t\t\t})\n\t\t\t\t.catch(reject);\n\t\t});\n\t}\n\n\tfunction getGPGUsers () {\n\n\t\treturn $q((resolve, reject) => {\n\n\t\t\t// Return saved data if it exists\n\t\t\tif ($ctrl.team) {\n\t\t\t\tresolve($ctrl.team);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Show loading state if report is complete\n\t\t\tif ($ctrl.report.GenderPayGapReportCreationComplete) {\n\t\t\t\tsetComponentState(COMPONENT_STATES.loading);\n\t\t\t}\n\n\t\t\treportData.getGenderPayGapUsers($ctrl.reportOptions.agencyProfileId, $ctrl.report.GenderPayGapReportID)\n\t\t\t\t.then(teamMembersArr => {\n\n\t\t\t\t\t$ctrl.team = getDecoratedTeam(teamMembersArr);\n\n\t\t\t\t\tresolve(teamMembersArr);\n\t\t\t\t})\n\t\t\t\t.catch(reject);\n\t\t});\n\t}\n\n\tfunction getIncludedGenderPayGapReportIDs () {\n\n\t\tif ($ctrl.genderPayGapReports && $ctrl.genderPayGapReports.all)\n\t\t{\n\t\t\treturn $ctrl.genderPayGapReports.all.filter(reportObj => reportObj.isIncluded).map(reportObj => reportObj.GenderPayGapReportID);\n\t\t}\n\n\t\treturn [];\n\t}\n\n\tfunction getIsSaveActionsDisabled () {\n\n\t\t// Disabled when excluding a team member\n\t\tif ($ctrl.addTeamMemberState === ADD_TEAM_MEMBER_STATES.active) {\n\t\t\treturn true;\n\t\t}\n\n\t\t// Disabled when a team member is being edited\n\t\tif ($ctrl.team && $ctrl.team.some(teamMemberObj => teamMemberObj.isEditing)) {\n\t\t\treturn true;\n\t\t}\n\n\t\tconst hasNoIncludedReports = $ctrl.genderPayGapReports && $ctrl.genderPayGapReports.all && $ctrl.genderPayGapReports.all.every(reportObj => !reportObj.isIncluded);\n\n\t\t// Disabled when no reports are selected for combination but only when we're on the combineReports step\n\t\tif ($ctrl.wizardStep === $ctrl.WIZARD_STEPS.combineReports && hasNoIncludedReports) {\n\t\t\treturn true;\n\t\t}\n\n\t\t// Disabled when form is missing information\n\t\treturn [\n\t\t\t$ctrl.WIZARD_STEPS.noTeamMembers,\n\t\t\t$ctrl.WIZARD_STEPS.noPayElements\n\t\t].includes($ctrl.wizardStep);\n\t}\n\n\tfunction getUpdatedItemsFromList (itemsArr) {\n\t\treturn itemsArr.filter(itemObj => itemObj.hasUpdated);\n\t}\n\n\tfunction initStepCombineReports () {\n\n\t\tsetFormState(FORM_STATES.saving);\n\n\t\tgetGPGReports()\n\t\t\t.then(() => {\n\n\t\t\t\tsetWizardStep(WIZARD_STEPS.combineReports);\n\n\t\t\t\tsetFormState(FORM_STATES.active);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction initStepExcludeTeamMembers () {\n\n\t\tsetFormState(FORM_STATES.saving);\n\t\tsetComponentState(COMPONENT_STATES.calculating);\n\n\t\tgetGPGUsers()\n\t\t\t.then(teamMembersArr => {\n\n\t\t\t\tif (teamMembersArr.length === 0) {\n\t\t\t\t\tsetWizardStep(WIZARD_STEPS.noTeamMembers);\n\t\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tsetAddTeamMemberState(ADD_TEAM_MEMBER_STATES.inactive);\n\n\t\t\t\tsetWizardStep(WIZARD_STEPS.excludeTeamMembers);\n\n\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\t\tsetFormState(FORM_STATES.active);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction initStepPayElements () {\n\n\t\tsetFormState(FORM_STATES.saving);\n\t\tsetComponentState(COMPONENT_STATES.loading);\n\n\t\tgetGPGPayElementSettings()\n\t\t\t.then(payElementsArr => {\n\n\t\t\t\tif (payElementsArr.length === 0) {\n\t\t\t\t\tsetWizardStep(WIZARD_STEPS.noPayElements);\n\t\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tsetWizardStep(WIZARD_STEPS.payElements);\n\n\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\t\tsetFormState(FORM_STATES.active);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction initStepPayAndHours () {\n\n\t\tsetFormState(FORM_STATES.saving);\n\t\tsetComponentState(COMPONENT_STATES.loading);\n\n\t\tgetGPGUsers()\n\t\t\t.then(() => {\n\n\t\t\t\tsetWizardStep(WIZARD_STEPS.payAndHours);\n\n\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\t\tsetFormState(FORM_STATES.active);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction initStepSettings () {\n\n\t\tfunction openPage () {\n\n\t\t\tsetWizardStep(WIZARD_STEPS.settings);\n\n\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t}\n\n\t\tsetComponentState(COMPONENT_STATES.loading);\n\n\t\t// Reteieve whole report object if editing a newly created report\n\t\tif ($ctrl.isNewReport && $ctrl.report.GenderPayGapReportID) {\n\t\t\treportData.getGenderPayGapReport($ctrl.reportOptions.agencyProfileId, $ctrl.report.GenderPayGapReportID)\n\t\t\t\t.then(reportData => {\n\n\t\t\t\t\t// Set report data\n\t\t\t\t\t$ctrl.report = reportData;\n\n\t\t\t\t\t// Set to existing report\n\t\t\t\t\t$ctrl.isNewReport = false;\n\n\t\t\t\t\topenPage();\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\t\t\treturn;\n\t\t}\n\n\t\topenPage();\n\t}\n\n\tfunction initStepViewReport () {\n\n\t\tsetComponentState(COMPONENT_STATES.calculating);\n\n\t\tconst getGenderPayGapAnalytics = $ctrl.isBulkReport ? reportData.getGenderPayGapAnalyticsForReportParent : reportData.getGenderPayGapAnalytics;\n\n\t\tgetGenderPayGapAnalytics($ctrl.reportOptions.agencyProfileId, $ctrl.report.GenderPayGapReportID)\n\t\t\t.then(reportData => {\n\n\t\t\t\t// Decorate team members\n\t\t\t\treportData.Users = getDecoratedTeam(reportData.Users);\n\n\t\t\t\t// Set report data\n\t\t\t\tangular.extend($ctrl.report, reportData);\n\n\t\t\t\tsetWizardStep(WIZARD_STEPS.viewReport);\n\n\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onStepSubmitCombineReports () {\n\n\t\tsetFormState(FORM_STATES.saving);\n\n\t\t// We need to update GenderPayGapReportIDs with the selected reports\n\t\tangular.extend($ctrl.report, {\n\t\t\tGenderPayGapReportCreationComplete: true,\n\t\t\tGenderPayGapReportIDs: getIncludedGenderPayGapReportIDs()\n\t\t});\n\n\t\treportData.updateGenderPayGapReport($ctrl.reportOptions.agencyProfileId, $ctrl.report)\n\t\t\t.then(() => {\n\n\t\t\t\t// Go to next step\n\t\t\t\tinitStepViewReport();\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onStepSubmitExcludeTeamMembers () {\n\n\t\tfunction onSubmit () {\n\n\t\t\t// Go to next step\n\t\t\tinitStepPayAndHours();\n\t\t}\n\n\t\tsetFormState(FORM_STATES.saving);\n\n\t\tconst updatedTeamMembersArr = getUpdatedItemsFromList($ctrl.team);\n\n\t\tif (updatedTeamMembersArr.length === 0) {\n\t\t\tonSubmit();\n\t\t\treturn;\n\t\t}\n\n\t\treportData.updateGenderPayGapUsers($ctrl.reportOptions.agencyProfileId, $ctrl.report.GenderPayGapReportID, updatedTeamMembersArr)\n\t\t\t.then(() => {\n\n\t\t\t\tresetUpdatedItems(updatedTeamMembersArr);\n\n\t\t\t\tonSubmit();\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onStepSubmitPayAndHours () {\n\n\t\tfunction onSubmit () {\n\n\t\t\t// Set report as complete\n\t\t\t$ctrl.report.GenderPayGapReportCreationComplete = true;\n\n\t\t\t// Go to next step\n\t\t\tinitStepViewReport();\n\t\t}\n\n\t\tsetFormState(FORM_STATES.saving);\n\n\t\tconst updatedTeamMembersArr = getUpdatedItemsFromList($ctrl.team);\n\n\t\treportData.updateGenderPayGapReportCreationComplete($ctrl.reportOptions.agencyProfileId, $ctrl.report.GenderPayGapReportID, true)\n\t\t\t.then($ctrl.reportOptions.callback)\n\t\t\t.catch(onError);\n\n\t\tif (updatedTeamMembersArr.length > 0) {\n\n\t\t\treportData.updateGenderPayGapUsers($ctrl.reportOptions.agencyProfileId, $ctrl.report.GenderPayGapReportID, updatedTeamMembersArr)\n\t\t\t\t.then(onSubmit)\n\t\t\t\t.catch(onError);\n\t\t\treturn;\n\t\t}\n\n\t\tonSubmit();\n\t}\n\n\tfunction onStepSubmitPayElements () {\n\n\t\tfunction onSubmit () {\n\n\t\t\t// Go to next step\n\t\t\tinitStepExcludeTeamMembers();\n\t\t}\n\n\t\tsetFormState(FORM_STATES.saving);\n\n\t\tconst updatedPayElementsArr = getUpdatedItemsFromList($ctrl.payElements);\n\n\t\tif (updatedPayElementsArr.length === 0) {\n\t\t\tonSubmit();\n\t\t\treturn;\n\t\t}\n\n\t\tsetComponentState(COMPONENT_STATES.calculating);\n\n\t\treportData.updateGenderPayGapPayElementSettings($ctrl.reportOptions.agencyProfileId, $ctrl.report.GenderPayGapReportID, updatedPayElementsArr)\n\t\t\t.then(() => {\n\n\t\t\t\tresetUpdatedItems(updatedPayElementsArr);\n\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\t\tonSubmit();\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onStepSubmitSettings () {\n\n\t\tfunction onSubmit () {\n\n\t\t\t// Go to next step\n\t\t\tif ($ctrl.isBulkReport) {\n\t\t\t\tinitStepCombineReports();\n\t\t\t}\n\t\t\telse {\n\t\t\t\tinitStepPayElements();\n\t\t\t}\n\t\t}\n\n\t\tsetFormState(FORM_STATES.saving);\n\n\t\tif ($ctrl.report.GenderPayGapReportID) {\n\n\t\t\t// If no changes, go to next step\n\t\t\tif ($ctrl.genderPayGapReportForm.settingsReportName.$pristine && $ctrl.genderPayGapReportForm.settingsSnapshotDate.$pristine) {\n\t\t\t\tonSubmit();\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// If the snapshot date has changed, reset the reports as we want to fetch new ones using the new snapshot date\n\t\t\tif ($ctrl.genderPayGapReportForm.settingsSnapshotDate.$dirty) {\n\t\t\t\t$ctrl.genderPayGapReports = null;\n\t\t\t}\n\n\t\t\treportData.updateGenderPayGapReport($ctrl.reportOptions.agencyProfileId, $ctrl.report)\n\t\t\t\t.then(() => {\n\n\t\t\t\t\t// Reset saved pay elements\n\t\t\t\t\t$ctrl.payElements = null;\n\n\t\t\t\t\tonSubmit();\n\t\t\t\t})\n\t\t\t\t.then($ctrl.reportOptions.callback)\n\t\t\t\t.catch(onError);\n\t\t}\n\t\telse {\n\t\t\treportData.createGenderPayGapReport($ctrl.reportOptions.agencyProfileId, $ctrl.report.GenderPayGapReportName, $ctrl.report.GenderPayGapReportSnapshotDateISO)\n\t\t\t\t.then(reportId => {\n\n\t\t\t\t\t// Service might change in the future to return an object, this is to handle both cases\n\t\t\t\t\tif (angular.isObject(reportId)) {\n\t\t\t\t\t\t$ctrl.report = reportId;\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\n\t\t\t\t\t\t// Set report ID\n\t\t\t\t\t\t$ctrl.report.GenderPayGapReportID = reportId;\n\t\t\t\t\t}\n\n\t\t\t\t\tonSubmit();\n\t\t\t\t})\n\t\t\t\t.then($ctrl.reportOptions.callback)\n\t\t\t\t.catch(onError);\n\t\t}\n\t}\n\n\tfunction onAddTeamMemberClick () {\n\t\tsetAddTeamMemberState(ADD_TEAM_MEMBER_STATES.active);\n\t}\n\n\tfunction onBackClick () {\n\n\t\tconst stepInitFunctions = {\n\t\t\t[WIZARD_STEPS.payElements]: initStepSettings,\n\t\t\t[WIZARD_STEPS.combineReports]: initStepSettings,\n\t\t\t[WIZARD_STEPS.noPayElements]: initStepSettings,\n\t\t\t[WIZARD_STEPS.excludeTeamMembers]: initStepPayElements,\n\t\t\t[WIZARD_STEPS.payAndHours]: initStepExcludeTeamMembers,\n\t\t\t[WIZARD_STEPS.viewReport]: $ctrl.isBulkReport ? initStepCombineReports : initStepPayAndHours\n\t\t};\n\n\t\tconst stepInitFunction = stepInitFunctions[$ctrl.wizardStep];\n\n\t\tresetShowMore();\n\n\t\tif (stepInitFunction) {\n\t\t\tstepInitFunction();\n\t\t}\n\t}\n\n\tfunction onClose () {\n\n\t\t$ctrl.reportOptions.closeModal();\n\t\t$ctrl.reportOptions.callback();\n\t}\n\n\tfunction onError (error) {\n\t\tsetComponentState(COMPONENT_STATES.error);\n\t\t$ctrl.reportOptions.showClose = true;\n\t\tthrow new Error(error);\n\t}\n\n\tfunction onFormSubmit () {\n\n\t\tsetFormState(FORM_STATES.saving);\n\n\t\tconst stepSubmitFunctions = {\n\t\t\t[WIZARD_STEPS.settings]: onStepSubmitSettings,\n\t\t\t[WIZARD_STEPS.payElements]: onStepSubmitPayElements,\n\t\t\t[WIZARD_STEPS.combineReports]: onStepSubmitCombineReports,\n\t\t\t[WIZARD_STEPS.excludeTeamMembers]: onStepSubmitExcludeTeamMembers,\n\t\t\t[WIZARD_STEPS.payAndHours]: onStepSubmitPayAndHours\n\t\t};\n\n\t\tresetShowMore();\n\n\t\tstepSubmitFunctions[$ctrl.wizardStep]();\n\t}\n\n\tfunction onNewTeamMemberSave () {\n\n\t\tsetAddTeamMemberState(ADD_TEAM_MEMBER_STATES.inactive);\n\n\t\tgrowl.success('Excluded team member added');\n\t}\n\n\tfunction resetUpdatedItems (itemsArr) {\n\t\titemsArr.forEach(itemObj => {\n\t\t\titemObj.hasUpdated = false;\n\t\t});\n\t}\n\n\tfunction setAddTeamMemberState (newState) {\n\t\t$ctrl.addTeamMemberState = newState;\n\t}\n\n\tfunction setComponentState (newState) {\n\t\t$ctrl.componentState = newState;\n\t}\n\n\tfunction setFormState (newState) {\n\n\t\tif ($ctrl.genderPayGapReportForm) {\n\t\t\t$ctrl.genderPayGapReportForm.state = newState;\n\t\t}\n\t}\n\n\tfunction setupExistingReportWizard () {\n\n\t\t$ctrl.report = angular.copy($ctrl.reportOptions.report);\n\n\t\tif ($ctrl.report.GenderPayGapReportCreationComplete) {\n\t\t\tinitStepViewReport();\n\t\t\treturn;\n\t\t}\n\n\t\t// Load first step\n\t\tinitStepSettings();\n\t}\n\n\tfunction setupNewReportWizard () {\n\n\t\t$ctrl.report = {\n\t\t\tGenderPayGapReportName: '',\n\t\t\tGenderPayGapReportSnapshotDateISO: '',\n\t\t\tAgencyProfileID: $ctrl.reportOptions.agencyProfileId\n\t\t};\n\n\t\t// Will be removed in future story\n\t\tif (utilities.isEnvironmentLocalhost) {\n\t\t\t$ctrl.report.GenderPayGapReportName = 'Test report name';\n\t\t\t$ctrl.report.GenderPayGapReportSnapshotDateISO = moment().format(config.dateFormatISO);\n\t\t}\n\n\t\tinitStepSettings();\n\t}\n\n\tfunction setWizardStep (newStep) {\n\n\t\tfunction getActiveStepNumberFromWizardStep (newStep) {\n\n\t\t\tswitch (newStep) {\n\t\t\t\tcase WIZARD_STEPS.settings:\n\t\t\t\t\treturn 1;\n\n\t\t\t\tcase WIZARD_STEPS.payElements:\n\t\t\t\tcase WIZARD_STEPS.noPayElements:\n\t\t\t\tcase WIZARD_STEPS.combineReports:\n\t\t\t\t\treturn 2;\n\n\t\t\t\tcase WIZARD_STEPS.excludeTeamMembers:\n\t\t\t\tcase WIZARD_STEPS.noTeamMembers:\n\t\t\t\t\treturn 3;\n\n\t\t\t\tcase WIZARD_STEPS.payAndHours:\n\t\t\t\t\treturn 4;\n\n\t\t\t\tcase WIZARD_STEPS.viewReport:\n\n\t\t\t\t\tif ($ctrl.isBulkReport) {\n\t\t\t\t\t\treturn 3;\n\t\t\t\t\t}\n\n\t\t\t\t\treturn 5;\n\t\t\t}\n\t\t}\n\n\t\t$ctrl.wizardStep = newStep;\n\n\t\t// For modal progress bar\n\t\t$ctrl.reportOptions.steps.activeStep = getActiveStepNumberFromWizardStep(newStep);\n\t}\n\n\tfunction toggleShowMore () {\n\t\t$ctrl.showMore = !$ctrl.showMore;\n\t}\n\n\tfunction resetShowMore () {\n\n\t\tif ($ctrl.showMore) {\n\t\t\t$ctrl.showMore = false;\n\t\t}\n\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tADD_TEAM_MEMBER_STATES,\n\t\tCOMPONENT_STATES,\n\t\tWIZARD_STEPS,\n\n\t\tonAddTeamMemberClick,\n\t\tonBackClick,\n\t\tonClose,\n\t\tonFormSubmit,\n\t\tonNewTeamMemberSave,\n\t\tsetAddTeamMemberState,\n\t\ttoggleShowMore,\n\n\t\texcludedTeamMembers: [],\n\t\tisSaveActionsDisabled: getIsSaveActionsDisabled,\n\t\tfilterBarOptions: {\n\t\t\tteamOverrides: filterService.genderPayGapOverrides\n\t\t},\n\t\tsearchBarOptions: {\n\t\t\tpayElements: searchService.payElementsBIK,\n\t\t\tteamPayAndHours: searchService.teamReport,\n\t\t\tteamExcludedTeamMembers: searchService.teamReport,\n\t\t\tcompanies: searchService.companiesReport\n\t\t},\n\t\tshowMore: false,\n\t});\n}])\n.filter('genderPayGapIncludedUsersOnly', [\n\t'GENDER_PAY_GAP_EXCLUSION_REASONS',\n\tfunction (\n\t\tGENDER_PAY_GAP_EXCLUSION_REASONS\n\t) {\n\n\treturn function (teamMembersArr) {\n\t\treturn teamMembersArr.filter(teamMemberObj => teamMemberObj.ExclusionType === GENDER_PAY_GAP_EXCLUSION_REASONS.none);\n\t};\n\n}])\n.filter('genderPayGapExcludedUsersForStep3', [\n\t'GENDER_PAY_GAP_EXCLUSION_REASONS',\n\tfunction (\n\t\tGENDER_PAY_GAP_EXCLUSION_REASONS\n\t) {\n\n\treturn function (teamMembersArr) {\n\n\t\tfunction showExcluded (teamMemberObj) {\n\n\t\t\treturn teamMemberObj.ExclusionType !== GENDER_PAY_GAP_EXCLUSION_REASONS.none;\n\t\t}\n\n\t\tif (!teamMembersArr) {\n\t\t\treturn [];\n\t\t}\n\n\t\t// Only show users that have been excluded\n\t\treturn teamMembersArr.filter(showExcluded);\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\t.component('genderPayGapReportCombineReports', {\n\t\tbindings: {\n\t\t\tindex: '<',\n\t\t\treport: '<',\n\t\t},\n\t\tcontroller: 'genderPayGapReportCombineReportsCtrl',\n\t\ttemplateUrl: 'components/gender-pay-gap-report-combine-reports/gender-pay-gap-report-combine-reports.component.html'\n\t})\n\t.controller('genderPayGapReportCombineReportsCtrl', [\n\t\tfunction() {\n\n\t\t\tconst $ctrl = this;\n\n\t\t\tfunction $onInit () {\n\n\t\t\t}\n\n\t\t\tfunction onSubmit () {\n\n\t\t\t}\n\n\t\t\tangular.extend($ctrl, {\n\t\t\t\t$onInit,\n\t\t\t\tonSubmit,\n\t\t\t});\n\t\t}]);\n\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('genderPayGapReportPayElement', {\n\tbindings: {\n\t\tindex: '<',\n\t\tpayElement: '<'\n\t},\n\tcontroller: 'genderPayGapReportPayElementCtrl',\n\ttemplateUrl: 'components/gender-pay-gap-report-pay-element/gender-pay-gap-report-pay-element.component.html',\n})\n.controller('genderPayGapReportPayElementCtrl', function () {\n\n\tconst $ctrl = this;\n\n\tfunction onToggleChange () {\n\t\t$ctrl.payElement.hasUpdated = true;\n\t}\n\n\tangular.extend($ctrl, {\n\t\tonToggleChange\n\t});\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('genderPayGapReportTeamMemberOverride', {\n\tbindings: {\n\t\tcanUpdate: '',\n\t\tindex: '<',\n\t\tteamMember: '<',\n\t},\n\tcontroller: 'genderPayGapReportTeamMemberOverrideCtrl',\n\ttemplateUrl: 'components/gender-pay-gap-report-team-member-override/gender-pay-gap-report-team-member-override.component.html',\n})\n.controller('genderPayGapReportTeamMemberOverrideCtrl', [\n\t'GENDER_PAY_GAP_EMPLOYEE_TYPE_OPTIONS',\n\tfunction(\n\t\tGENDER_PAY_GAP_EMPLOYEE_TYPE_OPTIONS\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tsetIsEditing(false);\n\n\t\tangular.extend($ctrl, {\n\t\t\tcanUpdate: angular.isDefined($ctrl.canUpdate) ? $ctrl.canUpdate : true,\n\t\t});\n\t}\n\n\tfunction onCancelClick () {\n\n\t\t// Reset values\n\t\tif ($ctrl.editBackup) {\n\t\t\tangular.extend($ctrl.teamMember, {\n\t\t\t\tCategory: $ctrl.editBackup.Category,\n\t\t\t\tOrdinaryPaySnapshot: $ctrl.editBackup.OrdinaryPaySnapshot,\n\t\t\t\tBonusPaySnapshot: $ctrl.editBackup.BonusPaySnapshot,\n\t\t\t\tBonusPayAnnual: $ctrl.editBackup.BonusPayAnnual,\n\t\t\t\tWeeklyWorkingHours: $ctrl.editBackup.WeeklyWorkingHours\n\t\t\t});\n\t\t}\n\n\t\t$ctrl.editBackup = null;\n\n\t\tsetIsEditing(false);\n\t}\n\n\tfunction onEditClick () {\n\n\t\t$ctrl.editBackup = angular.copy($ctrl.teamMember);\n\n\t\tsetIsEditing(true);\n\t}\n\n\tfunction onSubmit () {\n\n\t\t// Mark team member as updated\n\t\t$ctrl.teamMember.hasUpdated = true;\n\n\t\tsetIsEditing(false);\n\t}\n\n\tfunction setIsEditing (state) {\n\t\t$ctrl.teamMember.isEditing = state;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tonCancelClick,\n\t\tonEditClick,\n\t\tonSubmit,\n\n\t\tGENDER_PAY_GAP_EMPLOYEE_TYPE_OPTIONS\n\t});\n}])\n.filter('genderPayGapEmployeeTypeLabel', [\n\t'GENDER_PAY_GAP_EMPLOYEE_TYPE_OPTIONS',\n\tfunction (\n\t\tGENDER_PAY_GAP_EMPLOYEE_TYPE_OPTIONS\n\t) {\n\t\treturn function (value) {\n\n\t\t\tconst reasonObj = GENDER_PAY_GAP_EMPLOYEE_TYPE_OPTIONS.find(reasonObj => reasonObj.value === value);\n\n\t\t\tif (reasonObj) {\n\t\t\t\treturn reasonObj.label;\n\t\t\t}\n\n\t\t\treturn null;\n\t\t};\n\t}\n]);\n\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('genderPayGapReportTeamMember', {\n\tbindings: {\n\t\tindex: '<',\n\t\tonDelete: '&',\n\t\tonSave: '&',\n\t\tteamMember: '=?',\n\t\tteamMembers: ''\n\t},\n\tcontroller: 'genderPayGapReportTeamMemberCtrl',\n\ttemplateUrl: 'components/gender-pay-gap-report-team-member/gender-pay-gap-report-team-member.component.html',\n})\n.controller('genderPayGapReportTeamMemberCtrl', [\n\t'utilities',\n\t'GENDER_PAY_GAP_EXCLUSION_REASON_OPTIONS',\n\t'GENDER_PAY_GAP_EXCLUSION_REASONS',\n\tfunction(\n\t\tutilities,\n\t\tGENDER_PAY_GAP_EXCLUSION_REASON_OPTIONS,\n\t\tGENDER_PAY_GAP_EXCLUSION_REASONS\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst COMPONENT_STATES = {\n\t\tactive: 'active',\n\t\tediting: 'editing'\n\t};\n\n\tfunction $onInit () {\n\n\t\tif (angular.isUndefined($ctrl.teamMember)) {\n\t\t\tsetComponentState(COMPONENT_STATES.editing);\n\t\t\t$ctrl.exclusionType = null;\n\t\t\treturn;\n\t\t}\n\n\t\t$ctrl.includeInReport = $ctrl.teamMember.ExclusionType === GENDER_PAY_GAP_EXCLUSION_REASONS.none;\n\n\t\tsetComponentState(COMPONENT_STATES.active);\n\t}\n\n\tfunction onAddTeamMemberSubmit () {\n\n\t\t$ctrl.teamMember.ExclusionType = $ctrl.exclusionType;\n\n\t\tsetTeamMemberHasUpdated();\n\n\t\t$ctrl.onSave();\n\t}\n\n\tfunction onCancelClick () {\n\t\t$ctrl.onDelete();\n\t}\n\n\tfunction onDeleteTeamMemberClick () {\n\n\t\t$ctrl.teamMember.ExclusionType = GENDER_PAY_GAP_EXCLUSION_REASONS.none;\n\n\t\tsetTeamMemberHasUpdated();\n\t}\n\n\tfunction onIncludeInReportChange () {\n\n\t\tif ($ctrl.includeInReport) {\n\n\t\t\t// Save the original exclusion type\n\t\t\t$ctrl.teamMember.originalExclusionType = $ctrl.teamMember.ExclusionType;\n\n\t\t\t$ctrl.teamMember.ExclusionType = GENDER_PAY_GAP_EXCLUSION_REASONS.none;\n\t\t}\n\t\telse {\n\t\t\t$ctrl.teamMember.ExclusionType = $ctrl.teamMember.originalExclusionType;\n\t\t}\n\n\t\tsetTeamMemberHasUpdated();\n\t}\n\n\n\tfunction onTeamMemberDeselectClick () {\n\n\t\t$ctrl.teamMember = null;\n\n\t\tutilities.focusOn('searchTermTeamMembers-'+ $ctrl.index);\n\t}\n\n\tfunction onTeamMemberClick (teamMemberObj) {\n\n\t\t$ctrl.teamMember = teamMemberObj;\n\n\t\tresetTeamMemberSearchTerm();\n\t}\n\n\tfunction resetTeamMemberSearchTerm () {\n\t\t$ctrl.searchValue = '';\n\t}\n\n\tfunction setComponentState (state) {\n\t\t$ctrl.componentState = state;\n\t}\n\n\tfunction setTeamMemberHasUpdated () {\n\t\t$ctrl.teamMember.hasUpdated = true;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tonAddTeamMemberSubmit,\n\t\tonCancelClick,\n\t\tonIncludeInReportChange,\n\t\tonDeleteTeamMemberClick,\n\t\tonTeamMemberClick,\n\t\tonTeamMemberDeselectClick,\n\t\tresetTeamMemberSearchTerm,\n\n\t\tCOMPONENT_STATES,\n\t\tGENDER_PAY_GAP_EXCLUSION_REASON_OPTIONS,\n\t\tGENDER_PAY_GAP_EXCLUSION_REASONS,\n\t\tSEARCH_TERM_MIN_COUNT: 3,\n\t\tSEARCH_RESULTS_LIMIT: 20,\n\n\t\tsearchValue: null\n\t});\n}])\n.filter('genderPayGapExclusionReasonLabel', [\n\t'GENDER_PAY_GAP_EXCLUSION_REASON_OPTIONS',\n\tfunction (\n\t\tGENDER_PAY_GAP_EXCLUSION_REASON_OPTIONS\n\t) {\n\t\treturn function (value) {\n\n\t\t\tconst reasonObj = GENDER_PAY_GAP_EXCLUSION_REASON_OPTIONS.find(reasonObj => reasonObj.value === value);\n\n\t\t\tif (reasonObj) {\n\t\t\t\treturn reasonObj.label;\n\t\t\t}\n\n\t\t\treturn null;\n\t\t};\n\t}\n])\n.filter('genderPayGapExclusionIncludedUsersForSearch', [\n\t'GENDER_PAY_GAP_EXCLUSION_REASONS',\n\tfunction (\n\t\tGENDER_PAY_GAP_EXCLUSION_REASONS\n\t) {\n\n\treturn function (teamMembersArr) {\n\n\t\tfunction showIncluded (teamMember) {\n\n\t\t\treturn teamMember.ExclusionType === GENDER_PAY_GAP_EXCLUSION_REASONS.none;\n\t\t}\n\n\t\t// Only show users that have been included\n\t\treturn teamMembersArr.filter(showIncluded);\n\t};\n\n}]);\n\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('genderPayGapReportViewer', {\n\tbindings: {\n\t\treport: '<'\n\t},\n\tcontroller: 'genderPayGapReportViewerCtrl',\n\ttemplateUrl: 'components/gender-pay-gap-report-viewer/gender-pay-gap-report-viewer.component.html',\n})\n.controller('genderPayGapReportViewerCtrl', [\n\t'config',\n\t'searchService',\n\t'tabService',\n\t'TAB_KEYS',\n\tfunction (\n\t\tconfig,\n\t\tsearchService,\n\t\ttabService,\n\t\tTAB_KEYS\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst CHART_THEME = {\n\t\tgreen: [\n\t\t\t'#009f78', // GREEN-300\n\t\t\t'#c2ecdb' // GREEN-200\n\t\t],\n\t\tblue: [\n\t\t\t'#00819d', // BLUE-300\n\t\t\t'#bde6f0' // BLUE-200\n\t\t]\n\t};\n\n\tconst TOOLTIP_COMMS_TYPE = {\n\t\thourly: 'hourly',\n\t\tbonus: 'bonus'\n\t};\n\n\tconst DEFAULT_CHART = {\n\t\ttype: 'doughnut',\n\t\tdata: {\n\t\t\tlabels: [\n\t\t\t\t'Female',\n\t\t\t\t'Male'\n\t\t\t],\n\t\t\tdatasets: [\n\t\t\t\t{\n\t\t\t\t\tborderAlign: 'inner',\n\t\t\t\t\tborderJoinStyle: 'miter',\n\t\t\t\t\thoverBorderJoinStyle: 'miter',\n\t\t\t\t\thoverOffset: 5,\n\t\t\t\t\toffset: 0,\n\t\t\t\t\tborderWidth: 0,\n\t\t\t\t\tspacing: 0\n\t\t\t\t}\n\t\t\t]\n\t\t},\n\t\toptions: {\n\t\t\tanimation: {\n\t\t\t\tdelay: 500 // Delay chart load to show animation properly\n\t\t\t},\n\t\t\tcutout: '68%',\n\t\t\tlayout: {\n\t\t\t\tpadding: 5\n\t\t\t},\n\t\t\tplugins: {\n\t\t\t\tlegend: {\n\t\t\t\t\tdisplay: false\n\t\t\t\t},\n\t\t\t\ttooltip: {\n\t\t\t\t\tbodyFont: {\n\t\t\t\t\t\tfamily: config.fontFamilyAlpha\n\t\t\t\t\t},\n\t\t\t\t\tdisplayColors: false\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t};\n\n\tfunction $onInit () {\n\n\t\t$ctrl.charts = [\n\t\t\t{\n\t\t\t\tid: 'gpg-upper-quarter',\n\t\t\t\tdata: getNewChartData($ctrl.report.UpperQuartilePercentageFemale, $ctrl.report.UpperQuartilePercentageMale, CHART_THEME.green)\n\t\t\t},\n\t\t\t{\n\t\t\t\tid: 'gpg-upper-middle-quarter',\n\t\t\t\tdata: getNewChartData($ctrl.report.UpperMiddleQuartilePercentageFemale, $ctrl.report.UpperMiddleQuartilePercentageMale, CHART_THEME.green)\n\t\t\t},\n\t\t\t{\n\t\t\t\tid: 'gpg-lower-middle-quarter',\n\t\t\t\tdata: getNewChartData($ctrl.report.LowerMiddleQuartilePercentageFemale, $ctrl.report.LowerMiddleQuartilePercentageMale, CHART_THEME.green)\n\t\t\t},\n\t\t\t{\n\t\t\t\tid: 'gpg-lower-quarter',\n\t\t\t\tdata: getNewChartData($ctrl.report.LowerQuartilePercentageFemale, $ctrl.report.LowerQuartilePercentageMale, CHART_THEME.green)\n\t\t\t},\n\t\t\t{\n\t\t\t\tid: 'gpg-number-receiving-bonus-pay',\n\t\t\t\tdata: getNewChartData($ctrl.report.BonusPayRecipientsFemaleCount, $ctrl.report.BonusPayRecipientsMaleCount, CHART_THEME.blue)\n\t\t\t},\n\t\t\t{\n\t\t\t\tid: 'gpg-percentage-receiving-bonus-pay',\n\t\t\t\tdata: getNewChartData($ctrl.report.BonusPayRecipientsFemalePercentage, $ctrl.report.BonusPayRecipientsMalePercentage, CHART_THEME.blue)\n\t\t\t}\n\t\t];\n\t}\n\n\tfunction getNewChartData (femaleCount, maleCount, theme) {\n\n\t\tconst newChart = angular.copy(DEFAULT_CHART);\n\n\t\tangular.extend(newChart.data.datasets[0], {\n\t\t\tbackgroundColor: theme,\n\t\t\tborderColor: theme,\n\t\t\tdata: [femaleCount, maleCount]\n\t\t});\n\n\t\treturn newChart;\n\t}\n\n\tfunction getTooltopText (value, commsType) {\n\n\t\tswitch (commsType) {\n\t\t\tcase TOOLTIP_COMMS_TYPE.hourly:\n\t\t\t\tif (value > 0) {\n\t\t\t\t\treturn 'A positive percentage shows that women have lower pay than men in your company';\n\t\t\t\t}\n\t\t\t\telse if (value < 0) {\n\t\t\t\t\treturn 'A negative percentage shows that women have higher pay than men in your company';\n\t\t\t\t}\n\n\t\t\t\treturn 'A zero percentage shows that there is equal pay between men and women in your company';\n\n\t\t\tcase TOOLTIP_COMMS_TYPE.bonus:\n\t\t\t\tif (value > 0) {\n\t\t\t\t\treturn 'A positive percentage shows that women have lower bonuses than men in your company';\n\t\t\t\t}\n\t\t\t\telse if (value < 0) {\n\t\t\t\t\treturn 'A negative percentage shows that women have higher bonuses than men in your company';\n\t\t\t\t}\n\n\t\t\t\treturn 'A zero percentage shows that there are equal bonuses between men and women in your company';\n\t\t}\n\t}\n\n\tfunction setActiveTab (tab) {\n\t\t$ctrl.activeTab = tab;\n\n\t\tif (tab === $ctrl.TABS.hourlyBonusPay) {\n\t\t\tsetupCharts();\n\t\t}\n\t}\n\n\tfunction setupCharts () {\n\n\t\tfor (let chartObj of $ctrl.charts) {\n\n\t\t\t// Wait for element to render before loading chart\n\t\t\tangular.element(() => {\n\n\t\t\t\tconst chartElement = document.getElementById(chartObj.id);\n\n\t\t\t\tif (angular.isElement(chartElement)) {\n\n\t\t\t\t\tchartObj.chart = new Chart(\n\t\t\t\t\t\tchartElement,\n\t\t\t\t\t\tchartObj.data\n\t\t\t\t\t);\n\t\t\t\t}\n\n\t\t\t});\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\t$postLink: setupCharts,\n\n\t\tgetTooltopText,\n\t\tsetActiveTab,\n\n\t\tTABS: TAB_KEYS.settings.genderPayGap.tabs,\n\t\tTOOLTIP_COMMS_TYPE,\n\n\t\tactiveTab: TAB_KEYS.settings.genderPayGap.tabs.hourlyBonusPay,\n\t\tsearchBarOptions: searchService.teamReport,\n\t\ttabBarDef: tabService.getTabsForKey(TAB_KEYS.settings.genderPayGap.id)\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('gradientBar', [function () {\n\treturn {\n\t\trestrict: 'E',\n\t\ttemplateUrl: 'components/gradient-bar/gradientBarComponent.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tcolour1: '=',\n\t\t\tcolour2: '=',\n\t\t\theight: '@',\n\t\t\ttemplate: '@'\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('graphicCard', {\n\tbindings: {\n\t\tgraphicKey: '@',\n\t\tlayout: '@?',\n\t\ttheme: '@?'\n\t},\n\tcontroller: 'graphicCardCtrl',\n\ttemplateUrl: 'components/graphic-card/graphic-card.component.html',\n\ttransclude: {\n\t\t'copy': '?copy'\n\t},\n})\n.controller('graphicCardCtrl', [function () {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tlayout: angular.isDefined($ctrl.layout) ? $ctrl.layout : 'is-inline',\n\t\t\ttheme: angular.isDefined($ctrl.theme) ? $ctrl.theme : 'is-primary'\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.constant('HELP_AND_SUPPORT_DISPLAY_OPTIONS', {\n\tinlineLeft: 'is-inline-left',\n\tinlineRight: 'is-inline-right',\n\tfullPage: 'is-full-page'\n})\n\n/* These are used to indicate that a category tag requires some 'special' treatment. In the case of 'latest', for example,\n it doesn't exist in WordPress as a category but rather as a separate true / false ACF, and also has its own special\n view, different from other categories. While 'latest' might be the only special view, ever, this at least provides a\n mechanism to add others in the future. */\n.constant('HELP_AND_SUPPORT_SPECIAL_CATEGORY_IDS', {\n\t// Distinguish these from WordPress IDs by using negative values. Any negative value will do, as long as none are repeated of course.\n\tlatest: -1\n})\n\n.component('helpAndSupportPanel', {\n\n\tbindings: {\n\t\thelpAndSupportOptions: '=',\n\t\tdisplayMode: '=?' \t\t// HELP_AND_SUPPORT_DISPLAY_OPTIONS\n\t},\n\tcontroller: 'helpAndSupportPanelCtrl',\n\ttemplateUrl: 'components/help-and-support-panel/help-and-support-panel.component.html'\n})\n\n.controller('helpAndSupportPanelCtrl', [\n\t'$location',\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'$timeout',\n\t'supportData',\n\t'utilities',\n\t'HELP_AND_SUPPORT_DISPLAY_OPTIONS',\n\t'HELP_AND_SUPPORT_SPECIAL_CATEGORY_IDS',\n\t'SUPPORT_ARTICLE_CARD_VIEW_MODES',\n\tfunction (\n\t\t$location,\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\t$timeout,\n\t\tsupportData,\n\t\tutilities,\n\t\tHELP_AND_SUPPORT_DISPLAY_OPTIONS,\n\t\tHELP_AND_SUPPORT_SPECIAL_CATEGORY_IDS,\n\t\tSUPPORT_ARTICLE_CARD_VIEW_MODES\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst COMPONENT_STATES = {\n\t\terror: 'error',\n\t\tloading: 'loading',\n\t\tready: 'ready',\n\t\tsecondaryContentLoading: 'secondaryContentLoading'\n\t};\n\n\tconst HELP_AND_SUPPORT_VIEWS = {\n\t\tarticle: 'article',\t\t// Single article display\n\t\tbrowse: 'browse',\t\t// Browse. Article categories (full screen help and support only) and 'Latest articles' (full screen and inline)\n\t\tlatest: 'latest',\t\t// Latest articles\n\t\tsearch: 'search',\t\t// Search results display\n\t\ttags: 'tags'\t\t\t// Articles and guides identified by tag(s)\n\t};\n\n\t// Support categories (all and public only), latest and popular articles. Retrieved once-only.\n\tlet supportCategories;\n\tlet latestSupportArticlesGrouped;\n\tlet popularSupportArticles;\n\n\t$ctrl.$onInit = function () {\n\n\t\tsetComponentState(COMPONENT_STATES.loading);\n\n\t\t// Panel is inline-left by default\n\t\t$ctrl.displayMode = angular.isDefined($ctrl.displayMode) ? $ctrl.displayMode : HELP_AND_SUPPORT_DISPLAY_OPTIONS.inlineLeft;\n\t\t// Inline flag for convenience\n\t\t$ctrl.isInline = $ctrl.displayMode !== HELP_AND_SUPPORT_DISPLAY_OPTIONS.fullPage;\n\n\t\t// Get all of the 'meta' information upfront - support categories, latest and popular articles\n\t\tconst getSupportCategories = supportData.getAllCategories();\n\t\tconst getLatestSupportArticlesGrouped = supportData.getLatestSupportArticlesGrouped();\n\t\tconst getPopularSupportArticles = supportData.getPopularSupportArticles();\n\n\t\t$q.all([\n\t\t\tgetSupportCategories,\n\t\t\tgetLatestSupportArticlesGrouped,\n\t\t\tgetPopularSupportArticles\n\t\t])\n\t\t.then(([\n\t\t\tsupportCategoriesArr,\n\t\t\tlatestSupportArticlesGroupedObj,\n\t\t\tpopularSupportArticlesArr\n\t\t]) => {\n\n\t\t\t/* Hold onto those for use elsewhere. Copy support categories since they're going to be augmented with special categories,\n\t\t\t and the service itself caches them, so we'd be updating its version of reality here too unless we use a copy. */\n\t\t\tsupportCategories = angular.copy(supportCategoriesArr);\n\t\t\tlatestSupportArticlesGrouped = latestSupportArticlesGroupedObj;\n\t\t\tpopularSupportArticles = popularSupportArticlesArr;\n\n\t\t\t/* Add any 'special' headline categories. These have negative IDs so they don't conflict with WordPress IDs.\n\t\t\t These are also retrieved differently; not based on category, but some other property */\n\t\t\t/* Latest articles is a super special headline category. Unshift into categories array so it appears\n\t\t\t before any other, not-so-special headline categories that have been defined in WordPress */\n\t\t\tsupportCategories.unshift({\n\t\t\t\tarticleCount: latestSupportArticlesGrouped.articleCount,\n\t\t\t\tdescription: 'What’s new in Paycircle? Guides on how to use our latest features and product enhancements.',\n\t\t\t\ticon: 'icon-help',\n\t\t\t\tid: HELP_AND_SUPPORT_SPECIAL_CATEGORY_IDS.latest,\n\t\t\t\tisHeadline: true,\n\t\t\t\theadlineImageName: 'latest-articles',\n\t\t\t\theadlineItemSingular: 'article',\n\t\t\t\theadlineItemPlural: 'articles',\n\t\t\t\tparentId: 0,\n\t\t\t\tname: 'Latest features and updates'\n\t\t\t});\n\n\t\t\t// Keep an eye on the refresh option, in order to update while the form is still open.\n\t\t\t$scope.$watch('$ctrl.helpAndSupportOptions.refresh', (refresh) => {\n\t\t\t\tif (refresh) {\n\t\t\t\t\tshowHelpAndSupport($ctrl);\n\t\t\t\t}\n\t\t\t});\n\n\t\t\t// Finally, show help and support\n\t\t\tshowHelpAndSupport($ctrl);\n\t\t});\n\t};\n\n\tfunction changeCategory (ctrlObj, categoryId) {\n\t\t// If changing to top level category, go home. That'll clear the search, and set focus to the search box for free\n\t\tif (categoryId === 0) {\n\t\t\tgoHome(ctrlObj);\n\t\t}\n\t\telse {\n\t\t\tsetHelpAndSupportViewState(ctrlObj, HELP_AND_SUPPORT_VIEWS.browse, {categoryId});\n\t\t}\n\t}\n\n\tfunction closePanel (ctrlObj) {\n\n\t\t// This will slide the panel into oblivion.\n\t\tctrlObj.isClosed = true;\n\t\t// Signal to app that it's closed\n\t\t$rootScope.$broadcast('close-help-and-support-panel');\n\t\t// Signal removal from DOM after a short delay to ensure close animation runs.\n\t\t$timeout(() => {\n\t\t\tctrlObj.helpAndSupportOptions.isOpen = false;\n\t\t}, 500);\n\t}\n\n\tfunction returnToSearchResults (ctrlObj) {\n\t\t/* Return to the last stored search results if there are any. It shouldn't be possible to get here\n\t\t if there aren't any */\n\t\tif (angular.isDefined(ctrlObj.lastSearchStateData)) {\n\t\t\tsetHelpAndSupportViewState(ctrlObj, HELP_AND_SUPPORT_VIEWS.search, ctrlObj.lastSearchStateData);\n\t\t}\n\t}\n\n\tfunction goHome (ctrlObj) {\n\t\t// Clear out search stuff ...\n\t\tctrlObj.lastSearchStateData = undefined;\n\t\tctrlObj.canReturnToSearchResults = false;\n\t\tctrlObj.searchTerm = '';\n\n\t\t// Set to default browse categories state (shows top level categories)\n\t\tsetHelpAndSupportViewState(ctrlObj, HELP_AND_SUPPORT_VIEWS.browse);\n\n\t\t// Set focus to search box.\n\t\t$timeout(() => {\n\t\t\tdocument.getElementById('help-and-support-search-box').focus();\n\t\t}, 0);\n\t}\n\n\tfunction onError (error) {\n\n\t\tconsole.error(error);\n\t\t$ctrl.setComponentState(COMPONENT_STATES.error);\n\t}\n\n\tfunction openHelpAndSupportArticle (ctrlObj, supportArticle, categoryId) {\n\t\tsetHelpAndSupportViewState(ctrlObj, HELP_AND_SUPPORT_VIEWS.article, {articleKey:supportArticle.slug, categoryId});\n\t}\n\n\tfunction search (ctrlObj, searchString) {\n\t\tif (searchString !== '') {\n\t\t\tsetHelpAndSupportViewState(ctrlObj, HELP_AND_SUPPORT_VIEWS.search, {searchString});\n\t\t}\n\t}\n\n\tfunction setBreadcrumb (ctrlObj, categoryId, articleTitle, breadcrumb) {\n\t\tif (!angular.isDefined(breadcrumb)) {\n\t\t\tbreadcrumb = [];\n\t\t}\n\t\tconst category = supportCategories.find(category => category.id === categoryId);\n\n\t\t// Add to breadcrumb to start of array and move up the 'tree'\n\t\tbreadcrumb.unshift(category);\n\t\tif (category.id !== 0) {\n\t\t\tsetBreadcrumb(ctrlObj, category.parentId, articleTitle, breadcrumb);\n\t\t}\n\t\telse {\n\n\t\t\t/* End case. Now add the article title to the breadcrumb if specified. It's not really a category, and won't be clickable\n\t\t\t as it will be at the end of the breadcrumb */\n\t\t\tif (angular.isDefined(articleTitle)) {\n\t\t\t\tbreadcrumb.push({id: -1, name: articleTitle});\n\t\t\t}\n\n\t\t\t// All done, set the breadcrumb\n\t\t\tctrlObj.breadcrumb = breadcrumb;\n\t\t}\n\t}\n\n\t// Set the overall component state\n\tfunction setComponentState (componentState) {\n\t\t$ctrl.componentState = componentState;\n\t}\n\n\tfunction setCurrentCategory (ctrlObj, categoryId, articleTitle) {\n\t\tconst category = supportCategories.find(category => category.id === categoryId);\n\t\tctrlObj.currentCategory = category;\n\n\t\t// Set the breadcrumb to match the category, including the article if specified.\n\t\tsetBreadcrumb(ctrlObj, categoryId, articleTitle);\n\t}\n\n\t/*\n\t\tSet component state. This will do whatever is required to show the help and support panel in the required\n\t\tstate. Implemented this way to ease the restoration of previous states when navigating through help\n\t */\n\tfunction setHelpAndSupportViewState (ctrlObj, viewState, stateData) {\n\n\t\tsetComponentState(COMPONENT_STATES.loading);\n\n\t\t// If changing to a special category, this might need a special view\n\t\tif (viewState === HELP_AND_SUPPORT_VIEWS.browse && angular.isDefined(stateData) && angular.isDefined(stateData.categoryId)) {\n\t\t\tswitch (stateData.categoryId) {\n\t\t\t\tcase HELP_AND_SUPPORT_SPECIAL_CATEGORY_IDS.latest: {\n\t\t\t\t\tviewState = HELP_AND_SUPPORT_VIEWS.latest;\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tdefault: {\n\t\t\t\t\t// Do nothing but keep jslint happy; i.e. leave the viewState intact.\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t/* Timeout seems to be required here, otherwise if an article is already being displayed, a new one\n\t\t doesn't replace it when navigating back */\n\t\t$timeout(() => {\n\n\t\t\tswitch (viewState) {\n\t\t\t\tcase HELP_AND_SUPPORT_VIEWS.article: {\n\t\t\t\t\tsupportData.getSupportArticleByKey(stateData.articleKey).then(articleObj => {\n\n\t\t\t\t\t\t// If the article isn't found, default to the home screen\n\t\t\t\t\t\tif (angular.isUndefined(articleObj)) {\n\t\t\t\t\t\t\tgoHome(ctrlObj);\n\t\t\t\t\t\t}\n\t\t\t\t\t\telse {\n\t\t\t\t\t\t /* If there's also a categoryID available, set the current category. First see if its in the state data (in which\n\t\t\t\t\t\t\t case it's originated from a special category that WordPress knows nothing about), otherwise ask the article itself\n\t\t\t\t\t\t\t (a bonafide WordPress category) */\n\t\t\t\t\t\t let categoryId;\n\t\t\t\t\t\t if (angular.isDefined(stateData.categoryId)) {\n\t\t\t\t\t\t\t categoryId = stateData.categoryId;\n\t\t\t\t\t\t }\n\t\t\t\t\t\t else if (articleObj.categories.length !== 0) {\n\t\t\t\t\t\t\t categoryId = articleObj.categories[0].categoryId;\n\t\t\t\t\t\t }\n\n\t\t\t\t\t\t // Set category and breadcrumb, with the article title included, and show breadcrumb if a category is available\n\t\t\t\t\t\t let showBreadcrumb = false;\n\t\t\t\t\t\t if (categoryId) {\n\t\t\t\t\t\t\t setCurrentCategory(ctrlObj, categoryId, articleObj.title);\n\t\t\t\t\t\t\t showBreadcrumb = true;\n\t\t\t\t\t\t }\n\n\t\t\t\t\t\t angular.extend(ctrlObj, {\n\t\t\t\t\t\t\t article: articleObj,\n\t\t\t\t\t\t\t showBreadcrumb,\n\t\t\t\t\t\t\t viewState\n\t\t\t\t\t\t });\n\n\t\t\t\t\t\t // Get related articles for bonafide WordPress categories if there are any, and if set in options. Just use the first category.\n\t\t\t\t\t\t if (ctrlObj.helpAndSupportOptions.showRelated && articleObj.categories.length !== 0) {\n\t\t\t\t\t\t\t setComponentState(COMPONENT_STATES.secondaryContentLoading);\n\t\t\t\t\t\t\t supportData.getSupportArticlesForCategory(articleObj.categories[0].categorySlug).then(supportArticlesArr => {\n\t\t\t\t\t\t\t\t // Filter out the current article\n\t\t\t\t\t\t\t\t ctrlObj.supportArticles = supportArticlesArr.filter(supportArticle => supportArticle.slug !== articleObj.slug);\n\t\t\t\t\t\t\t\t setComponentState(COMPONENT_STATES.ready);\n\t\t\t\t\t\t\t });\n\t\t\t\t\t\t }\n\t\t\t\t\t\t else {\n\t\t\t\t\t\t\t ctrlObj.supportArticles = [];\n\t\t\t\t\t\t\t setComponentState(COMPONENT_STATES.ready);\n\t\t\t\t\t\t }\n\n\t\t\t\t\t\t /* Update location so user can link to a specific article. The help and support state is configured not to reload\n\t\t\t\t\t\t\t when the location is updated */\n\t\t\t\t\t\t let urlRef = `?articleKey=${articleObj.slug}`;\n\t\t\t\t\t\t if (categoryId) {\n\t\t\t\t\t\t\t urlRef += `&categoryId=${categoryId}`;\n\t\t\t\t\t\t }\n\t\t\t\t\t\t $location.url(urlRef);\n\n\t\t\t\t\t\t}\n\n\t\t\t\t\t})\n\t\t\t\t\t.catch(onError);\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase HELP_AND_SUPPORT_VIEWS.tags: {\n\t\t\t\t\tconst getTags = supportData.getTags(stateData.tags);\n\t\t\t\t\tconst getSupportArticlesForTags = supportData.getSupportArticlesForTags(stateData.tags);\n\n\t\t\t\t\t$q.all([getTags, getSupportArticlesForTags]).then(([tagsArr, supportArticlesArr]) => {\n\t\t\t\t\t\tangular.extend(ctrlObj, {\n\t\t\t\t\t\t\ttags: tagsArr,\n\t\t\t\t\t\t\ttagNamesDisplay: utilities.formatArrayAsReadableList(tagsArr.map(tag => tag.name), true),\n\t\t\t\t\t\t\tshowBreadcrumb: false,\n\t\t\t\t\t\t\tsupportArticles: supportArticlesArr,\n\t\t\t\t\t\t\tviewState\n\t\t\t\t\t\t});\n\t\t\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\t\t\t})\n\t\t\t\t\t.catch(onError);\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase HELP_AND_SUPPORT_VIEWS.latest: {\n\n\t\t\t\t\t// Set current category to unofficial 'latest' category\n\t\t\t\t\tsetCurrentCategory(ctrlObj, HELP_AND_SUPPORT_SPECIAL_CATEGORY_IDS.latest);\n\n\t\t\t\t\tangular.extend(ctrlObj, {\n\t\t\t\t\t\tshowBreadcrumb: true,\n\t\t\t\t\t\t// Use pre-retrieved, latest article groups\n\t\t\t\t\t\tlatestSupportArticleGroups: latestSupportArticlesGrouped.articleGroups,\n\t\t\t\t\t\tviewState\n\t\t\t\t\t});\n\n\t\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase HELP_AND_SUPPORT_VIEWS.browse: {\n\n\t\t\t\t\t// Determine category ID if possible. Default to top level of hierarchy.\n\t\t\t\t\tlet categoryId = 0;\n\t\t\t\t\tif (angular.isDefined(ctrlObj.helpAndSupportOptions.supportContext)) {\n\t\t\t\t\t\t/* Category slug will be specified when viewing a single category; typically used for role-based Help and Support,\n\t\t\t\t\t\t\tlimiting viewing to a single set of articles in a private category */\n\t\t\t\t\t\tconst category = supportCategories.find(category => category.slug === ctrlObj.helpAndSupportOptions.supportContext);\n\t\t\t\t\t\tif (angular.isDefined(category)) {\n\t\t\t\t\t\t\tcategoryId = category.id;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\telse if (angular.isDefined(stateData) && angular.isDefined(stateData.categoryId)) {\n\t\t\t\t\t\t// Category ID specified during general browing through public categories, for users with full Help and Support access\n\t\t\t\t\t\tcategoryId = stateData.categoryId;\n\t\t\t\t\t}\n\n\t\t\t\t\t// Update filtered categories. Strip out headline categories for special consideration. Ignore any categories that are marked 'private'\n\t\t\t\t\tctrlObj.filteredCategories = supportCategories.filter(\n\t\t\t\t\t\tsupportCategory => supportCategory.parentId === categoryId && !supportCategory.isHeadline && !supportCategory.isPrivate\n\t\t\t\t\t);\n\t\t\t\t\tctrlObj.headlineCategories = supportCategories.filter(\n\t\t\t\t\t\tsupportCategory => supportCategory.parentId === categoryId && supportCategory.isHeadline && !supportCategory.isPrivate\n\t\t\t\t\t);\n\n\t\t\t\t\t// If we've drilled down to a proper category, get the articles for it. First set the current category.\n\t\t\t\t\tsetCurrentCategory(ctrlObj, categoryId);\n\t\t\t\t\tif (categoryId !== 0) {\n\t\t\t\t\t\t// Get articles for this category\n\t\t\t\t\t\tsetComponentState(COMPONENT_STATES.secondaryContentLoading);\n\n\t\t\t\t\t\tsupportData.getSupportArticlesForCategory(ctrlObj.currentCategory.slug).then(supportArticlesArr => {\n\t\t\t\t\t\t\tctrlObj.supportArticles = supportArticlesArr;\n\t\t\t\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\t\t\t\t})\n\t\t\t\t\t\t.catch(onError);\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\t// We're at the top-level placeholder Help and Support category. Popular articles are shown here.\n\t\t\t\t\t\tctrlObj.supportArticles = popularSupportArticles;\n\t\t\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\t\t\t}\n\n\t\t\t\t\t/* Let the breadcrumb be displayed. This will be overridden in the template if the breadcrumb has been disabled\n\t\t\t\t\t with helpAndSupportOptions.showBreadcrumb */\n\t\t\t\t\tangular.extend(ctrlObj, {\n\t\t\t\t\t\tshowBreadcrumb: true,\n\t\t\t\t\t\tviewState\n\t\t\t\t\t});\n\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t\tcase HELP_AND_SUPPORT_VIEWS.search: {\n\n\t\t\t\t\t// If there's a supportContext set in config, search under that category. Otherwise search all\n\t\t\t\t\tlet searchSupportArticles;\n\t\t\t\t\tif (angular.isDefined(ctrlObj.helpAndSupportOptions.supportContext)) {\n\t\t\t\t\t\tsearchSupportArticles = supportData.searchSupportArticlesForCategory(ctrlObj.helpAndSupportOptions.supportContext, stateData.searchString);\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\tsearchSupportArticles = supportData.searchSupportArticles(stateData.searchString);\n\t\t\t\t\t}\n\n\t\t\t\t\t// Do the search\n\t\t\t\t\tsearchSupportArticles.then(supportArticlesArr => {\n\t\t\t\t\t\tangular.extend(ctrlObj, {\n\t\t\t\t\t\t\tshowBreadcrumb: false,\n\t\t\t\t\t\t\tsupportArticles: supportArticlesArr,\n\t\t\t\t\t\t\tsearchString: stateData.searchString\n\t\t\t\t\t\t});\n\t\t\t\t\t\tctrlObj.viewState = viewState;\n\n\t\t\t\t\t\t// Keep hold of search state to enable 'return to search results'\n\t\t\t\t\t\tctrlObj.lastSearchStateData = stateData;\n\t\t\t\t\t\tctrlObj.canReturnToSearchResults = true;\n\n\t\t\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\t\t\t})\n\t\t\t\t\t.catch(onError);\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\n\t\t}, 0);\n\t}\n\n\tfunction showHelpAndSupport (ctrlObj) {\n\n\t\t// Get the article key (+ optional category Id), tags or search terms. Only one should be available, but article key trumps tags trumps search.\n\t\tconst articleKey = ctrlObj.helpAndSupportOptions.articleKey;\n\t\tconst categoryId = ctrlObj.helpAndSupportOptions.categoryId; \t\t// Optional. Category context.\n\t\tconst categorySlug = ctrlObj.helpAndSupportOptions.categorySlug; \t// Specified for role-specific help and support\n\t\tconst tags = ctrlObj.helpAndSupportOptions.tags;\t\t\t\t\t// For contextual help and support\n\t\tconst searchTerm = ctrlObj.helpAndSupportOptions.searchTerm;\n\n\t\tif (angular.isDefined(articleKey)) {\n\t\t\tsetHelpAndSupportViewState(ctrlObj, HELP_AND_SUPPORT_VIEWS.article, {articleKey, categoryId});\n\t\t}\n\t\telse if (angular.isDefined(tags)) {\n\t\t\tsetHelpAndSupportViewState(ctrlObj, HELP_AND_SUPPORT_VIEWS.tags, {tags});\n\t\t}\n\t\telse if (angular.isDefined(searchTerm)) {\n\t\t\tsetHelpAndSupportViewState(ctrlObj, HELP_AND_SUPPORT_VIEWS.search, {searchTerm});\n\t\t}\n\t\telse if (angular.isDefined(categorySlug)) {\n\t\t\t// Role-specific help and support, limited to single category\n\t\t\tsetHelpAndSupportViewState(ctrlObj, HELP_AND_SUPPORT_VIEWS.browse, {categorySlug});\n\t\t}\n\t\telse {\n\t\t\t// Just show the main help home page\n\t\t\tsetHelpAndSupportViewState(ctrlObj, HELP_AND_SUPPORT_VIEWS.browse);\n\t\t}\n\n\t\t/* Allow refresh to be reset in order to update the help content while it's still open. Typically this\n\t\t will happen when a help & support link is clicked while the help and support panel is already open */\n\t\tctrlObj.helpAndSupportOptions.refresh = false;\n\t}\n\n\tangular.extend($ctrl, {\n\n\t\t// Constants\n\tCOMPONENT_STATES,\n\t\tHELP_AND_SUPPORT_DISPLAY_OPTIONS,\n\t\tHELP_AND_SUPPORT_SPECIAL_CATEGORY_IDS,\n\t\tHELP_AND_SUPPORT_VIEWS,\n\t\tSUPPORT_ARTICLE_CARD_VIEW_MODES,\n\n\t\t// Variables\n\t\tisClosed: false,\n\t\tsearchTerm: '',\n\n\t\t// Functions\n\t\tchangeCategory,\n\t\tclosePanel,\n\t\tgoHome,\n\t\topenHelpAndSupportArticle,\n\t\treturnToSearchResults,\n\t\tsearch\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('ipAddress', {\n\n\tbindings: {\n\t\tipAddress: '=',\n\t\tipAddressDisabled: '',\n\t\tipAddressRequired: '',\n\t\tonChange: '&?',\n\t\tname: '@'\n\t},\n\tcontroller: 'ipAddressCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/ip-address/ip-address.component.html'\n})\n\n.controller('ipAddressCtrl', ['$timeout', function ($timeout) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\n\t\t// Default bindings\n\t\t$ctrl.ipAddressDisabled = angular.isDefined($ctrl.ipAddressDisabled) ? $ctrl.ipAddressDisabled : false;\n\t\t$ctrl.ipAddressRequired = angular.isDefined($ctrl.ipAddressRequired) ? $ctrl.ipAddressRequired : false;\n\t};\n\n\tfunction ipAddressOnChange ($ctrl) {\n\n\t\tif (angular.isFunction($ctrl.onChange)) {\n\t\t\t// Allow a digest to run so the change function gets the updated model\n\t\t\t$timeout(() => {\n\t\t\t\t$ctrl.onChange();\n\t\t\t});\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\tipAddressOnChange\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('journalCodePreview', {\n\tbindings: {\n\t\tagencyProfileId: '<', \n\t\tisFinancialsIntegrated: '<',\n\t\tjournalCodeFormat: '<',\n\t\tjournalCodesActive: '<',\n\t\tonUpdate: '&'\n\t},\n\tcontroller: 'journalCodePreviewController',\n\ttemplateUrl: 'components/journal-code-preview/journal-code-preview.component.html'\n})\n.controller('journalCodePreviewController', [\n\t'$rootScope',\n\tfunction (\n\t\t$rootScope\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction openJournalFormatForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tformKey: 'journal-code-format'\n\t\t});\n\t}\n\n\tfunction openJournalCodeFinancialsForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tformKey: 'journal-code-financials'\n\t\t});\n\t}\n\n\tfunction openJournalCodePreviewInfoModal () {\n\t\t$rootScope.openModalDialog('settings-journal-code-preview-info');\n\t}\n\n\tangular.extend($ctrl, {\n\t\tcomponentState: 'ready',\n\t\topenJournalCodeFinancialsForm,\n\t\topenJournalCodePreviewInfoModal,\n\t\topenJournalFormatForm\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('iconCardBasic', {\n\tbindings: {\n\t\tcontents: '@?',\n\t\ticon: '@?',\n\t\ttheme: '@?',\n\t},\n\tcontroller: 'iconCardBasicCtrl',\n\ttemplateUrl: 'components/icon-card-basic/icon-card-basic.component.html'\n})\n.controller('iconCardBasicCtrl', function () {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\ttheme: angular.isDefined($ctrl.theme) ? $ctrl.theme : 'is-primary'\n\t\t});\n\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('iconDot', {\n\tbindings: {\n\t\t/* One of icon or label should be specified. If both are present, icon takes precedence. Icon is the icon to display,\n\t\t label will be a character (A-Z) to display. If label is more than a single character, the first will be used. It will\n\t\t always be uppercased. */\n\t\ticon: '@?',\n\t\ticonSize: '@?',\n\t\tlabel: '@?',\n\t\tisLight: '',\n\t\ttooltipPosition: '@?',\n\t\ttooltipText: '@?',\n\t\ttooltipTheme: '@?',\n\t\ttheme: '@?'\n\t},\n\tcontroller: 'iconDotCtrl',\n\ttemplateUrl: 'components/icon-dot/icon-dot.component.html',\n})\n.controller('iconDotCtrl', function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\tangular.extend($ctrl, {\n\t\t\tchar: $ctrl.label ? $ctrl.label.charAt(0).toUpperCase() : '',\n\t\t\ticonSize: $ctrl.iconSize || null,\n\t\t\ttheme: $ctrl.theme || 'is-primary'\n\t\t});\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('imageBadge', {\n\tbindings: {\n\t\timageAlt: '@',\n\t\timageClass: '@?',\n\t\timageSize: '@?',\n\t\timageKey: '@',\n\t\timageType: '@?'\n\t},\n\tcontroller: 'imageBadgeComponentCtrl',\n\ttemplateUrl: 'components/image-badge/image-badge.component.html'\n})\n.controller('imageBadgeComponentCtrl', [function () {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\timageSize: angular.isDefined($ctrl.size) ? $ctrl.size : 'is-medium',\n\t\t\timageUrl: getImageUrl($ctrl),\n\t\t});\n\t}\n\n\tfunction getImageUrl ($ctrl) {\n\n\t\tlet imageUrl = '../images/logo/';\n\n\t\tif (angular.isDefined($ctrl.imageType)) {\n\t\t\timageUrl += `/${$ctrl.imageType}`;\n\t\t}\n\n\t\tif (angular.isDefined($ctrl.imageKey)) {\n\t\t\timageUrl += `/${$ctrl.imageKey}`;\n\t\t}\n\n\t\timageUrl += '.2x.png';\n\n\t\treturn imageUrl;\n\t}\n\t\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('imageFocusPanel', {\n\tbindings: {\n\t\timage: '='\n\t},\n\tcontroller: 'imageFocusPanelCtrl',\n\ttemplateUrl: 'components/image-focus-panel/image-focus-panel.component.html'\n})\n\n.controller('imageFocusPanelCtrl', ['$rootScope', '$timeout', function ($rootScope, $timeout) {\n\n\tconst $ctrl = this;\n\n\tfunction closeImageFocusPanel (ctrlObj) {\n\t\tctrlObj.isClosing = true;\n\t\t// Give the pleasant fade out effect time to complete before obliterating the panel\n\t\t$timeout(() => {\n\t\t\t$rootScope.$broadcast('close-image-focus');\n\t\t}, 200);\n\t}\n\n\tangular.extend($ctrl, {\n\t\tisClosing: false,\n\n\t\tcloseImageFocusPanel\n\t});\n\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('importHistoryItem', {\n\tbindings: {\n\t\tagencyProfileId: '',\n\t\tformOptions: '',\n\t\timport: '<',\n\t\tonUndo: '&?',\n\t\tonUpdate: '&?',\n\t\tpayPeriod: '<'\n\t},\n\tcontroller: 'importHistoryItemCtrl',\n\ttemplateUrl: 'components/import-history-item/import-history-item.component.html',\n})\n.controller('importHistoryItemCtrl', ['$rootScope', 'IMPORT_MAPPING_TYPES', function ($rootScope, IMPORT_MAPPING_TYPES) {\n\n\tconst $ctrl = this;\n\n\tfunction openSlideInForm ($ctrl, newFormOptionsObj) {\n\n\t\tif (angular.isDefined($ctrl.formOptions)) {\n\t\t\t$ctrl.formOptions.openNewSlideInForm(newFormOptionsObj);\n\t\t} else {\n\t\t\t$rootScope.openSlideInForm(newFormOptionsObj);\n\t\t}\n\t}\n\n\tfunction openUndoImportCompanyDataForm ($ctrl) {\n\n\t\topenSlideInForm($ctrl, {\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tformKey: 'undo-import-company-data',\n\t\t\tpayPeriod: $ctrl.payPeriod,\n\t\t\tuserImportGroupObj: $ctrl.import\n\t\t});\n\t}\n\n\tfunction openUndoImportTeamForm ($ctrl, isPeriodImport) {\n\n\t\topenSlideInForm($ctrl, {\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tformKey: 'undo-import-team',\n\t\t\tisPeriodImport: isPeriodImport,\n\t\t\tpayPeriod: $ctrl.payPeriod,\n\t\t\tuserImportGroupObj: $ctrl.import\n\t\t});\n\t}\n\n\tfunction openUndoImportPayElementForm ($ctrl) {\n\n\t\topenSlideInForm($ctrl, {\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tformKey: 'undo-import-pay-element',\n\t\t\tpayPeriod: $ctrl.payPeriod,\n\t\t\tuserImportGroupObj: $ctrl.import\n\t\t});\n\t}\n\n\tfunction reviewUndoImportForm ($ctrl) {\n\n\t\tif (angular.isDefined($ctrl.onUndo)) {\n\t\t\t$ctrl.onUndo();\n\t\t\treturn;\n\t\t}\n\n\t\tswitch ($ctrl.import.ImportType) {\n\n\t\t\t// Pay Element import mapping types\n\t\t\tcase IMPORT_MAPPING_TYPES.changesTable:\n\t\t\tcase IMPORT_MAPPING_TYPES.linkedElements:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElements:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsCIS:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsDailyRate:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsDailyUnits:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsFixed:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsFixedCIS:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsFixedRecurring:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsHourlyRate:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsHourlyUnits:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsRecurring:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsOffPayroll:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsDeemed:\n\t\t\tcase IMPORT_MAPPING_TYPES.payElementsDeemedRecurring:\n\t\t\tcase IMPORT_MAPPING_TYPES.nominalCodes:\n\t\t\tcase IMPORT_MAPPING_TYPES.xeroNominalCodes:\n\t\t\tcase IMPORT_MAPPING_TYPES.accessFinancialsNominalAccounts:\n\t\t\t\topenUndoImportPayElementForm($ctrl);\n\t\t\t\tbreak;\n\n\t\t\t// Company imports\n\t\t\tcase IMPORT_MAPPING_TYPES.businessCategories:\n\t\t\tcase IMPORT_MAPPING_TYPES.accessFinancialsBusinessCategories:\n\t\t\t\topenUndoImportCompanyDataForm($ctrl);\n\t\t\t\tbreak;\n\n\t\t\t// Period imports\n\t\t\tcase IMPORT_MAPPING_TYPES.payslipNotes:\n\t\t\t\topenUndoImportTeamForm($ctrl, true);\n\t\t\t\tbreak;\n\n\t\t\t// Team imports\n\t\t\tdefault:\n\t\t\t\topenUndoImportTeamForm($ctrl);\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\treviewUndoImportForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('importMappingCard', {\n\n\ttemplateUrl: 'components/import-mapping-card/import-mapping-card.component.html',\n\tbindings: {\n\t\trefresh: '&?',\n\t\timportMapping: '<'\n\t},\n\tcontroller: 'importMappingCardController'\n})\n\n.controller('importMappingCardController', ['$rootScope', '$state', 'validationService', 'IMPORT_MAPPING_TYPES', function ($rootScope, $state, validationService, IMPORT_MAPPING_TYPES) {\n\n\tconst $ctrl = this;\n\n\tconst agencyProfileId = $rootScope.currentCompany.AgencyProfileID;\n\n\tfunction getCanDeleteMapping ($ctrl) {\n\n\t\t// Bureau level templates\n\t\tif ($ctrl.importMapping.IsGlobalTemplate) {\n\n\t\t\t// Companies cannot delete bureau level mappings\n\t\t\tif ($rootScope.currentCompany.isPayrollCompany) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction getCanEditMapping ($ctrl) {\n\n\t\t// Editing throws a gremlin if the AgencyDocumentID is not provided\n\t\tif (validationService.isEmptyGuid($ctrl.importMapping.AgencyDocumentID)) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// Companies cannot edit bureau level mappings\n\t\tif ($rootScope.currentCompany.isPayrollCompany) {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction getEditNgHref ($ctrl) {\n\n\t\tconst ngHrefObj = {\n\t\t\tagencyDocumentId: $ctrl.importMapping.AgencyDocumentID,\n\t\t\tagencyDocumentType: -1,\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tbackState: 'settings.bureau.imports.mappings',\n\t\t\timportMappingType: $ctrl.importMapping.MappingType,\n\t\t\timportMappingTemplateId: $ctrl.importMapping.ImportMappingID,\n\t\t\tpayPeriodId: $rootScope.CONFIG.guidEmpty\n\t\t};\n\n\t\tswitch ($ctrl.importMapping.MappingType) {\n\n\t\t\tcase IMPORT_MAPPING_TYPES.users: {\t\t\t\n\t\t\t\treturn $state.href('data-importer.validate-file', ngHrefObj);\n\t\t\t}\n\t\t}\n\n\t\treturn $state.href('data-importer.import-data', ngHrefObj);\n\t}\n\n\tfunction openDeleteImportMappingForm (ctrlObj, importMappingObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tcallback: $ctrl.refresh,\n\t\t\tformKey: 'delete-import-mapping',\n\t\t\timportMappingTemplate: importMappingObj,\n\t\t});\n\t}\n\n\tfunction openDuplicateImportMappingForm (ctrlObj, importMappingObj) {\n\n\t\timportMappingObj = angular.copy(importMappingObj);\n\n\t\timportMappingObj.Name += ' (copy)';\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tactionType: 'duplicate',\n\t\t\tagencyProfileId,\n\t\t\tcallback: $ctrl.refresh,\n\t\t\tformKey: 'mapping-template',\n\t\t\theaderCount: importMappingObj.HeaderCount,\n\t\t\timportMappingTemplate: importMappingObj,\n\t\t\ttitle: 'Duplicate mapping'\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\n\t\tIMPORT_MAPPING_TYPES,\n\n\t\t// Variables\n\t\tagencyProfileId,\n\n\t\t// Functions\n\t\tgetCanDeleteMapping,\n\t\tgetCanEditMapping,\n\t\tgetEditNgHref,\n\t\topenDeleteImportMappingForm,\n\t\topenDuplicateImportMappingForm\n\t});\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('importSummary', {\n\tbindings: {\n\t\timportSummary: '<',\n\t\tisPayElementImport: ''\n\t},\n\tcontroller: 'importSummaryCtrl',\n\ttemplateUrl: 'components/import-summary/import-summary.component.html',\n})\n.controller('importSummaryCtrl', [\n\t'IMPORT_WARNING_TYPES',\n\tfunction (\n\t\tIMPORT_WARNING_TYPES\n\t) {\n\n\tconst $ctrl = this;\n\n\tangular.extend($ctrl, {\n\t\tIMPORT_WARNING_TYPES\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('infoBlock', function () {\n\n\treturn {\n\t\tcontroller: 'infoBlockCtrl',\n\t\ttemplateUrl: 'components/info-block/infoBlock.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\t'ibAlign': '@?',\n\t\t\t'ibIconDot': '@?',\n\t\t\t'ibTheme': '@?',\n\t\t\t'ibTitle': '@?'\n\t\t},\n\t\ttransclude: {\n\t\t\t'ibHeader': '?ibHeader',\n\t\t\t'ibMain': '?ibMain'\n\t\t}\n\t};\n})\n.controller('infoBlockCtrl', ['$scope', '$transclude', function ($scope, $transclude) {\n\n\t$scope.ibTheme = $scope.ibTheme !== undefined ? $scope.ibTheme : 'primary';\n\t$scope.hasHeader = $transclude.isSlotFilled('ibHeader');\n\t$scope.hasMain = $transclude.isSlotFilled('ibMain');\n\t$scope.hasTitle = $scope.ibTitle !== undefined;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('intercomForm', [function () {\n\treturn {\n\t\trestrict: 'E',\n\t\ttemplateUrl: 'components/intercom-form/intercomFormBlock.html',\n\t\treplace: true,\n\t\tcontroller: 'intercomFormBlockCtrl',\n\t\tscope: {\n\t\t\tcustomisation: '='\n\t\t}\n\t};\n}])\n.controller('intercomFormBlockCtrl', ['$scope', '$rootScope', function ($scope, $rootScope) {\n\n\t$scope.state = 'connect';\n\n\t$rootScope.$on('INTERCOM_CHANGE_STATE', function (event, newState) {\n\t\t$scope.state = newState;\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('leaveCalendar', function () {\n\n\treturn {\n\t\tscope: {\n\t\t\ths: '='\n\t\t},\n\t\tlink: function(scope, element) {\n\n\t\t\tvar calendarBody = element[0].getElementsByClassName('leave-calendar__content')[0];\n\n\t\t\tfunction scrollMonthIntoView () {\n\t\t\t\tif (scope.hs.calendar.currentDate.month() === moment().month()) {\n\t\t\t\t\tcalendarBody.scrollLeft = (scope.hs.calendar.months[0].days.length+moment().date()-1)*scope.hs.calendar.dayWidth+2;\n\t\t\t\t} else {\n\t\t\t\t\tcalendarBody.scrollLeft = scope.hs.calendar.months[0].days.length*scope.hs.calendar.dayWidth+2;\n\t\t\t\t}\n\t\t\t\tupdateCurrentMonth();\n\t\t\t}\n\n\t\t\tfunction updateCurrentMonth () {\n\n\t\t\t\tvar scrollPos = calendarBody.scrollLeft+calendarBody.offsetWidth/2;\n\t\t\t\tvar months = {\n\t\t\t\t\tone: scope.hs.calendar.months[0].days.length*scope.hs.calendar.dayWidth,\n\t\t\t\t\ttwo: scope.hs.calendar.months[1].days.length*scope.hs.calendar.dayWidth,\n\t\t\t\t\tthree: scope.hs.calendar.months[2].days.length*scope.hs.calendar.dayWidth\n\t\t\t\t};\n\n\t\t\t\tif (scrollPos < months.one) {\n\t\t\t\t\tscope.hs.calendar.setCurrentMonth(scope.hs.calendar.months[0]);\n\t\t\t\t} else if (scrollPos > months.one && scrollPos < months.one+months.two) {\n\t\t\t\t\tscope.hs.calendar.setCurrentMonth(scope.hs.calendar.months[1]);\n\t\t\t\t} else if (scrollPos > months.one+months.two) {\n\t\t\t\t\tscope.hs.calendar.setCurrentMonth(scope.hs.calendar.months[2]);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction setCalendarWidth() {\n\n\t\t\t\tvar positionRect = calendarBody.getBoundingClientRect();\n\t\t\t\tscope.hs.calendar.position = {\n\t\t\t\t\tleft: positionRect.left,\n\t\t\t\t\tright: positionRect.right\n\t\t\t\t};\n\t\t\t}\n\n\t\t\twindow.addEventListener('resize', function() {\n\n\t\t\t\tsetCalendarWidth();\n\t\t\t});\n\n\t\t\tscope.hs.calendar.scrollMonthIntoView = function (which) {\n\t\t\t\tscrollMonthIntoView(which);\n\t\t\t};\n\n\t\t\tangular.element(calendarBody).bind('scroll', function () {\n\n\t\t\t\tupdateCurrentMonth();\n\t\t\t});\n\n\t\t\tsetCalendarWidth();\n\n\t\t}\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('leaveCalendarCard', ['config', 'holidaySicknessService', function (config, holidaySicknessService) {\n\n\treturn {\n\t\tscope: {\n\t\t\tisReadonly: '',\n\t\t\tleave: '=',\n\t\t\tteamMember: '=',\n\t\t\ths: '='\n\t\t},\n\t\tlink: function(scope, element) {\n\n\t\t\tconst leaveCard = element[0];\n\t\t\tconst dayWidth = parseInt(scope.hs.calendar.dayWidth);\n\n\t\t\tlet newLength;\n\t\t\tlet isLeftHandle;\n\t\t\tlet target;\n\n\t\t\tconst isReadonly = angular.isDefined(scope.isReadonly) ? scope.isReadonly : false;\n\t\t\tif (isReadonly) {\n\t\t\t\telement.addClass('is-readonly', true);\n\t\t\t}\n\n\t\t\tfunction checkMenuPosition (goStraightAway) {\n\n\t\t\t\tsetTimeout(function() {\n\t\t\t\t\tif (scope.leave.showMenu || (goStraightAway && element.parent().children().length > 1)) {\n\t\t\t\t\t\tvar leaveMenu = element.parent().children()[1];\n\t\t\t\t\t\tif (leaveMenu.getBoundingClientRect().left < scope.hs.calendar.position.left) {\n\t\t\t\t\t\t\tleaveMenu.scrollIntoView({\n\t\t\t\t\t\t\t\tbehavior: 'smooth',\n\t\t\t\t\t\t\t\tinline: 'start',\n\t\t\t\t\t\t\t\tblock: 'end'\n\t\t\t\t\t\t\t});\n\t\t\t\t\t\t} else if (leaveMenu.getBoundingClientRect().right > scope.hs.calendar.position.right) {\n\t\t\t\t\t\t\tleaveMenu.scrollIntoView({\n\t\t\t\t\t\t\t\tbehavior: 'smooth',\n\t\t\t\t\t\t\t\tinline: 'end',\n\t\t\t\t\t\t\t\tblock: 'end'\n\t\t\t\t\t\t\t});\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}, 0);\n\t\t\t}\n\n\t\t\telement.bind('click', function () {\n\n\t\t\t\tcheckMenuPosition(false);\n\t\t\t});\n\n\t\t\tscope.leave.checkMenuPosition = function (goStraightAway) {\n\n\t\t\t\tcheckMenuPosition(goStraightAway);\n\t\t\t};\n\n\t\t\tinteract(leaveCard)\n\t\t\t.resizable({\n\t\t\t allowFrom: '.leave-calendar__leave-card--resize',\n\t\t\t\tedges: {\n\t\t\t\t\tleft: true,\n\t\t\t\t\tright: true\n\t\t\t\t},\n\t\t\t\trestrictEdges: {\n\t\t\t\t\touter: 'parent',\n\t\t\t\t\tendOnly: true,\n\t\t\t\t},\n\t\t\t\trestrictSize: {\n\t\t\t\t\tmin: {\n\t\t\t\t\t\twidth: dayWidth\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t})\n\t\t\t.on('resizestart', function (event) {\n\n\t\t\t\ttarget = event.target.parentNode;\n\n\t\t\t\tif (scope.leave.halfDayFrom) {\n\t\t\t\t\tscope.leave.leaveDays += scope.hs.calendar.halfDay;\n\t\t\t\t\ttarget.style.setProperty('--lengthModifier', 0);\n\t\t\t\t}\n\n\t\t\t\tif (scope.leave.halfDayTo) {\n\t\t\t\t\tscope.leave.leaveDays += scope.hs.calendar.halfDay;\n\t\t\t\t}\n\t\t\t})\n\n\t\t\t.on('resizemove', function (event) {\n\n\t\t\t\ttarget = event.target.parentNode;\n\t\t\t\tnewLength = Math.ceil(event.rect.width/dayWidth);\n\t\t\t\tisLeftHandle = event.edges.left;\n\t\t\t\tif (isLeftHandle) {\n\t\t\t\t\ttarget.style.setProperty('--leaveRight', -((dayWidth*(scope.leave.leaveDays-1))-6) + 'px');\n\t\t\t\t\tscope.leave.startDateIso = moment(scope.leave.endDateIso).subtract(newLength-1, 'd').format(config.dateFormatISO);\n\t\t\t\t} else {\n\t\t\t\t\tscope.leave.endDateIso = moment(scope.leave.startDateIso).add(newLength-1, 'd').format(config.dateFormatISO);\n\t\t\t\t}\n\t\t\t\ttarget.style.setProperty('--leaveLength', newLength);\n\t\t\t})\n\n\t\t\t.on('resizeend', function (event) {\n\n\t\t\t\ttarget = event.target.parentNode;\n\t\t\t\ttarget.style.setProperty('--lengthModifier', 1);\n\n\t\t\t\tif (newLength === 1 && (scope.leave.halfDayFrom || scope.leave.halfDayTo)) {\n\t\t\t\t\tscope.leave.halfDayFrom = false;\n\t\t\t\t\tscope.leave.halfDayTo = false;\n\t\t\t\t}\n\n\t\t\t\tnewLength = holidaySicknessService.checkForHalfDayLeave(scope.leave, newLength);\n\n\t\t\t\tscope.leave.leaveDays = newLength;\n\n\t\t\t\tif (isLeftHandle) {\n\t\t\t\t\tscope.leave.startDateIso = moment(scope.leave.endDateIso).subtract(newLength-1, 'd').format(config.dateFormatISO);\n\t\t\t\t} else {\n\t\t\t\t\tscope.leave.endDateIso = moment(scope.leave.startDateIso).add(newLength-1, 'd').format(config.dateFormatISO);\n\t\t\t\t}\n\t\t\t\tscope.leave.update();\n\t\t\t});\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('leaveCard', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/leave-card/leaveCard.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tcallback: '&',\n\t\t\tindex: '<',\n\t\t\tleave: '<',\n\t\t\tleaveType: '@'\n\t\t},\n\t\tcontroller: 'leaveCardCtrl'\n\t};\n})\n.controller('leaveCardCtrl', ['$filter', '$scope', 'agency', function($filter, $scope, agency) {\n\n\n\tif ($scope.leaveType === 'holiday') {\n\t\tloadHoliday();\n\t} else {\n\t\tloadSickness();\n\t}\n\n\tfunction loadHoliday() {\n\n\t\t$scope.cardTheme = $filter('leaveThemes')($scope.leave.HolidayType);\n\t\t$scope.startDate = $scope.leave.HolidayDateFromISO;\n\t\t$scope.endDate = $scope.leave.HolidayDateToISO;\n\t\t$scope.leaveDays = $scope.leave.HolidayDays;\n\t}\n\n\tfunction loadSickness () {\n\n\t\t$scope.cardTheme = $filter('leaveThemes')($scope.leave.SicknessType);\n\t\t$scope.startDate = $scope.leave.SicknessDateFromISO;\n\t\t$scope.endDate = $scope.leave.SicknessDateToISO;\n\t\t$scope.leaveDays = $scope.leave.SicknessDays;\n\t}\n\n\t$scope.deleteLeave = function (leave) {\n\n\t\tleave.state = 'deleting';\n\n\t\tif ($scope.leaveType === 'holiday') {\n\t\t\tagency.deleteHolidayDetail(leave.UserAgencyProfileHolidayID).then(function () {\n\n\t\t\t\t$scope.callback();\n\t\t\t})\n\t\t\t.catch(function () {\n\n\t\t\t\tleave.state = 'error';\n\t\t\t});\n\t\t} else {\n\t\t\tagency.deleteSicknessDetail(leave.UserAgencyProfileSicknessID).then(function () {\n\n\t\t\t\t$scope.callback();\n\t\t\t})\n\t\t\t.catch(function () {\n\n\t\t\t\tleave.state = 'error';\n\t\t\t});\n\t\t}\n\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('linkElementCard', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tlinkElement: '<',\n\t\tlinkElementGroupId: '<',\n\t\tonUpdate: '=?'\n\t},\n\tcontroller: 'linkElementCardCtrl',\n\ttemplateUrl: 'components/link-element-card/link-element-card.component.html'\n})\n.controller('linkElementCardCtrl', ['$rootScope', function ($rootScope) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\t$ctrl.linkElement.theme = $ctrl.linkElement.IsDeduction ? 'is-assertive' : 'is-positive';\n\t}\n\n\tfunction getFormTitleForActionType (actionType) {\n\n\t\tswitch (actionType) {\n\t\t\tcase 'delete':\n\t\t\t\treturn 'Delete link element';\n\t\t\tcase 'duplicate':\n\t\t\t\treturn 'Duplicate link element';\n\t\t\tcase 'edit':\n\t\t\t\treturn 'Edit link element';\n\t\t\tdefault:\n\t\t\t\treturn;\n\t\t}\n\t}\n\n\tfunction openDeleteLinkElementForm ($ctrl) {\n\n\t\topenLinkElementForm($ctrl, 'delete');\n\t}\n\n\tfunction openDuplicateLinkElementForm ($ctrl) {\n\n\t\topenLinkElementForm($ctrl, 'duplicate');\n\t}\n\n\tfunction openEditLinkElementForm ($ctrl) {\n\n\t\topenLinkElementForm($ctrl, 'edit');\n\t}\n\n\tfunction openLinkElementForm ($ctrl, actionType) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tactionType,\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tformKey: 'link-element',\n\t\t\tlinkElementObj: $ctrl.linkElement,\n\t\t\tlinkElementGroupId: $ctrl.linkElementGroupId,\n\t\t\ttitle: getFormTitleForActionType(actionType)\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\topenDeleteLinkElementForm,\n\t\topenDuplicateLinkElementForm,\n\t\topenEditLinkElementForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('linkRateCard', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tlinkRate: '<',\n\t\tlinkRates: '=',\n\t\tonUpdate: '=?',\n\t\tuserId: '<'\n\t},\n\tcontroller: 'linkRateCardCtrl',\n\ttemplateUrl: 'components/link-rate-card/link-rate-card.component.html'\n})\n.controller('linkRateCardCtrl', ['$rootScope', 'ADJUSTMENT_VALUE_TYPES', function ($rootScope, ADJUSTMENT_VALUE_TYPES) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\t$ctrl.linkRate.theme = $ctrl.linkRate.Deduction ? 'is-assertive' : 'is-positive';\n\t}\n\n\tfunction getFormTitleForActionType (actionType) {\n\n\t\tswitch (actionType) {\n\t\t\tcase 'delete':\n\t\t\t\treturn 'Delete link rate';\n\t\t\tcase 'edit':\n\t\t\t\treturn 'Edit link rate';\n\t\t\tdefault:\n\t\t\t\treturn;\n\t\t}\n\t}\n\n\tfunction openDeleteLinkRateForm ($ctrl) {\n\n\t\topenLinkRateForm($ctrl, 'delete');\n\t}\n\n\tfunction openEditLinkRateForm ($ctrl) {\n\n\t\topenLinkRateForm($ctrl, 'edit');\n\t}\n\n\tfunction openLinkRateForm ($ctrl, actionType) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tactionType,\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tformKey: 'link-rate',\n\t\t\tlinkRateObj: $ctrl.linkRate,\n\t\t\ttitle: getFormTitleForActionType(actionType),\n\t\t\tuserId: $ctrl.userId\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\tADJUSTMENT_VALUE_TYPES,\n\t\t$onInit,\n\t\topenDeleteLinkRateForm,\n\t\topenEditLinkRateForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('loadingBlock', function () {\n\n\treturn {\n\t\tcontroller: 'loadingBlockCtrl',\n\t\ttemplateUrl: 'components/loading-block/loadingBlock.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\t'position': '@?',\n\t\t\t'size': '@?'\n\t\t},\n\t\ttransclude: {\n\t\t\t'description': '?lbDescription'\n\t\t}\n\t};\n})\n.controller('loadingBlockCtrl', ['$scope', '$transclude', function ($scope, $transclude) {\n\n\t// Scope\n\t$scope.showDescription = $transclude.isSlotFilled('description');\n\t$scope.size = $scope.size !== undefined ? $scope.size : '';\n\t$scope.position = $scope.position !== undefined ? $scope.position : 'before';\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('logCard', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/log-card/logCardComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tlog: '<',\n\t\t\tshowLogActor: ''\n\t\t},\n\t\tcontroller: 'logCardCtrl'\n\t};\n})\n.controller('logCardCtrl', ['$scope', 'LOG_ACTIONED_BY_TYPES', 'LOG_DATA_TYPES', 'LOG_TYPES', 'LOG_TYPE_KEYS', function ($scope, LOG_ACTIONED_BY_TYPES, LOG_DATA_TYPES, LOG_TYPES, LOG_TYPE_KEYS) {\n\n\t$scope.LOG_DATA_TYPES = LOG_DATA_TYPES;\n\t$scope.LOG_TYPES = LOG_TYPES;\n\n\t$scope.showLogActor = $scope.showLogActor !== undefined ? $scope.showLogActor : false;\n\n\tfunction init() {\n\t\tif (!angular.isDefined($scope.log.LogEntryTitle) || $scope.log.LogEntryTitle === '') {\n\t\t\tconst logType = LOG_TYPES[LOG_TYPE_KEYS[$scope.log.LogType]];\n\t\t\t$scope.logDescription = logType ? logType.description : 'Unknown action';\n\t\t}\n\t\telse {\n\t\t\t$scope.logDescription = $scope.log.LogEntryTitle;\n\t\t}\n\t}\n\n\tinit();\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('menuButton', {\n\tbindings: {\n\t\tmenuButtonAddIcon: '',\n\t\tmenuButtonAlign: '@?',\n\t\tmenuButtonHasChevron: '',\n\t\tmenuButtonIcon: '@?',\n\t\tmenuButtonId: '@?',\n\t\tmenuButtonOpen: '=?',\n\t\tmenuButtonSize: '@?',\n\t\tmenuButtonText: '@?',\n\t\tmenuButtonTheme: '@?',\n\t\tmenuButtonType: '@?' // 'icons' || 'links' (default)\n\t},\n\tcontroller: 'menuButtonCtrl',\n\ttemplateUrl: 'components/menu-button/menu-button.component.html',\n\ttransclude: true\n})\n.controller('menuButtonCtrl', function () {\n\n\tconst $ctrl = this;\n\n\tangular.extend($ctrl, {\n\t\tmenuButtonAddIcon: angular.isDefined($ctrl.menuButtonAddIcon) ? $ctrl.menuButtonAddIcon : true,\n\t\tmenuButtonAlign: angular.isDefined($ctrl.menuButtonAlign) ? $ctrl.menuButtonAlign : 'right',\n\t\tmenuButtonHasChevron: angular.isDefined($ctrl.menuButtonHasChevron) ? $ctrl.menuButtonHasChevron : true,\n\t\tmenuButtonIcon: angular.isDefined($ctrl.menuButtonIcon) ? $ctrl.menuButtonIcon : 'icon-plus',\n\t\tmenuButtonOpen: angular.isDefined($ctrl.menuButtonOpen) ? $ctrl.menuButtonOpen : false,\n\t\tmenuButtonSize: angular.isDefined($ctrl.menuButtonSize) ? $ctrl.menuButtonSize : 'm',\n\t\tmenuButtonTheme: angular.isDefined($ctrl.menuButtonTheme) ? $ctrl.menuButtonTheme : 'primary',\n\t\tmenuButtonType: angular.isDefined($ctrl.menuButtonType) ? $ctrl.menuButtonType : 'links',\n\t});\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('messageBar', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/message-bar/messageBarComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\t'tagLabel': '@?',\n\t\t\t'tagLabelIcon': '@?',\n\t\t\t'tagLabelTheme': '@?',\n\t\t\t'theme': '@?', // primary, secondary\n\t\t\t'type': '@?' // action\n\t\t},\n\t\ttransclude: true\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('messageBlock', {\n\ttemplateUrl: 'components/message-block/message-block.component.html',\n\tbindings: {\n\t\t/* Optional action attributes. Action is displayed at RHS of message block. actionText and actionFn must be set\n to show the action. The icon is optional. actionTheme defaults to theme if not specified. */\n\t\tactionFn: '&?',\n\t\tactionIcon: '@?',\n\t\tactionText: '@?',\n\t\tactionTheme: '@?',\n\n\t\thasDropIn: '',\n\t\ticon: '@?',\n\t\ttheme: '@?'\n\t},\n\tcontroller: 'messageBlockCtrl',\n\ttransclude: true\n})\n.controller('messageBlockCtrl', function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\t\tangular.extend($ctrl, {\n\t\t\tactionTheme: angular.isDefined($ctrl.actionTheme) ? $ctrl.actionTheme : $ctrl.theme,\n\t\t\thasAction: angular.isDefined($ctrl.actionText) && angular.isDefined($ctrl.actionFn) && angular.isFunction($ctrl.actionFn),\n\t\t\thasActionIcon: angular.isDefined($ctrl.actionIcon),\n\t\t\thasDropIn: angular.isDefined($ctrl.hasDropIn) ? $ctrl.hasDropIn : true,\n\t\t\thasIcon: angular.isDefined($ctrl.icon)\n\t\t});\n\t};\n\n\tfunction onActionClick (ctrlObj) {\n\t\t// This will be a function; checked in onInit\n\t\tctrlObj.actionFn();\n\t}\n\n\tangular.extend($ctrl, {\n\t\tonActionClick\n\t});\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('metaDataCard', {\n\tbindings: {\n\t\ticon: '@?',\n\t\tmetaItems: '<',\n\t\tmetaTitle: '',\n\t\ttheme: '@?',\n\t},\n\tcontroller: 'metaDataCardComponentCtrl',\n\ttemplateUrl: 'components/meta-data-card/meta-data-card.component.html'\n})\n.controller('metaDataCardComponentCtrl', function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\t$ctrl.theme = angular.isDefined($ctrl.theme) ? $ctrl.theme : 'is-primary';\n\t};\n});\n\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('metaTags', {\n\tbindings: {\n\t\t// Optional align-right to put the tags at the end of their container. Defaults to false.\n\t\talignRight: '',\n\t\tmetaTags: '<',\n\t\t// Put an empty meta-tag in to take up space. Defaults to false.\n\t\tshowIfEmpty: '',\n\t\ttheme: '@?'\n\t},\n\tcontroller: 'metaTagsComponentCtrl',\n\ttemplateUrl: 'components/meta-tags/meta-tags.component.html'\n})\n.controller('metaTagsComponentCtrl', function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\t\t$ctrl.alignRight = angular.isDefined($ctrl.alignRight) ? $ctrl.alignRight : false;\n\t\t$ctrl.showIfEmpty = angular.isDefined($ctrl.showIfEmpty) ? $ctrl.showIfEmpty : false;\n\t\t$ctrl.theme = angular.isDefined($ctrl.theme) ? $ctrl.theme : 'is-primary';\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('mobileMenu', {\n\n\tbindings: {\n\t\tmmTitle: '@'\n\t},\n\tcontroller: 'mobileMenuController',\n\ttemplateUrl: 'components/mobile-menu/mobile-menu.component.html',\n\ttransclude: true\n})\n\n.controller('mobileMenuController', [\n\t'utilities',\n\tfunction (\n\t\tutilities\n\t) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\tconst appHeaderHeight = utilities.getAppHeaderHeight();\n\t\t$ctrl.appHeaderPixelHeight = `${appHeaderHeight}px`;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('modal', {\n\n\tbindings: {\n\t\tmodalOptions: '='\n\t},\n\tcontroller: 'modalController',\n\ttemplateUrl: 'components/modal/modal.component.html',\n\ttransclude: {\n\t\t'modalBody': 'modalBody',\n\t\t'primaryActions': '?modalPrimaryActions',\n\t\t'secondaryActions': '?modalSecondaryActions'\n\t}\n})\n.controller('modalController', [\n\t'$transclude',\n\t'MODAL_OPTIONS',\n\tfunction (\n\t\t$transclude,\n\t\tMODAL_OPTIONS\n\t) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\tangular.extend($ctrl, {\n\t\t\t/* For modals not yet refactored into the modal-cabinet, these different treatment. They'll display their\n\t\t\t own overlay and won't be opened or closed using the application-level functions which control overlay\n\t\t\t display. This can go when all modals have been refactored to the new cabinet structure. */\n\t\t\tisModalCabinet: MODAL_OPTIONS.hasOwnProperty($ctrl.modalOptions.modalKey),\n\t\t\thasPrimaryActions: $transclude.isSlotFilled('primaryActions'),\n\t\t\thasSecondaryActions: $transclude.isSlotFilled('secondaryActions')\n\t\t});\n\t};\n\n\t/**\n\t * Close the modal. This is here to allow refactored and legacy modals to live together in relative harmony.\n\t * When all have been refactored, this can go. See additional comments in template.\n\t */\n\tfunction closeModal () {\n\n\t\t// Is this a refactored modal?\n\t\tif ($ctrl.isModalCabinet) {\n\t\t\t// It is. Use closeModal provided to modalOptions by the modal service\n\t\t\t$ctrl.modalOptions.closeModal();\n\t\t}\n\t\telse {\n\t\t\t// Legacy close.\n\t\t\tif (angular.isFunction($ctrl.modalOptions.onClose)) {\n\t\t\t\t$ctrl.modalOptions.onClose();\n\t\t\t}\n\t\t\t$ctrl.modalOptions.isOpen = false;\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\tcloseModal\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('modalCabinet', {\n\tbindings: {\n\t\tmodalOptions: '='\n\t},\n\tcontroller: 'modalCabinetCtrl',\n\ttemplateUrl: 'components/modal-cabinet/modal-cabinet.component.html'\n})\n.controller('modalCabinetCtrl', [\n\t'MODAL_GENERIC_TYPES',\n\tfunction (\n\t\tMODAL_GENERIC_TYPES\n\t) {\n\n\tconst $ctrl = this;\n\n\tangular.extend($ctrl, {\n\t\tMODAL_GENERIC_TYPES\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('modalDialog', {\n\ttemplateUrl: 'components/modal-dialog/modal-dialog.component.html',\n\tbindings: {\n\t\tmodalData: '=',\n\t\tmodalOptions: '='\n\t},\n\tcontroller: 'modalDialogController',\n\ttransclude: {\n\t\t'modalBody': '?modalBody',\n\t\t'modalFooter': '?modalFooter',\n\t\t'primaryActions': '?modalPrimaryActions',\n\t\t'secondaryActions': '?modalSecondaryActions'\n\t}\n})\n.controller('modalDialogController', [\n\t'$transclude',\n\tfunction (\n\t\t$transclude\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tconst hasPrimaryActions = $transclude.isSlotFilled('primaryActions');\n\t\tconst hasSecondaryActions = $transclude.isSlotFilled('secondaryActions');\n\n\t\tangular.extend($ctrl, {\n\t\t\thasFooter: hasPrimaryActions || hasSecondaryActions,\n\t\t\thasPrimaryActions: hasPrimaryActions,\n\t\t\thasSecondaryActions: hasSecondaryActions,\n\t\t\tisDarkMode: getIsDarkMode($ctrl.modalOptions.theme)\n\t\t});\n\t}\n\n\tfunction getIsDarkMode (theme) {\n\n\t\tswitch (theme) {\n\t\t\tcase 'is-primary':\n\t\t\t\treturn false;\n\t\t\tdefault:\n\t\t\t\treturn true;\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n}]);\n\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('modalMobile', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/modal-mobile/modal-mobile.component.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tcontroller: 'modalMobileCtrl',\n\t\tscope: {\n\t\t\tmodalOpen: '=',\n\t\t\tmodalClose: '&?',\n\t\t\tmodalSubmit: '&?',\n\t\t\tmodalSubmitText: '<'\n\t\t},\n\t\ttransclude: {\n\t\t\t'modalBody': '?mmBody',\n\t\t\t'modalActions': '?mmActions'\n\t\t}\n\t};\n})\n.controller('modalMobileCtrl', ['$scope', function ($scope) {\n\n\t$scope.toggleState = function () {\n\n\t\t$scope.modalOpen = !$scope.modalOpen;\n\t};\n\n\t$scope.submit = function () {\n\n\t\t$scope.modalSubmit();\n\t\t$scope.modalOpen = false;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('name', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/name/nameComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tcompanyName: '@?',\n\t\t\tforename: '@?',\n\t\t\tfullName: '',\n\t\t\tnameType: '@?', // company || person (default)\n\t\t\tsurname: '@?',\n\t\t}\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('navigationTabs', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/navigation-tabs/navigationTabsComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\ttransclude: true,\n\t\tlink: function ($scope) {\n\n\t\t\t$scope.isOpen = false;\n\t\t}\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('niNumber', {\n\tbindings: {\n\t\tniNumber: '=',\n\t\tniNumberDisabled: '',\n\t\tniNumberName: '@',\n\t\tniNumberRequired: ''\n\t},\n\tcontroller: 'niNumberCtrl',\n\ttemplateUrl: 'components/ni-number/ni-number.component.html',\n})\n.controller('niNumberCtrl', function () {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\t\tangular.extend($ctrl, {\n\t\t\tniNumberDisabled: angular.isDefined($ctrl.niNumberDisabled) ? $ctrl.niNumberDisabled : false,\n\t\t\tniNumberRequired: angular.isDefined($ctrl.niNumberRequired) ? $ctrl.niNumberRequired : true\n\t\t});\n\t}\n\n\tfunction onChange () {\n\t\t// Change NI number to uppercase so that it displays correctly after save\n\t\tif ($ctrl.niNumber) {\n\t\t\t$ctrl.niNumber = $ctrl.niNumber.toUpperCase();\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tonChange\n\t});\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('nominalCodeFormField', {\n\tbindings: {\n\t\tindex: '=',\n\t\tisFinancialsIntegrated: '<',\n\t\tnominalCode: '=',\n\t\tnominalCodeList: '=',\n\t\tshowActions: ''\n\t},\n\tcontroller: 'nominalCodeFormFieldController',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/nominal-code-form-field/nominal-code-form-field.component.html'\n})\n.controller('nominalCodeFormFieldController', [function () {\n\n\tlet $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\thasExistingControlAccounts: hasExistingControlAccounts($ctrl.nominalCodeList),\n\t\t\tnominalCodeValueFormFieldId: `nominalCodeValue${$ctrl.index}`,\n\t\t\tnominalCodeNarrativeFormFieldId: `nominalCodeNarrative${$ctrl.index}`,\n\t\t\tnominalCodeOverrideJournalCodeFormFieldId: `nominalCodeOverrideJournalCode${$ctrl.index}` \n\t\t});\n\t\tdecorateNominalCode($ctrl.nominalCode);\n\t}\n\n\tfunction decorateNominalCode (nominalCode) {\n\n\t\tangular.extend(nominalCode, {\n\t\t\tconfirmDelete: false,\n\t\t\torignalNominalCodeOverrideJournalCode: nominalCode.NominalCodeOverrideJournalCode\n\t\t});\n\t}\n\n\tfunction deleteNominalCode (nominalCode) {\n\n\t\tnominalCode.NominalCodeArchived = true;\n\t}\n\n\tfunction hasExistingControlAccounts (nominalCodeList) {\n\t\t\n\t\treturn angular.isDefined(nominalCodeList.find(code => {\n\t\t\treturn code.NominalCodeOverrideJournalCode;\n\t\t}));\n\t}\n\n\tfunction isUnique (nominalCode, nominalCodeList, nominalCodeAttribute) {\n\n\t\treturn !angular.isDefined(nominalCodeList.find(code => {\n\t\t\treturn (code !== nominalCode && !code.NominalCodeArchived && code[nominalCodeAttribute] === nominalCode[nominalCodeAttribute]);\n\t\t}));\n\t}\n\n\tfunction onNarrativeChange (nominalCode, formFieldName) {\n\n\t\tfor (let i = 0, ii = $ctrl.nominalCodeList.length; i < ii; i++) {\n\t\t\t$ctrl.form[`${formFieldName}${i}`].$setValidity('nonUnique', isUnique(nominalCode, $ctrl.nominalCodeList, 'NominalCodeNarrative'));\n\t\t}\n\t}\n\n\tfunction toggleConfirmDeleteNominalCode (nominalCode) {\n\n\t\tnominalCode.confirmDelete = !nominalCode.confirmDelete;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tdeleteNominalCode,\n\t\tonNarrativeChange,\n\t\tshowActions: angular.isDefined($ctrl.showActions) ? $ctrl.showActions : true,\n\t\ttoggleConfirmDeleteNominalCode\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('nominalCodePreview', {\n\tbindings: {\n\t\tnominalCodesList: '<'\n\t},\n\ttemplateUrl: 'components/nominal-code-preview/nominal-code-preview.component.html'\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('nominalCodePreviewCode', {\n\tbindings: {\n\t\tnominalCode: '<'\n\t},\n\tcontroller: 'nominalCodePreviewCodeController',\n\ttemplateUrl: 'components/nominal-code-preview/nominal-code-preview-code.component.html'\n})\n.controller('nominalCodePreviewCodeController', [function () {\n\n\tlet $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tisExpanded: $ctrl.nominalCode.NominalEntries.length > 0,\n\t\t\ttoggleIsExpanded\n\t\t});\n\t};\n\n function toggleIsExpanded ($ctrl) {\n\n \tif ($ctrl.nominalCode.NominalEntries.length === 0) {\n \t\treturn;\n \t}\n\n\t\t$ctrl.isExpanded = !$ctrl.isExpanded;\n\t}\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('note', {\n\tbindings: {\n\t\tnoteAction: '&?',\n\t\tnoteActionIcon: '@?',\n\t\tnoteAnimation: '@?',\n\t\t// Cheese to display in note title. Ignored if no header is specified.\n\t\tnoteCheese: '@?',\n\t\tnoteConfirmationField: '=?',\n\t\tnoteDismiss: '',\n\t\tnoteDismissKey: '@?',\n\t\tnoteDismissParam: '=?',\n\t\tnoteEmphasise: '',\n\t\tnoteHasAction: '',\n\t\tnoteHasConfirmation: '',\n\t\tnoteIcon: '@?',\n\t\tnoteIconSize: '@?',\n\t\tnoteId: '@?',\n\t\tnoteOnDismiss: '&?',\n\t\tnoteTheme: '@?',\n\t\tnoteTitle: '@?',\n\t},\n\tcontroller: 'noteController',\n\ttemplateUrl: 'components/note/note.component.html',\n\ttransclude: {\n\t\t'noteItems': '?noteItems',\n\t\t'noteColumns': '?noteColumns',\n\t\t'noteContent': '?noteContent',\n\t\t'noteHeader': '?noteHeader'\n\t}\n})\n.controller('noteController', ['$scope', '$transclude', 'utilities', 'LOCAL_STORAGE_KEYS', function ($scope, $transclude, utilities, LOCAL_STORAGE_KEYS) {\n\n\tconst $ctrl = this;\n\n\tfunction dismissNote (ctrlObj) {\n\n\t\tctrlObj.isNoteVisible = !ctrlObj.isNoteVisible;\n\n\t\tif (angular.isDefined($ctrl.noteDismissParam)) {\n\t\t\t$ctrl.noteDismissParam = ctrlObj.isNoteVisible;\n\t\t}\n\n\t\tif (angular.isDefined(ctrlObj.noteDismissKey)) {\n\t\t\tutilities.addToStoredArray(LOCAL_STORAGE_KEYS.dismissedNotes, ctrlObj.noteDismissKey);\n\t\t}\n\n\t\tif (angular.isFunction(ctrlObj.noteOnDismiss)) {\n\t\t\tctrlObj.noteOnDismiss();\n\t\t}\n\t}\n\n\tfunction getIsNoteVisible (ctrlObj) {\n\n\t\tif (angular.isDefined(ctrlObj.noteDismissKey)) {\n\t\t\treturn !utilities.checkStoredArray(LOCAL_STORAGE_KEYS.dismissedNotes, ctrlObj.noteDismissKey);\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction toggleActionConfirm (ctrlObj) {\n\t\tctrlObj.showActionConfirm = !ctrlObj.showActionConfirm;\n\t}\n\n\t$ctrl.$onInit = () => {\n\n\t\tangular.extend($ctrl, {\n\t\t\tdismissNote,\n\t\t\ttoggleActionConfirm,\n\n\t\t\thasNoteCheese: angular.isDefined($ctrl.noteCheese),\n\t\t\thasNoteColumns: $transclude.isSlotFilled('noteColumns'),\n\t\t\thasNoteContent: $transclude.isSlotFilled('noteContent'),\n\t\t\thasNoteHeader: $transclude.isSlotFilled('noteHeader'),\n\t\t\thasNoteItems: $transclude.isSlotFilled('noteItems'),\n\t\t\tisNoteVisible: getIsNoteVisible($ctrl),\n\t\t\tnoteIconSize: angular.isDefined($ctrl.noteIconSize) ? $ctrl.noteIconSize : 'm',\n\t\t\tnoteTheme: angular.isDefined($ctrl.noteTheme) ? $ctrl.noteTheme : 'primary',\n\t\t\tnoteEmphasise: angular.isDefined($ctrl.noteEmphasise) ? $ctrl.noteEmphasise : false,\n\t\t\tshowActionConfirm: false\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('notificationBar', {\n\tbindings: {\n\t\ttagCopy: '@',\n\t\ttagIcon: '@',\n\t\ttagTheme: '@'\n\t},\n\ttemplateUrl: 'components/notification-bar/notification-bar.component.html',\n\ttransclude: true\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('notificationBlock', {\n\tbindings: {\n\t\ticon: '@',\n\t\ticonTheme: '@'\n\t},\n\tcontroller: 'notificationBlockCtrl',\n\ttemplateUrl: 'components/notification-block/notification-block.component.html',\n\ttransclude: {\n\t\t'nbActions': '?nbActions',\n\t\t'nbDetails': 'nbDetails'\n\t},\n})\n.controller('notificationBlockCtrl', [\n\t'$transclude',\n\tfunction (\n\t\t$transclude\n\t) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\t// Transclusion logic\n\t\t$ctrl.hasActions = $transclude.isSlotFilled('nbActions');\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('notificationCard', {\n\tbindings: {\n\t\ticon: '@?',\n\t\ttheme: '@?'\n\t},\n\tcontroller: 'notificationCardController',\n\ttemplateUrl: 'components/notification-card/notification-card.component.html',\n\ttransclude: {\n\t\t'action': '?ncAction',\n\t\t'description': '?ncDescription'\n\t}\n})\n.controller('notificationCardController', ['$transclude', function ($transclude) {\n\n\tlet $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\n\t\tangular.extend($ctrl, {\n\t\t\thasAction: $transclude.isSlotFilled('action'),\n\t\t\thasDescription: $transclude.isSlotFilled('description'),\n\t\t\thasIcon: angular.isDefined($ctrl.icon),\n\t\t\ttheme: angular.isDefined($ctrl.theme) ? $ctrl.theme : 'is-indifferent'\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('notificationPopout', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tuserId: '<'\n\t},\n\tcontroller: 'notificationPopoutCtrl',\n\ttemplateUrl: 'components/notification-popout/notification-popout.component.html',\n})\n.controller('notificationPopoutCtrl', [\n\t'$state',\n\t'$timeout',\n\t'config',\n\t'messageData',\n\t'session',\n\t'teamData',\n\t'MENTION_OPTIONS',\n\t'MESSAGE_STATUS',\n\t'MESSAGE_TYPES',\nfunction (\n\t$state,\n\t$timeout,\n\tconfig,\n\tmessageData,\n\tsession,\n\tteamData,\n\tMENTION_OPTIONS,\n\tMESSAGE_STATUS,\n\tMESSAGE_TYPES\n) {\n\n\tconst $ctrl = this;\n\n\tconst POPOUT_TABS = {\n\t\tautoRunWarnings: 'auto-run-warnings',\n\t\tmyMentions: 'my-mentions',\n\t\tteamMentions: 'team-mentions',\n\t\tupdates: 'updates'\n\t};\n\n\tfunction checkForNotifications ($ctrl) {\n\n\t\tif (session.user) {\n\t\t\tmessageData.getMessageCountsPolling($ctrl.userId)\n\t\t\t\t.then(messageCountObj => {\n\n\t\t\t\t\tconst totalNewNotifications = Object.values(messageCountObj).reduce((count, number) => count+number, 0);\n\n\t\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\t\thasNewNotifications: totalNewNotifications > 0,\n\t\t\t\t\t\ttotalMyMentions: messageCountObj.m_Item1,\n\t\t\t\t\t\ttotalAutoRunWarnings: messageCountObj.m_Item2,\n\t\t\t\t\t\ttotalUpdates: messageCountObj.m_Item3\n\t\t\t\t\t});\n\n\t\t\t\t\tif (!$ctrl.popoutOpen) {\n\t\t\t\t\t\t$ctrl.timeout = $timeout(() => {\n\t\t\t\t\t\t\tcheckForNotifications($ctrl);\n\t\t\t\t\t\t}, config.timeToPollForNotifications*60*1000);\n\t\t\t\t\t}\n\t\t\t\t});\n\n\t\t} else {\n\n\t\t\t// Cancel timeout if session is no longer active\n\t\t\t$timeout.cancel($ctrl.timeout);\n\t\t}\n\t}\n\n\tfunction clearAllMessages ($ctrl) {\n\n\t\tsetClearAllActionState('loading');\n\n\t\tmessageData.markAllMentionsAsRead($ctrl.userId).then(() => {\n\n\t\t\t$ctrl.myMentions = [];\n\n\t\t\tresetClearAllActionState();\n\n\t\t\tcheckForNotifications($ctrl);\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetClearAllActionState('error');\n\t\t});\n\t}\n\n\tfunction confirmClearAllMessage () {\n\n\t\tsetClearAllActionState('confirm-clear');\n\t}\n\n\tfunction clearAllUpdates ($ctrl) {\n\n\t\tsetClearAllActionState('loading');\n\n\t\tmessageData.markAllUpdatesAsRead($ctrl.userId).then(() => {\n\n\t\t\t$ctrl.updates = [];\n\n\t\t\tresetClearAllActionState();\n\n\t\t\tcheckForNotifications($ctrl);\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetClearAllActionState('error');\n\t\t});\n\t}\n\n\tfunction confirmClearAllUpdates () {\n\n\t\tsetClearAllActionState('confirm-clear');\n\t}\n\n\tfunction getAdminsForUser ($ctrl, adminsArr) {\n\t\treturn adminsArr.filter(adminObj => adminObj.HasMentionsAccess && adminObj.UserID !== $ctrl.userId);\n\t}\n\n\tfunction goToCompany ($ctrl, state, agencyProfileId) {\n\n\t\t$state.go(state, {agencyProfileId: agencyProfileId });\n\n\t\ttogglePopout($ctrl);\n\t}\n\n\tfunction loadAdmins ($ctrl) {\n\n\t\tif (!$ctrl.teamAdmins) {\n\t\t\tteamData.getTeamMemberAdmins($ctrl.agencyProfileId, $ctrl.userId)\n\t\t\t\t.then(adminsArr => {\n\n\t\t\t\t\t// Filter out admins that the user doens't have access to\n\t\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\t\tteamAdmins: getAdminsForUser($ctrl, adminsArr)\n\t\t\t\t\t});\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\t\t}\n\t}\n\n\tfunction loadAutoRunWarnings ($ctrl) {\n\n\t\tmessageData.getMessagesForAlert($ctrl.userId)\n\t\t\t.then(autoRunWarningsArr => {\n\t\t\t\t$ctrl.autoRunWarnings = autoRunWarningsArr;\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction loadDataForActiveTab ($ctrl) {\n\n\t\tswitch ($ctrl.activeTab) {\n\t\t\tcase POPOUT_TABS.myMentions:\n\t\t\t\tloadMentions($ctrl);\n\t\t\t\tbreak;\n\n\t\t\tcase POPOUT_TABS.teamMentions:\n\t\t\t\tresetTeamMentions($ctrl);\n\t\t\t\tbreak;\n\n\t\t\tcase POPOUT_TABS.updates:\n\t\t\t\tloadUpdates($ctrl);\n\t\t\t\tbreak;\n\n\t\t\tcase POPOUT_TABS.autoRunWarnings:\n\t\t\t\tloadAutoRunWarnings($ctrl);\n\t\t\t\tbreak;\n\t\t}\n\t}\n\n\tfunction loadMentions ($ctrl) {\n\n\t\tmessageData.getMessagesForMention($ctrl.agencyProfileId, $ctrl.userId).then(mentionsArr => {\n\t\t\t$ctrl.myMentions = mentionsArr;\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction loadUpdates (ctrlObj) {\n\n\t\tmessageData.getMessagesForUpdate(ctrlObj.userId).then(updatesArr => {\n\t\t\tctrlObj.updates = updatesArr;\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction loadMentionsForAdmin ($ctrl, adminObj) {\n\n\t\t$ctrl.selectedAdmin = adminObj;\n\n\t\tif (!adminObj.mentions) {\n\t\t\tmessageData.getMessagesForMention($ctrl.agencyProfileId, adminObj.UserID)\n\t\t\t\t.then(mentionsArr => {\n\t\t\t\t\tadminObj.mentions = mentionsArr;\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\t\t}\n\t}\n\n\tfunction onClickElsewhere ($ctrl) {\n\t\t$ctrl.popoutOpen = false;\n\t\tresetPopout($ctrl);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\t$ctrl.hasError = true;\n\t}\n\n\tfunction resetClearAllActionState () {\n\n\t\tsetClearAllActionState(null);\n\t}\n\n\tfunction resetPopout ($ctrl) {\n\t\tangular.extend($ctrl, {\n\t\t\tactiveTab: POPOUT_TABS.myMentions,\n\t\t\tselectedAdmin: null\n\t\t});\n\t}\n\n\tfunction resetTeamMentions ($ctrl) {\n\t\t$ctrl.selectedAdmin = null;\n\t}\n\n\tfunction setActiveTab ($ctrl, newActiveTab) {\n\n\t\tif ($ctrl.activeTab === newActiveTab) {\n\t\t\treturn;\n\t\t}\n\n\t\t$ctrl.activeTab = newActiveTab;\n\t\tloadDataForActiveTab($ctrl);\n\t}\n\n\tfunction setClearAllActionState (clearAllActionState) {\n\t\t$timeout(() => {\n\t\t\t$ctrl.clearAllActionState = clearAllActionState;\n\t\t});\n\t}\n\n\tfunction togglePopout ($ctrl) {\n\n\t\t$ctrl.popoutOpen = !$ctrl.popoutOpen;\n\n\t\tif ($ctrl.popoutOpen) {\n\t\t\tcheckForNotifications($ctrl);\n\t\t\tloadDataForActiveTab($ctrl);\n\t\t\tloadAdmins($ctrl);\n\t\t} else {\n\t\t\tresetPopout($ctrl);\n\t\t}\n\t}\n\n\tfunction updateMessageStatus ($ctrl, messageObj, messageIndex, messageTypeList) {\n\n\t\t// Remove message from index to prevent having to wait for http request\n\t\t$timeout(() => {\n\t\t\tmessageTypeList.splice(messageIndex, 1);\n\t\t});\n\n\t\t\tmessageData.updateMessageStatus(messageObj.MessageID, MESSAGE_STATUS.read).then(() => {\n\t\t\tcheckForNotifications($ctrl);\n\t\t})\n\t\t.catch(error => {\n\n \t\t\t// Re-insert message\n \t\t\tmessageTypeList.splice(messageIndex, 0, messageObj);\n\n \t\t\tconsole.error(error);\n \t\t});\n \t}\n\n\t$ctrl.$onInit = function () {\n\t\tcheckForNotifications($ctrl);\n\t};\n\n\tangular.extend($ctrl, {\n\t\tMENTION_OPTIONS,\n\t\tMESSAGE_TYPES,\n\t\tPOPOUT_TABS,\n\n\t\tactiveTab: POPOUT_TABS.myMentions,\n\t\tautoRunWarnings: null,\n\t\tmyMentions: null,\n\t\tselectedAdmin: null,\n\n\t\tclearAllMessages,\n\t\tclearAllUpdates,\n\t\tconfirmClearAllMessage,\n\t\tconfirmClearAllUpdates,\n\t\tgoToCompany,\n\t\tloadMentionsForAdmin,\n\t\tresetTeamMentions,\n\t\tonClickElsewhere,\n\t\tresetClearAllActionState,\n\t\tsetActiveTab,\n\t\ttogglePopout,\n\t\tupdateMessageStatus\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('numberPicker', ['utilities', function (utilities) {\n\n\treturn {\n\t\ttemplateUrl: 'components/number-picker/numberPickerComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tfieldName: '@?',\n\t\t\tfigureType: '@?',\n\t\t\theading: '@',\n\t\t\tisDisabled: '',\n\t\t\tisEditable: '@?',\n\t\t\tmax: '',\n\t\t\tmin: '',\n\t\t\tminTotal: '',\n\t\t\tngModel: '=',\n\t\t\tngModelOptions: '',\n\t\t\tngPattern: '',\n\t\t\tnpOnChange: '&?',\n\t\t\tstep: '',\n\t\t\tsubHeading: '@?',\n\t\t\ttheme: '',\n\t\t\ttotalWith: '=?'\n\t\t},\n\t\tlink: function ($scope) {\n\n\t\t\t$scope.figureType \t= $scope.figureType !== undefined ? $scope.figureType : 'percentage'; // percentage|monetary\n\t\t\t$scope.isEditable \t= $scope.isEditable !== undefined ? $scope.isEditable : false;\n\t\t\t$scope.ngModel \t\t= $scope.ngModel !== undefined ? $scope.ngModel : 0;\n\t\t\t$scope.max \t\t\t= $scope.max !== undefined ? parseFloat($scope.max) : 0;\n\t\t\t$scope.min \t\t\t= $scope.min !== undefined ? parseFloat($scope.min) : 0;\n\t\t\t$scope.minTotal \t= $scope.minTotal !== undefined ? parseFloat($scope.minTotal) : 0;\n\t\t\t$scope.step \t\t= $scope.step !== undefined ? parseFloat($scope.step) : 0.1;\n\t\t\t$scope.totalWith \t= $scope.totalWith !== undefined ? parseFloat($scope.totalWith) : null;\n\n\t\t\tfunction updateDisabledStates () {\n\n\t\t\t\t$scope.incrementDisabled = $scope.ngModel === undefined || $scope.ngModel >= $scope.max;\n\t\t\t\t$scope.decrementDisabled = $scope.ngModel === undefined || $scope.ngModel <= $scope.min; // undefined if validation fails\n\t\t\t}\n\n\t\t\t// Scope\n\t\t\t$scope.decrement = function () {\n\n\t\t\t\tif ($scope.ngModel > $scope.min) {\n\t\t\t\t\t$scope.ngModel = utilities.roundTo($scope.ngModel - $scope.step, 2);\n\t\t\t\t}\n\n\t\t\t\tif ($scope.ngModel < $scope.min) {\n\t\t\t\t\t$scope.ngModel = $scope.min;\n\t\t\t\t}\n\t\t\t};\n\n\t\t\t$scope.increment = function () {\n\n\t\t\t\tif ($scope.ngModel < $scope.max) {\n\t\t\t\t\t$scope.ngModel = utilities.roundTo($scope.ngModel + $scope.step, 2);\n\t\t\t\t}\n\n\t\t\t\tif ($scope.ngModel > $scope.max) {\n\t\t\t\t\t$scope.ngModel = $scope.max;\n\t\t\t\t}\n\t\t\t};\n\n\t\t\t// Scope watchers\n\t\t\tif ($scope.totalWith) {\n\n\t\t\t\t$scope.$watch('totalWith', function (newValue) {\n\n\t\t\t\t\tif (newValue >= $scope.minTotal) {\n\t\t\t\t\t\t$scope.min = 0;\n\t\t\t\t\t}\n\n\t\t\t\t\telse {\n\t\t\t\t\t\t$scope.min = $scope.minTotal - newValue;\n\t\t\t\t\t}\n\n\t\t\t\t\tif ($scope.ngModel < $scope.min) {\n\t\t\t\t\t\t$scope.ngModel = $scope.min;\n\t\t\t\t\t}\n\n\t\t\t\t\tupdateDisabledStates();\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t$scope.$watch('ngModel', function (newValue, oldValue) {\n\n\t\t\t\tupdateDisabledStates();\n\n\t\t\t\tif (newValue !== oldValue && newValue !== '' && newValue !== undefined && newValue) {\n\n\t\t\t\t\tif ($scope.npOnChange !== undefined) {\n\n\t\t\t\t\t\t$scope.npOnChange();\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('officeLocationCard', {\n\n\tbindings: {\n\t\tagencyProfileId: '=',\n\t\tipAddress: '<',\n\t\trefresh: '&?'\n\t},\n\tcontroller: 'officeLocationCardCtrl',\n\ttemplateUrl: 'components/office-location-card/office-location-card.component.html'\n})\n\n.controller('officeLocationCardCtrl', ['$rootScope', function ($rootScope) {\n\n\tconst $ctrl = this;\n\n\tfunction openDeleteOfficeLocationForm (ctrlObj, ipAddress) {\n\n\t\tctrlObj.showActionMenu = false;\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.refresh(),\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'delete-office-location',\n\t\t\tofficeLocation: ipAddress\n\t\t});\n\t}\n\n\tfunction openEditDetailsForm (ctrlObj, ipAddressId) {\n\n\t\tctrlObj.showActionMenu = false;\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.refresh(),\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'company-settings-add-office-locations',\n\t\t\tipAddressId,\n\t\t\ttitle: 'Add office locations'\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t// Variables\n\t\tshowActionMenu: false,\n\n\t\t// Functions\n\t\topenDeleteOfficeLocationForm,\n\t\topenEditDetailsForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('officeLocationFormField', {\n\n\tbindings: {\n\t\tindex: '=?',\n\t\tipAddress: '<',\n\t\tonDelete: '&',\n\t\tname: '@',\n\t\tshowDelete: ''\n\t},\n\tcontroller: 'officeLocationFormFieldCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/office-location-form-field/office-location-form-field.component.html'\n})\n\n.controller('officeLocationFormFieldCtrl', ['utilities', function (utilities) {\n\n\tconst IP_ADDRESS_RANGE_INVALID = 'ipAddressRangeInvalid';\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\n\t\t// Build up form field names. It just makes life easier, and less error-prone.\n\t\t$ctrl.descriptionFieldName = `${$ctrl.name}_${$ctrl.index}_description`;\n\t\t$ctrl.valueStartFieldName = `${$ctrl.name}_${$ctrl.index}_value-start`;\n\t\t$ctrl.valueEndFieldName = `${$ctrl.name}_${$ctrl.index}_value-end`;\n\n\t\t// Delete confirmation, hidden initially\n\t\t$ctrl.ipAddress.confirmOfficeLocationDelete = false;\n\t};\n\n\tfunction deleteOfficeLocation (ctrlObj) {\n\n\t\tif (angular.isFunction(ctrlObj.onDelete)) {\n\t\t\tctrlObj.onDelete();\n\t\t}\n\t}\n\n\tfunction onIPAddressRangeChange (ctrlObj, ipAddressStart, ipAddressEnd) {\n\n\t\tconst ipAddressRangeCheck = utilities.compareIPAddresses (ipAddressStart, ipAddressEnd);\n\n\t\t/* Range valid will default to true if either or both of the addresses aren't specified, in which\n\t\t case other validation will apply. */\n\t\tlet rangeValid = true;\n\t\tif (ipAddressRangeCheck) {\n\t\t\trangeValid = (ipAddressRangeCheck !== 1);\n\t\t}\n\n\t\t/* Set validity on first IP address. One has to change, so might as well make it the first,\n\t\t plus it looks better in the UI */\n\t\tctrlObj.form[ctrlObj.valueStartFieldName].$setValidity(IP_ADDRESS_RANGE_INVALID, rangeValid);\n\t\tctrlObj.form[ctrlObj.valueStartFieldName].$setTouched(true);\n\t}\n\n\tfunction toggleConfirmDeleteOfficeLocation (ipAddress) {\n\t\tipAddress.confirmOfficeLocationDelete = !ipAddress.confirmOfficeLocationDelete;\n\t}\n\n\tangular.extend($ctrl, {\n\t\tdeleteOfficeLocation,\n\t\tonIPAddressRangeChange,\n\t\ttoggleConfirmDeleteOfficeLocation\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('onboardingCard', function () {\n\n\treturn {\n\t\tcontroller: 'onboardingCardController',\n\t\ttemplateUrl: 'components/onboarding-card/onboardingCardComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tonboardingQuestionGroup: '=',\n\t\t\tonboardingTeamMembersCount: '<',\n\t\t\tonboardingActions: '=',\n\t\t\tonClick: '='\n\t\t}\n\t};\n})\n.controller('onboardingCardController', ['$scope', 'ONBOARDING_QUESTION_GROUPS', function ($scope, ONBOARDING_QUESTION_GROUPS) {\n\n\t$scope.ONBOARDING_QUESTION_GROUPS = ONBOARDING_QUESTION_GROUPS;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('overlayForm', {\n\tbindings: {\n\t\tonClose: '&',\n\t},\n\tcontroller: 'overlayFormCtrl',\n\ttemplateUrl: 'components/overlay-form/overlay-form.component.html',\n\ttransclude: {\n\t\t'header': '?overlayFormHeader',\n\t\t'main': '?overlayFormMain',\n\t\t'preMain': '?overlayFormPreMain'\n\t}\n})\n.controller('overlayFormCtrl', [function () {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\t$ctrl.hasClose = angular.isDefined($ctrl.onClose);\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('overviewCard', {\n\tbindings: {\n\t\tdetails: '<',\n\t\toverviewData: '<',\n\t\ttheme: '@'\n\t},\n\tcontroller: 'overviewCardCtrl',\n\ttemplateUrl: 'components/overview-card/overview-card.component.html',\n\ttransclude: {\n\t\t'footerActions': '?ocFooterActions'\n\t}\n})\n.controller('overviewCardCtrl', [\n\t'config',\n\t'$transclude',\n\tfunction (\n\t\tconfig,\n\t\t$transclude\n\t) {\n\n\tconst $ctrl = this;\n\tconst detailsDefaults = {\n\t\theader: {\n\t\t\ttag: '12 days to go',\n\t\t\ticon: 'wallet',\n\t\t\ticonTheme: 'is-white-transparent',\n\t\t\tsubtitle: 'Pay day',\n\t\t\ttitle: 'Fri 25 Jul',\n\t\t\tlayout: 'bar', // bar || doughnut\n\t\t},\n\t\tmain: {\n\t\t\tbarPercentage: 0\n\t\t}\n\t};\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tdetails: getOverviewCardDetails(),\n\t\t\thasFooterActions: $transclude.isSlotFilled('footerActions'),\n\t\t\ttheme: $ctrl.theme || 'is-style-a' // 'is-style-a' || 'is-style=b'\n\t\t});\n\n\t\t// Set up Pie Chart\n\t\tif ($ctrl.details.header.layout === 'doughnut') {\n\n\t\t\t// Wait for element to render before loading chart\n\t\t\tangular.element(() => {\n\n\t\t\t\tconst ctx = document.getElementById('overview-card_doughnut');\n\n\t\t\t\t$ctrl.doughnutChart = new Chart(\n\t\t\t\t\tctx,\n\t\t\t\t\t{\n\t\t\t\t\t\ttype: 'doughnut',\n\t\t\t\t\t\tdata: $ctrl.details.header.chartData,\n\t\t\t\t\t\toptions: {\n\t\t\t\t\t\t\tanimation: {\n\t\t\t\t\t\t\t\tdelay: 500 // Delay chart load to show animation properly\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\tcutout: '68%',\n\t\t\t\t\t\t\tlayout: {\n\t\t\t\t\t\t\t\tpadding: 5\n\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\tplugins: {\n\t\t\t\t\t\t\t\tlegend: {\n\t\t\t\t\t\t\t\t\tdisplay: false\n\t\t\t\t\t\t\t\t},\n\t\t\t\t\t\t\t\ttooltip: {\n\t\t\t\t\t\t\t\t\tbodyFont: {\n\t\t\t\t\t\t\t \tfamily: config.fontFamilyAlpha\n\t\t\t\t\t\t\t },\n\t\t\t\t\t\t\t\t\tdisplayColors: false\n\t\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t);\n\n\t\t\t});\n\t\t}\n\t}\n\n\tfunction getOverviewCardDetails () {\n\n\t\tangular.extend(detailsDefaults, $ctrl.details);\n\n\t\treturn detailsDefaults;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('overviewData', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/overview-data/overviewDataComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\toverviewGroups: '=',\n\t\t\tonEdit: '='\n\t\t}\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n\t.component('p11dbSubmissionsCard',{\n\n\t\tbindings: {\n\t\t\tp11dbSubmission: '=?',\n\t\t\tagencyProfileId: '<',\n\t\t\trefreshSubmissions: '=',\n\t\t},\n\t\tcontroller: 'p11dbSubmissionsCardController',\n\t\ttemplateUrl: 'components/p11db-submissions-card/p11db-submissions-card.html',\n\t})\n\n\t.controller('p11dbSubmissionsCardController', [\n\t\t'$rootScope',\n\t\t'reportData',\n\t\t'reportsService',\n\t\t'RTI_SUBMISSION_REPORT_TYPE_BITWISE',\n\t\t'SUBMISSION_STATES',\n\t\tfunction (\n\t\t\t$rootScope,\n\t\t\treportData,\n\t\t\treportsService,\n\t\t\tRTI_SUBMISSION_REPORT_TYPE_BITWISE,\n\t\t\tSUBMISSION_STATES\n\t\t) {\n\n\t\t\tconst $ctrl = this;\n\t\t\tfunction $onInit () {\n\n\t\t\t\tconst isViewSubmissionFileOptionVisible =\n\t\t\t\t\t$ctrl.p11dbSubmission.P11DbSubmissionFinaliseState === SUBMISSION_STATES.submitted ||\n\t\t\t\t\t$ctrl.p11dbSubmission.P11DbSubmissionFinaliseState === SUBMISSION_STATES.failed;\n\n\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\tisContinueOptionVisible: $ctrl.p11dbSubmission.CanUpdate,\n\t\t\t\t\tisDeleteOptionVisible: $ctrl.p11dbSubmission.CanDelete,\n\t\t\t\t\tisViewSubmissionFileOptionVisible,\n\t\t\t\t\treportViewState: 'loading',\n\t\t\t\t});\n\n\t\t\t\t//determine card theme based on status\n\t\t\t\tswitch ($ctrl.p11dbSubmission.P11DbSubmissionFinaliseState){\n\t\t\t\t\tcase SUBMISSION_STATES.unsubmitted:\n\t\t\t\t\t\t$ctrl.state='Draft';\n\t\t\t\t\t\t$ctrl.theme='is-indifferent';\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase SUBMISSION_STATES.submitted:\n\t\t\t\t\t\t$ctrl.state='Submitted';\n\t\t\t\t\t\t$ctrl.theme='is-primary';\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tcase SUBMISSION_STATES.failed:\n\t\t\t\t\t\t$ctrl.state='Submission failed';\n\t\t\t\t\t\t$ctrl.theme='is-quinary';\n\t\t\t\t\t\tbreak;\n\t\t\t\t\tdefault:\n\t\t\t\t\t\t$ctrl.theme='is-primary';\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction refreshCards () {\n\t\t\t\tif (angular.isFunction($ctrl.refreshSubmissions)) {\n\t\t\t\t\t$ctrl.refreshSubmissions();\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction openDeleteConfirmationView () {\n\t\t\t\t$rootScope.openSlideInForm({\n\t\t\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\t\t\tcallback: refreshCards,\n\t\t\t\t\tformKey: 'company-settings-p11db-submission-delete',\n\t\t\t\t\tinitCallbackOnClose: true,\n\t\t\t\t\tp11dbSubmission: $ctrl.p11dbSubmission,\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tfunction editP11DbSubmission (p11dbSubmissionObj) {\n\t\t\t\t$rootScope.openSlideInForm({\n\t\t\t\t\tagencyPayPeriodId: p11dbSubmissionObj.AgencyPayPeriodID,\n\t\t\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\t\t\tcallback: refreshCards,\n\t\t\t\t\tformKey: 'company-settings-p11d-submission',\n\t\t\t\t\tinitCallbackOnClose: true\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tfunction viewSubmissionFile (report) {\n\n\t\t\t\treportsService.openReport(\n\t\t\t\t\treport,\n\t\t\t\t\t{ agencyProfileId: $ctrl.agencyProfileId }\n\t\t\t\t);\n\t\t\t}\n\n\t\t\tfunction getReportForP11Db () {\n\n\t\t\t\tif ($ctrl.reportViewState !== 'loading' || !$ctrl.isViewSubmissionFileOptionVisible) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tconst agencyProfileId = $ctrl.agencyProfileId;\n\t\t\t\tconst agencyPayPeriodId = $ctrl.p11dbSubmission.AgencyPayPeriodID;\n\t\t\t\tconst p11dbSubmissionId = $ctrl.p11dbSubmission.P11DbSubmissionID;\n\t\t\t\tconst rtiSubmissionReportType = RTI_SUBMISSION_REPORT_TYPE_BITWISE.p11db;\n\n\t\t\t\treportData.getRTISubmissionReports(agencyProfileId, agencyPayPeriodId, undefined, p11dbSubmissionId, rtiSubmissionReportType)\n\t\t\t\t.then(reportsArr => {\n\n\t\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\t\treports: reportsArr,\n\t\t\t\t\t\treportViewState: 'ready',\n\t\t\t\t\t\tisViewSubmissionFileOptionVisible: reportsArr.length > 0\n\t\t\t\t\t});\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\t\t\t}\n\n\t\t\tfunction onError (error) {\n\t\t\t\t$ctrl.reportViewState = 'error';\n\t\t\t\tconsole.error(error);\n\t\t\t}\n\n\t\t\tangular.extend($ctrl, {\n\t\t\t\t$onInit,\n\t\t\t\teditP11DbSubmission,\n\t\t\t\tgetReportForP11Db,\n\t\t\t\topenDeleteConfirmationView,\n\t\t\t\tviewSubmissionFile\n\t\t\t});\n\t\t}\n\t]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('pageTemplateAHeader', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/page-template-a-header/pageTemplateAHeaderComponent.html',\n\t\tcontroller: 'pageTemplateAHeaderCtrl',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\temoji: '@?',\n\t\t\ticon: '@?',\n\t\t\tpageSubTitle: '@',\n\t\t\tpageTitle: '@',\n\t\t\tsecondaryContentType: '@?',\n\t\t\tshowBreadcrumb: '',\n\t\t\tshowSecondaryContent: '',\n\t\t\ttheme: '@?'\n\t\t},\n\t\ttransclude: {\n\t\t\t'breadcrumb': '?ptBreadcrumb',\n\t\t\t'secondaryContent': '?ptSecondary',\n\t\t\t'subHeading': '?ptSubHeading',\n\t\t\t'titleMenu': '?ptTitleMenu'\n\t\t}\n\t};\n})\n.controller('pageTemplateAHeaderCtrl', ['$scope', '$transclude', function ($scope, $transclude) {\n\n\t// Scope\n\t$scope.hasSubTitle \t\t\t= $scope.pageSubTitle !== undefined ? $scope.pageSubTitle : null;\n\t$scope.secondaryContentType = $scope.secondaryContentType !== undefined ? $scope.secondaryContentType : 'actions';\n\t$scope.showBreadcrumb \t\t= $scope.showBreadcrumb !== undefined ? $scope.showBreadcrumb : 'actions';\n\t$scope.showSecondaryContent = $scope.showSecondaryContent !== undefined ? $scope.showSecondaryContent : true;\n\t\n\t// Transcludes\n\t$scope.hasBreadcrumb \t\t= $transclude.isSlotFilled('breadcrumb');\n\t$scope.hasSecondaryContent \t= $transclude.isSlotFilled('secondaryContent');\n\t$scope.hasSubHeading \t\t= $transclude.isSlotFilled('subHeading');\n\t$scope.hasTitleMenu \t\t= $transclude.isSlotFilled('titleMenu');\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('pageTemplateCHeader', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/page-template-c-header/pageTemplateCHeaderComponent.html',\n\t\tcontroller: 'pageTemplateCHeaderCtrl',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\ticon: '@?',\n\t\t\temoji: '@?',\n\t\t\tpageTitle: '@',\n\t\t\tpageSubTitle: '@',\n\t\t\tsecondaryContentType: '@?',\n\t\t\tshowBreadcrumb: '',\n\t\t\tshowSecondaryContent: '',\n\t\t\tshowTertiaryContent: ''\n\t\t},\n\t\ttransclude: {\n\t\t\t'actionMenu': '?ptActionMenu',\n\t\t\t'breadcrumb': '?ptBreadcrumb',\n\t\t\t'secondaryContent': '?ptSecondary',\n\t\t\t'subHeading': '?ptSubHeading',\n\t\t\t'tertiaryContent': '?ptTertiary',\n\t\t\t'totalCost': '?ptTotalCost'\n\n\t\t}\n\t};\n})\n.controller('pageTemplateCHeaderCtrl', ['$scope', '$transclude', function ($scope, $transclude) {\n\n\t// Scope\n\t$scope.hasSubTitle \t\t\t= $scope.pageSubTitle !== undefined ? $scope.pageSubTitle : null;\n\t$scope.secondaryContentType = $scope.secondaryContentType !== undefined ? $scope.secondaryContentType : 'actions';\n\t$scope.showBreadcrumb \t\t= $scope.showBreadcrumb !== undefined ? $scope.showBreadcrumb : 'actions';\n\t$scope.showSecondaryContent = $scope.showSecondaryContent !== undefined ? $scope.showSecondaryContent : true;\n\t$scope.showTertiaryContent \t= $scope.showTertiaryContent !== undefined ? $scope.showTertiaryContent : true;\n\t$scope.tertiaryContentType \t= $scope.tertiaryContentType !== undefined ? $scope.tertiaryContentType : 'actions';\n\t\n\t// Transcludes\n\t$scope.hasActionMenu \t\t= $transclude.isSlotFilled('actionMenu');\n\t$scope.hasBreadcrumb \t\t= $transclude.isSlotFilled('breadcrumb');\n\t$scope.hasSecondaryContent \t= $transclude.isSlotFilled('secondaryContent');\n\t$scope.hasSubHeading \t\t= $transclude.isSlotFilled('subHeading');\n\t$scope.hasTertiaryContent \t= $transclude.isSlotFilled('tertiaryContent');\n\t$scope.hasTotalCost \t\t= $transclude.isSlotFilled('totalCost');\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('paycirclePermissionTool', {\n\tbindings: {\n\t\tcurrentUser: '<'\n\t},\n\tcontroller: 'paycirclePermissionToolCtrl',\n\ttemplateUrl: 'components/paycircle-permission-tool/paycircle-permission-tool.component.html',\n})\n.controller('paycirclePermissionToolCtrl', [\n\t'paycircleService',\n\tfunction (\n\t\tpaycircleService\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst RECORDER_STATES = {\n\t\twaiting: 'waiting',\n\t\trecording: 'recording'\n\t};\n\n\tfunction $onInit () {\n\n\t\tif (paycircleService.permissionTracking.getIsTrackingEnabled()) {\n\t\t\tsetRecorderState(RECORDER_STATES.recording);\n\t\t}\n\t\telse {\n\t\t\tsetRecorderState(RECORDER_STATES.waiting);\n\t\t}\n\t}\n\n\tfunction onRecordingEnd () {\n\n\t\tpaycircleService.permissionTracking.disableTracking();\n\n\t\tsetRecorderState(RECORDER_STATES.waiting);\n\t}\n\n\tfunction onRecordingOutput () {\n\n\t\tconst recordingsArr = paycircleService.permissionTracking.getStoredPermissions();\n\n\t\tconsole.log(recordingsArr);\n\t}\n\n\tfunction onRecordingReset () {\n\n\t\tpaycircleService.permissionTracking.resetStore();\n\t}\n\n\tfunction onRecordingStart () {\n\n\t\tsetRecorderState(RECORDER_STATES.recording);\n\n\t\tpaycircleService.permissionTracking.enableTracking();\n\t}\n\n\tfunction setRecorderState (newState) {\n\t\t$ctrl.recorderState = newState;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tRECORDER_STATES,\n\n\t\tonRecordingEnd,\n\t\tonRecordingOutput,\n\t\tonRecordingStart,\n\t\tonRecordingReset,\n\n\t\tgetStoredPermissionLength: paycircleService.permissionTracking.getStoredPermissionLength\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.controller('PayslipCtrl', [\n\t'$filter',\n\t'$q',\n\t'$scope',\n\t'$state',\n\t'$stateParams',\n\t'$timeout',\n\t'$window',\n\t'adjustmentsService',\n\t'base',\n\t'companyData',\n\t'config',\n\t'dataTransfer',\n\t'payslipService',\n\t'travel',\n\t'userData',\n\t'utilities',\n\t'ADJUSTMENT_TYPES',\n\t'INTERFACE_TYPES',\n\t'JOB_STATUS_LABELS',\n\t'PAYSLIP_TOOLTIPS',\n\t'PENSION_TYPES',\n\t'REPAYMENT_SCHEDULE_TYPES',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$scope,\n\t\t$state,\n\t\t$stateParams,\n\t\t$timeout,\n\t\t$window,\n\t\tadjustmentsService,\n\t\tbase,\n\t\tcompanyData,\n\t\tconfig,\n\t\tdataTransfer,\n\t\tpayslipService,\n\t\ttravel,\n\t\tuserData,\n\t\tutilities,\n\t\tADJUSTMENT_TYPES,\n\t\tINTERFACE_TYPES,\n\t\tJOB_STATUS_LABELS,\n\t\tPAYSLIP_TOOLTIPS,\n\t\tPENSION_TYPES,\n\t\tREPAYMENT_SCHEDULE_TYPES\n\t) {\n\n\tlet agencyProfileId = $stateParams.agencyProfileId;\n\tlet payPeriodId = $stateParams.payPeriodId;\n\tlet userId = $stateParams.userId;\n\n\tconst userPaymentId = $stateParams.userPaymentId;\n\tconst authString = $stateParams.authString; // Slack integration\n\tconst userDocumentTypeId = $stateParams.userDocumentTypeId;\n\t// This is optional. It should be defined as a non-empty guid when userDocumentTypeId isn't standard 'payStatement'\n\tconst supplementaryPaymentId = $stateParams.supplementaryPaymentId;\n\n\tlet adjustmentTotal = 0;\n\n\tfunction closeDropdown (object) {\n\n\t\tobject.isActive \t\t= false;\n\t\t$scope.activeDropdown \t= '';\n\t}\n\n\tfunction init () {\n\n\t\tsetPageState('loading');\n\n\t\tcheckAuthentication().then(authResponseObj => {\n\n\t\t\t// Use values from authentication if populated\n\t\t\tif (angular.isDefined(authResponseObj)) {\n\t\t\t\tagencyProfileId = authResponseObj.agencyProfileId;\n\t\t\t\tuserId = authResponseObj.userId;\n\t\t\t\tpayPeriodId = authResponseObj.payPeriodId;\n\t\t\t}\n\n\t\t\tconst getAgencyProfileCompanyDetailsUser = companyData.getAgencyProfileCompanyDetailsUser(userId, authString);\n\t\t\t// Get payment depending on type\n\t\t\tlet getPayment;\n\t\t\t// Is this a supplementary payment of some sort (combined or single?)\n\t\t\tif (supplementaryPaymentId && supplementaryPaymentId !== config.guidEmpty) {\n\t\t\t\t// Supplementary pay statement - single or combined\n\t\t\t\tgetPayment = userData.getTeamMemberSupplementaryPayment(userId, agencyProfileId, supplementaryPaymentId, userDocumentTypeId);\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Standard pay statement\n\t\t\t\tgetPayment = userData.getTeamMemberPayment(agencyProfileId, userId, payPeriodId, userPaymentId, authString);\n\t\t\t}\n\n\t\t\tconst getCompanyCustomisation = companyData.getCompanyCustomisationToUse(agencyProfileId);\n\t\t\tconst getTeamMemberAddressDetail = travel.getTeamMemberAddressDetail(userId);\n\n\t\t\t$q.all([\n\t\t\t\tgetAgencyProfileCompanyDetailsUser,\n\t\t\t\tgetPayment,\n\t\t\t\tgetCompanyCustomisation,\n\t\t\t\tgetTeamMemberAddressDetail\n\t\t\t]).then(([\n\t\t\t\tcompaniesArr,\n\t\t\t\tpayslip,\n\t\t\t\tcustomisationObj,\n\t\t\t\taddressDetailObj\n\t\t\t]) => {\n\n\t\t\t\tconst companyObj = companiesArr.find(company => company.AgencyProfileID === agencyProfileId);\n\t\t\t\tconst isCISPayStatement = payslip.Personal.IsCISSubcontractor;\n\n\t\t\t\tif (angular.isUndefined(companyObj)) {\n\t\t\t\t\tconsole.error('Unable to load company information');\n\t\t\t\t\tsetPageState('error');\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\t// ... Set window title to something meaningful, so when saving to PDF the file has a name that corresponds to the payslip\n\t\t\t\t$window.document.title = `${payslip.Personal.Surname}, ${payslip.Personal.Forename} Payslip ${$filter('dateformat')(payslip.PayPeriod.PayDateISO)}`;\n\t\t\t\t/* ... set 'showLogo' flag. If the default is in use, don't show it. This is a little bit nasty, but we're checking\n\t\t\t\t\tfor the default image URL. A custom URL will have an AgencyProfileID stuffed in between paycircle.blob.core.windwos.net\n\t\t\t\t\tand paycircle in the path */\n\t\t\t\tpayslip.showLogoForPrintablePayslip = !customisationObj.Payslips.LogoURL.includes('windows.net/paycircle');\n\n\t\t\t\t// CIS\n\t\t\t\tif (isCISPayStatement) {\n\n\t\t\t\t\tpayslip.CIS.costOfMaterials = 0;\n\t\t\t\t\tpayslip.CIS.deduction = 0;\n\n\t\t\t\t\tfor (var i = payslip.Adjustments.length - 1; i >= 0; i--) {\n\t\t\t\t\t\tswitch (payslip.Adjustments[i].AdjustmentDescription) {\n\t\t\t\t\t\t\tcase 'Cost of Materials':\n\t\t\t\t\t\t\t\tpayslip.CIS.costOfMaterials = payslip.Adjustments[i].AdjustmentValue;\n\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\tcase 'CIS Deduction':\n\t\t\t\t\t\t\t\tpayslip.CIS.deduction = payslip.Adjustments[i].AdjustmentValue;\n\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\n\t\t\t\t\tcompanyObj.Address.AddressBusinessName = companyObj.Name;\n\t\t\t\t\tpayslip.CIS.DeductionRateDescription = payslip.CIS.TaxTreatment === 0 ? 'higher rate' : payslip.CIS.TaxTreatment === 1 ? 'gross rate' : 'standard rate';\n\t\t\t\t}\n\n\t\t\t\t// Determine 'Salary' label. This will differ for furloughed, partnership and off-payroll workers\n\t\t\t\tlet salaryLabel = 'Salary';\n\t\t\t\tif (payslip.Personal.IsFurloughed) {\n\t\t\t\t\tsalaryLabel = 'Furlough pay';\n\t\t\t\t}\n\t\t\t\telse if (payslip.PayPeriod.IsPartnership) {\n\t\t\t\t\tsalaryLabel = 'Profit share';\n\t\t\t\t}\n\t\t\t\telse if (payslip.Personal.IsOffPayrollWorker) {\n\t\t\t\t\tsalaryLabel = 'Deemed payment';\n\t\t\t\t}\n\t\t\t\tpayslip.salaryLabel = salaryLabel;\n\n\t\t\t\t// Determine salary detail. Present when salary paid by currency\n\t\t\t\tif (payslip.Salary.SalaryHasCurrency) {\n\t\t\t\t\t// Build salary detail\n\t\t\t\t\tpayslip.salaryDetail = `${payslip.Salary.SalaryForeignValue} ${payslip.Salary.CurrencyLabel} (Ex. ${payslip.Salary.CurrencyValue})`;\n\t\t\t\t}\n\n\t\t\t\t// Gross up adjustments\n\t\t\t\tpayslip.grossUpAdjustments = adjustmentsService.getGrossUpAdjustmentsForPayslip(payslip);\n\n\t\t\t\t// Decorate adjustments.\n\t\t\t\tif (payslip.Adjustments) {\n\t\t\t\t\tpayslip.Adjustments = adjustmentsService.decorateAdjustments(payslip.Adjustments, payslip.ScheduledPayments);\n\t\t\t\t\tpayslip.PensionAdjustments = adjustmentsService.decorateAdjustments(payslip.PensionAdjustments);\n\t\t\t\t\tpayslip = adjustmentsService.createAdjustmentsForPrintablePayslip(payslip);\n\t\t\t\t}\n\t\t\t\tif (payslip.SicknessPay) {\n\t\t\t\t\tpayslip.SicknessPay = adjustmentsService.decorateSicknessPay(payslip.SicknessPay);\n\t\t\t\t}\n\t\t\t\tif (payslip.Pensions) {\n\t\t\t\t\t// Split pensions into two lists - one for contributions, one for refunds, for separate display in the UI\n\t\t\t\t\tpayslip.pensionLists = [];\n\t\t\t\t\tpayslip.pensionLists.push({\n\t\t\t\t\t\theading: 'Pension contributions',\n\t\t\t\t\t\tpensions: payslip.Pensions.filter(pensionObj => !pensionObj.EmployeePensionIsRefund)\n\t\t\t\t\t});\n\t\t\t\t\tpayslip.pensionLists.push({\n\t\t\t\t\t\theading: 'Pension refunds',\n\t\t\t\t\t\tpensions: payslip.Pensions.filter(pensionObj => pensionObj.EmployeePensionIsRefund)\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\t// Calculate total adjustments\n\t\t\t\tadjustmentTotal = Math.round(adjustmentTotal * 100) / 100;\n\t\t\t\tconst adjustmentSymbol = adjustmentTotal > 0 ? '+' : adjustmentTotal === 0 ? '' : '-';\n\t\t\t\tpayslip.adjustmentTotalLabel = adjustmentSymbol + '£' + Math.abs(adjustmentTotal);\n\n\t\t\t\t// Allow PDF download, set in state config\n\t\t\t\tlet allowPDFDownload = false;\n\t\t\t\tif (angular.isDefined($state.current.data)) {\n\t\t\t\t\tallowPDFDownload = angular.isDefined($state.current.data.allowPDFDownload) ? $state.current.data.allowPDFDownload : false;\n\t\t\t\t}\n\n\t\t\t\t// Scope VM\n\t\t\t\tangular.extend($scope, {\n\t\t\t\t\tvm: {\n\t\t\t\t\t\taddress: addressDetailObj.Address,\n\t\t\t\t\t\tallowPDFDownload,\n\t\t\t\t\t\tcompany: companyObj,\n\t\t\t\t\t\tcustomisation: customisationObj,\n\t\t\t\t\t\t// Additional Note Display\n\t\t\t\t\t\tisAdditionalNoteVisible: payslipService.getAdditionalNoteVisibilityBoolFromEnumForOnlinePayslip(payslip.PayPeriod.PayslipAdditionalNoteVisible),\n\t\t\t\t\t\tisCISPayStatement,\n\t\t\t\t\t\t// Pay Period Display\n\t\t\t\t\t\tisPayslipPeriodVisible: payslipService.getPeriodVisiblityBoolFromEnumForOnlinePayslip(payslip.PayPeriod.PayslipPeriodVisible),\n\t\t\t\t\t\tpayslip,\n\t\t\t\t\t\t// Tooltips states\n\t\t\t\t\t\tshowPrintableTooltip: false,\n\t\t\t\t\t\tshowDownloadTooltip: false,\n\t\t\t\t\t\t// Initial view is online payslip\n\t\t\t\t\t\tviewPrintablePayslip: false\n\t\t\t\t\t}\n\t\t\t\t});\n\n\t\t\t\tsetPageState('ready');\n\t\t\t})\n\t\t\t.catch(error => {\n\t\t\t\tsetPageState('error');\n\t\t\t\tconsole.error(error);\n\t\t\t});\n\n\t\t})\n\t\t.catch(error => {\n\t\t\t$state.go('login');\n\t\t\tconsole.error('Unable to authenticate user, redirected to sign in', error);\n\t\t});\n\n\t}\n\n\tfunction checkAuthentication () {\n\n\t\treturn $q((resolve, reject) => {\n\n\t\t\t/* Check authentication is only appliable to Slack integration in User Portal;\n\t\t\t the paystatement state exists there */\n\t\t\tif (!$state.includes('paystatement')) {\n\t\t\t\tresolve();\n\t\t\t}\n\n\t\t\t// Slack integration\n\t\t\tif (angular.isDefined(authString)) {\n\t\t\t\tbase.decrypt(authString).then(decryptString => {\n\n\t\t\t\t\tconst GUIDS = decryptString.split('/');\n\t\t\t\t\tagencyProfileId = GUIDS[0];\n\t\t\t\t\tuserId = GUIDS[1];\n\t\t\t\t\tpayPeriodId = GUIDS[2];\n\n\t\t\t\t\tresolve({\n\t\t\t\t\t\tagencyProfileId,\n\t\t\t\t\t\tpayPeriodId,\n\t\t\t\t\t\tuserId\n\t\t\t\t\t});\n\t\t\t\t})\n\t\t\t\t.catch(error => {\n\t\t\t\t\treject(error);\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t// Auth string not defined\n\t\t\telse {\n\t\t\t\treject();\n\t\t\t}\n\t\t});\n\n\t}\n\n\tfunction openBrowserPrintDialog (vmObj) {\n\t\t/* Switch to printable payslip if online is active. Print dialog opens in a timeout to allow\n\t\t a delay to be introduced when switching to printable payslip view */\n\t\tconst timeoutWait = vmObj.viewPrintablePayslip ? 0 : 200;\n\t\tif (!vmObj.viewPrintablePayslip) {\n\t\t\tvmObj.viewPrintablePayslip = true;\n\t\t}\n\t\t// Open print dialog\n\t\t$timeout(() => {\n\t\t\t$window.print();\n\t\t}, timeoutWait);\n\t}\n\n\tfunction showDownloadTooltip (vmObj) {\n\t\tvmObj.showDownloadTooltip = true;\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tfunction showPrintableTooltip (vmObj) {\n\t\tvmObj.showPrintableTooltip = true;\n\t}\n\n\tfunction toggleDropdown (object, dropdownId) {\n\n\t\tobject.isActive \t\t= !object.isActive;\n\t\t$scope.activeDropdown \t= object.isActive ? dropdownId : null;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tADJUSTMENT_TYPES,\n\t\tINTERFACE_TYPES,\n\t\tJOB_STATUS_LABELS,\n\t\tPAYSLIP_TOOLTIPS,\n\t\tPENSION_TYPES,\n\t\tREPAYMENT_SCHEDULE_TYPES,\n\n\t\tagencyProfileId,\n\t\tpayPeriodId,\n\t\tsupplementaryPaymentId,\n\t\tuserDocumentTypeId,\n\t\tuserId,\n\t\tuserPaymentId,\n\n\t\tconfig,\n\t\tcloseDropdown,\n\t\tdownloadFile: dataTransfer.downloadFile,\n\t\tgoBack: utilities.goBack,\n\t\topenBrowserPrintDialog,\n\t\tshowDownloadTooltip,\n\t\tshowPrintableTooltip,\n\t\ttoggleDropdown\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('payElementTypeCard', [\n\t'$rootScope',\n\t'INTERFACE_TYPES',\n\tfunction (\n\t\t$rootScope,\n\t\tINTERFACE_TYPES\n\t) {\n\n\treturn {\n\t\ttemplateUrl: 'components/pay-element-type-card/pay-element-type-card.component.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tagencyProfileId: '<',\n\t\t\thasActions: '',\n\t\t\tonUpdate: '=?',\n\t\t\tonViewDetails: '=?',\n\t\t\tpayElementType:\t'<'\n\t\t},\n\t\tlink: function ($scope) {\n\n\t\t\tvar agencyProfileId = $scope.agencyProfileId;\n\t\t\tvar onUpdate = $scope.onUpdate;\n\n\t\t\t$scope.INTERFACE_TYPES = INTERFACE_TYPES;\n\t\t\t$scope.hasActions = $scope.hasActions !== undefined ? $scope.hasActions : false;\n\t\t\t$scope.vm = {\n\t\t\t\tshowMenu: false\n\t\t\t};\n\n\t\t\t$scope.openDuplicatePayElementForm = function (payElementObj) {\n\n\t\t\t\t$rootScope.openSlideInForm({\n\t\t\t\t\tagencyProfileId: agencyProfileId,\n\t\t\t\t\tcallback: onUpdate,\n\t\t\t\t\tformKey: 'duplicate-pay-element',\n\t\t\t\t\tpayElementObj: payElementObj\n\t\t\t\t});\n\t\t\t};\n\n\t\t\t$scope.openDeletePayElementForm = function (payElementObj) {\n\n\t\t\t\t$rootScope.openSlideInForm({\n\t\t\t\t\tagencyProfileId: agencyProfileId,\n\t\t\t\t\tcallback: onUpdate,\n\t\t\t\t\tformKey: 'delete-pay-element',\n\t\t\t\t\tpayElementObj: payElementObj\n\t\t\t\t});\n\t\t\t};\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('payElementTypeCardBasic', {\n\ttemplateUrl: 'components/pay-element-type-card/pay-element-type-card-basic.component.html',\n\tbindings: {\n\t\tdescription: '@',\n\t\tisDeduction: '<',\n\t\tlabel: '<'\n\t}\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('payElementTypeRow', [\n\t'ADJUSTMENT_BEHAVIOUR_STATES',\n\tfunction (\n\t\tADJUSTMENT_BEHAVIOUR_STATES\n\t) {\n\n\treturn {\n\t\ttemplateUrl: 'components/pay-element-type-row/payElementTypeRowComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tisPensionOnly: '',\n\t\t\tonEditPayElement: '=',\n\t\t\tpayElementType:\t'<',\n\t\t\tpayElementTypeGroup: '=',\n\t\t\tpayElementTypeIndex: '<',\n\t\t},\n\t\tlink: function ($scope) {\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tADJUSTMENT_BEHAVIOUR_STATES,\n\t\t\t\tisPensionOnly: angular.isDefined($scope.isPensionOnly) ? $scope.isPensionOnly : false\n\t\t\t});\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('payInformationCalculationsFieldset', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tteamMember: '<'\n\t},\n\tcontroller: 'payInformationCalculationsFieldsetCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/pay-information-calculations-fieldset/pay-information-calculations-fieldset.component.html'\n})\n.controller('payInformationCalculationsFieldsetCtrl', [\n\t'companyData',\n\tfunction (\n\t\tcompanyData\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst COMPONENT_STATES = {\n\t\terror: 'error',\n\t\tloading: 'loading',\n\t\tready: 'ready'\n\t};\n\n\tconst OVERRIDE_STATE = {\n\t\tcompanyDefaults: 'company-defaults',\n\t\tconfirmUndo: 'confirm-undo',\n\t\toverridden: 'overriden',\n\t};\n\n\tfunction $onInit () {\n\n\t\tcompanyData.getAgencyEmployerNetPayCalculationDetails($ctrl.agencyProfileId)\n\t\t\t.then(companyCalculationDetailsObj => {\n\n\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\tcompanyCalculationDetail: companyCalculationDetailsObj,\n\t\t\t\t\toverrideState: getInitialOverrideState(),\n\t\t\t\t\tteamMemberCalculcationDetailsBackup: angular.copy($ctrl.teamMember.salary.CalculationDetails)\n\t\t\t\t});\n\n\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction getInitialOverrideState () {\n\t\treturn $ctrl.teamMember.salary.UseCompanyDefaults ? OVERRIDE_STATE.companyDefaults : OVERRIDE_STATE.overridden;\n\t}\n\n\tfunction onConfirmUndoCancel () {\n\t\tsetOverrideState(OVERRIDE_STATE.overridden);\n\t}\n\n\tfunction onConfirmUndoContinue () {\n\n\t\tsetOverrideState(OVERRIDE_STATE.companyDefaults);\n\n\t\t// Reset properties on salary object\n\t\tsetTeamMemberCalculationDetailToCompanySettings();\n\n\t\t$ctrl.teamMember.salary.UseCompanyDefaults = true;\n\t}\n\n\tfunction onDeleteOverride () {\n\t\tsetOverrideState(OVERRIDE_STATE.confirmUndo);\n\t}\n\n\tfunction onError (error) {\n\t\tsetComponentState(COMPONENT_STATES.error);\n\t\tconsole.error(error);\n\t\t$ctrl.form.$invalid = true;\n\t}\n\n\tfunction onOverrideCompanyDefaults () {\n\n\t\t// Default override properties to company defaults on override\n\t\tsetTeamMemberCalculationDetailToCompanySettings();\n\n\t\t$ctrl.teamMember.salary.UseCompanyDefaults = false;\n\n\t\tsetOverrideState(OVERRIDE_STATE.overridden);\n\t}\n\n\tfunction setOverrideState (newState) {\n\t\t$ctrl.overrideState = newState;\n\t}\n\n\tfunction setTeamMemberCalculationDetailToCompanySettings () {\n\t\tangular.extend($ctrl.teamMember.salary.CalculationDetails, $ctrl.companyCalculationDetail);\n\t}\n\n\tfunction setComponentState (newState) {\n\t\t$ctrl.componentState = newState;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tonConfirmUndoCancel,\n\t\tonConfirmUndoContinue,\n\t\tonDeleteOverride,\n\t\tonOverrideCompanyDefaults,\n\n\t\tCOMPONENT_STATES,\n\t\tOVERRIDE_STATE,\n\n\t\tcomponentState: COMPONENT_STATES.loading,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('payInformationCurrenciesFieldset', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tisRequired: '<',\n\t\tteamMember: '<'\n\t},\n\tcontroller: 'payInformationCurrenciesFieldsetCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/pay-information-currencies-fieldset/pay-information-currencies-fieldset.component.html'\n})\n.controller('payInformationCurrenciesFieldsetCtrl', [\n\t'companyData',\n\t'config',\n\tfunction (\n\t\tcompanyData,\n\t\tconfig\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tcompanyData.getCurrencies($ctrl.agencyProfileId)\n\t\t\t.then(currenciesArr => {\n\n\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\tcurrencies: currenciesArr,\n\t\t\t\t\tisPaymentInCurrency: $ctrl.teamMember.salary.CurrencyID !== config.guidEmpty\n\t\t\t\t});\n\n\t\t\t\t$ctrl.selectedCurrency = getInitialSelectedCurrency();\n\t\t\t});\n\t}\n\n\tfunction getInitialSelectedCurrency () {\n\n\t\t// Find selected currency or leave empty\n\t\tif ($ctrl.isPaymentInCurrency && $ctrl.currencies.length > 0) {\n\t\t\treturn $ctrl.currencies.find(currencyObj => currencyObj.CurrencyID === $ctrl.teamMember.salary.CurrencyID);\n\t\t}\n\t\telse {\n\t\t\treturn null;\n\t\t}\n\t}\n\n\tfunction onCurrencyChange () {\n\t\t$ctrl.teamMember.salary.CurrencyID = $ctrl.selectedCurrency.CurrencyID;\n\t}\n\n\tfunction onUseCurrencyChange () {\n\n\t\t// Clear out currency properties\n\t\tif (!$ctrl.isPaymentInCurrency) {\n\n\t\t\t$ctrl.selectedCurrency = null;\n\n\t\t\tangular.extend($ctrl.teamMember.salary, {\n\t\t\t\tCurrencyID: config.guidEmpty,\n\t\t\t\tCurrencyLabel: ''\n\t\t\t});\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tonCurrencyChange,\n\t\tonUseCurrencyChange\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('payInformationTaxNiFieldset', {\n\tbindings: {\n\t\tisRequired: '<',\n\t\tteamMember: '<'\n\t},\n\tcontroller: 'payInformationTaxNiFieldsetCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/pay-information-tax-ni-fieldset/pay-information-tax-ni-fieldset.component.html'\n})\n.controller('payInformationTaxNiFieldsetCtrl', [\n\t'SALARY_TYPES',\n\tfunction (\n\t\tSALARY_TYPES\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tisPercentageOfPayTaxExempt: $ctrl.teamMember.salary.TaxExcemptPercent > 0\n\t\t});\n\t}\n\n\tfunction onPercentageOfPayTaxExemptToggle () {\n\n\t\tif (!$ctrl.isPercentageOfPayTaxExempt) {\n\t\t\t$ctrl.teamMember.salary.TaxExcemptPercent = 0;\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tonPercentageOfPayTaxExemptToggle,\n\n\t\tSALARY_TYPES\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('payPeriodDates', function () {\n\n\treturn {\n\t\tcontroller: 'payPeriodDatesController',\n\t\ttemplateUrl: 'components/pay-period-dates/payPeriodDatesComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tcurrentPeriod: '',\n\t\t\tonPreview: '=?',\n\t\t\tperiodDetails: \t'=',\n\t\t\thasRunPayroll: '',\n\t\t\tisCisActive: '<',\n\t\t\tform: '='\n\t\t},\n\t};\n})\n.controller('payPeriodDatesController', [\n\t'$filter',\n\t'$scope',\n\t'companyData',\n\t'config',\n\t'dateService',\n\t'payPeriodSetupService',\n\t'utilities',\n\t'PAY_DATE_OPTIONS',\n\t'PAY_PERIOD_ARREARS_OPTIONS',\n\t'PAY_PERIOD_ARREARS_TYPES',\n\t'PAY_PERIOD_OFFSET_OPTIONS',\n\t'PAY_PERIOD_PAYSLIP_DATE_TYPES',\n\t'PAY_PERIOD_PROCESSING_DATE_TYPES',\n\t'PAY_PERIOD_SETUP_TYPES',\n\t'PAY_PERIOD_SETUP_TYPES_OPTIONS',\n\t'QBA_OPTIONS',\n\t'WEEK_NUMBER_OPTIONS_FOUR_WEEKLY',\n\t'WEEK_NUMBER_OPTIONS_TWO_WEEKLY',\n\tfunction (\n\t\t$filter,\n\t\t$scope,\n\t\tcompanyData,\n\t\tconfig,\n\t\tdateService,\n\t\tpayPeriodSetupService,\n\t\tutilities,\n\t\tPAY_DATE_OPTIONS,\n\t\tPAY_PERIOD_ARREARS_OPTIONS,\n\t\tPAY_PERIOD_ARREARS_TYPES,\n\t\tPAY_PERIOD_OFFSET_OPTIONS,\n\t\tPAY_PERIOD_PAYSLIP_DATE_TYPES,\n\t\tPAY_PERIOD_PROCESSING_DATE_TYPES,\n\t\tPAY_PERIOD_SETUP_TYPES,\n\t\tPAY_PERIOD_SETUP_TYPES_OPTIONS,\n\t\tQBA_OPTIONS,\n\t\tWEEK_NUMBER_OPTIONS_FOUR_WEEKLY,\n\t\tWEEK_NUMBER_OPTIONS_TWO_WEEKLY) {\n\n\tconst currentPeriodObj = $scope.currentPeriod;\n\tconst hasRunPayroll = $scope.hasRunPayroll;\n\tconst isCisActive = $scope.isCisActive;\n\tconst periodDetails = $scope.periodDetails;\n\n\tfunction filterPayPeriodTypesForCompany (payPeriodOption) {\n\n\t\t// Companies with CIS cannot run quarterly/annual payrolls\n\t\tif (isCisActive) {\n\n\t\t\tswitch (payPeriodOption.id) {\n\n\t\t\t\tcase PAY_PERIOD_SETUP_TYPES.quarterly:\n\t\t\t\tcase PAY_PERIOD_SETUP_TYPES.biAnnually:\n\t\t\t\tcase PAY_PERIOD_SETUP_TYPES.annually:\n\t\t\t\t\treturn;\n\t\t\t}\n\t\t}\n\n\t\treturn payPeriodOption;\n\t}\n\n\tfunction generateEndDateFromStartDateIso (startDateIso) {\n\n\t\tif (startDateIso) {\n\t\t\t$scope.periodDetails.PeriodStartDateISO = startDateIso;\n\t\t\t$scope.periodDetails.periodEndDateISO = payPeriodSetupService.getEndDateForPeriodType($scope.periodDetails);\n\t\t\t$scope.periodDetails.isTimelineVisible = true;\n\n\t\t\treviewPreview($scope.periodDetails);\n\n\t\t} else {\n\t\t\t$scope.periodDetails.isTimelineVisible = false;\n\t\t}\n\n\t}\n\n\tfunction init () {\n\n\t\tpayPeriodSetupService.decoratePayPeriodDetails(periodDetails);\n\n\t\tsetupActivePeriodOptions(periodDetails);\n\n\t\tsetupPayDateReadOnly(periodDetails);\n\n\t\tsetMaxPayPeriodProcessingDayOffset(periodDetails.PayPeriodType);\n\n\t\tif (periodDetails.ActivePeriodQBA === 0) {\n\t\t\tpayPeriodSetupService.reviewActivePeriod(periodDetails);\n\t\t}\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t}\n\n\tfunction onDate1Change (periodDetailsObj, $field) {\n\n\t\tif (periodDetailsObj.PeriodStartDateISO === '') {\n\t\t\tperiodDetailsObj.isOptionsDisabled = true;\n\t\t\t$field.$setValidity('betweenDate1Range', true);\n\t\t\t$field.$setValidity('validDate', false);\n\t\t}\n\t\telse {\n\t\t\t$field.$setValidity('validDate', true);\n\n\t\t\tconst periodStartDate = moment(periodDetailsObj.PeriodStartDateISO);\n\n\t\t\tcompanyData.getQBAPayDateRanges(periodDetailsObj.PeriodStartDateISO, periodDetailsObj.PayPeriodType).then(value => {\n\n\t\t\t\t\tperiodDetailsObj.DateRanges = value;\n\t\t\t\t\tconst minDate = moment(periodDetailsObj.DateRanges[0].PayDateMinISO);\n\t\t\t\t\tconst maxDate = moment(periodDetailsObj.DateRanges[0].PayDateMaxISO);\n\n\t\t\t\t\tif (periodStartDate.isBetween(minDate, maxDate, null, '[]')) {\n\t\t\t\t\t\t$field.$setValidity('betweenDate1Range', true);\n\t\t\t\t\t\tperiodDetailsObj.isOptionsDisabled = false;\n\t\t\t\t\t} else {\n\t\t\t\t\t\t$field.$setValidity('betweenDate1Range', false);\n\t\t\t\t\t\tperiodDetailsObj.isOptionsDisabled = true;\n\t\t\t\t\t}\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\n\t\t\tif (periodDetailsObj.isEditing) {\n\t\t\t\t$field.$touched = true;\n\t\t\t}\n\t\t}\n }\n\n\tfunction openPreview (payPeriodObj) {\n\n\t\tif ($scope.onPreview !== undefined) {\n\n\t\t\t$scope.onPreview(payPeriodObj);\n\t\t}\n\t}\n\n\tfunction previewPeriodDetails (periodDetailsObj) {\n\n\t\tperiodDetailsObj = payPeriodSetupService.reviewPayPeriodDetails(periodDetailsObj);\n\n\t\t// Close timeline if unable to update\n\t\tif (periodDetailsObj.PayPeriodPaymentDay === null || periodDetailsObj.PayPeriodPayslipDay === null || periodDetailsObj.PayPeriodProcessingDay === null) {\n\t\t\treturn;\n\t\t}\n\n\t\tperiodDetailsObj.payPeriodsLoadingState = 'loading';\n\n\t\topenPreview(periodDetailsObj);\n\n\t\tcompanyData.createAgencyPayPeriodsPreview(periodDetailsObj).then((payPeriodsArr) => {\n\n\t\t\tperiodDetailsObj.payPeriods = payPeriodsArr;\n\t\t\tperiodDetailsObj.payPeriodsLoadingState = 'ready';\n\n\t\t\topenPreview(periodDetailsObj);\n\t\t})\n\t\t.catch((error) => {\n\n\t\t\tperiodDetailsObj.payPeriodsLoadingState = 'error';\n\n\t\t\topenPreview(periodDetailsObj);\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction reviewPayPeriodPaymentDay (periodDetailsObj) {\n\n\t\tperiodDetailsObj = payPeriodSetupService.reviewPayPeriodPaymentDay(periodDetailsObj);\n\n\t\treviewPreview(periodDetailsObj);\n\t}\n\n\tfunction reviewPayslipDay (periodDetailsObj) {\n\n\t\tperiodDetailsObj = payPeriodSetupService.reviewPayslipDay(periodDetailsObj);\n\n\t\treviewPreview(periodDetailsObj);\n\t}\n\n\tfunction reviewPreview (periodDetailsObj) {\n\n\t\tif (periodDetailsObj.isTimelineVisible) {\n\t\t\tpreviewPeriodDetails(periodDetailsObj);\n\t\t}\n\t}\n\n\tfunction reviewProcessingDay (periodDetailsObj) {\n\n\t\tperiodDetailsObj = payPeriodSetupService.reviewProcessingDay(periodDetailsObj);\n\n\t\treviewPreview(periodDetailsObj);\n\t}\n\n\tfunction setupActivePeriodOptions (periodDetailsObj) {\n\n\t\t// Only show field before payroll has been run for BiAnnual and Quarterly\n\t\tif (hasRunPayroll || ![PAY_PERIOD_SETUP_TYPES.biAnnually, PAY_PERIOD_SETUP_TYPES.quarterly].includes(periodDetailsObj.PayPeriodType)) {\n\t\t\treturn;\n\t\t}\n\n\t\tconst activePeriodOptionsArr = [\n\t\t\t{\n\t\t\t\tdescription: 'Pay date 1',\n\t\t\t\tvalue: QBA_OPTIONS.payDateOne\n\t\t\t},\n\t\t\t{\n\t\t\t\tdescription: 'Pay date 2',\n\t\t\t\tvalue: QBA_OPTIONS.payDateTwo\n\t\t\t}\n\t\t];\n\n\t\tif (periodDetailsObj.PayPeriodType === PAY_PERIOD_SETUP_TYPES.quarterly) {\n\t\t\tactivePeriodOptionsArr.push(\n\t\t\t\t{\n\t\t\t\t\tdescription: 'Pay date 3',\n\t\t\t\t\tvalue: QBA_OPTIONS.payDateThree\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tdescription: 'Pay date 4',\n\t\t\t\t\tvalue: QBA_OPTIONS.payDateFour\n\t\t\t\t}\n\t\t\t);\n\t\t}\n\n\t\tperiodDetailsObj.activePeriodOptions = activePeriodOptionsArr;\n\t\tperiodDetailsObj.isEditing = true;\n\n\t\tcompanyData.getQBAPayDateRanges(periodDetailsObj.PeriodStartDateISO || '2000-01-01', periodDetailsObj.PayPeriodType)\n\t\t\t.then(value => {\n\t\t\t\tperiodDetailsObj.DateRanges = value;\n\t\t\t\tonDate1Change(periodDetailsObj, $scope.form.payDate1);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction setupPayDateReadOnly (periodDetailsObj) {\n\n\t\t// Disabled certainpay date fields if payroll has been run on BiAnnual and Quarterly payrolls\n\n\t\t// Defaults\n\t\tconst payDateReadOnlyObj = {\n\t\t\tpayDate1: false,\n\t\t\tpayDate2: false,\n\t\t\tpayDate3: false,\n\t\t\tpayDate4: false,\n\t\t};\n\n\t\tif (\n\t\t\thasRunPayroll &&\n\t\t\tangular.isDefined(currentPeriodObj) &&\n\t\t\t[PAY_PERIOD_SETUP_TYPES.biAnnually, PAY_PERIOD_SETUP_TYPES.quarterly].includes(periodDetailsObj.PayPeriodType)\n\t\t) {\n\n\n\t\t\tconst currentPeriodStartDateIso = moment(currentPeriodObj.StartDateISO);\n\n\t\t\t// Date first run through Paycircle and any earlier are non-editable\n\t\t\tangular.extend(payDateReadOnlyObj, {\n\t\t\t\tpayDate1: moment(periodDetailsObj.PeriodStartDateISO).isBefore(currentPeriodStartDateIso),\n\t\t\t\tpayDate2: moment(periodDetailsObj.PeriodStartDate2ISO).isBefore(currentPeriodStartDateIso),\n\t\t\t\tpayDate3: moment(periodDetailsObj.PeriodStartDate3ISO).isBefore(currentPeriodStartDateIso),\n\t\t\t\tpayDate4: moment(periodDetailsObj.PeriodStartDate4ISO).isBefore(currentPeriodStartDateIso)\n\t\t\t});\n\n\t\t}\n\n\t\tperiodDetailsObj.payDateReadOnly = payDateReadOnlyObj;\n\t}\n\n\tfunction setupPayPeriodType (periodDetailsObj) {\n\n\t\tsetupActivePeriodOptions(periodDetailsObj);\n\t\tsetMaxPayPeriodProcessingDayOffset(periodDetailsObj.PayPeriodType);\n\t\tpayPeriodSetupService.reviewActivePeriod(periodDetails);\n\n\t\tperiodDetailsObj.PayPeriodPaymentDay = null;\n\t\tperiodDetailsObj.payPeriodPaymentDayDisplay = null;\n\n\t\tperiodDetailsObj = payPeriodSetupService.decoratePayPeriodDetails(periodDetailsObj);\n\n\t\tperiodDetailsObj.isTimelineVisible = false;\n\t\tperiodDetailsObj.isOptionsDisabled = true;\n\t\tperiodDetailsObj.isEditing = false;\n\n\t\tcompanyData.getQBAPayDateRanges(periodDetailsObj.PeriodStartDateISO || '2000-01-01', periodDetailsObj.PayPeriodType)\n\t\t\t.then(value => {\n\t\t\t\tperiodDetailsObj.DateRanges = value;\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction setMaxPayPeriodProcessingDayOffset (payPeriodTypeId) {\n\n\t\t// Determine processing date max days before payroll run date\n\t\tconst payPeriodType = PAY_PERIOD_SETUP_TYPES_OPTIONS.find(payPeriodSetupType => payPeriodSetupType.id === payPeriodTypeId);\n\t\t// Not defined for the longer pay period types\n\t\t$scope.maxPayPeriodProcessingDayOffset = angular.isDefined(payPeriodType.maxPayPeriodProcessingDayOffset) ? payPeriodType.maxPayPeriodProcessingDayOffset : 0;\n\t}\n\n\tfunction togglePayPeriodCalendar (periodDetailsObj) {\n\n\t\tif (periodDetailsObj.isTimelineVisible) {\n\t\t\tperiodDetailsObj.isTimelineVisible = false;\n\t\t}\n\t\telse {\n\t\t\tpreviewPeriodDetails(periodDetailsObj);\n\t\t}\n\t}\n\n\tfunction updateArrearsType (periodDetailsObj) {\n\n\t\tperiodDetailsObj.PayPeriodArrearsCount = periodDetailsObj.payPeriodArrearsType === PAY_PERIOD_ARREARS_TYPES.samePeriod ? 0 : 1;\n\n\t\treviewPreview(periodDetailsObj);\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tPAY_PERIOD_ARREARS_OPTIONS,\n\t\tPAY_PERIOD_ARREARS_TYPES,\n\t\tPAY_PERIOD_OFFSET_OPTIONS,\n\t\tPAY_PERIOD_PAYSLIP_DATE_TYPES,\n\t\tPAY_PERIOD_PROCESSING_DATE_TYPES,\n\t\tPAY_PERIOD_SETUP_TYPES,\n\t\tPAY_PERIOD_SETUP_TYPES_OPTIONS: PAY_PERIOD_SETUP_TYPES_OPTIONS.filter(filterPayPeriodTypesForCompany),\n\t\tPAY_DATE_OPTIONS,\n\t\tWEEK_NUMBER_OPTIONS_TWO_WEEKLY,\n\t\tWEEK_NUMBER_OPTIONS_FOUR_WEEKLY,\n\t\tgenerateEndDateFromStartDateIso,\n\t\tonDate1Change,\n\t\tpreviewPeriodDetails,\n\t\treviewPayPeriodPaymentDay,\n\t\treviewPayslipDay,\n\t\treviewPreview,\n\t\treviewProcessingDay,\n\t\tsetupPayPeriodType,\n\t\ttogglePayPeriodCalendar,\n\t\tupdateArrearsType\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('payPeriodCard', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tpayPeriod: '<',\n\t\trefreshPeriods: '&'\n\t},\n\tcontroller: 'payPeriodCardCtrl',\n\ttemplateUrl: 'components/pay-period-card/pay-period-card.component.html',\n})\n.controller('payPeriodCardCtrl', [\n\t'$rootScope',\n\t'$state',\n\t'reportData',\n\t'reportsService',\n\t'DOCUMENT_TYPES',\n\t'INTERFACE_TYPES',\n\t'PAYSLIP_MANAGER_STATE',\n\t'REPORT_TEMPLATE_IDS',\n\tfunction (\n\t\t$rootScope,\n\t\t$state,\n\t\treportData,\n\t\treportsService,\n\t\tDOCUMENT_TYPES,\n\t\tINTERFACE_TYPES,\n\t\tPAYSLIP_MANAGER_STATE,\n\t\tREPORT_TEMPLATE_IDS\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction checkCanImportMainRun ($ctrl) {\n\n\t\tif ($rootScope.currentCompany.IsArchived) {\n\t\t\t$rootScope.openSlideInForm({\n\t\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\t\tformKey: 'payslip-manager',\n\t\t\t\ttitle: 'Import main run'\n\t\t\t});\n\t\t\treturn;\n\t\t}\n\n\t\tswitch ($ctrl.payPeriod.PayslipManagerState) {\n\t\t\tcase PAYSLIP_MANAGER_STATE.awaitingUpload:\n\n\t\t\t\t$state.go('data-importer.upload-file', {\n\t\t\t\t\tagencyDocumentType: DOCUMENT_TYPES.payslipManagerFullRun,\n\t\t\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\t\t\tfrom: 'payslip-manager',\n\t\t\t\t\tpayPeriodId: $ctrl.payPeriod.PayPeriodID\n\t\t\t\t});\n\n\t\t\t\tbreak;\n\n\t\t\tcase PAYSLIP_MANAGER_STATE.notificationsNotSent:\n\t\t\tcase PAYSLIP_MANAGER_STATE.notificationsSent:\n\n\t\t\t\t$rootScope.openSlideInForm({\n\t\t\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\t\t\tcallback: $ctrl.refreshPeriods,\n\t\t\t\t\tformKey: 'payslip-manager',\n\t\t\t\t\tformState: 'main-run-imported-previously',\n\t\t\t\t\tpayPeriodId: $ctrl.payPeriod.PayPeriodID,\n\t\t\t\t\ttitle: 'Import main run'\n\t\t\t\t});\n\n\t\t\t\tbreak;\n\t\t}\n\t}\n\n\tfunction checkCanImportSupplementaryRun ($ctrl) {\n\n\t\tif ($rootScope.currentCompany.IsArchived) {\n\t\t\t$rootScope.openSlideInForm({\n\t\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\t\tformKey: 'payslip-manager',\n\t\t\t\ttitle: 'Import supplementary pay run'\n\t\t\t});\n\t\t\treturn;\n\t\t}\n\n\t\tswitch ($ctrl.payPeriod.PayslipManagerState) {\n\t\t\tcase PAYSLIP_MANAGER_STATE.notificationsNotSent:\n\t\t\tcase PAYSLIP_MANAGER_STATE.notificationsSent:\n\n\t\t\t\t$state.go('data-importer.upload-file', {\n\t\t\t\t\tagencyDocumentType: DOCUMENT_TYPES.payslipManagerSupplementaryRun,\n\t\t\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\t\t\tfrom: 'payslip-manager',\n\t\t\t\t\tpayPeriodId: $ctrl.payPeriod.PayPeriodID\n\t\t\t\t});\n\n\t\t\t\tbreak;\n\n\t\t\tcase PAYSLIP_MANAGER_STATE.awaitingUpload:\n\n\t\t\t\t$rootScope.openSlideInForm({\n\t\t\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\t\t\tformKey: 'payslip-manager',\n\t\t\t\t\tformState: 'main-run-not-imported',\n\t\t\t\t\ttitle: 'Import supplementary pay run'\n\t\t\t\t});\n\n\t\t\t\tbreak;\n\t\t}\n\t}\n\n\tfunction getReportsForPeriod () {\n\n\t\tif (!$ctrl.payPeriod.IsAutoSubmitPeriod && !$ctrl.payPeriod.payPeriodIsDisabled && $ctrl.reportDownloadState === 'loading') {\n\t\t\treportData.getClassicReports($ctrl.agencyProfileId, $ctrl.payPeriod.PayPeriodID)\n\t\t\t\t.then(classicReportsArr => {\n\t\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\t\treports: classicReportsArr,\n\t\t\t\t\t\treportDownloadState: 'ready'\n\t\t\t\t\t});\n\t\t\t\t})\n\t\t\t\t.catch(() => {\n\t\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\t\treports: [],\n\t\t\t\t\t\treportDownloadState: 'error'\n\t\t\t\t\t});\n\t\t\t\t});\n\t\t}\n\t}\n\n\tfunction openCISSufferedForm ($ctrl) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.refreshPeriods,\n\t\t\tformKey: 'cis-suffered',\n\t\t\tpayPeriodId: $ctrl.payPeriod.PayPeriodID\n\t\t});\n\t}\n\n\tfunction openDeleteHistoricPayPeriodForm ($ctrl) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tcallback: $ctrl.refreshPeriods,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'delete-historic-pay-period',\n\t\t\tpayPeriod: $ctrl.payPeriod,\n\t\t\tshowContext: true\n\t\t});\n\t}\n\n\tfunction openEPSReportModal ($ctrl) {\n\n\t\treportsService.openReportFromReportTemplateId(\n\t\t\tREPORT_TEMPLATE_IDS.eps,\n\t\t\t{\n\t\t\t\tagencyDocumentId: $ctrl.payPeriod.AutoSubmitEPSID,\n\t\t\t\tagencyProfileId: $ctrl.agencyProfileId\n\t\t\t}\n\t\t);\n\t}\n\n\tfunction openHistoricPeriodForm ($ctrl) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.refreshPeriods,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'historic-tax-period',\n\t\t\thistoricPayPeriodId: $ctrl.payPeriod.AgencyPaymentID,\n\t\t\tshowContext: true,\n\t\t});\n\t}\n\n\tfunction openImportHistoryForm ($ctrl) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.refreshPeriods,\n\t\t\tformKey: 'import-history',\n\t\t\tpayPeriod: $ctrl.payPeriod,\n\t\t});\n\t}\n\n\tfunction openP32ReportModal ($ctrl) {\n\n\t\treportsService.openReportFromReportTemplateId(\n\t\t\tREPORT_TEMPLATE_IDS.p32Report,\n\t\t\t{\n\t\t\t\tagencyProfileId: $ctrl.agencyProfileId\n\t\t\t}\n\t\t);\n\t}\n\n\tfunction openReopenPeriodForm ($ctrl) {\n\n\t\tconst formOptionsObj = {\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.refreshPeriods,\n\t\t\tshowContext: false,\n\t\t\tpayPeriod: $ctrl.payPeriod,\n\t\t\ttitle: 'Reopen period'\n\t\t};\n\n\t\tif ($ctrl.payPeriod.IsRunInactivity) {\n\t\t\tformOptionsObj.formKey = 'company-settings-inactive-period';\n\t\t} else if ($ctrl.payPeriod.IsRunSkipped) {\n\t\t\tformOptionsObj.formKey = 'company-settings-skip-pay-periods';\n\t\t}\n\n\t\t$rootScope.openSlideInForm(formOptionsObj);\n\t}\n\n\tfunction openRollbackPeriodForm ($ctrl) {\n\t\t\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.refreshPeriods,\n\t\t\tformKey: 'rollback-period',\n\t\t\tpayPeriodId: $ctrl.payPeriod.PayPeriodID\n\t\t});\n\t}\n\n\tfunction openSendNotificationsForm ($ctrl) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.refreshPeriods,\n\t\t\tformKey: 'send-notifications',\n\t\t\tpayPeriod: $ctrl.payPeriod,\n\t\t});\n\t}\n\n\tfunction openSubmitEpsForm ($ctrl) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.refreshPeriods,\n\t\t\tcanCloseForm: false,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'submit-eps',\n\t\t\tpayPeriodId: $ctrl.payPeriod.PayPeriodID,\n\t\t\ttitle: 'Submit EPS'\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\tINTERFACE_TYPES,\n\t\tPAYSLIP_MANAGER_STATE,\n\n\t\treportDownloadState: 'loading',\n\n\t\tcheckCanImportMainRun,\n\t\tcheckCanImportSupplementaryRun,\n\t\tgetReportsForPeriod,\n\t\topenCISSufferedForm,\n\t\topenDeleteHistoricPayPeriodForm,\n\t\topenEPSReportModal,\n\t\topenHistoricPeriodForm,\n\t\topenImportHistoryForm,\n\t\topenP32ReportModal,\n\t\topenReopenPeriodForm,\n\t\topenRollbackPeriodForm,\n\t\topenSendNotificationsForm,\n\t\topenSubmitEpsForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('payPeriodNote', {\n\tbindings: {\n\t\tnote: '=',\n\t\tagencyProfileId: '<',\n\t\tagencyPayPeriodId: '<',\n\t\trefreshNotes: '&',\n\t\trefreshTasks: '&?'\n\t},\n\tcontroller: 'payPeriodNoteCtrl',\n\ttemplateUrl: 'components/pay-period-note/pay-period-note.component.html',\n})\n.controller('payPeriodNoteCtrl', ['$rootScope', 'MESSAGE_SUBJECT_TYPES', function ($rootScope, MESSAGE_SUBJECT_TYPES) {\n\n\tconst $ctrl = this;\n\n\tfunction getThemeForNote (noteObj) {\n\n\t\tswitch (noteObj.SubjectType) {\n\n\t\t\t// Query\n\t\t\tcase MESSAGE_SUBJECT_TYPES.query:\n\t\t\t\treturn 'is-indifferent';\n\n\t\t\t// Note\n\t\t\tdefault:\n\t\t\t\treturn noteObj.IsSender ? 'is-quarternary' : 'is-primary';\n\t\t}\n\t}\n\n\tfunction openAddPeriodTaskForm (noteObj) {\n\t\topenSlideInForm({\n\t\t\tcallback: angular.isDefined($ctrl.refreshTasks) ? $ctrl.refreshTasks : undefined,\n\t\t\tformKey: 'add-period-task',\n\t\t\tnote: noteObj\n\t\t});\n\t}\n\n\tfunction openDeletePeriodNoteForm (noteObj) {\n\t\topenSlideInForm({\n\t\t\tcallback: $ctrl.refreshNotes,\n\t\t\tformKey: 'delete-period-note',\n\t\t\tnote: noteObj\n\t\t});\n\t}\n\n\tfunction openSlideInForm (formOptionsObj) {\n\t\tangular.extend(formOptionsObj, {\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t});\n\n\t\t$rootScope.openSlideInForm(formOptionsObj);\n\t}\n\n\t$ctrl.$onInit = function () {\n\t\t$ctrl.cardTheme = getThemeForNote($ctrl.note);\n\t};\n\n\tangular.extend($ctrl, {\n\t\tMESSAGE_SUBJECT_TYPES,\n\t\topenAddPeriodTaskForm,\n\t\topenDeletePeriodNoteForm,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('payPeriodTabs', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/pay-period-tabs/payPeriodTabsComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tactiveTab: '',\n\t\t\tagencyProfileId: '<',\n\t\t\tcompany: '<',\n\t\t\tformOptions: '=?',\n\t\t\tisRestrictedView: '',\n\t\t\tonPayPeriodChange: '=',\n\t\t\tpayPeriod: '=',\n\t\t\treports: '',\n\t\t\tsupplementaryPayRuns: ''\n\t\t},\n\t\tcontroller: 'payPeriodTabsCtrl'\n\t};\n})\n.controller('payPeriodTabsCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'$scope',\n\t'bulkService',\n\t'companyData',\n\t'config',\n\t'dataTransfer',\n\t'filterService',\n\t'logService',\n\t'messageData',\n\t'payPeriodService',\n\t'payrollData',\n\t'permissionsService',\n\t'reportData',\n\t'reportsService',\n\t'searchService',\n\t'session',\n\t'MESSAGE_TYPES',\n\t'SUBMISSION_STATES',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\t$scope,\n\t\tbulkService,\n\t\tcompanyData,\n\t\tconfig,\n\t\tdataTransfer,\n\t\tfilterService,\n\t\tlogService,\n\t\tmessageData,\n\t\tpayPeriodService,\n\t\tpayrollData,\n\t\tpermissionsService,\n\t\treportData,\n\t\treportsService,\n\t\tsearchService,\n\t\tsession,\n\t\tMESSAGE_TYPES,\n\t\tSUBMISSION_STATES\n\t) {\n\n\tconst TABS = {\n\t\talerts: {\n\t\t\tid: 'alerts',\n\t\t\tlabel: 'Alerts'\n\t\t},\n\t\tchanges: {\n\t\t\tid: 'changes',\n\t\t\tlabel: 'Changes'\n\t\t},\n\t\tpensions: {\n\t\t\tid: 'pensions',\n\t\t\tlabel: 'Pensions'\n\t\t},\n\t\tperiodNotes: {\n\t\t\tid: 'periodNotes',\n\t\t\tlabel: 'Notes'\n\t\t},\n\t\tperiodTasks: {\n\t\t\tid: 'periodTasks',\n\t\t\tlabel: 'Tasks'\n\t\t},\n\t\treceipts: {\n\t\t\tid: 'receipts',\n\t\t\tlabel: 'Receipts'\n\t\t},\n\t\treports: {\n\t\t\tid: 'reports',\n\t\t\tlabel: 'Reports'\n\t\t},\n\t\tteam: {\n\t\t\tid: 'team',\n\t\t\tlabel: 'Team'\n\t\t}\n\t};\n\n\tconst companyObj = $scope.company;\n\tconst formOptions = $scope.formOptions;\n\tconst isInPlayground = session.isInPlayground();\n\tconst onPayPeriodChange = $scope.onPayPeriodChange;\n\tconst payPeriod = $scope.payPeriod;\n\tconst isRestrictedView = angular.isDefined($scope.isRestrictedView) ? $scope.isRestrictedView : false;\n\tlet activeTab = angular.isDefined($scope.activeTab) ? $scope.activeTab : TABS.reports;\n\n\tconst PAY_PERIOD_SUBMITTED = (payPeriod.PayrollState === SUBMISSION_STATES.submitted);\n\n\tfunction createAlertReportDownload (companyObj, payPeriodObj) {\n\n\t\t$scope.alertDownloadState = 'loading';\n\n\t\treportData.createAlertReportDownload(companyObj.AgencyProfileID, payPeriodObj.PayPeriodID).then(alertReportUrl => {\n\n\t\t\tdataTransfer.downloadFile(alertReportUrl, 'alert-report.csv');\n\n\t\t\t$scope.alertDownloadState = null;\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetComponentState('error');\n\t\t});\n\t}\n\n\tfunction loadComponent () {\n\n\t\tif (isRestrictedView) {\n\t\t\tinitRestrictedView();\n\t\t} else {\n\t\t\tinitNormalView();\n\t\t}\n\t}\n\n\tfunction initRestrictedView () {\n\n\t\tsetComponentState('loading');\n\n\t\tconst getMessages = messageData.getMessagesForPayPeriod(companyObj.AgencyProfileID, payPeriod.PayPeriodID, MESSAGE_TYPES.notes);\n\t\tconst getReports = angular.isDefined($scope.reports) ? $scope.reports : reportData.getReports(companyObj.AgencyProfileID, payPeriod.PayPeriodID);\n\n\t\t$q.all([getMessages, getReports])\n\t\t\t.then(([periodNotesArr, reportsArr]) => {\n\n\t\t\t\tangular.extend($scope, {\n\t\t\t\t\tactiveTab,\n\t\t\t\t\tperiodNotes: periodNotesArr,\n\t\t\t\t\treports: reportsService.getReportsForPayPeriod(reportsArr)\n\t\t\t\t});\n\n\t\t\t\tsetComponentState('ready');\n\t\t\t})\n\t\t\t.catch(function (error) {\n\t\t\t\tconsole.error(error);\n\t\t\t\tsetComponentState('error');\n\t\t\t});\n\t}\n\n\tfunction initNormalView () {\n\n\t\tlet USER_ID; // Not defined to return all adjustments\n\n\t\tsetAdjustmentsState('loading');\n\t\tsetComponentState('loading');\n\n\t\tconst getAgencyPaymentAdjustmentDetailList = payrollData.getAgencyPaymentAdjustmentDetailList(companyObj.AgencyProfileID, USER_ID, payPeriod.PayPeriodID);\n\t\tconst getTeamMembersPaymentHistory = payrollData.getTeamMembersPaymentHistory(companyObj.AgencyProfileID, payPeriod.PayPeriodID);\n\t\tconst getPeriodAlerts = messageData.getPeriodAlerts(companyObj.AgencyProfileID, payPeriod.PayPeriodID, !PAY_PERIOD_SUBMITTED);\n\t\tconst getMessagesNotes = messageData.getMessagesForPayPeriod(companyObj.AgencyProfileID, payPeriod.PayPeriodID, MESSAGE_TYPES.notes);\n\t\tconst getMessagesTasks = messageData.getMessagesForPayPeriod(companyObj.AgencyProfileID, payPeriod.PayPeriodID, MESSAGE_TYPES.tasks);\n\t\tconst getPensionLogEntriesForPeriod = companyObj.HasPension && companyObj.IsPensionActive ? messageData.getPensionLogEntriesForPeriod(companyObj.AgencyProfileID, payPeriod.PayPeriodID) : null;\n\t\tconst getReports = reportData.getReports(companyObj.AgencyProfileID, payPeriod.PayPeriodID);\n\n\t\t$q.all([\n\t\t\tgetAgencyPaymentAdjustmentDetailList,\n\t\t\tgetTeamMembersPaymentHistory,\n\t\t\tgetPeriodAlerts,\n\t\t\tgetMessagesNotes,\n\t\t\tgetMessagesTasks,\n\t\t\tgetPensionLogEntriesForPeriod,\n\t\t\tgetReports\n\t\t]).then(([\n\t\t\tadjustmentDetailArr,\n\t\t\tpaymentHistoryObj,\n\t\t\tpayrollAlertsArr,\n\t\t\tperiodNotesArr,\n\t\t\tperiodTasksArr,\n\t\t\tpensionLogEntriesArr,\n\t\t\treportsArr\n\t\t]) => {\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tadjustmentDetailList: adjustmentDetailArr,\n\t\t\t\tfilterBarOptions: {\n\t\t\t\t\tteamHistory: filterService.getFilterBarOptionsTeamHistory(companyObj),\n\t\t\t\t\tpayrollAlerts: filterService.payrollAlerts,\n\t\t\t\t\tperiodTasks: filterService.tasks\n\t\t\t\t},\n\t\t\t\tpayrollAlerts: payPeriodService.getPayrollAlertLevelsFromAlerts(payrollAlertsArr),\n\t\t\t\tpensionLogEntries: logService.decorateLogEntries(pensionLogEntriesArr),\n\t\t\t\tperiodNotes: periodNotesArr,\n\t\t\t\tteamMembers: bulkService.getBulkItemsObj(paymentHistoryObj),\n\t\t\t\tperiodTasks: bulkService.getBulkItemsObj(periodTasksArr),\n\t\t\t\treports: reportsService.getReportsForPayPeriod(reportsArr)\n\t\t\t});\n\n\t\t\tsetAdjustmentsState('ready');\n\t\t\tsetComponentState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\tsetComponentState('error');\n\t\t\tsetAdjustmentsState('error');\n\t\t});\n\t}\n\n\tfunction openAddAChangeForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: companyObj.AgencyProfileID,\n\t\t\tcallback: onPayPeriodChange,\n\t\t\tformKey: 'add-a-change',\n\t\t\tpayPeriod: payPeriod\n\t\t});\n\t}\n\n\tfunction openBACSFileCreationForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: companyObj.AgencyProfileID,\n\t\t\tcallback: onPayPeriodChange,\n\t\t\tformKey: 'company-settings-bacs'\n\t\t});\n\t}\n\n\tfunction openCrossPeriodReportForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: companyObj.AgencyProfileID,\n\t\t\tformKey: 'cross-period-report'\n\t\t});\n\t}\n\n\tfunction openSlideInForm (formDetails) {\n\t\tif (formOptions) {\n\t\t\tformOptions.openNewSlideInForm(formDetails);\n\t\t}\n\t\telse {\n\t\t\t$rootScope.openSlideInForm(formDetails);\n\t\t}\n\t}\n\n\tfunction refreshNotes () {\n\n\t\tmessageData.getMessagesForPayPeriod(companyObj.AgencyProfileID, payPeriod.PayPeriodID, MESSAGE_TYPES.notes).then(periodNotesArr => {\n\n\t\t\t$scope.periodNotes = periodNotesArr;\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetComponentState('error');\n\t\t\tsetAdjustmentsState('error');\n\t\t console.error(error);\n\t\t});\n\t}\n\n\tfunction refreshTasks () {\n\n\t\tmessageData.getMessagesForPayPeriod(companyObj.AgencyProfileID, payPeriod.PayPeriodID, MESSAGE_TYPES.tasks).then(periodTasksArr => {\n\n\t\t\t$scope.periodTasks = bulkService.getBulkItemsObj(periodTasksArr);\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetComponentState('error');\n\t\t\tsetAdjustmentsState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction setActiveTab (tab) {\n\n\t\t// Set active tab and close mobile menu (in case its open)\n\t\tangular.extend($scope, {\n\t\t\tactiveTab: tab,\n\t\t\tisOpen: false\n\t\t});\n\t}\n\n\tfunction setAdjustmentsState (adjustmentsState) {\n\t\t$scope.adjustmentsState = adjustmentsState;\n\t}\n\n\tfunction setComponentState (componentState) {\n\t\t$scope.componentState = componentState;\n\t}\n\n\tfunction toggleDropdown() {\n\t\t$scope.isOpen = !$scope.isOpen;\n\t}\n\n\tfunction toggleShowCompleteTasks () {\n\n\t\t$scope.showCompleteTasks = !$scope.showCompleteTasks;\n\t}\n\n\tfunction updateCopied (property) {\n\t\t$scope.epsCopied = false;\n\t\t$scope.fpsCopied = false;\n\t\t$scope[property] = true;\n\t}\n\n\tloadComponent();\n\n\tangular.extend($scope, {\n\n\t\t// Constants\n\t\tTABS,\n\t\tSUBMISSION_STATES,\n\n\t\t// Variables\n\t\tactiveTab,\n\t\talertDownloadState: null,\n\t\tepsCopied: false,\n\t\tfpsCopied: false,\n\t\tisInPlayground,\n\t\tisOpen: false,\n\t\tsearchBarOptions: {\n\t\t\tpayrollAlerts: searchService.payrollAlerts,\n\t\t\tpensionHistory: searchService.pensionHistory,\n\t\t\tnotes: searchService.notes,\n\t\t\tperiodTasks: searchService.tasks,\n\t\t\tteamHistory: searchService.teamHistory\n\t\t},\n\t\tshowCompleteTasks: true,\n\n\t\t// Functions\n\t\tcreateAlertReportDownload,\n\t\topenAddAChangeForm,\n\t\topenBACSFileCreationForm,\n\t\topenCrossPeriodReportForm,\n\t\trefreshNotes,\n\t\trefreshTasks,\n\t\tsetActiveTab,\n\t\ttoggleDropdown,\n\t\ttoggleShowCompleteTasks,\n\t\tupdateCopied,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('payPeriodWorkflow', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tloggedInUser: '<',\n\t\tonUpdate: '&',\n\t\tonRunPayroll: '=',\n\t\tpayPeriod: '=',\n\t\tworkflowTemplate: '='\n\t},\n\tcontroller: 'payPeriodWorkflowCtrl',\n\ttemplateUrl: 'components/pay-period-workflow/pay-period-workflow.component.html'\n})\n.controller('payPeriodWorkflowCtrl', ['$rootScope', 'USER_ROLES', 'WORKFLOW_TEMPLATE_ENTRY_STATES',\n\tfunction ($rootScope, USER_ROLES, WORKFLOW_TEMPLATE_ENTRY_STATES) {\n\n\tlet $ctrl = this;\n\n\tfunction getCompleteFormTitle (actionType) {\n\n\t\tswitch (actionType) {\n\t\t\tcase 'go-back':\n\t\t\t\treturn 'Go back';\n\t\t\tcase 'query-reports':\n\t\t\t\treturn 'Query reports';\n\t\t}\n\t}\n\n\tfunction openCompleteStepForm (ctrlObj, actionType) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tactionType: actionType,\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate, // TBC\n\t\t\tformKey: 'complete-step',\n\t\t\tpayPeriod: $ctrl.payPeriod,\n\t\t\ttitle: getCompleteFormTitle(actionType),\n\t\t\tworkflowTemplateEntry: ctrlObj.workflowTemplate.TemplateEntryCurrent,\n\t\t\tworkflowTemplateId: ctrlObj.workflowTemplate.WorkflowTemplateID\n\t\t});\n\t}\n\n\tfunction openReassignStepForm (ctrlObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.onUpdate,\n\t\t\tformKey: 'reassign-workflow-task',\n\t\t\tomitCurrentUser: true,\n\t\t\tshowContext: true,\n\t\t\ttitle: 'Re-assign workflow step',\n\t\t\tworkflowTasks: [ctrlObj.workflowTemplate.TemplateEntryCurrent]\n\t\t});\n\t}\n\n\tfunction openRunPayrollForm ($ctrl) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onRunPayroll,\n\t\t\tformKey: 'run-payroll'\n\t\t});\n\t}\n\n\tfunction toggleIsOpen ($ctrl) {\n\t\t$ctrl.isOpen = !$ctrl.isOpen;\n\t}\n\n\tangular.extend($ctrl, {\n\t\tUSER_ROLES,\n\t\tWORKFLOW_TEMPLATE_ENTRY_STATES,\n\n\t\tisOpen: false,\n\t\topenCompleteStepForm,\n\t\topenReassignStepForm,\n\t\topenRunPayrollForm,\n\t\ttoggleIsOpen\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('payPolicyHistoryCard', {\n\tbindings: {\n\t\tonViewSettings: '&',\n\t\tpayPolicy: '<',\n\t\tshowActions: ''\n\t},\n\tcontroller: 'payPolicyHistoryCardController',\n\ttemplateUrl: 'components/pay-policy-history-card/pay-policy-history-card.component.html'\n})\n.controller('payPolicyHistoryCardController', [\n\t'POLICY_PAY_BASES',\n\t'POLICY_PAY_BASES_DESCRIPTIONS',\n\t'POLICY_STATES',\nfunction (\n\tPOLICY_PAY_BASES,\n\tPOLICY_PAY_BASES_DESCRIPTIONS,\n\tPOLICY_STATES\n) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\t\t$ctrl.payPolicy.isCurrent = $ctrl.payPolicy.PolicyEffectiveDateISO === '';\n\t\t$ctrl.showActions = angular.isDefined($ctrl.showActions) ? $ctrl.showActions : true;\n\t};\n\n\tfunction onViewSettingsClick (ctrlObj) {\n\t\tif (angular.isFunction(ctrlObj.onViewSettings)) {\n\t\t\tctrlObj.onViewSettings();\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\tPOLICY_PAY_BASES,\n\t\tPOLICY_PAY_BASES_DESCRIPTIONS,\n\t\tPOLICY_STATES,\n\n\t\tonViewSettingsClick\n\t});\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('payStatementField', {\n\tbindings: {\n\t\tcallback: '&',\n\t\tpayment: '=',\n\t\tpaymentAffectsNetPay: '',\n\t\tpaymentCanEdit: '',\n\t\tpaymentId: '@',\n\t\tpaymentLabel: '<',\n\t\tpaymentMin: '',\n\t\tpaymentOriginal: '<',\n\t\tpaymentOverride: '='\n\t},\n\tcontroller: 'payStatementFieldCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/pay-statement-field/pay-statement-field.component.html',\n})\n.controller('payStatementFieldCtrl', [\n\t'$timeout',\n\t'teamData',\n\t'utilities',\n\tfunction (\n\t\t$timeout,\n\t\tteamData,\n\t\tutilities\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst PAYMENT_STATE = {\n\t\tunedited: 0,\n\t\tediting: 1,\n\t\tloading: 2,\n\t\tsaved: 3,\n\t\terror: -1\n\t};\n\n\tconst PAYMENT_RESET = -1;\n\n\tfunction $onInit () {\n\n\t\t// If viewing pay statement in anything other than preview mode, then set states to unedited\n\t\tif (!$ctrl.payment.Override || !$ctrl.paymentCanEdit) {\n\t\t\tsetFieldState(PAYMENT_STATE.unedited);\n\t\t\treturn;\n\t\t}\n\n\t\t$ctrl.hasBeenEdited = ($ctrl.paymentOverride !== -1 && $ctrl.paymentOverride !== $ctrl.paymentOriginal);\n\n\t\tangular.extend($ctrl, {\n\t\t\tpaymentPrevious: $ctrl.hasBeenEdited ? $ctrl.paymentOverride : $ctrl.paymentOriginal,\n\t\t\tpaymentOverride: $ctrl.paymentOverride === PAYMENT_RESET ? null : $ctrl.paymentOverride,\n\t\t\tpaymentCanEdit: angular.isDefined($ctrl.paymentCanEdit) ? $ctrl.paymentCanEdit : false,\n\t\t});\n\n\t\tsetFieldState($ctrl.hasBeenEdited ? PAYMENT_STATE.saved : PAYMENT_STATE.unedited);\n\t}\n\n\tfunction editPayment ($ctrl) {\n\n\t\tsetFieldState(PAYMENT_STATE.editing);\n\n\t\t// Only one field can be edited at a time, this will save other fields before editing new one\n\t\tif ($ctrl.payment.activeField) {\n\t\t\t$ctrl.payment.activeField();\n\t\t}\n\n\t\t// Attach function to payment so that it can be saved through other pay statement fields\n\t\t$ctrl.payment.activeField = function () {\n\t\t\tsavePayment($ctrl);\n\t\t};\n\n\t\tutilities.focusOn($ctrl.paymentId + '-input', true);\n\t}\n\n\tfunction onError (errorMessage) {\n\t\tconsole.error(errorMessage);\n\t\tsetFieldState(PAYMENT_STATE.error);\n\t}\n\n\tfunction onPropertyOverride () {\n\n\t\tsetFieldState($ctrl.isPaymentReset ? PAYMENT_STATE.unedited : PAYMENT_STATE.saved);\n\n\t\t$ctrl.hasBeenEdited = !$ctrl.isPaymentReset;\n\n\t\t// Update net pay figure if payment isn't an employer payment\n\t\tif ($ctrl.paymentAffectsNetPay) {\n\t\t\t$ctrl.payment.NetPay = getNetPayCalculation($ctrl);\n\t\t}\n\n\t\tangular.extend($ctrl, {\n\t\t\tpaymentPrevious: $ctrl.isPaymentReset ? $ctrl.paymentOriginal : $ctrl.paymentOverride,\n\t\t\tpaymentOverride: $ctrl.isPaymentReset ? null : $ctrl.paymentOverride\n\t\t});\n\n\t\tif (angular.isFunction($ctrl.callback)) {\n\t\t\t$ctrl.callback();\n\t\t}\n\t}\n\n\tfunction setFieldState (newState) {\n\t\t$ctrl.fieldState = newState;\n\t}\n\n\tfunction getIsPaymentReset ($ctrl) {\n\n\t\tif ($ctrl.paymentOverride === null || $ctrl.paymentOverride === $ctrl.paymentOriginal) {\n\t\t\treturn true;\n\t\t}\n\n\t\treturn false;\n\t}\n\n\tfunction getNetPayCalculation ($ctrl) {\n\n\t\t// Add previous value then subtract new value\n\t\treturn $ctrl.payment.NetPay + $ctrl.paymentPrevious - ($ctrl.hasBeenEdited ? $ctrl.paymentOverride : $ctrl.paymentOriginal);\n\t}\n\n\tfunction savePayment ($ctrl) {\n\n\t\t// Stop enter key from submitting if validation is missing\n\t\tif (angular.isDefined($ctrl.paymentMin) && angular.isUndefined($ctrl.paymentOverride)) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Clear payment active field so other properties can be updates\n\t\t$ctrl.payment.activeField = null;\n\n\t\t// Set to -1 if new value field is empty or update is the same as original\n\t\t$ctrl.isPaymentReset = getIsPaymentReset($ctrl);\n\n\t\t// Reset override value to -1 if empty or same as orignal\n\t\tif ($ctrl.isPaymentReset) {\n\t\t\t$ctrl.paymentOverride = PAYMENT_RESET;\n\t\t}\n\n\t\t// Ignore update and reset to previous state/values if one of these is true:\n\t\t// 1. Payment has been updated previously and update is the same value as old update\n\t\t// 2. Payment hasn't been updated or update is the same as original\n\t\tif (($ctrl.hasBeenEdited && $ctrl.paymentOverride === $ctrl.paymentPrevious) || (!$ctrl.hasBeenEdited && $ctrl.isPaymentReset)) {\n\t\t\t$ctrl.paymentOverride = $ctrl.isPaymentReset ? $ctrl.paymentOriginal : $ctrl.paymentPrevious;\n\n\t\t\tsetFieldState($ctrl.hasBeenEdited ? PAYMENT_STATE.saved : PAYMENT_STATE.unedited);\n\t\t\treturn;\n\t\t}\n\n\t\tsetFieldState(PAYMENT_STATE.loading);\n\n\t\t// Update Override in in pay period - Use timeout to allow for Override property to be updated\n\t\t$timeout(updateUserPayPeriodOverride);\n\t}\n\n\tfunction updateUserPayPeriodOverride () {\n\n\t\t// Make a copy of override object to not affect other pay-statement-fields\n\t\tconst overrideObj = angular.copy($ctrl.payment.Override);\n\n\t\t// Clear defaults from Override\n\t\tutilities.setAnyPropertiesToValueIfNull(overrideObj, -1);\n\n\t\t// Update Override\n\t\tteamData.updateUserPayPeriodOverride($ctrl.payment.agencyPayPeriodId, $ctrl.payment.userId, overrideObj)\n\t\t\t.then(onPropertyOverride)\n\t\t\t.catch(onError);\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tPAYMENT_STATE,\n\n\t\teditPayment,\n\t\tsavePayment,\n\t\terrorMessages: {\n\t\t\tmin: 'Value must be positive',\n\t\t},\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('payrollAlertCard', {\n\tbindings: {\n\t\tagencyPayPeriodId: '<',\n\t\tagencyProfileId: '<',\n\t\talert: '=',\n\t\treloadAlerts: '=',\n\t\ticon: '@?',\n\t\ttheme: '@?',\n\t\tsetTab: '=?'\n\t},\n\tcontroller: 'payrollAlertCardCtrl',\n\ttemplateUrl: 'components/payroll-alert-card/payroll-alert-card.component.html',\n})\n.controller('payrollAlertCardCtrl', [\n\t'$rootScope',\n\t'$state',\n\t'config',\n\t'payrollWorker',\n\t'ALERT_ACTIONS',\n\t'PRESET_FILTER_KEYS',\n\tfunction (\n\t\t$rootScope,\n\t\t$state,\n\t\tconfig,\n\t\tpayrollWorker,\n\t\tALERT_ACTIONS,\n\t\tPRESET_FILTER_KEYS\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction openDeletePayrollAlertForm (ctrlObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyPayPeriodId: ctrlObj.agencyPayPeriodId,\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\talert: ctrlObj.alert,\n\t\t\tcallback: ctrlObj.reloadAlerts,\n\t\t\tformKey: 'delete-payroll-alert',\n\t\t});\n\t}\n\n\tfunction openPendingChangesForm (ctrlObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.reloadAlerts,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'tax-updates-confirmation',\n\t\t\tpayPeriodId: ctrlObj.agencyPayPeriodId,\n\t\t\ttitle: 'Tax updates'\n\t\t});\n\t}\n\n\tfunction openNICategoryUpdatesForm (ctrlObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.reloadAlerts,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'ni-category-updates',\n\t\t\tpayPeriodId: ctrlObj.agencyPayPeriodId,\n\t\t});\n\t}\n\n\tfunction payrollResubmitAE ($ctrl) {\n\n\t\t$ctrl.pensionAeState = 'loading';\n\n\t\tpayrollWorker.payrollResubmitAE($ctrl.alert.TargetID, config.guidEmpty).then(() => {\n\n\t\t\t$ctrl.pensionAeState = 'saved';\n\t\t\treloadAlerts($ctrl);\n\t\t});\n\t}\n\n\tfunction viewChanges () {\n\n\t\tif (angular.isDefined($ctrl.setTab) && angular.isFunction($ctrl.setTab) &&\n\t\t\t$state.current.name === 'payroll.run-payroll' ) {\n\t\t\t$ctrl.setTab({id: 'changes'});\n\t\t} else {\n\t\t\t$state.go('payroll.current-period.changes');\n\t\t}\n\t}\n\n\tfunction viewReversedHmrcTaxUpdates (ctrlObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.reloadAlerts,\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'reversed-hmrc-tax-updates',\n\t\t\tpayPeriodId: ctrlObj.agencyPayPeriodId\n\t\t});\n\t}\n\n\tfunction reloadAlerts ($ctrl) {\n\n\t\tif (angular.isFunction($ctrl.reloadAlerts)) {\n\t\t\t$ctrl.reloadAlerts();\n\t\t}\n\t}\n\n\t$ctrl.$onInit = () => {\n\n\t\tangular.extend($ctrl, {\n\t\t\tALERT_ACTIONS,\n\t\t\tICON_STATES: {\n\t\t\t\tnone: 0,\n\t\t\t\tavatar: 1\n\t\t\t},\n\t\t\tPRESET_FILTER_KEYS,\n\t\t\talertTheme: $ctrl.alert.alertTheme || $ctrl.theme,\n\t\t\topenDeletePayrollAlertForm,\n\t\t\topenPendingChangesForm,\n\t\t\topenNICategoryUpdatesForm,\n\t\t\tpayrollResubmitAE,\n\t\t\tviewChanges,\n\t\t\tviewReversedHmrcTaxUpdates\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('payrollAlertCardBasic', {\n\tbindings: {\n\t\ticon: '@?',\n\t\ttheme: '@?'\n\t},\n\tcontroller: 'payrollAlertCardBasicCtrl',\n\ttemplateUrl: 'components/payroll-alert-card/payroll-alert-card-basic.component.html',\n\ttransclude: {\n\t\t'title': '?pacbTitle',\n\t\t'detail': '?pacbDetail'\n\t}\n})\n.controller('payrollAlertCardBasicCtrl', ['$transclude', function ($transclude) {\n\n\tconst $ctrl = this;\n\n\tangular.extend($ctrl, {\n\t\thasDetail: $transclude.isSlotFilled('detail'),\n\t\thasTitle: $transclude.isSlotFilled('title')\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('payrollAlertsLevel', {\n\tbindings: {\n\t\tagencyPayPeriodId: '<',\n\t\tagencyProfileId: '<',\n\t\tlevel: '=',\n\t\treloadAlerts: '&',\n\t\tsearchBarOptions: '=',\n\t\tsetTab: '=?'\n\t},\n\ttemplateUrl: 'components/payroll-alerts-level/payroll-alerts-level.component.html',\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('payrollPaymentSummary', {\n\tbindings: {\n\t\tisCisOnly: '<',\n\t\tpayPeriod: '<',\n\t\tshowPensionInfo: '<'\n\t},\n\ttemplateUrl: 'components/payroll-payment-summary/payroll-payment-summary.component.html'\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('payrollState', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/payroll-state/payrollStateComponent.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tceasedDate: '<',\n\t\t\tpayPeriod: '=',\n\t\t},\n\t\tcontroller: 'payrollStateController'\n\t};\n})\n.controller('payrollStateController', ['$scope', 'SUBMISSION_STATES', function ($scope, SUBMISSION_STATES) {\n\n\t// Scope constants\n\t$scope.SUBMISSION_STATES = SUBMISSION_STATES;\n\t$scope.ceasedDate = $scope.ceasedDate !== undefined ? $scope.ceasedDate : '';\n}]);\n\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('payslipNotes', {\n\tbindings: {\n\t\tpayslipNotesOptions: '='\n\t},\n\tcontroller: 'payslipNotesCtrl',\n\ttemplateUrl: 'components/payslip-notes/payslip-notes.component.html',\n})\n.controller('payslipNotesCtrl', [\n\t'$filter',\n\t'$q',\n\t'$rootScope',\n\t'$sanitize',\n\t'$scope',\n\t'companyData',\n\t'mailData',\n\t'session',\n\t'teamData',\n\t'utilities',\n\t'EMOJIS',\n\t'PAYSLIP_NOTE_OPTIONS',\n\tfunction (\n\t\t$filter,\n\t\t$q,\n\t\t$rootScope,\n\t\t$sanitize,\n\t\t$scope,\n\t\tcompanyData,\n\t\tmailData,\n\t\tsession,\n\t\tteamData,\n\t\tutilities,\n\t\tEMOJIS,\n\t\tPAYSLIP_NOTE_OPTIONS\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tsetPageState('loading');\n\n\t\tconst payPeriodObj = $ctrl.payslipNotesOptions.payPeriod;\n\t\tconst agencyProfileId = $ctrl.payslipNotesOptions.agencyProfileId;\n\t\tconst searchBarOptionsObj = getSearchBarOptions($ctrl);\n\n\t\tangular.extend($ctrl, {\n\t\t\toptions: [\n\t\t\t\t{\n\t\t\t\t\toptionLabel: 'Personalisation tags',\n\t\t\t\t\toptionsOnFirstPage: 2,\n\t\t\t\t\toptionTheme: 'tag',\n\t\t\t\t\toptionKey: 'tags',\n\t\t\t\t\toptionExtras: false\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\toptionLabel: 'Throw in an emoji',\n\t\t\t\t\toptionsOnFirstPage: 11,\n\t\t\t\t\toptionTheme: 'emoji',\n\t\t\t\t\toptionKey: 'emoji',\n\t\t\t\t\toptionExtras: true\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\toptionLabel: 'Our favourites',\n\t\t\t\t\toptionsOnFirstPage: 3,\n\t\t\t\t\toptionTheme: 'pill',\n\t\t\t\t\toptionKey: 'favourites',\n\t\t\t\t\toptionExtras: false\n\t\t\t\t}\n\t\t\t],\n\t\t\tteam: [],\n\t\t\tteamMember: null,\n\t\t\tteamMembersHaveSameNote: false,\n\t\t\tpayPeriodDisplay: payPeriodObj.PayPeriodDisplay,\n\t\t\ttags: PAYSLIP_NOTE_OPTIONS,\n\t\t\tinput: {\n\t\t\t\tmaxLength: 150,\n\t\t\t\tcurrentPosition: 0\n\t\t\t},\n\t\t\tfunctions: {}\n\t\t});\n\n\t\tconst getCompanyCustomisation = companyData.getCompanyCustomisation(agencyProfileId);\n\t\tconst getTeamMemberPayslipNotes = mailData.getTeamMemberPayslipNotes($ctrl.payslipNotesOptions.userIds, payPeriodObj.PayPeriodID, agencyProfileId);\n\n\t\t$q.all([\n\t\t\tgetCompanyCustomisation,\n\t\t\tgetTeamMemberPayslipNotes\n\t\t]).then(([\n\t\t\tcustomisationObj,\n\t\t\tteamMembersPayslipObj\n\t\t]) => {\n\n\t\t\tteamMembersPayslipObj = $filter('orderBy')(teamMembersPayslipObj, searchBarOptionsObj.orderBy, searchBarOptionsObj.orderByReverse);\n\t\t\tteamMembersPayslipObj = teamMembersPayslipObj.filter(decorateTeamMember($ctrl.payslipNotesOptions));\n\n\t\t\tangular.extend($ctrl, {\n\t\t\t\tcompany: $filter('customisation')(customisationObj),\n\t\t\t\tteam: teamMembersPayslipObj,\n\t\t\t});\n\n\t\t\tsetMember(teamMembersPayslipObj[0].PersonalDetails.UserID);\n\n\t\t\tchangeState('ready');\n\n\t\t\tsetPageState('ready');\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction addTagToPayslipNote (tag, theme) {\n\t\t$scope.$broadcast('payslip-notes-added-tag', {\n\t\t\ttag: tag,\n\t\t\ttheme: theme\n\t\t});\n\t}\n\n \tfunction changeState (newState) {\n \t\tif ($ctrl.formState !== newState) {\n \t\t\t$ctrl.formState = newState;\n \t\t}\n \t}\n\n\tfunction cleanUpPayslipNote (payslipNote) {\n\n\t\t// Replace personalisation tags with {{..}}\n\t\tpayslipNote = payslipNote.replace(//g, '{{').replace(/<\\/div>/g, '}}').replace(/ /g, ' ');\n\t\t// Fix firstname tag\n\t\tpayslipNote = payslipNote.replace(/{{first name}}/g, '{{firstname}}');\n\t\t// Remove all HTML tags from message\n\t\tpayslipNote = stripHTMLFromText(payslipNote);\n\t\t// Replace emojis with unicode string\n\t\tpayslipNote = $filter('emojify')(payslipNote, 'demojify');\n\n\t\treturn payslipNote;\n\t}\n\n\tfunction decorateTeamMember (payslipNoteOptionsObj) {\n\n\t\treturn teamMemberObj => {\n\t\t\tangular.merge(teamMemberObj, {\n\t\t\t\tisValid: true,\n\t\t\t\tPayslipNote: {\n\t\t\t\t\tAgencyProfileID: payslipNoteOptionsObj.agencyProfileId,\n\t\t\t\t\tAgencyPayPeriodID: payslipNoteOptionsObj.payPeriod.PayPeriodID,\n\t\t\t\t},\n\t\t\t\tPersonalDetails: {\n\t\t\t\t\tUserID: teamMemberObj.PayslipNote.UserID\n\t\t\t\t}\n\t\t\t});\n\n\t\t\tsetMessage(teamMemberObj);\n\n\t\t\treturn teamMemberObj;\n\t\t};\n\t}\n\n\tfunction getPayslipNoteTextBeforeSave (ctrlObj) {\n\n\t\treturn teamMemberObj => {\n\n\t\t\tconst placeholderText = `Your custom payslip note will be displayed at the top of ${teamMemberObj.PersonalDetails.Forename}’s payslip.`;\n\t\t\t\n\t\t\tteamMemberObj.PayslipNote.Text = cleanUpPayslipNote(teamMemberObj.payslipNote);\n\t\n\t\t\tif (teamMemberObj.PayslipNote.Text === '' || teamMemberObj.PayslipNote.Text === placeholderText || (teamMemberObj.hasDefault && !ctrlObj.teamMembersHaveSameNote) || !teamMemberObj.isValid) {\n\t\t\t\tteamMemberObj.PayslipNote.Text = null;\n\t\t\t}\n\n\t\t\treturn teamMemberObj;\n\t\t};\n\t}\n\n\tfunction getSearchBarOptions (ctrlObj) {\n\n\t\tconst searchBarOptionsObj = ctrlObj.payslipNotesOptions.searchBarOptions;\n\n\t\tif (searchBarOptionsObj && searchBarOptionsObj.orderByOptions) {\n\n\t\t\tconst storedOrderByKey = utilities.getFromStorage(searchBarOptionsObj.storageKeys.orderBy);\n\t\t\tlet orderByOptionObj = utilities.getObjectFromArrayByKey(searchBarOptionsObj.orderByOptions, storedOrderByKey);\n\n\t\t\torderByOptionObj = orderByOptionObj ? orderByOptionObj : searchBarOptionsObj.orderByOptions[0];\n\n\t\t\tangular.extend(searchBarOptionsObj, {\n\t\t\t\torderBy: orderByOptionObj.field,\n\t\t\t\torderByObj: orderByOptionObj,\n\t\t\t\torderByReverse: orderByOptionObj.reverse,\n\t\t\t});\n\t\t}\n\n\t\treturn searchBarOptionsObj;\n\t}\n\n\tfunction giveTeamMembersSameNote (ctrlObj) {\n\n\t\tfor (let teamMemberObj of ctrlObj.team) {\t\t\n\t\t\tif (ctrlObj.teamMembersHaveSameNote) {\n\t\t\t\tteamMemberObj.payslipNote = ctrlObj.teamMember.payslipNote;\n\t\t\t} else {\n\t\t\t\tsetMessage(teamMemberObj);\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction goToExpandedView (ctrlObj, optionType) {\n\n\t\tctrlObj.optionKey = optionType;\n\n\t\tif (optionType === 'emoji') {\n\t\t\tctrlObj.emojis = EMOJIS;\n\t\t}\n\n\t\tchangeState('more');\n\t}\n\n\tfunction onError (error) {\n\t\tsetPageState('error');\n\t\tconsole.error(error);\n\t}\n\n\tfunction saveForm (ctrlObj, formObj) {\n\n\t\tformObj.state = 'saving';\n\n\t\tctrlObj.team.forEach(getPayslipNoteTextBeforeSave(ctrlObj));\n\n\t\tmailData.updateTeamMemberPayslipNotes(ctrlObj.team).then(function () {\n\n\t\t\tsetPageState('saved');\n\n\t\t\tif (angular.isFunction(ctrlObj.payslipNotesOptions.callback)) {\n\n\t\t\t\tctrlObj.payslipNotesOptions.callback({\n\t\t\t\t\tuserId: ctrlObj.teamMember.PersonalDetails.UserID\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t$rootScope.setDemoTaskAsComplete('addPayslipNote', ctrlObj.teamMember.PersonalDetails.Forename);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction setPageState (newState) {\n\t\t$ctrl.pageState = newState;\n\t}\n\n\tfunction setMember (userID) {\n\n\t\tconst teamArr = $ctrl.team;\n\n\t\tfor (let i = 0; i < teamArr.length; i++) {\n\n\t\t\tteamArr[i].teamIndex = i+1;\n\n\t\t\tif (teamArr[i].PersonalDetails.UserID === userID) {\n\t\t\t\t$ctrl.teamMember = teamArr[i];\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction setMessage (teamMemberObj) {\n\n\t\tif (teamMemberObj.PayslipNote.Text === '' || !teamMemberObj.PayslipNote.Text) {\n\t\t\tteamMemberObj.payslipNote = `Your custom payslip note will be displayed at the top of ${teamMemberObj.PersonalDetails.Forename}’s payslip.`;\n\t\t\tteamMemberObj.hasDefault = true;\n\t\t} else {\t\n\t\t\tteamMemberObj.payslipNote = $filter('emojify')($sanitize(teamMemberObj.PayslipNote.Text));\n\t\t}\n\t}\n\n\tfunction stripHTMLFromText (message) {\n\n\t\tmessage = $sanitize(message);\n\n\t\tconst tempArea = document.createElement('DIV');\n\n\t\ttempArea.innerHTML = message;\n\t\tmessage = tempArea.textContent || tempArea.innerText || '';\n\t\tmessage = message.replace(' ', ' ');\n\t\tmessage = message.replace(/ /g, '\\u00a0');\n\n\t\treturn message;\n\t}\n\n\tangular.extend($ctrl, {\n\n\t\t$onInit,\n\t\taddTagToPayslipNote,\n\t\tchangeState,\n\t\tgiveTeamMembersSameNote,\n\t\tgoToExpandedView,\n\t\tsaveForm,\n\t\tsetMember,\n\n\t\tcustomisation: session.customisation\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('payslipPreview', {\n\tbindings: {\n\t\tpayslipPreviewOptions: '='\n\t},\n\ttemplateUrl: 'components/payslip-preview/payslip-preview.component.html',\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n\n/**\n * A slightly more useful pluralise component. Allows use of {{substitutions}} and automatic\n * insertion of number words (up to ten) in place of the count.\n */\n.component('pcPluralise', {\n\tbindings: {\n\t\t// Things to count\n\t\tcount: '=',\n\t\t// What to show after the number when there aren't any. Optional, defaults to whatever 'many' is\n\t\tnone: '@?',\n\t\t// What to show after the number when there's just one.\n\t\tsingle: '@',\n\t\t// What to show after the number when there are many (and when there aren't any if 'zero' isn't specified)\n\t\tmultiple: '@',\n\t\t// Use words 'one', 'two', etc. (up to ten) in place of number. Defaults to false.\n\t\tuseWords: ''\n\t},\n\tcontroller: 'pcPluraliseController',\n\ttemplate: '
{{$ctrl.pluraliseText}}'\n})\n.controller('pcPluraliseController', [\n\t'utilities',\n\t'$scope',\nfunction (\n\tutilities,\n\t$scope\n) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\t\t// Default zero to many if not specified\n\t\t$ctrl.none = angular.isDefined($ctrl.none) ? $ctrl.none : $ctrl.multiple;\n\t\t// Default useWords to false\n\t\t$ctrl.useWords = angular.isDefined($ctrl.useWords) ? $ctrl.useWords : false;\n\t\tbuildText($ctrl);\n\n\t\t// Watch for changes to the count and update\n\t\t$scope.$watch('$ctrl.count', function (oldCount, newCount) {\n\t\t\t// On change, rebuild the text\n\t\t\tif (oldCount !== newCount) {\n\t\t\t\tbuildText($ctrl);\n\t\t\t}\n\t\t});\n\t};\n\n\tfunction buildText (ctrlObj) {\n\t\tlet pluraliseText = '';\n\t\tpluraliseText += ctrlObj.useWords ? utilities.getNumberText(ctrlObj.count) : Number(ctrlObj.count).toString() + ' ';\n\t\tif (ctrlObj.count === 0) {\n\t\t\tpluraliseText += ctrlObj.none;\n\t\t}\n\t\telse if (ctrlObj.count === 1) {\n\t\t\tpluraliseText += ctrlObj.single;\n\t\t}\n\t\telse {\n\t\t\tpluraliseText += ctrlObj.multiple;\n\t\t}\n\t\tctrlObj.pluraliseText = pluraliseText;\n\t}\n\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('pensionSchemeCard', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tcallback: '&',\n\t\tindex: '<',\n\t\tpension: '<',\n\t\ttotalNotAllocated: '<'\n\t},\n\tcontroller: 'pensionSchemeCardCtrl',\n\ttemplateUrl: 'components/pension-scheme-card/pension-scheme-card.component.html'\n})\n.controller('pensionSchemeCardCtrl', [\n\t'$rootScope',\n\t'dataTransfer',\n\t'PENSION_PROVIDER_APIS',\n\t'PENSION_STATES',\n\t'PENSION_TYPES',\n\tfunction (\n\t\t$rootScope,\n\t\tdataTransfer,\n\t\tPENSION_PROVIDER_APIS,\n\t\tPENSION_STATES,\n\t\tPENSION_TYPES\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction hideMenus () {\n\t\t$ctrl.showMenu = false;\n\t}\n\n\tfunction openAuthoriseNestForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tagencyEmployerPensionId: $ctrl.pension.AgencyEmployerPensionID,\n\t\t\tcallback: $ctrl.callback,\n\t\t\temployerReference: $ctrl.pension.EmployerReference,\n\t\t\tformKey: 'pension-scheme-authorise-nest'\n\t\t});\n\t}\n\n\tfunction openAuthorisePeoplesPensionForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tagencyEmployerPensionId: $ctrl.pension.AgencyEmployerPensionID,\n\t\t\tcallback: $ctrl.callback,\n\t\t\temployerReference: $ctrl.pension.EmployerReference,\n\t\t\tformKey: 'pension-scheme-authorise-peoples-pension'\n\t\t});\n\t}\n\n\tfunction openAuthoriseSmartForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tagencyEmployerPensionId: $ctrl.pension.AgencyEmployerPensionID,\n\t\t\tcallback: $ctrl.callback,\n\t\t\temployerReference: $ctrl.pension.EmployerReference,\n\t\t\tformKey: 'pension-scheme-authorise-smart'\n\t\t});\n\t}\n\n\tfunction openDeletePensionForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tagencyEmployerPensionId: $ctrl.pension.AgencyEmployerPensionID,\n\t\t\tpension: $ctrl.pension,\n\t\t\tcallback: $ctrl.callback,\n\t\t\tformKey: 'pension-scheme-delete'\n\t\t});\n\t}\n\n\tfunction openPensionTeamForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tagencyEmployerPensionId: $ctrl.pension.AgencyEmployerPensionID,\n\t\t\tcallback: $ctrl.callback,\n\t\t\tformKey: 'pension-scheme-team'\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\tPENSION_PROVIDER_APIS,\n\t\tPENSION_STATES,\n\t\tPENSION_TYPES,\n\n\t\tgetURLRedirect: dataTransfer.getURLRedirect,\n\t\thideMenus,\n\t\topenAuthoriseNestForm,\n\t\topenAuthorisePeoplesPensionForm,\n\t\topenAuthoriseSmartForm,\n\t\topenDeletePensionForm,\n\t\topenPensionTeamForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('pensionSchemeDetail', {\n\tbindings: {\n\t\tpension: '<',\n\t\tshowLabels: '',\n\t\tshowStatus: '',\n\t\ttheme: '',\n\t\tvariant: '@?'\n\t},\n\tcontroller: 'pensionSchemeDetailCtrl',\n\ttemplateUrl: 'components/pension-scheme-detail/pension-scheme-detail.component.html',\n\ttransclude: {\n\t\taction: '?psdAction'\n\t},\n})\n.controller('pensionSchemeDetailCtrl', [\n\t'$transclude',\n\t'PENSION_TYPES',\n\t'PENSION_ENROLMENT_STATES',\nfunction (\n\t$transclude,\n\tPENSION_TYPES,\n\tPENSION_ENROLMENT_STATES\n) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\t\t$ctrl.theme = angular.isDefined($ctrl.theme) ? $ctrl.theme : 'is-secondary';\n\t\t$ctrl.showLabels = angular.isDefined($ctrl.showLabels) ? $ctrl.showLabels : false;\n\t\t$ctrl.showStatus = angular.isDefined($ctrl.showStatus) ? $ctrl.showStatus : false;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tPENSION_ENROLMENT_STATES,\n\t\tPENSION_TYPES,\n\n\t\thasAction: $transclude.isSlotFilled('action')\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('pensionSchemeEmployerReferenceField', {\n\tbindings: {\n\t\tconnectToProvider: '<',\n\t\temployerReference: '=',\n\t\tpensionProviderId: '<',\n\t\tpensionType: '<'\n\t},\n\tcontroller: 'pensionSchemeEmployerReferenceFieldCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/pension-scheme-employer-reference-field/pension-scheme-employer-reference-field.component.html',\n})\n.controller('pensionSchemeEmployerReferenceFieldCtrl', [\n\t'$q',\n\t'pensionData',\n\t'PENSION_PROVIDER_IDS',\n\t'PENSION_TYPES',\n\tfunction (\n\t\t$q,\n\t\tpensionData,\n\t\tPENSION_PROVIDER_IDS,\n\t\tPENSION_TYPES\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst EMPLOYER_REFERENCE_FIELD_NAME = 'pensionRef';\n\tconst EMPLOYER_REFERENCE_VALIDATOR_NAME = 'validEmployerReference';\n\n\tconst VALIDATION_SERVICES = {\n\t\t[PENSION_PROVIDER_IDS.nest]: pensionData.isValidNestEmployerReference,\n\t};\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tisNestPension: PENSION_PROVIDER_IDS.nest === $ctrl.pensionProviderId,\n\t\t\tisValidationRequired: getIsEmployerReferenceValidationRequired(),\n\t\t\toriginalEmployerReference: $ctrl.employerReference,\n\t\t});\n\t}\n\n\tfunction $postLink () {\n\n\t\t// Ignore when no validation is required\n\t\tif (!$ctrl.isValidationRequired) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Save formField $controller\n\t\t$ctrl.$formField = $ctrl.form[EMPLOYER_REFERENCE_FIELD_NAME];\n\n\t\t// Attach validator to field\n\t\t$ctrl.$formField.$asyncValidators[EMPLOYER_REFERENCE_VALIDATOR_NAME] = getEmployerReferenceValidator();\n\t}\n\n\tfunction getEmployerReferenceValidator () {\n\t\treturn employerReference => {\n\n\t\t\t// Ignore if empty reference\n\t\t\tif ($ctrl.$formField.$isEmpty(employerReference)) {\n\t\t\t\treturn $q.when();\n\t\t\t}\n\n\t\t\t// Ignore if same as the previous\n\t\t\tif (employerReference === $ctrl.originalEmployerReference) {\n\t\t\t\treturn $q.when();\n\t\t\t}\n\n\t\t\t// Ignore if a validation service isn't setup for this provider\n\t\t\tconst validationPromise = VALIDATION_SERVICES[$ctrl.pensionProviderId];\n\t\t\tif (!validationPromise || !angular.isFunction(validationPromise)) {\n\t\t\t\treturn $q.when();\n\t\t\t}\n\n\t\t\t// Run validation service\n\t\t\treturn $q((resolve, reject) => {\n\t\t\t\tvalidationPromise(employerReference)\n\t\t\t\t\t.then(isEmployerReferenceValid => {\n\n\t\t\t\t\t\tif (isEmployerReferenceValid) {\n\t\t\t\t\t\t\tresolve();\n\t\t\t\t\t\t}\n\t\t\t\t\t\telse {\n\t\t\t\t\t\t\treject();\n\t\t\t\t\t\t}\n\t\t\t\t\t})\n\t\t\t\t\t.catch(reject);\n\t\t\t});\n\t\t};\n\t}\n\n\tfunction getIsEmployerReferenceValidationRequired () {\n\n\t\t// Ignore if no provider is selected\n\t\tif (angular.isUndefined($ctrl.pensionProviderId)) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// Only if \"Connect directly to {provider}\" is enabled\n\t\tif (!$ctrl.connectToProvider) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// Only run validation if service is added for pension provider\n\t\treturn VALIDATION_SERVICES[$ctrl.pensionProviderId];\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\t$postLink,\n\n\t\tEMPLOYER_REFERENCE_FIELD_NAME,\n\t\tEMPLOYER_REFERENCE_VALIDATOR_NAME,\n\t\tPENSION_PROVIDER_IDS,\n\t\tPENSION_TYPES\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('pensionSchemeGroup', {\n\tbindings: {\n\t\tgroup: '=',\n\t\tindex: '<',\n\t\tonGroupDelete: '&',\n\t\tpensionGroups: '<',\n\t\tpensionType: '<',\n\t},\n\trequire: {\n\t\tform: '^form'\n\t},\n\tcontroller: 'pensionSchemeGroupCtrl',\n\ttemplateUrl: 'components/pension-scheme-group/pension-scheme-group.component.html',\n})\n.controller('pensionSchemeGroupCtrl', ['CONTRIBUTION_BASIS', 'CONTRIBUTION_BASIS_OPTIONS', 'PENSION_GROUP_EARNINGS_LIMIT_OPTIONS', 'PENSION_TYPES',\n\tfunction (CONTRIBUTION_BASIS, CONTRIBUTION_BASIS_OPTIONS, PENSION_GROUP_EARNINGS_LIMIT_OPTIONS, PENSION_TYPES) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\t\tgetPensionSchemeHasDefaultGroup($ctrl);\n\t}\n\n\tfunction getPensionSchemeHasDefaultGroup ($ctrl) {\n\n\t\tconst pensionSchemeHasDefaultGroup = $ctrl.pensionGroups.some(pensionGroupObj => pensionGroupObj.IsDefault);\n\n\t\tfor (let pensionGroupObj of $ctrl.pensionGroups) {\n\t\t\tpensionGroupObj.pensionSchemeHasDefaultGroup = pensionSchemeHasDefaultGroup;\n\t\t}\n\t}\n\n\tfunction onGroupIsDefaultChange ($ctrl) {\n\n\t\t// Only one default at a time\n\t\tfor (let pensionGroupIndex = 0; pensionGroupIndex < $ctrl.pensionGroups.length; pensionGroupIndex++) {\n\t\t\tif (pensionGroupIndex !== $ctrl.index) {\n\t\t\t\t$ctrl.pensionGroups[pensionGroupIndex].IsDefault = false;\n\t\t\t}\n\t\t}\n\n\t\tgetPensionSchemeHasDefaultGroup($ctrl);\n\t}\n\n\tfunction reviewPensionDisregard (pensionGroupObj) {\n\n\t\t// Reset to prevent empty select as using integers rather than null as 'invalid' option\n\t\tif (!pensionGroupObj.HasEarningsLimitDisregard) {\n\t\t\tpensionGroupObj.EarningsLimitDisregard = 0;\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tCONTRIBUTION_BASIS,\n\t\tCONTRIBUTION_BASIS_OPTIONS,\n\t\tPENSION_GROUP_EARNINGS_LIMIT_OPTIONS,\n\t\tPENSION_TYPES,\n\n\t\tonGroupIsDefaultChange,\n\t\treviewPensionDisregard,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('pensionSchemeHeader', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tcallback: '&',\n\t\tpension: '<'\n\t},\n\tcontroller: 'pensionSchemeHeaderCtrl',\n\ttemplateUrl: 'components/pension-scheme-header/pension-scheme-header.component.html',\n})\n.controller('pensionSchemeHeaderCtrl', [\n\t'$rootScope',\n\t'$state',\n\t'dataTransfer',\n\t'PENSION_PROVIDER_APIS',\n\t'PENSION_STATES',\n\t'PENSION_TYPES',\n\tfunction (\n\t\t$rootScope,\n\t\t$state,\n\t\tdataTransfer,\n\t\tPENSION_PROVIDER_APIS,\n\t\tPENSION_STATES,\n\t\tPENSION_TYPES\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction onDeletePension () {\n\t\t$state.go('pensions.summary', {agencyProfileId : $ctrl.agencyProfileId}, {reload: true});\n\t}\n\n\tfunction onTeamUpdate () {\n\n\t\t// Refresh page\n\t\tif (angular.isFunction($ctrl.callback)) {\n\t\t\t$ctrl.callback();\n\t\t}\n\n\t\t// Update team if on the scheme team page\n\t\tif ($state.is('pensions.scheme.team')) {\n\t\t\t$rootScope.$broadcast('update-pension-team');\n\t\t}\n\t}\n\n\tfunction openAuthoriseNestForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tagencyEmployerPensionId: $ctrl.pension.AgencyEmployerPensionID,\n\t\t\tshowPensionContext: true,\n\t\t\tcallback: $ctrl.callback,\n\t\t\tformKey: 'pension-scheme-authorise-nest'\n\t\t});\n\t}\n\n\tfunction openAuthorisePeoplesPensionForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tagencyEmployerPensionId: $ctrl.pension.AgencyEmployerPensionID,\n\t\t\tcallback: $ctrl.callback,\n\t\t\tformKey: 'pension-scheme-authorise-peoples-pension'\n\t\t});\n\t}\n\n\tfunction openAuthoriseSmartForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tagencyEmployerPensionId: $ctrl.pension.AgencyEmployerPensionID,\n\t\t\tshowPensionContext: true,\n\t\t\tcallback: $ctrl.callback,\n\t\t\tformKey: 'pension-scheme-authorise-smart'\n\t\t});\n\t}\n\n\tfunction openDeletePensionForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tagencyEmployerPensionId: $ctrl.pension.AgencyEmployerPensionID,\n\t\t\tpension: $ctrl.pension,\n\t\t\tcallback: onDeletePension,\n\t\t\tshowPensionContext: true,\n\t\t\tformKey: 'pension-scheme-delete'\n\t\t});\n\t}\n\n\tfunction openManagePayElementsPensionForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyEmployerPensionId: $ctrl.pension.AgencyEmployerPensionID,\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: onTeamUpdate,\n\t\t\tformKey: 'manage-pay-elements-pension',\n\t\t\tshowPensionContext: true\n\t\t});\n\t}\n\n\tfunction openPensionTeamForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tagencyEmployerPensionId: $ctrl.pension.AgencyEmployerPensionID,\n\t\t\tshowPensionContext: true,\n\t\t\tcallback: onTeamUpdate,\n\t\t\tformKey: 'pension-scheme-team'\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\tPENSION_PROVIDER_APIS,\n\t\tPENSION_STATES,\n\t\tPENSION_TYPES,\n\n\t\tgetURLRedirect: dataTransfer.getURLRedirect,\n\t\topenAuthoriseNestForm,\n\t\topenAuthorisePeoplesPensionForm,\n\t\topenAuthoriseSmartForm,\n\t\topenDeletePensionForm,\n\t\topenManagePayElementsPensionForm,\n\t\topenPensionTeamForm,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('pensionSchemeRow', {\n\tbindings: {\n\t\tfieldDisabled: '',\n\t\tfieldName: '@',\n\t\tfieldRequired: '',\n\t\tngModel: '=',\n\t\tpension: '<',\n\t\tpensionIndex: '<'\n\t},\n\tcontroller: 'pensionSchemeRowCtrl',\n\ttemplateUrl: 'components/pension-scheme-row/pension-scheme-row.component.html',\n\ttransclude: {\n\t\tcontent: '?pensionContent'\n\t},\n})\n.controller('pensionSchemeRowCtrl', [\n\t'$transclude',\n\tfunction (\n\t\t$transclude\n\t) {\n\n\tconst $ctrl = this;\n\n\tangular.extend($ctrl, {\n\t\thasContent: $transclude.isSlotFilled('content'),\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('pensionSchemeState', {\n\tbindings: {\n\t\tstate: '<',\n\t\thasBorder: ''\n\t},\n\tcontroller: 'pensionSchemeStateCtrl',\n\ttemplateUrl: 'components/pension-scheme-state/pension-scheme-state.component.html',\n})\n.controller('pensionSchemeStateCtrl', ['PENSION_STATES', function (PENSION_STATES) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tclass: getPensionStateClass($ctrl.state),\n\t\t\tlabel: getPensionStateLabel($ctrl.state)\n\t\t});\n\n\t}\n\n\tfunction getPensionStateClass (pensionState) {\n\n\t\tswitch (pensionState) {\n\t\t\tcase PENSION_STATES.unauthorised:\n\t\t\tcase PENSION_STATES.creating:\n\t\t\tcase PENSION_STATES.pending:\n\t\t\t\treturn 'tertiary inverse';\n\n\t\t\tcase PENSION_STATES.active:\n\t\t\t\treturn 'positive';\n\n\t\t\tcase PENSION_STATES.rejected:\n\t\t\t\treturn 'assertive inverse';\n\n\t\t\tcase PENSION_STATES.inactive:\n\t\t\t\treturn 'greyscale';\n\n\t\t\tcase PENSION_STATES.reenrolment:\n\t\t\tcase PENSION_STATES.reassessment:\n\t\t\t\treturn 'indifferent-lighter';\n\t\t}\n\t}\n\n\tfunction getPensionStateLabel (pensionState) {\n\n\t\tswitch (pensionState) {\n\t\t\tcase PENSION_STATES.reenrolment:\n\t\t\t\treturn 'Re-enrolment';\n\t\t\tcase PENSION_STATES.reassessment:\n\t\t\t\treturn 'Re-assessment';\n\t\t}\n\n\t\treturn pensionState;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('pensionTeamGroup', {\n\tbindings: {\n\t\tformOptions: '<',\n\t\tpension: '<',\n\t\tpensionGroup: '<',\n\t\ttheme: '@?'\n\t},\n\tcontroller: 'pensionTeamGroupCtrl',\n\ttemplateUrl: 'components/pension-team-group/pension-team-group.component.html',\n})\n.controller('pensionTeamGroupCtrl', ['PENSION_TYPES', function (PENSION_TYPES) {\n\n\tconst $ctrl = this;\n\n\tangular.extend($ctrl, {\n\t\tPENSION_TYPES\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('pensionTeamState', {\n\tbindings: {\n\t\tisClickable: '',\n\t\tpensionState: '=?'\n\t},\n\tcontroller: 'pensionTeamStateCtrl',\n\ttemplateUrl: 'components/pension-team-state/pension-team-state.component.html'\n})\n.controller('pensionTeamStateCtrl', [\n\t'$filter',\n\t'$rootScope',\n\t'utilities',\n\tfunction (\n\t\t$filter,\n\t\t$rootScope,\n\t\tutilities\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tconst pensionState = $ctrl.pensionState !== undefined ? $ctrl.pensionState : 'not assessed';\n\n\t\tangular.extend($ctrl, {\n\t\t\tisClickable: angular.isDefined($ctrl.isClickable) ? $ctrl.isClickable : false,\n\t\t\tpensionStateKey: utilities.toCamelCase(pensionState),\n\t\t\tpensionStateSlug: utilities.slugify(pensionState),\n\t\t\tstyleClass: $filter('pensionStateClass')(pensionState)\n\t\t});\n\t}\n\n\tfunction onClick () {\n\t\t$rootScope.openModalDialog(`pension-${$ctrl.pensionStateSlug}`);\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tonClick\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('periodTaskCard', {\n\tbindings: {\n\t\tagencyPayPeriodId: '',\n\t\tshowTaskCompany: '',\n\t\ttask: '=',\n\t\trefreshTasks: '&',\n\t\tshowComplete: '',\n\t\tupdateTasksCount: '&?'\n\t},\n\tcontroller: 'periodTaskCardCtrl',\n\ttemplateUrl: 'components/period-task-card/period-task-card.component.html',\n})\n.controller('periodTaskCardCtrl', ['$rootScope', 'messageData', 'MESSAGE_STATUS', function ($rootScope, messageData, MESSAGE_STATUS) {\n\n\tconst $ctrl = this;\n\n\tfunction getCardTheme (taskObj) {\n\n\t\tlet cardTheme = '';\n\n\t\tif (taskObj.IsComplete) {\n\t\t\tcardTheme = 'is-primary is-complete';\n\t\t} else {\n\t\t\tif (taskObj.IsOverdue) {\n\t\t\t\tcardTheme = 'is-assertive';\n\t\t\t} else {\n\t\t\t\tcardTheme = 'is-primary';\n\t\t\t}\n\t\t}\n\n\t\treturn cardTheme;\n\t}\n\n\tfunction openDeletePeriodTaskForm (taskObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: taskObj.AgencyProfileID,\n\t\t\tcallback: $ctrl.refreshTasks,\n\t\t\tformKey: 'delete-period-task',\n\t\t\ttask: taskObj\n\t\t});\n\t}\n\n\tfunction openEditPeriodTaskForm (taskObj, reassignBool) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: taskObj.AgencyProfileID,\n\t\t\tcallback: $ctrl.refreshTasks,\n\t\t\tformKey: 'add-period-task',\n\t\t\treassign: reassignBool,\n\t\t\ttask: taskObj\n\t\t});\n\t}\n\n\tfunction updateMessageStatus (ctrlObj) {\n\n\t\tlet taskObj = ctrlObj.task;\n\t\tlet newMessageStatusEnum = taskObj.IsComplete ? MESSAGE_STATUS.complete : MESSAGE_STATUS.incomplete;\n\n\t\tmessageData.updateMessageStatus(taskObj.MessageID, newMessageStatusEnum).then(() => {\n\n\t\t\tctrlObj.cardTheme = getCardTheme(taskObj);\n\t\t\tif (angular.isFunction(ctrlObj.updateTasksCount)) {\n\t\t\t\tctrlObj.updateTasksCount();\n\t\t\t}\n\t\t})\n\t\t.catch(error => {\n\t\t console.error(error);\n\t\t});\n\t}\n\n\t$ctrl.$onInit = function () {\n\n\t\t$ctrl.cardTheme = getCardTheme($ctrl.task);\n\t};\n\n\t$ctrl.openDeletePeriodTaskForm = function (taskObj) {\n\n\t openDeletePeriodTaskForm(taskObj);\n\t};\n\n\t$ctrl.openEditPeriodTaskForm = function (taskObj, reassignBool) {\n\n\t openEditPeriodTaskForm(taskObj, reassignBool);\n\t};\n\n\t$ctrl.updateMessageStatus = function (ctrlObj) {\n\n\t updateMessageStatus(ctrlObj);\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('permissionsSelector', {\n\tbindings: {\n\t\troleDetail: '<',\n\t\tpermissionsUpdated: '=?',\n\t\tisValid: '=?',\n\t\tchangesCount: '=?',\n\t},\n\tcontroller: 'permissionsSelectorCtrl',\n\ttemplateUrl: 'components/permissions-selector/permissions-selector.component.html',\n})\n.controller('permissionsSelectorCtrl', ['$rootScope', '$scope', 'permissionsService',\n\tfunction ($rootScope, $scope, permissionsService) {\n\n\tconst $ctrl = this;\n\n\tfunction checkValidity (ctrlObj) {\n\t\tctrlObj.isValid = permissionsService.calculateRoleActiveActionsCount(ctrlObj.roleDetail) > 0;\n\t}\n\n\tfunction init () {\n\n\t\tsetComponentState('loading');\n\n\t\tif (!angular.isDefined($ctrl.roleDetail)) {\n\t\t\tsetComponentState('error');\n\t\t\t$rootScope.paycircleMessage('Permissions could not be loaded as a role detail wasnt defined', 'error');\n\t\t\treturn;\n\t\t}\n\n\t\tangular.extend($ctrl, {\n\t\t\tpermissionsUpdated: false,\n\t\t\tchangesCount: 0,\n\t\t\tisValid: true,\n\t\t});\n\n\t\tsetComponentState('ready');\n\t}\n\n\tfunction onUpdate (ctrlObj, permissionGroupObj) {\n\t\trecalculatePermissionValue(ctrlObj, permissionGroupObj);\n\t\tpermissionsService.calculateActiveActionsCount(permissionGroupObj);\n\t\tcheckValidity(ctrlObj);\n\t}\n\n\tfunction recalculatePermissionValue (ctrlObj, permissionGroupObj) {\n\n\t\tlet newGroupValueInt = 0;\n\n\t\tif (permissionGroupObj.GroupVisible) {\n\n\t\t\tpermissionGroupObj.GroupPermissionActions.forEach(pensionActionObj => {\n\t\t\t\tnewGroupValueInt = pensionActionObj.IsActive ? newGroupValueInt + pensionActionObj.Value : newGroupValueInt;\n\t\t\t});\n\t\t}\n\t\telse {\n\t\t\tnewGroupValueInt = -1;\n\t\t}\n\n\t\tctrlObj.permissionsUpdated = true;\n\n\t\tpermissionGroupObj.GroupValue = newGroupValueInt;\n\n\t\treturn permissionGroupObj;\n\t}\n\n\tfunction setComponentState (componentState) {\n\t\t$ctrl.componentState = componentState;\n\t}\n\n\tfunction togglePermissionGroupVisibility (ctrlObj, permissionGroupObj) {\n\n\t\tpermissionGroupObj.GroupVisible = !permissionGroupObj.GroupVisible;\n\n\t\tctrlObj.permissionsUpdated = (permissionGroupObj.GroupVisible !== permissionGroupObj.originalGroupVisible);\n\n\t\tupdateChangesCountForGroup(ctrlObj, permissionGroupObj);\n\t\tonUpdate(ctrlObj, permissionGroupObj);\n\t}\n\n\tfunction togglePermission (ctrlObj, permissionObj, permissionGroupObj) {\n\n\t\tctrlObj.permissionsUpdated = true;\n\n\t\tpermissionObj.IsActive = !permissionObj.IsActive;\n\n\t\tupdateChangesCountForPermission(ctrlObj, permissionObj);\n\t\tonUpdate(ctrlObj, permissionGroupObj);\n\t}\n\n\tfunction toggleShowPermissionGroup (permissionGroupObj) {\n\t\tpermissionGroupObj.showGroup = !permissionGroupObj.showGroup;\n\t}\n\n\tfunction updateChangesCountForGroup (ctrlObj, permissionGroupObj) {\n\n\t\tconst permissionGroupActionsCount = permissionGroupObj.GroupPermissionActions.length;\n\t\tlet changesCount = ctrlObj.changesCount;\n\n\t\tif (permissionGroupObj.GroupVisible === permissionGroupObj.originalGroupVisible) {\n\t\t\tif (permissionGroupActionsCount === 0) {\n\t\t\t\tchangesCount--;\n\t\t\t} else {\n\t\t\t\tchangesCount = changesCount - permissionGroupActionsCount;\n\t\t\t}\n\n\t\t} else {\n\t\t\tif (permissionGroupActionsCount === 0) {\n\t\t\t\tchangesCount++;\n\t\t\t} else {\n\t\t\t\tchangesCount = changesCount + permissionGroupActionsCount;\n\t\t\t}\n\t\t}\n\n\t\tctrlObj.changesCount = changesCount;\n\t}\n\n\tfunction updateChangesCountForPermission (ctrlObj, permissionObj) {\n\n\t\tif (permissionObj.IsActive === permissionObj.originalIsActive) {\n\t\t\tctrlObj.changesCount--;\n\t\t} else {\n\t\t\tctrlObj.changesCount++;\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit: init,\n\t\t$onChanges: init,\n\t\ttogglePermission,\n\t\ttogglePermissionGroupVisibility,\n\t\ttoggleShowPermissionGroup,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('placeholder', {\n\ttemplateUrl: 'components/placeholder/placeholder.component.html',\n\tcontroller: 'placeholderController',\n\tbindings: {\n\t\tplaceholderGraphic: '@?', // 'team',\n\t\tplaceholderGraphicSize: '@?', // 'm', 'l',\n\t\tplaceholderLayout: '@?' // 'is-horizontal', 'is-vertical' (default)\n\t},\n\ttransclude: {\n\t\t'copy': '?placeholderCopy',\n\t\t'primaryActions': '?placeholderPrimaryActions',\n\t\t'secondaryActions': '?placeholderSecondaryActions',\n\t\t'title': '?placeholderTitle'\n\t},\n})\n.controller('placeholderController', ['$scope', '$transclude', function ($scope, $transclude) {\n\n\tvar $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\n\t\t$ctrl.hasCopy = $transclude.isSlotFilled('copy');\n\t\t$ctrl.hasGraphic = $ctrl.placeholderGraphic !== undefined ? true : false;\n\t\t$ctrl.hasPrimaryActions = $transclude.isSlotFilled('primaryActions');\n\t\t$ctrl.hasSecondaryActions = $transclude.isSlotFilled('secondaryActions');\n\t\t$ctrl.hasTitle = $transclude.isSlotFilled('title');\n\t\t$ctrl.placeholderLayout = $ctrl.placeholderLayout === 'is-horizontal' ? 'is-horizontal' : 'is-vertical';\n\t\t$ctrl.placeholderGraphicSize = $ctrl.placeholderGraphicSize !== undefined ? $ctrl.placeholderGraphicSize : 'l';\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('playgroundActionBox', ['$rootScope', '$timeout', 'utilities', 'LOCAL_STORAGE_KEYS', function ($rootScope, $timeout, utilities, LOCAL_STORAGE_KEYS) {\n\n\treturn {\n\t\ttemplateUrl: 'components/playground-action-box/playgroundActionBoxComponent.html',\n\t\trestrict: 'E',\n\t\tlink: function ($scope) {\n\n\t\t\tvar hasVisitedPlayground \t= utilities.getFromStorage(LOCAL_STORAGE_KEYS.hasVisitedPlayground) !== undefined;\n\t\t\tvar loggedInUser \t\t\t= $rootScope.currentUser;\n\n\t\t\t// Scope variables\n\t\t\t$scope.isPlaygroundActionBoxOpen \t= !hasVisitedPlayground;\n\t\t\t$scope.isPlaygroundActionBoxVisible = hasVisitedPlayground;\n\t\t\t$scope.isPlaygroundModalVisible \t= !hasVisitedPlayground;\n\t\t\t$scope.loggedInUser \t\t\t\t= loggedInUser;\n\n\t\t\t// Scope functions\n\t\t\t$scope.startPlaying = function () {\n\n\t\t\t\t// Hide modal\n\t\t\t\t$scope.isPlaygroundModalVisible = false;\n\n\t\t\t\t// Show playground action box\n\t\t\t\t$scope.isPlaygroundActionBoxVisible = true;\n\n\t\t\t\t// Add to local storage\n\t\t\t\tutilities.addToStorage(LOCAL_STORAGE_KEYS.hasVisitedPlayground, 'true');\n\n\t\t\t\t// Close playground action box after 3 seconds\n\t\t\t\t$timeout(function () {\n\n\t\t\t\t\t$scope.isPlaygroundActionBoxOpen = false;\n\t\t\t\t}, 2000);\n\t\t\t};\n\n\t\t\t$scope.switchToLive = function () {\n\t\t\t\t$rootScope.$broadcast('toggle-playground');\n\t\t\t};\n\n\t\t\t$scope.togglePlaygroundActionBox = function () {\n\n\t\t\t\t$scope.isPlaygroundActionBoxOpen = !$scope.isPlaygroundActionBoxOpen;\n\t\t\t};\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('policyCard', {\n\tbindings: {\n\t\tagencyProfileId: '=',\n\t\tonUpdate: '&?',\n\t\tpolicy: '<',\n\t\tpolicies: '<'\n\t},\n\tcontroller: 'policyCardController',\n\ttemplateUrl: 'components/policy-card/policy-card.component.html'\n})\n.controller('policyCardController', [\n\t'$rootScope',\n\t'POLICY_CATEGORIES',\n\t'POLICY_PAY_BASES_DESCRIPTIONS',\n\t'POLICY_PAY_BASES',\n\t'POLICY_TYPES',\n\t'POLICY_TYPE_NAMES',\n\t'UPDATE_POLICY_MODES',\nfunction (\n\t$rootScope,\n\tPOLICY_CATEGORIES,\n\tPOLICY_PAY_BASES_DESCRIPTIONS,\n\tPOLICY_PAY_BASES,\n\tPOLICY_TYPES,\n\tPOLICY_TYPE_NAMES,\n\tUPDATE_POLICY_MODES\n) {\n\n\tconst $ctrl = this;\n\n\tfunction addPolicyUpdate (ctrlObj, policyObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.onUpdate,\n\t\t\tformKey: 'add-pay-policy-update',\n\t\t\tpayPolicyId: policyObj.PolicyID\n\t\t});\n\t}\n\n\tfunction deletePolicy (ctrlObj, policyObj) {\n\n\t\t// Delete policy - Same form used for all policy types\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.onUpdate,\n\t\t\tformKey: 'delete-policy',\n\t\t\tpolicyId: policyObj.PolicyID\n\t\t});\n\t}\n\n\tfunction openPolicy (ctrlObj, policyObj, policiesArr, updatePolicyMode) {\n\n\t\tlet titlePrefix = '';\n\t\tswitch (updatePolicyMode) {\n\t\t\tcase UPDATE_POLICY_MODES.edit: {\n\t\t\t\ttitlePrefix = 'Edit';\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase UPDATE_POLICY_MODES.view: {\n\t\t\t\ttitlePrefix = 'View';\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase UPDATE_POLICY_MODES.duplicate: {\n\t\t\t\ttitlePrefix = 'Duplicate';\n\t\t\t\tbreak;\n\t\t\t}\n\t\t}\n\t\tconst title = `${titlePrefix} ${policyObj.policyCategory} policy`;\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.onUpdate,\n\t\t\tformKey: policyObj.policyUpdateForm,\n\t\t\tpolicy: policyObj,\n\t\t\tpolicies: policiesArr,\n\t\t\tpolicyCategory: policyObj.policyCategory,\n\t\t\ttitle,\n\t\t\tupdatePolicyMode\n\t\t});\n\t}\n\n\tfunction openPayPolicyHistory (payPolicyObj, ctrlObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tformKey: 'pay-policy-history',\n\t\t\tpayPolicy: payPolicyObj,\n\t\t});\n\t}\n\n\tfunction viewPayPolicyPendingUpdate (ctrlObj, payPolicyObj) {\n\n\t\t// The add pay policy update form will work out that the policy has an update and display it. It's clever like that.\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.onUpdate,\n\t\t\tformKey: 'add-pay-policy-update',\n\t\t\tpayPolicyId: payPolicyObj.PolicyID,\n\t\t\ttitle: 'View policy update'\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\n\t\tPOLICY_CATEGORIES,\n\t\tPOLICY_PAY_BASES_DESCRIPTIONS,\n\t\tPOLICY_PAY_BASES,\n\t\tPOLICY_TYPES,\n\t\tPOLICY_TYPE_NAMES,\n\t\tUPDATE_POLICY_MODES,\n\n\t\taddPolicyUpdate,\n\t\tdeletePolicy,\n\t\topenPayPolicyHistory,\n\t\topenPolicy,\n\t\tviewPayPolicyPendingUpdate\n\t});\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('policyBandCard', {\n\tbindings: {\n\t\t// Is selectable, optional, defaults to false\n\t\tisSelectable: '',\n\t\t// Show with highlight, optional, defaults to false\n\t\tisHighlighted: '',\n\t\t// Policy band (aka pay point)\n\t\tpolicyBand: '<',\n\t\t// Parent policy\n\t\tpolicy: '<'\n\t},\n\tcontroller: 'policyBandCardCtrl',\n\ttemplateUrl: 'components/policy-band-card/policy-band-card.component.html'\n})\n\n.controller('policyBandCardCtrl', [\n\t'config',\n\t'POLICY_BAND_PAY_LIMIT_TYPES',\n\t'POLICY_BAND_RATE_TYPES',\n\t'POLICY_BAND_STAT_PAYMENT_TYPES',\n\t'POLICY_CATEGORIES',\n\t'POLICY_PAY_BASES',\n\t'POLICY_TYPES',\nfunction (\n\tconfig,\n\tPOLICY_BAND_PAY_LIMIT_TYPES,\n\tPOLICY_BAND_RATE_TYPES,\n\tPOLICY_BAND_STAT_PAYMENT_TYPES,\n\tPOLICY_CATEGORIES,\n\tPOLICY_PAY_BASES,\n\tPOLICY_TYPES\n) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\t\t// Defaults\n\t\t$ctrl.isHighlighed = angular.isDefined($ctrl.isHighlighted) ? $ctrl.isHighlighted : false;\n\t\t$ctrl.isSelectable = angular.isDefined($ctrl.isSelectable) ? $ctrl.isSelectable : false;\n\t};\n\n\tangular.extend($ctrl, {\n\n\t\tconfig,\n\n\t\tPOLICY_BAND_PAY_LIMIT_TYPES,\n\t\tPOLICY_BAND_RATE_TYPES,\n\t\tPOLICY_BAND_STAT_PAYMENT_TYPES,\n\t\tPOLICY_CATEGORIES,\n\t\tPOLICY_PAY_BASES,\n\t\tPOLICY_TYPES\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n/**\n * Policy band form field. Used for all types of policies, since there is commonality between them (they all operate\n * on the same object type).\n */\n.component('policyBandFormField', {\n\tbindings: {\n\t\t// Allow band name editing\n\t\tallowNameEdit: '',\n\t\t// Unique index in the context of the parent policy\n\t\tindex: '=',\n\t\t// Event handlers for team members if relevant\n\t\tonViewTeamMembers: '&?',\n\t\t// Parent policy\n\t\tpolicy: '<',\n\t\t// Policy band for this form field\n\t\tpolicyBand: '<',\n\t\t// Previous band for fixed values. Optional, since the first band won't have a previous.\n\t\tpreviousPolicyBand: '',\n\t\t// Show or hide actions\n\t\tshowActions: ''\n\t},\n\tcontroller: 'policyBandFormFieldController',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/policy-band-form-field/policy-band-form-field.component.html',\n\ttransclude: true\n})\n.controller('policyBandFormFieldController', [\n\t'config',\n\t'policyService',\n\t'regexService',\n\t'utilities',\n\t'POLICY_BAND_CALCULATION_TYPES',\n\t'POLICY_BAND_PAY_LIMIT_TYPES',\n\t'POLICY_BAND_RATE_TYPES',\n\t'POLICY_BAND_STAT_PAYMENT_TYPES',\n\t'POLICY_CATEGORIES',\n\t'POLICY_PAY_BASES',\n\t'POLICY_TYPES',\n\t'REGEX',\nfunction (\n\tconfig,\n\tpolicyService,\n\tregexService,\n\tutilities,\n\tPOLICY_BAND_CALCULATION_TYPES,\n\tPOLICY_BAND_PAY_LIMIT_TYPES,\n\tPOLICY_BAND_RATE_TYPES,\n\tPOLICY_BAND_STAT_PAYMENT_TYPES,\n\tPOLICY_CATEGORIES,\n\tPOLICY_PAY_BASES,\n\tPOLICY_TYPES,\n\tREGEX\n) {\n\n\tconst $ctrl = this;\n\n\tconst COMPONENT_STATES = {\n\t\tedit: 'edit',\n\t\tcannotDelete: 'cannotDelete',\n\t\tconfirmDelete: 'confirmDelete'\n\t};\n\n\t$ctrl.$onInit = function () {\n\n\t\tangular.extend($ctrl, {\n\t\t\t// Defaults\n\t\t\tallowNameEdit: angular.isDefined($ctrl.allowNameEdit) ? $ctrl.allowNameEdit : true,\n\t\t\tshowActions: angular.isDefined($ctrl.showActions) ? $ctrl.showActions : true,\n\n\t\t\t/* Unique IDs for all policy-related form fields. Since these are typically repeated in the\n\t\t\t parent form, for multiple bands, they need to be different. */\n\t\t\tpolicyBandAnnualAllowanceFormFieldId: `policyBandAnnualAllowance${$ctrl.index}`,\n\t\t\tpolicyBandAnnualSalaryFormFieldId: `policyBandAnnualSalary${$ctrl.index}`,\n\t\t\tpolicyBandDurationFormFieldId: `policyBandDuration${$ctrl.index}`,\n\t\t\tpolicyBandEmployeeContributionFormFieldId: `policyBandEmployeeContribution${$ctrl.index}`,\n\t\t\tpolicyBandEmployerContributionFormFieldId: `policyBandEmployerContribution${$ctrl.index}`,\n\t\t\tpolicyBandHourlyRateFormFieldId: `policyBandHourlyRate${$ctrl.index}`,\n\t\t\tpolicyBandIsUpperRangeInfiniteFieldId: `policyBandIsUpperRangeInfinite${$ctrl.index}`,\n\t\t\tpolicyBandLengthOfServiceFromFormFieldId: `policyBandLengthOfServiceFrom${$ctrl.index}`,\n\t\t\tpolicyBandLengthOfServiceToFormFieldId: `policyBandLengthOfServiceTo${$ctrl.index}`,\n\t\t\tpolicyBandNameFormFieldId: `policyBandName${$ctrl.index}`,\n\t\t\tpolicyBandPayFormFieldId: `policyBandPay${$ctrl.index}`,\n\t\t\tpolicyBandPayLimitFormFieldId: `policyBandPayLimit${$ctrl.index}`,\n\t\t\tpolicyBandStatPayAdditionalFormFieldId: `policyBandStatPayAdditional${$ctrl.index}`,\n\t\t\tpolicyBandStatPayGroupId: `policyBandStatPay${$ctrl.index}`,\n\t\t\tpolicyBandStatPayIncludedFormFieldId: `policyBandStatPayIncluded${$ctrl.index}`,\n\t\t\tpolicyBandValueFromFormFieldId: `policyBandFTESalaryFrom${$ctrl.index}`,\n\t\t\tpolicyBandValueToFormFieldId: `policyBandFTESalaryTo${$ctrl.index}`\n\t\t});\n\n\t\tsetComponentState(COMPONENT_STATES.edit);\n\t};\n\n\tfunction isPolicyBandNameUnique (policyBandToCheck, policy) {\n\t\treturn !angular.isDefined(policy.PolicyBands.find(policyBand => {\n\t\t\treturn (policyBand !== policyBandToCheck && policyBand.PolicyBandName === policyBandToCheck.PolicyBandName);\n\t\t}));\n\t}\n\n\tfunction onPayPolicyBandAnnualSalaryChange (policyObj, policyBandObj) {\n\n\t\t// Update hourly rate based on entered annual salary for policy band\n\t\tpolicyService.setPayPolicyBandHourlyRate(policyObj, policyBandObj);\n\t}\n\n\tfunction onPolicyBandNameChange (form, policy) {\n\n\t\t// Check the uniqueness of all band names\n\t\tpolicy.PolicyBands.forEach((policyBand, index) => {\n\t\t\tconst formField = form[`policyBandName${index}`];\n\t\t\tconst isBandNameUnique = isPolicyBandNameUnique(policyBand, policy);\n\t\t\tformField.$setValidity('nonUnique', isBandNameUnique);\n\n\t\t\t// Touch all invalid fields, since some could be invalided here without being touched\n\t\t\tif (!isBandNameUnique) {\n\t\t\t\tformField.$setTouched(true);\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction onIsUpperRangeInfiniteChange (policyBandObj) {\n\t\tpolicyBandObj.PolicyBandValueTo = policyBandObj.isUpperRangeInfinite ? -1 : 0;\n\t}\n\n\tfunction setComponentState (componentState) {\n\t\t$ctrl.componentState = componentState;\n\t}\n\n\tfunction toggleConfirmDeletePolicyBand (ctrlObj, policyBandObj) {\n\n\t\tif (ctrlObj.componentState === COMPONENT_STATES.edit) {\n\t\t\t// Switch to delete confirm or cannot delete (pay only) message depending on whether or not it's in use\n\t\t\tif (ctrlObj.policy.policyCategory === POLICY_CATEGORIES.pay && policyBandObj.isInUse) {\n\t\t\t\t// Assigned to team members, can't delete\n\t\t\t\tsetComponentState(COMPONENT_STATES.cannotDelete);\n\t\t\t}\n\t\t\telse {\n\t\t\t\tsetComponentState(COMPONENT_STATES.confirmDelete);\n\t\t\t}\n\t\t}\n\t\telse {\n\t\t\t// Return to view state from confirm or cannot delete state\n\t\t\tsetComponentState(COMPONENT_STATES.edit);\n\t\t}\n\t}\n\n\tfunction toggleConfirmDeletePolicyBandEntitlementPeriod (policyBandEntitlementPeriodObj) {\n\t\tif (angular.isUndefined(policyBandEntitlementPeriodObj.confirmDelete)) {\n\t\t\tpolicyBandEntitlementPeriodObj.confirmDelete = true;\n\t\t}\n\t\telse {\n\t\t\tpolicyBandEntitlementPeriodObj.confirmDelete = !policyBandEntitlementPeriodObj.confirmDelete;\n\t\t}\n\t}\n\n\tfunction viewTeamMembers (ctrlObj) {\n\t\tif (angular.isFunction(ctrlObj.onViewTeamMembers)) {\n\t\t\tctrlObj.onViewTeamMembers();\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\n\t\tconfig,\n\t\tpolicyService,\n\t\tregexService,\n\t\tutilities,\n\n\t\tCOMPONENT_STATES,\n\t\tPOLICY_BAND_CALCULATION_TYPES,\n\t\tPOLICY_BAND_PAY_LIMIT_TYPES,\n\t\tPOLICY_BAND_RATE_TYPES,\n\t\tPOLICY_BAND_STAT_PAYMENT_TYPES,\n\t\tPOLICY_CATEGORIES,\n\t\tPOLICY_PAY_BASES,\n\t\tPOLICY_TYPES,\n\t\tREGEX,\n\n\t\tonIsUpperRangeInfiniteChange,\n\t\tonPayPolicyBandAnnualSalaryChange,\n\t\tonPolicyBandNameChange,\n\t\ttoggleConfirmDeletePolicyBand,\n\t\ttoggleConfirmDeletePolicyBandEntitlementPeriod,\n\t\tviewTeamMembers\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('jobGradeCard', {\n\tbindings: {\n\t\tagencyProfileId: '=',\n\t\tjobGrade: '<',\n\t\tjobGrades: '<',\n\t\tonUpdate: '&?'\n\t},\n\tcontroller: 'jobGradeCardController',\n\ttemplateUrl: 'components/job-grade-card/job-grade-card.component.html'\n})\n.controller('jobGradeCardController', ['$rootScope', function ($rootScope) {\n\n\tconst $ctrl = this;\n\n\tfunction deleteJobGrade (jobGradeObj, ctrlObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.onUpdate,\n\t\t\tformKey: 'delete-job-grade',\n\t\t\tjobGrade: jobGradeObj\n\t\t});\n\t}\n\n\tfunction editJobGrade (jobGradeObj, jobGradesArr, ctrlObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.onUpdate,\n\t\t\tformKey: 'update-job-grade',\n\t\t\tjobGrade: jobGradeObj,\n\t\t\tjobGrades: jobGradesArr,\n\t\t\ttitle: 'Edit job grade'\n\t\t});\n\t}\n\n\tfunction viewTeamMembers (jobGradeObj, ctrlObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.onUpdate,\n\t\t\tformKey: 'job-grade-team-members',\n\t\t\tjobGrade: jobGradeObj,\n\t\t\ttitle: 'View team members'\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\tdeleteJobGrade,\n\t\teditJobGrade,\n\t\tviewTeamMembers\n\t});\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('policyPensionSchemeCard', {\n\tbindings: {\n\t\tagencyProfileId: '=',\n\t\tpensionScheme: '<'\n\t},\n\tcontroller: 'policyPensionSchemeCtrl',\n\ttemplateUrl: 'components/policy-pension-scheme-card/policy-pension-scheme-card.component.html'\n})\n.controller('policyPensionSchemeCtrl', [\n\t'$state',\nfunction (\n\t$state\n) {\n\n\tconst $ctrl = this;\n\n\tfunction goToScheme (pensionSchemeObj, ctrlObj) {\n\t\t$state.go('pensions.scheme.settings', {\n\t\t\tagencyEmployerPensionId: pensionSchemeObj.AgencyEmployerPensionID,\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\tgoToScheme\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('poweredByPaycircle', function () {\n\n return {\n templateUrl: 'components/powered-by-paycircle/poweredByPaycircleComponent.html',\n replace: true,\n\t\tscope: {\n\t\t\t'theme': '@?'\n\t\t},\n };\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('printAddress', {\n\tbindings: {\n\t\taddress: '=',\n\t\tdisplayAsForeign: ''\n\t},\n\tcontroller: 'printAddressCtrl',\n\ttemplateUrl: 'components/print-address/printAddressComponent.html'\n})\n\n.controller('printAddressCtrl', [\n\t'COUNTRY_UK',\nfunction (\n\tCOUNTRY_UK\n) {\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\t\t// Don't show country if it's the UK. That's the default and is implied.\n\t\tangular.extend($ctrl, {\n\t\t\tdisplayAsForeign: $ctrl.displayAsForeign || $ctrl.address.AddressForeign,\n\t\t\tshowCountry: ($ctrl.address.AddressCountry.toUpperCase() !== COUNTRY_UK.name.toUpperCase()),\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('profileCard', {\n\tbindings: {\n\t\tavatarSize: '@?',\n\t\tmeta: '',\n\t\tname: '<',\n\t\ttheme: '@'\n\t},\n\tcontroller: 'profileCardCtrl',\n\ttemplateUrl: 'components/profile-card/profile-card.component.html',\n\ttransclude: {\n\t\t'action': '?action',\n\t},\n})\n.controller('profileCardCtrl', ['$transclude', function ($transclude) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\t$ctrl.avatarSize = angular.isDefined($ctrl.avatarSize) ? $ctrl.avatarSize : 'is-small';\n\t\t$ctrl.hasAction = $transclude.isSlotFilled('action');\n\t\t$ctrl.hasMeta = angular.isString($ctrl.meta);\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('profileDataBlock', {\n\tbindings: {\n\t\tpdbGroups: '<'\n\t},\n\ttemplateUrl: 'components/profile-data-block/profile-data-block.component.html'\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('progressBar', {\n\tcontroller: 'progressBarComponentCtrl',\n\tbindings: {\n\t\tpbHasValue: '',\n\t\tpbPercentage: '=',\n\t\tpbSize: '@?',\n\t\tpbTheme: '@?',\n\t\tpbTemplate: '@?'\n\t},\n\ttemplateUrl: 'components/progress-bar/progress-bar.component.html',\n})\n.controller('progressBarComponentCtrl', [function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\t$ctrl.pbShowValue = $ctrl.pbShowValue || false;\n\t\t$ctrl.pbSize = $ctrl.pbSize || 'is-medium';\n\t\t$ctrl.pbTheme = $ctrl.pbTheme || 'is-primary';\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('progressRing', {\n\tbindings: {\n\t\tprBadge: '@?',\n\t\tprIcon: '@?',\n\t\tprPercentage: '',\n\t\tprShowPercentage: '=?',\n\t\tprSize: '@?',\n\t\tprThemeComplete: '@?',\n\t\tprThemeIncomplete: '@?'\n\t},\n\tcontroller: 'progressRingCtrl',\n\ttemplateUrl: 'components/progress-ring/progress-ring.component.html',\n\ttransclude: {\n\t\tprContent: '?prContent'\n\t},\n})\n.controller('progressRingCtrl', ['$transclude', function ($transclude) {\n\n\tconst $ctrl = this;\n\n\tconst RING_SIZES = {\n\t\tsmall: {\n\t\t\tboxSize: 50,\n\t\t\tstrokeWidth: 4\n\t\t},\n\t\tnormal: {\n\t\t\tboxSize: 64,\n\t\t\tstrokeWidth: 5\n\t\t},\n\t\tmedium: {\n\t\t\tboxSize: 80,\n\t\t\tstrokeWidth: 6\n\t\t},\n\t\tlarge: {\n\t\t\tboxSize: 110,\n\t\t\tstrokeWidth: 8\n\t\t},\n\t\textraLarge: {\n\t\t\tboxSize: 130,\n\t\t\tstrokeWidth: 9\n\t\t}\n\t};\n\n\tfunction calculateRingSize (ringSize) {\n\n\t\tconst ringOptionsObj = RING_SIZES[ringSize || 'normal'];\n\n\t\tringOptionsObj.circle = ringOptionsObj.boxSize / 2;\n\t\tringOptionsObj.radius = ringOptionsObj.circle - ringOptionsObj.strokeWidth / 2;\n\t\tringOptionsObj.circumference = ringOptionsObj.radius * 2 * Math.PI;\n\n\t\treturn ringOptionsObj;\n\t}\n\n\t$ctrl.$onInit = function () {\n\t\tangular.extend($ctrl, {\n\t\t\thasContent: ($transclude.isSlotFilled('prContent') && !$ctrl.prShowPercentage),\n\t\t\tprThemeIncomplete: $ctrl.prThemeIncomplete || 'greyscale',\n\t\t\tringOptions: calculateRingSize($ctrl.prSize)\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.constant('PROGRESS_CARD_TYPES', {\n\tcis: 0,\n\temployment: 1,\n\tpension: 2,\n\tpersonal: 3\n})\n\n.constant('PROGRESS_GROUP_IDS', {\n\tpersonal: 0,\n\temployment: 1,\n\tadditionalPost: 2,\n\tcisInformationSoleTraderOrPartnership: 3,\n\tcisInformationCompanyOrTrust: 4,\n\tcisCompany: 5,\n\taePension: 6,\n\tadditionalPostAEPension: 7\n})\n\n.constant('PROGRESS_GROUP_ACTION_IDS', {\n\temployment: {\n\t\tdeletePost: 'employment.deletePost'\n\t},\n\tpension: {\n\t\teditPension: 'pension.editPension',\n\t\tdeletePension: 'pension.deletePension'\n\t}\n})\n\n.component('progressCard', {\n\n\tbindings: {\n\t\ticon: '@',\n\t\t// Optional event handler for action click\n\t\tonActionClick: '',\n\t\t// Optional event handler to fire when clicking on a step. The group and step index will be thrown at this.\n\t\tonProgressStepClick: '',\n\t\t// Optional event handler to fire a primary action for the group\n\t\tonProgressGroupClick: '',\n\t\t/*\n\t\t\tRelated progress groups to display. Each should be in this format:\n\t\t\t{\n\t\t\t\tnotice: string - optional; message to display in the card\n\t\t\t\tactionName: string - optional; name of group UI action (e.g. 'Delete post' for additonal posts)\n\t\t\t\tactionIcon: string - optional; icon to display with the action, 'icon-*'\n\t\t\t\ttitle: string - optional; title for this group\n\t\t\t\tid: number; unique dentifier\n\t\t\t\tdata: Object - optional; data to pass back to event handler for processing\n\t\t\t\tsteps: [\n\t\t\t\t\t{\n\t\t\t\t\t\tstepName: string; the name of the step to display,\n\t\t\t\t\t\tcomplete: boolean; true if the step is complete,\n\t\t\t\t\t\tdisabled: boolean - optional; true to disable this step (defaults to false)\n\t\t\t\t\t\ttitle: string - optional; title to show on group\n\t\t\t\t\t\tactionName: string - optional; action to display\n\t\t\t\t\t\tactionIcon: 'icon-*' string - optional; action icon to display with action,\n\t\t\t\t\t\twizardStepIndex: number - optional; wizard step to invoke. In combination with the group Id,\n\t\t\t\t\t\t\tevent handlers can use this to identify which step of a slide-in wizard to invoke.\n\t\t\t\t\t},\n\t\t\t\t\t...\n\t\t\t\t]\n\t\t\t}\n\t\t\tSteps will occupy the main central area of the card in a two-column list, unless the\n\t\t\tmain transclusion slot is filled, in which case the list will be a single column alongside that\n\t\t */\n\t\tprogressGroups: '<',\n\t\t/* Show or hide footer - transcluded content. Sticking an ng-if on the content to be transcluded doesn't seem to prevent the template\n\t\t from believing it's there, hence this attribute instead of $ctrl.showFooter = $transclude.isSlotFilled('footer'). Defaults to false. */\n\t\tshowFooter: '',\n\t\tteamMember: '<',\n\t\ttheme: '@',\n\t\ttitle: '@',\n\t\t// Mode, one of the PROGRESS_CARD_TYPES values\n\t\ttype: '='\n\t},\n\tcontroller: 'progressCardController',\n\ttemplateUrl: 'components/progress-card/progress-card.component.html',\n\ttransclude: {\n\t\t// Optional footer, inserted below the main content\n\t\t'footer': '?pcFooter',\n\t}\n})\n\n.controller('progressCardController', [\n\t'PROGRESS_CARD_TYPES',\n\t'PROGRESS_GROUP_ACTION_IDS',\n\t'PROGRESS_GROUP_IDS',\nfunction (\n\tPROGRESS_CARD_TYPES,\n\tPROGRESS_GROUP_ACTION_IDS,\n\tPROGRESS_GROUP_IDS\n) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\t// Calculate percentage complete, total steps and steps complete for each progress group\n\t\t$ctrl.progressGroups.forEach(progressGroup => {\n\t\t\tconst totalSteps = progressGroup.steps.length;\n\t\t\tconst completedSteps = progressGroup.steps.reduce((count, step) => (step.complete ? count + 1 : count), 0);\n\t\t\tconst percentComplete = (completedSteps * 100 / totalSteps);\n\t\t\tangular.extend(progressGroup, {\n\t\t\t\tcomplete: totalSteps === completedSteps,\n\t\t\t\tcompletedSteps,\n\t\t\t\tdisabled: angular.isDefined(progressGroup.disabled) ? progressGroup.disabled : false,\n\t\t\t\tpercentComplete,\n\t\t\t\ttotalSteps\n\t\t\t});\n\t\t});\n\n\t\t/* Some types will insert a pane to show additional information. */\n\t\tconst hasPane = $ctrl.type === PROGRESS_CARD_TYPES.pension;\n\n\t\tangular.extend($ctrl, {\n\t\t\tshowFooter: angular.isDefined($ctrl.showFooter) ? $ctrl.showFooter : false,\n\t\t\thasPane,\n\t\t\tlinkTheme: `${$ctrl.theme}-light`\n\t\t});\n\t}\n\n\tfunction onGroupClick (ctrlObj, progressGroup, groupActionId) {\n\t\tif (angular.isFunction(ctrlObj.onProgressGroupClick)) {\n\t\t\t$ctrl.onProgressGroupClick(progressGroup, groupActionId);\n\t\t}\n\t}\n\n\tfunction onStepClick (ctrlObj, progressGroup, wizardStepIndex) {\n\t\tif (angular.isFunction(ctrlObj.onProgressStepClick)) {\n\t\t\t$ctrl.onProgressStepClick(progressGroup, wizardStepIndex);\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\n\t\tPROGRESS_CARD_TYPES,\n\t\tPROGRESS_GROUP_ACTION_IDS,\n\t\tPROGRESS_GROUP_IDS,\n\n\t\t$onInit,\n\t\tonGroupClick,\n\t\tonStepClick\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('progressSteps', {\n\tbindings: {\n\t\tactiveStep: '<',\n\t\thasSpacers: '',\n\t\tstepCount: '<',\n\t\ttheme: '@?'\n\t},\n\tcontroller: 'progressStepsCtrl',\n\ttemplateUrl: 'components/progress-steps/progress-steps.component.html',\n})\n.controller('progressStepsCtrl', function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tsteps: new Array($ctrl.stepCount),\n\t\t\ttheme: angular.isDefined($ctrl.theme) ? $ctrl.theme : 'tertiary',\n\t\t});\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('questionBlockBureau', function () {\n\n\treturn {\n\t\tcontroller: 'questionBlockBureauController',\n\t\ttemplateUrl: 'components/question-block-bureau/questionBlockBureauComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tqbGroup: '='\n\t\t}\n\t};\n})\n.controller('questionBlockBureauController', ['$scope', function ($scope) {\n\n\t$scope.qbGroup.showQuestions = false;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('questionBlockDemo', function () {\n\n\treturn {\n\t\tcontroller: 'questionBlockDemoController',\n\t\ttemplateUrl: 'components/question-block-demo/questionBlockDemoComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tagencyProfileId: '<',\n\t\t\tpensions: '<',\n\t\t\tqbGroup: '<',\n\t\t\tqbOnUpdate: '=?'\n\t\t}\n\t};\n})\n.controller('questionBlockDemoController', ['$rootScope', '$scope', '$state', 'companyData', 'DEMO_QUESTION_GROUPS', 'DEMO_TASKS', 'DEMO_TASKS_SHORT', 'session', function ($rootScope, $scope, $state, companyData, DEMO_QUESTION_GROUPS, DEMO_TASKS, DEMO_TASKS_SHORT, session) {\n\n\tvar agencyProfileId = $scope.agencyProfileId;\n\tvar demoUserId = $scope.qbGroup.userId;\n\tvar pensionsArr = $scope.pensions;\n\n\tfunction getDemoPage (demoTaskId) {\n\n\t\tswitch (demoTaskId) {\n\t\t\tcase DEMO_TASKS.companySettings.uploadCompanyPayslipLogo:\n\t\t\tcase DEMO_TASKS.companySettings.changePayrollProcessingDate:\n\t\t\tcase DEMO_TASKS.companySettings.switchToAutoRun:\n\t\t\t\treturn 'settings.company.payroll-settings';\n\t\t\tcase DEMO_TASKS.team.editSalary:\n\t\t\tcase DEMO_TASKS.team.editTaxCode:\n\t\t\t\treturn 'team.profile.information';\n\t\t\tcase DEMO_TASKS.team.makeLeaver:\n\t\t\t\treturn 'team.profile.overview';\n\t\t\tcase DEMO_TASKS.payroll.addBonus:\n\t\t\tcase DEMO_TASKS.payroll.addExpense:\n\t\t\t\treturn 'payroll.current-period.changes';\n\t\t\tcase DEMO_TASKS.payroll.addPayslipNote:\n\t\t\t\treturn 'payroll.current-period.team';\n\t\t\tcase DEMO_TASKS.holidayAndSickness.addHoliday:\n\t\t\tcase DEMO_TASKS.holidayAndSickness.addSickness:\n\t\t\tcase DEMO_TASKS.holidayAndSickness.editHoliday:\n\t\t\t\treturn 'hr.holiday-sickness';\n\t\t\tcase DEMO_TASKS.workplacePension.updateEmployeePensionContributions:\n\t\t\tcase DEMO_TASKS.workplacePension.updateEmployeesPensionState:\n\t\t\t\treturn 'pensions.scheme.team';\n\t\t\tcase DEMO_TASKS.workplacePension.updateTeamPostponementSettings:\n\t\t\t\treturn 'pensions.scheme.settings';\n\t\t}\n\t}\n\n\t$scope.goToTask = function (taskObj, onboardingQuestionGroupID) {\n\n\t\tvar demo = {\n\t\t\tonboardingQuestionID: taskObj.OnboardingQuestionID,\n\t\t\tonboardingQuestionGroupID: onboardingQuestionGroupID,\n\t\t\tdemoTaskId: taskObj.TaskID,\n\t\t\tdemoTask: DEMO_TASKS_SHORT[taskObj.TaskID]\n\t\t};\n\n\t\tsession.setActiveDemo(demo);\n\n\t\tvar statePropertiesObj = {\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tuserid: demoUserId,\n\t\t\tuserId: demoUserId\n\t\t};\n\n\t\t// Add Pension ID if pensions are available\n\t\tif (pensionsArr.length) {\n\t\t\tstatePropertiesObj.agencyEmployerPensionId = pensionsArr[0].AgencyEmployerPensionID;\n\t\t}\n\n\t\t$state.go(getDemoPage(demo.demoTaskId), statePropertiesObj);\n\t};\n\n\t$scope.resetAllTasksInGroup = function (questionGroupObj) {\n\n\t\tcompanyData.updateOnboardingQuestionGroupComplete(questionGroupObj.onboardingId, questionGroupObj.OnboardingQuestionGroupID, false).then(function() {\n\n\t\t\tfor (var question of $scope.qbGroup.Questions) {\n\t\t\t\tquestion.Complete = false;\n\t\t\t}\n\n\t\t\tquestionGroupObj.totalQuestionsRemaining = questionGroupObj.totalQuestions;\n\n\t\t\tif (typeof $scope.qbOnUpdate() === 'function') {\n\t\t\t\t$scope.qbOnUpdate();\n\t\t\t}\n\t\t})\n\t\t.catch(function () {\n\n\t\t\t$scope.pageState = 'error';\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('questionBlockOnboarding', function () {\n\n\treturn {\n\t\tcontroller: 'questionBlockOnboardingController',\n\t\ttemplateUrl: 'components/question-block-onboarding/questionBlockOnboardingComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tonboardingDashboard: '=',\n\t\t\tagencyProfileId: '<',\n\t\t\tonboardingQuestionGroups: '=',\n\t\t\tonboardingActions: '=',\n\t\t\tonUpdate: '='\n\t\t}\n\t};\n})\n.controller('questionBlockOnboardingController', ['$rootScope', '$scope', 'wizardService', 'FORM_WIZARD_KEYS', 'ONBOARDING_QUESTION_GROUPS',\n\tfunction ($rootScope, $scope, wizardService, FORM_WIZARD_KEYS, ONBOARDING_QUESTION_GROUPS) {\n\n\tvar agencyProfileId = $scope.agencyProfileId;\n\tvar companyPayrollFormsCount = wizardService.getWizardLastFormIndex(FORM_WIZARD_KEYS.companyPayroll);\n\n\t$scope.ONBOARDING_QUESTION_GROUPS = ONBOARDING_QUESTION_GROUPS;\n\n\tfor (var i = 0; i < $scope.onboardingQuestionGroups.length; i++) {\n\t\t$scope.onboardingQuestionGroups[i].mobileTaskPosition = i+1;\n\t}\n\n\tfunction hideThisBlock () {\n\n\t\tresetBlock();\n\t\t$scope.onUpdate();\n\t}\n\n\tfunction resetBlock () {\n\n\t\t$scope.onboardingActions.closeAllTasks($scope.onboardingDashboard);\n\t\t$scope.onboardingActions.showTasksFor = null;\n\t\t$scope.activeGroup = null;\n\t}\n\n\t$scope.openCompanyPayrollWizard = function (questionGroupObj) {\n\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\tactiveStepIndex: questionGroupObj.isComplete ? companyPayrollFormsCount : undefined,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: hideThisBlock,\n\t\t\tinitCallbackOnClose: true,\n\t\t\tquestionGroup: questionGroupObj,\n\t\t\twizardKey: FORM_WIZARD_KEYS.companyPayroll\n\t\t});\n\t};\n\n\t$scope.openCompanyPensionConnectorForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: hideThisBlock,\n\t\t\tformKey: 'company-pension-connector',\n\t\t\tinitCallbackOnClose: true\n\t\t});\n\t};\n\n\t$scope.openOnboardingQuestions = function (onboardingGroup) {\n\n\t\tif ($scope.tasksOpen && onboardingGroup.OnboardingQuestionGroupID !== $scope.activeGroup.OnboardingQuestionGroupID) {\n\t\t\tresetBlock();\n\t\t}\n\t\tif ($scope.onboardingActions.showTasksFor === onboardingGroup.OnboardingQuestionGroupID) {\n\t\t\tresetBlock();\n\t\t} else {\n\t\t\t$scope.activeGroup = onboardingGroup;\n\t\t\t$scope.onboardingActions.showTasksFor = onboardingGroup.OnboardingQuestionGroupID;\n\t\t}\n\t};\n\n\t$scope.openOnboardingWizardCompanyForm = function (activeGroupObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tcallback: hideThisBlock,\n\t\t\tformKey: 'onboarding-wizard-company',\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tinitCallbackOnClose: true,\n\t\t\tformStep: activeGroupObj.isComplete ? 5 : undefined\n\t\t});\n\t};\n\n\t$scope.openOnboardingWizardProfileForm = function (activeGroupObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tcallback: hideThisBlock,\n\t\t\tformKey: 'onboarding-wizard-profile',\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tinitCallbackOnClose: true,\n\t\t\tformStep: activeGroupObj.isComplete ? 6 : undefined\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('remoteLocationCard', {\n\n\tbindings: {\n\t\tagencyProfileId: '=',\n\t\tteamMemberAdmin: '<',\n\t\trefresh: '&?'\n\t},\n\tcontroller: 'remoteLocationCardCtrl',\n\ttemplateUrl: 'components/remote-location-card/remote-location-card.component.html'\n})\n\n.controller('remoteLocationCardCtrl', ['$rootScope', function ($rootScope) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\t\t$ctrl.hasIPAddress = angular.isDefined($ctrl.teamMemberAdmin.IPAddress) && $ctrl.teamMemberAdmin.IPAddress !== '';\n\t};\n\n\tfunction openDeleteRemoteLocationForm (ctrlObj, adminUserId) {\n\n\t\tctrlObj.showActionMenu = false;\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.refresh(),\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'delete-remote-location',\n\t\t\ttitle: 'Delete IP address',\n\t\t\tuserId: adminUserId\n\t\t});\n\t}\n\n\tfunction openEditDetailsForm (ctrlObj, adminUserId) {\n\n\t\tctrlObj.showActionMenu = false;\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tadminUserId,\n\t\t\tagencyProfileId: ctrlObj.agencyProfileId,\n\t\t\tcallback: ctrlObj.refresh(),\n\t\t\tcontextType: 'company',\n\t\t\tformKey: 'company-settings-edit-remote-locations',\n\t\t\ttitle: 'Edit remote location'\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t// Variables\n\t\tshowActionMenu: false,\n\n\t\t// Functions\n\t\topenDeleteRemoteLocationForm,\n\t\topenEditDetailsForm\n\t});\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('remoteLocationFormField', {\n\n\tbindings: {\n\t\tindex: '=?',\n\t\tteamMemberAdmin: '<',\n\t\tname: '@',\n\t\tshowDelete: ''\n\t},\n\tcontroller: 'remoteLocationFormFieldCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/remote-location-form-field/remote-location-form-field.component.html'\n})\n\n.controller('remoteLocationFormFieldCtrl', [function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\n\t\t$ctrl.teamMemberAdmin.hasIPAddress = ($ctrl.teamMemberAdmin.IPAddress && $ctrl.teamMemberAdmin.IPAddress !== '');\n\n\t\t// IP address form field name\n\t\t$ctrl.ipAddressFieldName = `${$ctrl.name}_${$ctrl.index}_ip-address`;\n\n\t\t// Toggle confirm delete\n\t\t$ctrl.teamMemberAdmin.toggleConfirmDeleteIPAddress = false;\n\t};\n\n\tfunction toggleConfirmDeleteIPAddress (teamMemberAdmin) {\n\t\tteamMemberAdmin.confirmIPAddressDelete = !teamMemberAdmin.confirmIPAddressDelete;\n\t}\n\n\tfunction toggleHasIPAddress (teamMemberAdmin) {\n\n\t\tteamMemberAdmin.hasIPAddress = !teamMemberAdmin.hasIPAddress;\n\t\tif (!teamMemberAdmin.hasIPAddress) {\n\t\t\t// Clear out IP Address\n\t\t\tteamMemberAdmin.IPAddress = '';\n\t\t\t// Clear delete confirmation\n\t\t\t$ctrl.teamMemberAdmin.toggleConfirmDeleteIPAddress = false;\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\ttoggleConfirmDeleteIPAddress,\n\t\ttoggleHasIPAddress\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('repaymentCard', {\n\tcontroller: 'repaymentCardCtrl',\n\ttemplateUrl: '../components/repayment-card/repayment-card.component.html',\n\tbindings: {\n\t\tcanEdit: '',\n\t\tonEdit: '&?',\n\t\trepayment: '=',\n\t\trcLabel: '@?',\n\t\trcViewType: '@?',\n\t\trcTheme: '@?'\n\t}\n})\n.controller('repaymentCardCtrl', [\n\t'adjustmentsService',\n\tfunction (\n\t\tadjustmentsService\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\trcLabel: angular.isDefined($ctrl.rcLabel) ? $ctrl.rcLabel : 'Payment amount',\n\t\t\trcViewType: angular.isDefined($ctrl.rcViewType) ? $ctrl.rcViewType : 'schedule', // payment || schedule\n\t\t\trcTheme: angular.isDefined($ctrl.rcTheme) ? $ctrl.rcTheme : 'is-primary'\n\t\t});\n\t}\n\n\tfunction isPayrollBenefit (repaymentObj) {\n\n\t\treturn adjustmentsService.getIsAdjustmentBehaviourOn(repaymentObj.PaymentScheduleGroupPayrollBIKBehaviour);\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tisPayrollBenefit\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('reportCard', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\treport: '='\n\t},\n\tcontroller: 'reportCardCtrl',\n\ttemplateUrl: 'components/report-card/report-card.component.html',\n})\n.controller('reportCardCtrl', ['REPORT_TEMPLATE_ACCESSIBILITY', function (REPORT_TEMPLATE_ACCESSIBILITY) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.REPORT_TEMPLATE_ACCESSIBILITY = REPORT_TEMPLATE_ACCESSIBILITY;\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\t.component('reportCardClickable', {\n\t\tbindings: {\n\t\t\taction: '',\n\t\t\ticon: '@',\n\t\t\tsubtitle: '@',\n\t\t\ttitle: '@',\n\t\t},\n\t\tcontroller: 'reportCardClickableController',\n\t\ttemplateUrl: 'components/report-card-clickable/report-card-clickable.component.html'\n\t})\n\t.controller('reportCardClickableController', [\n\t\tfunction () {\n\n\t\t\tlet $ctrl = this;\n\n\t\t\t$ctrl.$onInit = function () {\n\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\taction: $ctrl.action,\n\t\t\t\t\ticon: $ctrl.icon,\n\t\t\t\t\tsubtitle: $ctrl.subtitle,\n\t\t\t\t\ttitle: $ctrl.title,\n\t\t\t\t});\n\t\t\t};\n\t\t}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('reportColumnFilters', {\n\tbindings: {\n\t\tisRootFilterGroup: '',\n\t\tisWithinReportCreator: '',\n\t\tonDeleteLastClause: '&?',\n\t\treportFilterComponents: '',\n\t\treportFilterEmptyClause: '',\n\t\treportFilterEmptyGroup: '',\n\t\treportFilterGroupId: '',\n\t\treportTemplateColumns: '<',\n\t\treportTemplateFilterGroup: '<'\n\t},\n\tcontroller: 'reportColumnFiltersCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/report-column-filters/report-column-filters.component.html'\n})\n\n.controller('reportColumnFiltersCtrl', [\n\t'$q',\n\t'config',\n\t'reportData',\n\t'tracking',\n\t'REPORT_TEMPLATE_FILTER_CONDITIONS',\n\t'REPORT_TEMPLATE_FILTER_OPERATORS',\n\t'TRACKING_EVENT_CATEGORIES',\n\t'TRACKING_EVENTS',\n\tfunction (\n\t\t$q,\n\t\tconfig,\n\t\treportData,\n\t\ttracking,\n\t\tREPORT_TEMPLATE_FILTER_CONDITIONS,\n\t\tREPORT_TEMPLATE_FILTER_OPERATORS,\n\t\tTRACKING_EVENT_CATEGORIES,\n\t\tTRACKING_EVENTS\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst CLAUSE_VALUE_TYPE = {\n\t\tboolean: 'boolean',\n\t\tdate: 'date',\n\t\tnumberic: 'numberic',\n\t\tpercentage: 'percentage',\n\t\tselect: 'select',\n\t\ttext: 'text'\n\t};\n\n\tconst COMPONENT_STATES = {\n\t\terror: 'erorr',\n\t\tloading: 'loading',\n\t\tready: 'ready'\n\t};\n\n\tfunction $onInit () {\n\n\t\tif (!$ctrl.isRootFilterGroup) {\n\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\treturn;\n\t\t}\n\n\t\tsetComponentState(COMPONENT_STATES.loading);\n\n\t\t// Load in clause conditions, object will be passed into child filter groups\n\t\treportData.getReportTemplateFilterClauseComponents()\n\t\t\t.then(clauseComponentsObj => {\n\n\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\treportTemplateColumns: getCorrectReportTemplateColumns(),\n\t\t\t\t\treportFilterComponents: clauseComponentsObj,\n\t\t\t\t\treportFilterGroupId: '0' // Root group (Child groups get will be '0-0', '0-1' etc, a group within '0-1' will be '0-1-0')\n\t\t\t\t});\n\n\t\t\t\ttracking.trackEvent(TRACKING_EVENTS.reporting.columnFilterAddedToTemplate, {\n\t\t\t\t\tevent_category: TRACKING_EVENT_CATEGORIES.reporting\n\t\t\t\t});\n\n\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction decorateEmptyFilterClauseObj (reportTemplateFilterClauseObj) {\n\n\t\t// Clear defaults and use first column as base\n\t\tangular.extend(reportTemplateFilterClauseObj, {\n\t\t\tReportTemplateColumnID: $ctrl.reportTemplateColumns[0].ReportColumnID,\n\t\t\tReportTemplateFilterClauseValue: null\n\t\t});\n\n\t\t// Attach first condition as default\n\t\tconst defaultClauseConditionsArr = getClauseConditionsForColumn(reportTemplateFilterClauseObj);\n\t\treportTemplateFilterClauseObj.ReportTemplateFilterClauseCondition = defaultClauseConditionsArr[0].ID;\n\n\t\treturn reportTemplateFilterClauseObj;\n\t}\n\n\tfunction getClauseConditionsForColumn (reportTemplateFilterClauseObj) {\n\n\t\t// Returns list of applicable conditions for a column\n\n\t\tif (!reportTemplateFilterClauseObj || reportTemplateFilterClauseObj.ReportTemplateColumnID === config.guidEmpty) {\n\t\t\treturn null;\n\t\t}\n\n\t\t// Find selected column from template\n\t\tconst clauseColumnObj = $ctrl.reportTemplateColumns.find(reportTemplateColumnObj => reportTemplateColumnObj.ReportColumnID === reportTemplateFilterClauseObj.ReportTemplateColumnID);\n\n\t\tif (!clauseColumnObj) {\n\t\t\treturn null;\n\t\t}\n\n\t\t// Find clause conditions by column content type\n\t\tconst conditionsArr = $ctrl.reportFilterComponents.ContentTypes.find(reportFilterClauseObj => reportFilterClauseObj.CellContentType === clauseColumnObj.ReportColumnContentType).ValidConditions;\n\n\t\t// Attach description to each condition\n\t\tfor (let conditionObj of conditionsArr) {\n\t\t\tconditionObj.displayLabel = REPORT_TEMPLATE_FILTER_CONDITIONS.find(filterConditionObj => filterConditionObj.value === conditionObj.ID).label;\n\t\t}\n\n\t\treturn conditionsArr;\n\t}\n\n\tfunction getClauseValueIsVisible (reportTemplateFilterClauseObj) {\n\n\t\t// Certain conditions do not need a value, eg \"Is empty\"\n\n\t\t// Clear clause if there are no conditions available (Column may have been removed from ReportTemplateColumns)\n\t\tif (!reportTemplateFilterClauseObj.clauseConditions) {\n\t\t\tresetClause(reportTemplateFilterClauseObj);\n\t\t\treturn;\n\t\t}\n\n\t\tconst reportFilterClauseObj = getSelectedClauseCondition(reportTemplateFilterClauseObj);\n\n\t\tif (!reportFilterClauseObj) {\n\t\t\treturn true;\n\t\t}\n\n\t\treturn reportFilterClauseObj.IsInputRequired;\n\t}\n\n\tfunction getClauseValueTypeForCondition (reportTemplateFilterClauseObj) {\n\n\t\t// Clear clause if there are no conditions available (Column may have been removed from ReportTemplateColumns)\n\t\tif (!reportTemplateFilterClauseObj.clauseConditions) {\n\t\t\tresetClause(reportTemplateFilterClauseObj);\n\t\t\treturn;\n\t\t}\n\n\t\t// Select\n\t\tconst reportTemplateColumnsDetailObj = getSelectedClauseColumnsDetail(reportTemplateFilterClauseObj);\n\t\tif (reportTemplateColumnsDetailObj) {\n\t\t\treportTemplateFilterClauseObj.clauseValueOptions = reportTemplateColumnsDetailObj.ValueOptions;\n\t\t\treturn CLAUSE_VALUE_TYPE.select;\n\t\t}\n\n\t\t// Text only\n\t\tconst reportFilterClauseConditionsObj = getSelectedClauseCondition(reportTemplateFilterClauseObj);\n\t\tif (!reportFilterClauseConditionsObj) {\n\t\t\treturn CLAUSE_VALUE_TYPE.text;\n\t\t}\n\n\t\t// Boolean\n\t\tif (reportFilterClauseConditionsObj.IsBooleanInput) {\n\t\t\treturn CLAUSE_VALUE_TYPE.boolean;\n\t\t}\n\n\t\t// Date\n\t\tif (reportFilterClauseConditionsObj.IsDateInput || reportFilterClauseConditionsObj.IsDateTimeInput) {\n\t\t\treturn CLAUSE_VALUE_TYPE.date;\n\t\t}\n\n\t\t// Numeric\n\t\tif (reportFilterClauseConditionsObj.IsNumericInput || reportFilterClauseConditionsObj.IsPercentageInput) {\n\t\t\treturn CLAUSE_VALUE_TYPE.numberic;\n\t\t}\n\n\t\t// Default to text\n\t\treturn CLAUSE_VALUE_TYPE.text;\n\t}\n\n\tfunction getCorrectReportTemplateColumns () {\n\n\t\tif ($ctrl.isWithinReportCreator) {\n\t\t\treturn $ctrl.reportTemplateColumns;\n\t\t}\n\n\t\t// If filters are used from within a report preview then property names are different,\n\t\t// return a simplified version of that using the properties we need with correct ColumnName\n\t\telse {\n\n\t\t\t// Make copy of columns so changes here don't affect anywhere else\n\t\t\tconst reportTemplateColumnsCopyArr = angular.copy($ctrl.reportTemplateColumns);\n\n\t\t\treturn reportTemplateColumnsCopyArr.map(reportTemplateColumnObj => {\n\t\t\t\treturn {\n\t\t\t\t\tcolumnNameOverride: reportTemplateColumnObj.ColumnNameOverride,\n\t\t\t\t\tReportColumnCanApplyFilter: reportTemplateColumnObj.CanApplyFilter,\n\t\t\t\t\tReportColumnContentType: reportTemplateColumnObj.ContentType,\n\t\t\t\t\tReportColumnID: reportTemplateColumnObj.ReportTemplateColumnID,\n\t\t\t\t\tReportColumnName: reportTemplateColumnObj.ColumnNameOverride || reportTemplateColumnObj.ColumnName,\n\t\t\t\t\tReportTemplateColumnEntryID: reportTemplateColumnObj.ReportTemplateColumnEntryID\n\t\t\t\t};\n\t\t\t});\n\t\t}\n\t}\n\n\tfunction getEmptyReportTemplateFilterGroup () {\n\n\t\t// Returns an empty filter group, either by getting it from the services or from when it's been passed down\n\n\t\treturn $q((onComplete, onError) => {\n\n\t\t\tfunction returnCopyOfFilterGroup () {\n\t\t\t\tonComplete(angular.copy($ctrl.reportFilterEmptyGroup));\n\t\t\t}\n\n\t\t\tif (angular.isDefined($ctrl.reportFilterEmptyGroup)) {\n\t\t\t\treturnCopyOfFilterGroup();\n\t\t\t} else {\n\n\t\t\t\treportData.getEmptyReportTemplateFilterGroup()\n\t\t\t\t\t.then(reportTemplateFilterGroupObj => {\n\n\t\t\t\t\t\t$ctrl.reportFilterEmptyGroup = reportTemplateFilterGroupObj;\n\n\t\t\t\t\t\treturnCopyOfFilterGroup();\n\t\t\t\t\t})\n\t\t\t\t\t.catch(onError);\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction getEmptyReportTemplateFilterClause () {\n\n\t\t// Returns an empty filter clause, either by getting it from the services or from when it's been passed down\n\n\t\treturn $q((onComplete, onError) => {\n\n\t\t\tfunction returnCopyOfFilterClause () {\n\n\t\t\t\tconst newClauseObj = angular.copy($ctrl.reportFilterEmptyClause);\n\n\t\t\t\tonComplete(decorateEmptyFilterClauseObj(newClauseObj));\n\t\t\t}\n\n\t\t\tif (angular.isDefined($ctrl.reportFilterEmptyClause)) {\n\t\t\t\treturnCopyOfFilterClause();\n\t\t\t} else {\n\n\t\t\t\treportData.getEmptyReportTemplateFilterClause()\n\t\t\t\t\t.then(reportTemplateFilterClauseObj => {\n\n\t\t\t\t\t\t$ctrl.reportFilterEmptyClause = reportTemplateFilterClauseObj;\n\n\t\t\t\t\t\treturnCopyOfFilterClause();\n\t\t\t\t\t})\n\t\t\t\t\t.catch(onError);\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction getSelectedClauseColumnsDetail (reportTemplateFilterClauseObj) {\n\t\treturn $ctrl.reportFilterComponents.ReportTemplateColumns.find(reportTemplateColumnObj => reportTemplateColumnObj.ReportTemplateColumnID === reportTemplateFilterClauseObj.ReportTemplateColumnID);\n\t}\n\n\tfunction getSelectedClauseCondition (reportTemplateFilterClauseObj) {\n\t\treturn reportTemplateFilterClauseObj.clauseConditions.find(reportFilterClauseObj => reportFilterClauseObj.ID === reportTemplateFilterClauseObj.ReportTemplateFilterClauseCondition);\n\t}\n\n\tfunction onAddMenuAction () {\n\t\t$ctrl.showAddMenu = false;\n\t}\n\n\tfunction onAddReportFilterClause () {\n\n\t\tonAddMenuAction();\n\n\t\tgetEmptyReportTemplateFilterClause()\n\t\t\t.then(reportTemplateFilterClauseObj => {\n\t\t\t\t$ctrl.reportTemplateFilterGroup.ChildReportTemplateFilterClauses.push(reportTemplateFilterClauseObj);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onAddReportFilterGroup () {\n\n\t\tonAddMenuAction();\n\n\t\tgetEmptyReportTemplateFilterGroup()\n\t\t\t.then(reportTemplateFilterGroupObj => {\n\n\t\t\t\tgetEmptyReportTemplateFilterClause()\n\t\t\t\t\t.then(reportTemplateFilterClauseObj => {\n\n\t\t\t\t\t\treportTemplateFilterGroupObj.ChildReportTemplateFilterClauses.push(reportTemplateFilterClauseObj);\n\n\t\t\t\t\t\t$ctrl.reportTemplateFilterGroup.ChildReportTemplateFilterGroups.push(reportTemplateFilterGroupObj);\n\t\t\t\t\t})\n\t\t\t\t\t.catch(onError);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction onClauseColumnChange (reportTemplateFilterClauseObj) {\n\n\t\tconst defaultClauseConditionsArr = getClauseConditionsForColumn(reportTemplateFilterClauseObj);\n\n\t\t// Clear clause if there are no conditions available (Column may have been removed from ReportTemplateColumns)\n\t\tif (!defaultClauseConditionsArr) {\n\t\t\tresetClause(reportTemplateFilterClauseObj);\n\t\t\treturn;\n\t\t}\n\n\t\t// Set defaults\n\t\tangular.extend(reportTemplateFilterClauseObj, {\n\t\t\tReportTemplateFilterClauseCondition: defaultClauseConditionsArr[0].ID,\n\t\t\tReportTemplateFilterClauseValue: null\n\t\t});\n\t}\n\n\tfunction onClauseDelete ($index) {\n\n\t\t// If this clause is the last in the group then delete the group from the parent level (unless it's the root group)\n\t\tif (\n\t\t\t$ctrl.reportTemplateFilterGroup.ChildReportTemplateFilterClauses.length === 1 &&\n\t\t\t$ctrl.reportTemplateFilterGroup.ChildReportTemplateFilterGroups.length === 0 &&\n\t\t\tangular.isFunction($ctrl.onDeleteLastClause)\n\t\t) {\n\n\t\t\t$ctrl.onDeleteLastClause();\n\t\t\treturn;\n\t\t}\n\n\t\t$ctrl.reportTemplateFilterGroup.ChildReportTemplateFilterClauses.splice($index, 1);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetComponentState(COMPONENT_STATES.error);\n\t}\n\n\tfunction onGroupDelete ($index) {\n\n\t\t// If this is the last child group within the parent group then delete the parent group (unless it's the root group)\n\t\tif (\n\t\t\t$ctrl.reportTemplateFilterGroup.ChildReportTemplateFilterGroups.length === 1 &&\n\t\t\t$ctrl.reportTemplateFilterGroup.ChildReportTemplateFilterClauses.length === 0 &&\n\t\t\tangular.isFunction($ctrl.onDeleteLastClause)\n\t\t) {\n\n\t\t\t$ctrl.onDeleteLastClause();\n\t\t\treturn;\n\t\t}\n\n\t\t$ctrl.reportTemplateFilterGroup.ChildReportTemplateFilterGroups.splice($index, 1);\n\t}\n\n\tfunction resetClause (reportTemplateFilterClauseObj) {\n\t\tangular.extend(reportTemplateFilterClauseObj, {\n\t\t\tReportTemplateFilterClauseCondition: null,\n\t\t\tReportTemplateColumnID: null,\n\t\t\tReportTemplateFilterClauseValue: null,\n\t\t\tclauseConditions: null\n\t\t});\n\t}\n\n\tfunction setComponentState (newState) {\n\t\t$ctrl.componentState = newState;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tgetClauseConditionsForColumn,\n\t\tgetClauseValueIsVisible,\n\t\tgetClauseValueTypeForCondition,\n\t\tonAddReportFilterClause,\n\t\tonAddReportFilterGroup,\n\t\tonClauseColumnChange,\n\t\tonClauseDelete,\n\t\tonGroupDelete,\n\n\t\tCLAUSE_VALUE_TYPE,\n\t\tCOMPONENT_STATES,\n\t\tREPORT_TEMPLATE_FILTER_CONDITIONS,\n\t\tREPORT_TEMPLATE_FILTER_OPERATORS,\n\n\t\tshowAddMenu: false\n\t});\n}])\n\n.filter('reportColumnFiltersCorrectReportColumns',\n\tfunction () {\n\treturn function (reportColumnsArr) {\n\n\t\tfunction isFilterableColumn (currentColumnObj) {\n\t\t\treturn currentColumnObj.ReportColumnCanApplyFilter;\n\t\t}\n\n\t\tfunction getApplicableColumns (currentColumnObj) {\n\n\t\t\tconst columnsOfSameTypeArr = reportColumnsArr.filter(reportTemplateColumnObj => reportTemplateColumnObj.ReportColumnID === currentColumnObj.ReportColumnID);\n\n\t\t\t// When there are duplicates, just return the first of them only\n\t\t\tif (columnsOfSameTypeArr.length > 1) {\n\t\t\t\treturn columnsOfSameTypeArr[0].ReportTemplateColumnEntryID === currentColumnObj.ReportTemplateColumnEntryID;\n\t\t\t}\n\n\t\t\t// Return normal columns\n\t\t\treturn true;\n\t\t}\n\n\t\treturn reportColumnsArr\n\t\t\t\t.filter(getApplicableColumns)\n\t\t\t\t.filter(isFilterableColumn);\n\t};\n})\n\n.filter('reportColumnFiltersOperationLabel', [\n\t'REPORT_TEMPLATE_FILTER_OPERATORS',\n\tfunction (\n\t\tREPORT_TEMPLATE_FILTER_OPERATORS\n\t) {\n\n\treturn function (operationValue) {\n\t\treturn REPORT_TEMPLATE_FILTER_OPERATORS.find(operationTypeObj => operationTypeObj.value === operationValue).label;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('reportCompanyFilters', {\n\tbindings: {\n\t\treportRequestOptions: '<',\n\t\tselectedCompanyOptions: '='\n\t},\n\tcontroller: 'reportCompanyFiltersCtrl',\n\ttemplateUrl: 'components/report-company-filters/report-company-filters.component.html',\n})\n.controller('reportCompanyFiltersCtrl', [\n\t'INTERFACE_TYPES',\n\tfunction (\n\t\tINTERFACE_TYPES\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst COMPANIES_PER_PAGE = 16;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tcompanyTypes: getCompanyTypesFromCompanies()\n\t\t});\n\n\t\t$ctrl.isCompanyCountGreaterThanMaxAllowedCompanies = getIsCompanyCountGreaterThanMaxAllowedCompanies();\n\n\t\tupdateIsSelectedForSelectedCompanies();\n\t}\n\n\tfunction attachGroupsToCompanies (companiesArr, companyGroupsArr) {\n\n\t\t// Attach group object into child company, attach company object onto parent company to use later\n\n\t\tfor (let companyGroupObj of companyGroupsArr) {\n\n\t\t\tfor (let childCompanyID of companyGroupObj.ChildInformation.ChildCompanyIDs) {\n\n\t\t\t\tconst childCompanyObj = companiesArr.find(companyObj => companyObj.CompanyID === childCompanyID);\n\n\t\t\t\tchildCompanyObj.ParentInformation.parentGroups.push(companyGroupObj);\n\t\t\t\tcompanyGroupObj.ChildInformation.childCompanies.push(childCompanyObj);\n\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction getApplicableChildCompanies (companiesArr) {\n\n\t\tif ($ctrl.excludeArchivedCompanies) {\n\t\t\treturn companiesArr.filter(childCompanyObj => !childCompanyObj.CompanyIsArchived);\n\t\t}\n\t\telse {\n\t\t\treturn companiesArr;\n\t\t}\n\t}\n\n\tfunction getCompanyTypesFromCompanies () {\n\n\t\t// Split out companies into group and companies\n\n\t\tconst companyGroupsArr = [];\n\t\tconst companiesArr = [];\n\n\t\tfor (let companyObj of $ctrl.reportRequestOptions.CompanyOptions) {\n\t\t\tswitch (companyObj.CompanyTypeEnum) {\n\t\t\t\tcase INTERFACE_TYPES.agency:\n\t\t\t\tcase INTERFACE_TYPES.dual:\n\t\t\t\tcase INTERFACE_TYPES.hypoonly:\n\t\t\t\tcase INTERFACE_TYPES.pensiononly:\n\t\t\t\tcase INTERFACE_TYPES.actualonly:\n\t\t\t\tcase INTERFACE_TYPES.cisonly:\n\t\t\t\tcase INTERFACE_TYPES.test:\n\n\t\t\t\t\tcompanyObj.ParentInformation.parentGroups = [];\n\n\t\t\t\t\tcompaniesArr.push(companyObj);\n\t\t\t\t\tbreak;\n\n\t\t\t\tcase INTERFACE_TYPES.group:\n\n\t\t\t\t\tcompanyObj.isCompanyGroup = true;\n\t\t\t\t\tcompanyObj.ChildInformation.childCompanies = [];\n\n\t\t\t\t\tcompanyGroupsArr.push(companyObj);\n\t\t\t\t\tbreak;\n\t\t\t}\n\t\t}\n\n\t\tattachGroupsToCompanies(companiesArr, companyGroupsArr);\n\n\t\treturn {\n\t\t\ttypes: [\n\t\t\t\t{\n\t\t\t\t\ttypeName: 'Company groups',\n\t\t\t\t\ttypeId: 'company-groups',\n\t\t\t\t\ttypeList: companyGroupsArr\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\ttypeName: 'Companies',\n\t\t\t\t\ttypeId: 'companies',\n\t\t\t\t\ttypeList: companiesArr\n\t\t\t\t}\n\t\t\t],\n\t\t\tcompanies: companiesArr,\n\t\t\tcompanyGroups: companyGroupsArr,\n\t\t};\n\t}\n\n\tfunction getIsCompanyCountGreaterThanMaxAllowedCompanies () {\n\t\treturn $ctrl.reportRequestOptions.MaxCompanySelections && $ctrl.companyTypes.companies.length > $ctrl.reportRequestOptions.MaxCompanySelections;\n\t}\n\n\tfunction getIsCompanyFilterSelectionValid () {\n\n\t\t// Check only if limit is defined\n\t\tif ($ctrl.reportRequestOptions.MaxCompanySelections) {\n\t\t\treturn getIsLessCompaniesThanMaxSelected();\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction getIsLessCompaniesThanMaxSelected () {\n\t\t// Are too many companies already selected?\n\t\treturn $ctrl.selectedCompanyOptions.length <= $ctrl.reportRequestOptions.MaxCompanySelections;\n\t}\n\n\tfunction getSelectedCompanyIDS () {\n\n\t\t// Return array of all selected companies and filter out archived companies if need be\n\n\t\treturn getApplicableChildCompanies($ctrl.companyTypes.companies)\n\t\t\t\t.filter(companyObj => companyObj.isSelected)\n\t\t\t\t.map(companyObj => companyObj.CompanyID);\n\t}\n\n\tfunction onAllCompanyToggle (isSelectedBool) {\n\n\t\t// Set isSelected for all companies\n\n\t\tfor (let companyObj of $ctrl.reportRequestOptions.CompanyOptions) {\n\t\t\tcompanyObj.isSelected = isSelectedBool;\n\t\t}\n\n\t\tupdateSelectedCompanies();\n\t}\n\n\tfunction onCompanyClick (selectedCompanyObj) {\n\n\t\t// Toggle isSelected for companies and check for child companies if a group and parent group if a company\n\n\t\tselectedCompanyObj.isSelected = !selectedCompanyObj.isSelected;\n\n\t\tif (selectedCompanyObj.isCompanyGroup) {\n\t\t\tupdateCompaniesIsSelectedWithinGroup(selectedCompanyObj);\n\n\t\t} else {\n\t\t\tupdateParentGroupIsSelected(selectedCompanyObj);\n\t\t}\n\n\t\tupdateSelectedCompanies();\n\t}\n\n\tfunction onExcludeArchivedChange () {\n\n\t\t// Deselect archived companies when excluding\n\n\t\tfor (let companyObj of $ctrl.companyTypes.companies) {\n\n\t\t\tif ($ctrl.excludeArchivedCompanies && companyObj.CompanyIsArchived) {\n\t\t\t\tcompanyObj.isSelected = false;\n\t\t\t}\n\n\t\t\tupdateParentGroupIsSelected(companyObj);\n\n\t\t}\n\n\t\tupdateSelectedCompanies();\n\t}\n\n\tfunction updateCompaniesIsSelectedWithinGroup (groupObj) {\n\n\t\t// Set isSelected for companies in group\n\t\tfor (let companyObj of getApplicableChildCompanies(groupObj.ChildInformation.childCompanies)) {\n\t\t\tcompanyObj.isSelected = groupObj.isSelected;\n\t\t}\n\n\t\t// Check if parent group still needs to be selected (company may be in multiple groups)\n\t\tfor (let companyObj of getApplicableChildCompanies(groupObj.ChildInformation.childCompanies)) {\n\t\t\tupdateParentGroupIsSelected(companyObj);\n\t\t}\n\t}\n\n\tfunction updateIsSelectedForSelectedCompanies () {\n\n\t\t// Set isSelected for pre pre selected companies\n\n\t\tfor (let companyObj of $ctrl.companyTypes.companies) {\n\n\t\t\tcompanyObj.isSelected = $ctrl.selectedCompanyOptions.includes(companyObj.CompanyID);\n\n\t\t\tupdateParentGroupIsSelected(companyObj);\n\t\t}\n\t}\n\n\tfunction updateParentGroupIsSelected (companyObj) {\n\n\t\t// Set isSelected for parent groups of companies\n\t\tfor (let parentGroupObj of companyObj.ParentInformation.parentGroups) {\n\t\t\tparentGroupObj.isSelected = getApplicableChildCompanies(parentGroupObj.ChildInformation.childCompanies)\n\t\t\t\t\t\t\t\t\t\t\t.every(childCompanyObj => childCompanyObj.isSelected);\n\t\t}\n\t}\n\n\tfunction updateSelectedCompanies () {\n\n\t\t// Update selected companies\n\n\t\tangular.extend($ctrl, {\n\t\t\thasUpdated: true,\n\t\t\tselectedCompanyOptions: getSelectedCompanyIDS()\n\t\t});\n\n\t\t// Disable form if there are too many companies selected\n\t\t$ctrl.isCompanyFilterSelectionValid = getIsCompanyFilterSelectionValid();\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tonAllCompanyToggle,\n\t\tonCompanyClick,\n\t\tonExcludeArchivedChange,\n\n\t\texcludeArchivedCompanies: true,\n\t\tisCompanyFilterSelectionValid: true,\n\t\tsearchBarOptions: {\n\t\t\tstring: '',\n\t\t\titemsPerPage: COMPANIES_PER_PAGE,\n\t\t}\n\t});\n\n}])\n\n.filter('reportingExcludeArchived', function () {\n\n\tfunction companyIsArchivedFilter (companyObj) {\n\t\treturn !companyObj.CompanyIsArchived;\n\t}\n\n\tfunction companyFilter (companyObj) {\n\n\t\t// Only show group if it contains non archived companies\n\t\tif (companyObj.isCompanyGroup) {\n\t\t\treturn companyObj.ChildInformation.childCompanies.some(companyIsArchivedFilter);\n\n\t\t} else {\n\t\t\treturn companyIsArchivedFilter(companyObj);\n\t\t}\n\t}\n\n\treturn (companiesArr, excludeArchivedCompanies) => {\n\n\t\tif (excludeArchivedCompanies) {\n\t\t\treturn companiesArr.filter(companyFilter);\n\t\t}\n\n\t\treturn companiesArr;\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('reportDownloadCard', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tcanRegenerateBacs: '',\n\t\tformOptions: '',\n\t\tonUpdate: '&?',\n\t\tpayPeriod: '<',\n\t\treport: '<',\n\t\tshowCreatedDate: '',\n\t\tsupplementaryPaymentId: ''\n\t},\n\tcontroller: 'reportDownloadCardCtrl',\n\ttemplateUrl: 'components/report-download-card/report-download-card.component.html',\n})\n.controller('reportDownloadCardCtrl', [\n\t'$filter',\n\t'$rootScope',\n\t'reportsService',\n\t'REPORT_TEMPLATE_IDS',\n\tfunction (\n\t\t$filter,\n\t\t$rootScope,\n\t\treportsService,\n\t\tREPORT_TEMPLATE_IDS\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tcanRegenerateBacs: angular.isDefined($ctrl.canRegenerateBacs) ? $ctrl.canRegenerateBacs : true\n\t\t});\n\t}\n\n\tfunction openRegenerateBACSFileForm () {\n\n\t\topenSlideInForm({\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tagencyDocumentId: $ctrl.report.FileID,\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tformKey: 'regenerate-bacs-file',\n\t\t\ttitle: 'Regenerate BACS file',\n\t\t\tpayPeriodId: $ctrl.payPeriod.PayPeriodID\n\t\t});\n\n\t}\n\tfunction openBacsConfirmationForm (report) {\n\n\t\topenSlideInForm({\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\treportObj: report,\n\t\t\tformKey: 'bacs-download-confirmation',\n\t\t\ttitle: 'Download BACS file',\n\t\t});\n\t}\n\n\tfunction openSlideInForm (formDetailsObj) {\n\n\t\tif (angular.isDefined($ctrl.formOptions)) {\n\t\t\t$ctrl.formOptions.openNewSlideInForm(formDetailsObj);\n\n\t\t} else {\n\t\t\t$rootScope.openSlideInForm(formDetailsObj);\n\t\t}\n\t}\n\n\tfunction viewReport () {\n\n\t\treportsService.openReport(\n\t\t\t$ctrl.report,\n\t\t\t{ agencyProfileId: $ctrl.agencyProfileId, supplementaryPaymentId: $ctrl.supplementaryPaymentId },\n\t\t\t$ctrl.payPeriod\n\t\t);\n\t}\n\n\tfunction getDisplayNameFormatForId(){\n\t\treturn $filter('slugify')($ctrl.report.DisplayName);\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tREPORT_TEMPLATE_IDS,\n\n\t\tmenuShow: false,\n\n\t\texportReportDTO: reportsService.exportReportDTO,\n\t\tgetDisplayNameFormatForId,\n\t\topenBacsConfirmationForm,\n\t\topenRegenerateBACSFileForm,\n\t\tviewReport\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('reportDownloads', {\n\tbindings: {\n\t\treportCollection: '=',\n\t\tagencyProfileId: '<',\n\t\tpayPeriod: ''\n\t},\n\tcontroller: 'reportDownloadsCtrl',\n\ttemplateUrl: 'components/report-downloads/report-downloads.component.html'\n})\n.controller('reportDownloadsCtrl', ['$q', 'reportData', 'utilities',\n\tfunction ($q, reportData, utilities) {\n\n\tconst $ctrl = this;\n\n\tconst COMPONENT_STATES = {\n\t\tloading: 'loading',\n\t\tready: 'ready',\n\t\terror: 'error',\n\t};\n\n\tfunction $onInit () {\n\n\t\tsetComponentState(COMPONENT_STATES.loading);\n\n\t\tconst getReportTemplatesForReporting = getReportTemplatesForReportingService($ctrl);\n\t\tconst getReportTemplateFormatTypes = reportData.getReportTemplateFormatTypes();\n\t\tconst getEmptyReportTemplateCollectionEntry = reportData.getEmptyReportTemplateCollectionEntry();\n\n\t\t$q.all([getReportTemplatesForReporting, getReportTemplateFormatTypes, getEmptyReportTemplateCollectionEntry]).then(\n\t\t\t([reportTemplatesArr, reportFormatsArr, emptyReportEntryObj]) => {\n\n\t\t\tconst applicableReportTemplatesArr = getApplicableReportsFromTemplates(reportTemplatesArr);\n\t\t\tconst applicableReportFormatsArr = getApplicableReportFormats(reportFormatsArr, applicableReportTemplatesArr);\n\n\t\t\tangular.extend($ctrl, {\n\t\t\t\treportFormats: applicableReportFormatsArr,\n\t\t\t\treportTemplates: decorateReports($ctrl, applicableReportTemplatesArr, applicableReportFormatsArr),\n\t\t\t\temptyReportEntry: decorateEmptyReportEntry($ctrl, emptyReportEntryObj)\n\t\t\t});\n\n\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\n\t\t\tif ($ctrl.reportCollection.ReportTemplateCollectionEntries.length > 0) {\n\t\t\t\tupdateReportCollection($ctrl);\n\t\t\t}\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction decorateEmptyReportEntry (ctrlObj, emptyReportEntryObj) {\n\n\t\temptyReportEntryObj.ReportTemplateCollectionID = ctrlObj.reportCollection.ReportTemplateCollectionID;\n\n\t\treturn emptyReportEntryObj;\n\t}\n\n\tfunction decorateReports (ctrlObj, reportTemplatesArr, applicableReportFormatsArr) {\n\n\t\tconst existingReportTemplateFormatIdsArr = ctrlObj.reportCollection.ReportTemplateCollectionEntries.map(reportCollectionEntryObj => reportCollectionEntryObj.ReportTemplateFormatID);\n\n\t\treportTemplatesArr.forEach(reportTemplateObj => {\n\n\t\t\tconst reportTemplateFormatsArr = [];\n\n\t\t\tapplicableReportFormatsArr.forEach(formatObj => {\n\n\t\t\t\tconst reportTemplateFormatObj = reportTemplateObj.ReportTemplateFormats.find(reportTemplateFormatObj => reportTemplateFormatObj.ReportTemplateFormatTypeID === formatObj.ReportTemplateFormatTypeID);\n\n\t\t\t\tconst reportFormatObj = {\n\t\t\t\t\tincludeReportInDownload: false,\n\t\t\t\t\treportTemplateFormatId: null,\n\t\t\t\t\treportTemplateFormatTypeId: null,\n\t\t\t\t\tshowFormatInTemplate: true\n\t\t\t\t};\n\n\t\t\t\tif (reportTemplateFormatObj) {\n\n\t\t\t\t\tangular.extend(reportFormatObj, {\n\t\t\t\t\t\tincludeReportInDownload: existingReportTemplateFormatIdsArr.includes(reportTemplateFormatObj.ReportTemplateFormatID),\n\t\t\t\t\t\treportTemplateFormatId: reportTemplateFormatObj.ReportTemplateFormatID,\n\t\t\t\t\t\treportTemplateFormatTypeId: reportTemplateFormatObj.ReportTemplateFormatTypeID\n\t\t\t\t\t});\n\n\t\t\t\t} else {\n\t\t\t\t\tangular.extend(reportFormatObj, {\n\t\t\t\t\t\treportTemplateFormatId: utilities.guid(),\n\t\t\t\t\t\tshowFormatInTemplate: false\n\t\t\t\t\t});\n\t\t\t\t}\n\n\t\t\t\treportTemplateFormatsArr.push(reportFormatObj);\n\n\t\t\t}, []);\n\n\t\t\treportTemplateObj.ReportTemplateFormats = reportTemplateFormatsArr;\n\n\t\t\tsetIsReportActive(reportTemplateObj);\n\n\t\t\treturn reportTemplateObj;\n\t\t});\n\n\t\treturn reportTemplatesArr;\n\t}\n\n\tfunction getApplicableReportFormats (reportFormatsArr, reportsTemplatesArr) {\n\n\t\tconst reportFormatTypeIds = getUsedFormatsIdsFromReportTemplates(reportsTemplatesArr);\n\n\t\tconst reportFormatsUsedByReportsArr = reportFormatsArr.filter(reportFormatObj => reportFormatTypeIds.includes(reportFormatObj.ReportTemplateFormatTypeID));\n\n\t\treturn reportFormatsUsedByReportsArr.filter(reportFormatObj => reportFormatObj.ReportTemplateFormatTypeCanDownload);\n\t}\n\n\tfunction getApplicableReportsFromTemplates (reportTemplatesArr) {\n\t\treturn reportTemplatesArr.filter(reportTemplateObj => reportTemplateObj.CanAddToCollection);\n\t}\n\n\tfunction getReportTemplateFormats (reportsTemplatesArr) {\n\t\treturn reportsTemplatesArr.map(reportTemplateObj => reportTemplateObj.ReportTemplateFormats).flat();\n\t}\n\n\tfunction getReportTemplatesForReportingService (ctrlObj) {\n\n\t\tconst INCLUDE_COLUMN_DETAILS = false;\n\t\tconst HIDE_INVISIBLE_REPORTS = true;\n\t\tconst INCLUDE_CLASSIC_REPORTS = true;\n\n\t\treturn $q((onComplete, onError) => {\n\n\t\t\tif (angular.isDefined(ctrlObj.payPeriod)) {\n\n\t\t\t\treportData.getReportTemplatesForAgencyPayPeriod(ctrlObj.payPeriod.PayPeriodID, INCLUDE_COLUMN_DETAILS, HIDE_INVISIBLE_REPORTS, INCLUDE_CLASSIC_REPORTS)\n\t\t\t\t\t.then(onComplete)\n\t\t\t\t\t.catch(onError);\n\n\t\t\t} else {\n\n\t\t\t\treportData.getReportTemplatesForAgencyProfile(ctrlObj.agencyProfileId, INCLUDE_COLUMN_DETAILS, HIDE_INVISIBLE_REPORTS, INCLUDE_CLASSIC_REPORTS)\n\t\t\t\t\t.then(onComplete)\n\t\t\t\t\t.catch(onError);\n\t\t\t}\n\n\t\t});\n\t}\n\n\tfunction getSelectedReportFormats (reportTemplatesArr) {\n\t\treturn getReportTemplateFormats(reportTemplatesArr).filter(reportFormatObj => reportFormatObj.showFormatInTemplate && reportFormatObj.includeReportInDownload);\n\t}\n\n\tfunction getUsedFormatsIdsFromReportTemplates (reportsTemplatesArr) {\n\n\t\tconst usedReportFormatsArr = getReportTemplateFormats(reportsTemplatesArr);\n\n\t\tconst removedDuplicatesArr = utilities.removeDuplicatesFromArrayByObjectProperty(usedReportFormatsArr, 'ReportTemplateFormatTypeID');\n\n\t\treturn removedDuplicatesArr.map(formatObj => formatObj.ReportTemplateFormatTypeID);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetComponentState(COMPONENT_STATES.error);\n\t}\n\n\tfunction onFormatClick (ctrlObj, formatObj) {\n\n\t\tconst reportsOfFormatArr = getReportTemplateFormats(ctrlObj.reportTemplates).filter(reportFormatObj => reportFormatObj.reportTemplateFormatTypeId === formatObj.ReportTemplateFormatTypeID && reportFormatObj.showFormatInTemplate);\n\n\t\tsetIncludeInReportDownloadBulk(reportsOfFormatArr);\n\n\t\tctrlObj.reportTemplates.forEach(setIsReportActive);\n\n\t\tupdateReportCollection(ctrlObj);\n\t}\n\n\tfunction onReportFormatCheckboxChange (ctrlObj, reportTemplateObj) {\n\n\t\tsetIsReportActive(reportTemplateObj);\n\n\t\tupdateReportCollection(ctrlObj);\n\t}\n\n\tfunction onReportTemplateClick (ctrlObj, reportTemplateObj) {\n\n\t\tsetIncludeInReportDownloadBulk(reportTemplateObj.ReportTemplateFormats);\n\n\t\tsetIsReportActive(reportTemplateObj);\n\n\t\tupdateReportCollection(ctrlObj);\n\t}\n\n\tfunction setComponentState (newState) {\n\t\t$ctrl.componentState = newState;\n\t}\n\n\tfunction setIncludeInReportDownloadBulk (reportTemplateFormatsArr) {\n\n\t\tconst selectedReportsOfFormatArr = reportTemplateFormatsArr.filter(reportFormatObj => reportFormatObj.showFormatInTemplate && reportFormatObj.includeReportInDownload);\n\t\tconst unselectedReportsOfFormatArr = reportTemplateFormatsArr.filter(reportFormatObj => reportFormatObj.showFormatInTemplate && !reportFormatObj.includeReportInDownload);\n\n\t\treportTemplateFormatsArr.forEach(reportFormatObj => {\n\t\t\treportFormatObj.includeReportInDownload = (selectedReportsOfFormatArr.length < unselectedReportsOfFormatArr.length);\n\t\t});\n\t}\n\n\tfunction setIsReportActive (reportFormatObj) {\n\t\treportFormatObj.isActive = reportFormatObj.ReportTemplateFormats.some(reportFormatObj => reportFormatObj.showFormatInTemplate && reportFormatObj.includeReportInDownload);\n\t}\n\n\tfunction updateReportCollection (ctrlObj) {\n\n\t\tconst selectedReportsArr = getSelectedReportFormats(ctrlObj.reportTemplates);\n\n\t\tctrlObj.reportCollection.ReportTemplateCollectionEntries = selectedReportsArr.reduce((reportCollectionEntriesArr, selectedFormatReportObj) => {\n\n\t\t\tconst reportCollectionEntryObj = angular.copy(ctrlObj.emptyReportEntry);\n\n\t\t\treportCollectionEntryObj.ReportTemplateFormatID = selectedFormatReportObj.reportTemplateFormatId;\n\n\t\t\treportCollectionEntriesArr.push(reportCollectionEntryObj);\n\n\t\t\treturn reportCollectionEntriesArr;\n\t\t}, []);\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tonFormatClick,\n\t\tonReportFormatCheckboxChange,\n\t\tonReportTemplateClick,\n\n\t\tCOMPONENT_STATES\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('reportEntry', {\n\tbindings: {\n\t\tcustomReportEntry: '<',\n\t\treportOptions: '<',\n\t\tcurrentSearch: '<'\n\t},\n\tcontroller: 'reportEntryCtrl',\n\ttemplateUrl: 'components/report-entry/report-entry.component.html'\n})\n.controller('reportEntryCtrl', [\n\t'$element',\n\t'reportDataGrid',\n\tfunction (\n\t\t$element,\n\t\treportDataGrid\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.element(() => {\n\t\t\treportDataGrid.createDataGrid($element[0], $ctrl.customReportEntry);\n\t\t\tif ($ctrl.currentSearch !== '') {\n\t\t\t\t// Get the current Search Term and trigger a search\n\t\t\t\treportDataGrid.onSearch($ctrl.currentSearch);\n\t\t\t}\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n}]);\n\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('reportExportItem', {\n\tbindings: {\n\t\tonExport: '&?',\n\t\treport: '<',\n\t\treportRequest: '',\n\t\treportRequestOptions: '<',\n\t\tshowFullName: ''\n\t},\n\tcontroller: 'reportExportItemCtrl',\n\ttemplateUrl: 'components/report-export-item/report-export-item.component.html',\n})\n.controller('reportExportItemCtrl', [\n\t'reportsService',\n\t'tracking',\n\t'TRACKING_EVENT_CATEGORIES',\n\t'TRACKING_EVENTS',\n\tfunction (\n\t\treportsService,\n\t\ttracking,\n\t\tTRACKING_EVENT_CATEGORIES,\n\t\tTRACKING_EVENTS\n\t) {\n\n\tconst COMPONENT_STATES = {\n\t\twaiting: 'waiting',\n\t\tloading: 'loading'\n\t};\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\treportsService.decorateReportDTO($ctrl.report);\n\n\t\t$ctrl.showFullName = angular.isDefined($ctrl.showFullName) ? $ctrl.showFullName : true;\n\n\t\t$ctrl.displayName = getDisplayName();\n\t}\n\n\tfunction exportReportDTO () {\n\n\t\ttracking.trackEvent(TRACKING_EVENTS.reporting.reportExported, {\n\t\t\tevent_category: TRACKING_EVENT_CATEGORIES.reporting,\n\t\t\tevent_label: $ctrl.displayName\n\t\t});\n\n\t\t// Override default export service\n\t\tif (angular.isFunction($ctrl.onExport)) {\n\t\t\t$ctrl.onExport();\n\t\t\treturn;\n\t\t}\n\n\t\tsetComponentState(COMPONENT_STATES.loading);\n\n\t\treportsService.exportReportDTO($ctrl.report, $ctrl.reportRequest, $ctrl.reportRequestOptions)\n\t\t\t.finally(() => {\n\t\t\t\tsetComponentState(COMPONENT_STATES.waiting);\n\t\t\t});\n\t}\n\n\tfunction getDisplayName () {\n\t\treturn angular.isDefined($ctrl.showFullName) && $ctrl.showFullName ? $ctrl.report.exportName : $ctrl.report.FormatTypeDisplayName;\n\t}\n\n\tfunction setComponentState (newState) {\n\t\t$ctrl.componentState = newState;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\texportReportDTO,\n\n\t\tCOMPONENT_STATES,\n\t\tcomponentState: COMPONENT_STATES.waiting\n\t});\n}]);\n\n 'use strict';\n\nangular.module('paycircleApp')\n.component('reportExports', {\n\tbindings: {\n\t\treportDto: '<',\n\t\treportRequest: '<',\n\t\treportRequestOptions: '<'\n\t},\n\ttemplateUrl: 'components/report-exports/report-exports.component.html'\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('reportFilterBar', {\n\tbindings: {\n\t\tactiveFilterKey: '',\n\t\tdraftReportRequest: '<',\n\t\treportDto: '<',\n\t\treportOptions: '<',\n\t\treportRequest: '',\n\t\treportRequestOptions: '<',\n\t\tsetupReport: '&'\n\t},\n\tcontroller: 'reportFilterBarCtrl',\n\ttemplateUrl: 'components/report-filter-bar/report-filter-bar.component.html',\n})\n.controller('reportFilterBarCtrl', [\n\t'applicationService',\n\t'tracking',\n\t'REPORT_FILTER_KEYS',\n\t'TRACKING_EVENT_CATEGORIES',\n\t'TRACKING_EVENTS',\n\tfunction (\n\t\tapplicationService,\n\t\ttracking,\n\t\tREPORT_FILTER_KEYS,\n\t\tTRACKING_EVENT_CATEGORIES,\n\t\tTRACKING_EVENTS\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst FILTER_TYPES = {\n\n\t\t// Additional\n\t\t[REPORT_FILTER_KEYS.additional]: {\n\t\t\tkey: REPORT_FILTER_KEYS.additional,\n\t\t\ttrackingKey: TRACKING_EVENTS.reporting.additionalFilterUsed,\n\n\t\t\tonOpen: () => {\n\t\t\t\t$ctrl.backupStorage.additionalOptions = angular.copy($ctrl.draftReportRequest.AdditionalOptions);\n\t\t\t},\n\t\t\tonCancel: () => {\n\t\t\t\t$ctrl.draftReportRequest.AdditionalOptions = angular.copy($ctrl.backupStorage.additionalOptions);\n\t\t\t}\n\t\t},\n\n\t\t// Columns\n\t\t[REPORT_FILTER_KEYS.columns]: {\n\t\t\tkey: REPORT_FILTER_KEYS.columns,\n\t\t\ttrackingKey: TRACKING_EVENTS.reporting.columnFilterUsed,\n\n\t\t\tonOpen: () => {\n\t\t\t\t$ctrl.backupStorage.reportTemplateFilter = angular.copy($ctrl.draftReportRequest.ReportTemplateFilter);\n\t\t\t},\n\t\t\tonCancel: () => {\n\t\t\t\t$ctrl.draftReportRequest.ReportTemplateFilter = angular.copy($ctrl.backupStorage.reportTemplateFilter);\n\t\t\t}\n\t\t},\n\n\t\t// Companies\n\t\t[REPORT_FILTER_KEYS.companies]: {\n\t\t\tkey: REPORT_FILTER_KEYS.companies,\n\t\t\ttrackingKey: TRACKING_EVENTS.reporting.companyFilterUsed,\n\n\t\t\tonOpen: () => {\n\t\t\t\t$ctrl.backupStorage.companyIds = angular.copy($ctrl.draftReportRequest.CompanyIDs);\n\t\t\t},\n\t\t\tonCancel: () => {\n\t\t\t\t$ctrl.draftReportRequest.CompanyIDs = angular.copy($ctrl.backupStorage.companyIds);\n\t\t\t},\n\n\t\t\tisCancelDisabled: () => {\n\t\t\t\treturn $ctrl.backupStorage.companyIds.length === 0;\n\t\t\t},\n\n\t\t\tisSubmitDisabled: () => {\n\t\t\t\treturn $ctrl.draftReportRequest.CompanyIDs.length === 0;\n\t\t\t}\n\t\t},\n\n\t\t// Periods\n\t\t[REPORT_FILTER_KEYS.periods]: {\n\t\t\tkey: REPORT_FILTER_KEYS.periods,\n\t\t\ttrackingKey: TRACKING_EVENTS.reporting.periodFilterUsed,\n\n\t\t\tonOpen: () => {\n\t\t\t\t$ctrl.backupStorage.periodOptions = angular.copy($ctrl.draftReportRequest.PeriodOptions);\n\t\t\t},\n\t\t\tonCancel: () => {\n\t\t\t\t$ctrl.draftReportRequest.PeriodOptions = angular.copy($ctrl.backupStorage.periodOptions);\n\t\t\t}\n\t\t}\n\n\t};\n\n\tfunction $onInit () {\n\n\t\t// Open active filter if there is one set\n\t\tif ($ctrl.reportOptions.isReportFilterBarActive && $ctrl.activeFilterKey) {\n\t\t\tonFilterTypeClick(FILTER_TYPES[$ctrl.activeFilterKey]);\n\t\t}\n\t}\n\n\tfunction onCancel () {\n\n\t\t// Hide bar\n\t\t$ctrl.reportOptions.isReportFilterBarActive = false;\n\n\t\t// Reset filter objects\n\t\tif (angular.isFunction($ctrl.activeFilterType.onCancel)) {\n\t\t\t$ctrl.activeFilterType.onCancel();\n\t\t}\n\n\t\t// Clear active filter\n\t\t$ctrl.activeFilterType = null;\n\t}\n\n\tfunction onFilterTypeClick (activeFilterType, activeIndex) {\n\n\t\t// Set active filter\n\t\t$ctrl.activeFilterType = activeFilterType;\n\n\t\t// Some filter types can have multiple buttons, so let the page know which one to open\n\t\tif (angular.isDefined(activeIndex)) {\n\t\t\t$ctrl.activeFilterType.activeIndex = activeIndex;\n\t\t}\n\n\t\t// Make backup of objects to restore on cancel\n\t\tif (angular.isFunction($ctrl.activeFilterType.onOpen)) {\n\t\t\t$ctrl.activeFilterType.onOpen();\n\t\t}\n\n\t\t// Show filter bar at the end to allow for changes to appear\n\t\t$ctrl.reportOptions.isReportFilterBarActive = true;\n\t}\n\n\tfunction onSubmit ($form) {\n\n\t\t$form.state = 'saving';\n\n\t\t// Cancel loading report\n\t\tapplicationService.cancelPendingRequests();\n\n\t\t$ctrl.setupReport();\n\n\t\t// Track filter event\n\t\ttracking.trackEvent($ctrl.activeFilterType.trackingKey, {\n\t\t\tevent_category: TRACKING_EVENT_CATEGORIES.reporting\n\t\t});\n\n\t\t// Close filter bar\n\t\t$ctrl.reportOptions.isReportFilterBarActive = false;\n\n\t\t// Clear selected filter\n\t\t$ctrl.activeFilterType = null;\n\n\t\t$form.state = null;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tonCancel,\n\t\tonFilterTypeClick,\n\t\tonSubmit,\n\n\t\tFILTER_TYPES,\n\n\t\tbackupStorage: {}\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('reportFilterInputs', {\n\tbindings: {\n\t\tonFilterValueChange: '&?',\n\t\treportRequestFilterOption: '<',\n\t\treportActiveFilterOption: '<'\n\t},\n\tcontroller: 'reportFilterInputsComponentCtrl',\n\ttemplateUrl: 'components/report-filter-inputs/report-filter-inputs.component.html'\n})\n.controller('reportFilterInputsComponentCtrl', [\n\t'$scope',\n\t'config',\n\t'REPORT_PERIOD_OPTION_TYPE',\n\tfunction (\n\t\t$scope,\n\t\tconfig,\n\t\tREPORT_PERIOD_OPTION_TYPE\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction getApplicableSecondValueListForRange () {\n\n\t\tif (!$ctrl.reportRequestFilterOption.Values[0]) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Only show items after selected item\n\t\tconst valueOneIndex = $ctrl.reportActiveFilterOption.Items.findIndex(itemObj => itemObj.Value === $ctrl.reportRequestFilterOption.Values[0]);\n\n\t\tif (valueOneIndex !== -1) {\n\t\t\t$ctrl.reportActiveFilterOption.valueTwoItems = $ctrl.reportActiveFilterOption.originalItems.slice(valueOneIndex+1, $ctrl.reportActiveFilterOption.originalItems.length);\n\n\t\t} else {\n\t\t\t$ctrl.reportActiveFilterOption.valueTwoItems = $ctrl.reportActiveFilterOption.originalItems;\n\t\t}\n\n\t\t$ctrl.onFilterValueChange();\n\t}\n\n\tfunction getInitialValueForFilterType () {\n\n\t\tswitch ($ctrl.reportActiveFilterOption.Type) {\n\n\t\t\t// Return last item and empty item\n\t\t\tcase REPORT_PERIOD_OPTION_TYPE.rangeDropDownLists:\n\t\t\t\treturn [$ctrl.reportActiveFilterOption.Items[$ctrl.reportActiveFilterOption.Items.length-1].Value, null];\n\n\t\t\t// \"December 2021 → January 2022\"\n\t\t\tcase REPORT_PERIOD_OPTION_TYPE.rangeCalendarDatePickers:\n\n\t\t\t\tconst lastMonthMoment = moment().subtract(1, 'month');\n\n\t\t\t\treturn [lastMonthMoment.format(config.dateFormatISO), lastMonthMoment.add(1, 'month').format(config.dateFormatISO)];\n\n\t\t\tdefault:\n\t\t\t\treturn $ctrl.reportActiveFilterOption.Items[$ctrl.reportActiveFilterOption.Items.length-1].Value;\n\t\t}\n\t}\n\n\tfunction onReportRequestPeriodOptionKeyChange () {\n\t\t// Keep previous value\n\t\tconst previousValue = $ctrl.reportRequestFilterOption.Value;\n\n\t\t// Clear previous values\n\t\tangular.extend($ctrl.reportRequestFilterOption, {\n\t\t\tValue: undefined,\n\t\t\tValues: undefined\n\t\t});\n\n\t\t// Assign defaults\n\t\tif ([\n\t\t\tREPORT_PERIOD_OPTION_TYPE.rangeDropDownLists,\n\t\t\tREPORT_PERIOD_OPTION_TYPE.rangeCalendarDatePickers\n\t\t].includes($ctrl.reportActiveFilterOption.Type)) {\n\t\t\t$ctrl.reportRequestFilterOption.Values = getInitialValueForFilterType();\n\t\t}\n\t\telse {\n\t\t\t// Use previous value where possible\n\t\t\tconst isPreviousValueValid = previousValue && $ctrl.reportActiveFilterOption.Items.some(function (item1){ return item1.Value === previousValue; });\n\t\t\t$ctrl.reportRequestFilterOption.Value = isPreviousValueValid ? previousValue : getInitialValueForFilterType();\n\t\t}\n\n\t\t// Save periods on range filters to create \"to\" date field\n\t\tif ($ctrl.reportActiveFilterOption.Type === REPORT_PERIOD_OPTION_TYPE.rangeDropDownLists) {\n\t\t\tangular.extend($ctrl.reportActiveFilterOption, {\n\t\t\t\toriginalItems: angular.copy($ctrl.reportActiveFilterOption.Items),\n\t\t\t\tvalueTwoItems: $ctrl.reportActiveFilterOption.Items\n\t\t\t});\n\t\t}\n\n\t\tif ($ctrl.onFilterValueChange) {\n\t\t\t$ctrl.onFilterValueChange();\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\tREPORT_PERIOD_OPTION_TYPE,\n\n\t\tgetApplicableSecondValueListForRange\n\t});\n\n\t$scope.$watch('$ctrl.reportActiveFilterOption.Type', function () {\n\t\t\tonReportRequestPeriodOptionKeyChange();\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('reportPackRow', {\n\tbindings: {\n\t\treportTemplate:\t'<',\n\t\tonTemplateEdit: '&?'\n\t},\n\tcontroller: 'reportPackRowCtrl',\n\ttemplateUrl: 'components/report-pack-row/report-pack-row.component.html'\n})\n.controller('reportPackRowCtrl', ['ADJUSTMENT_BEHAVIOUR_STATES', 'REPORT_TEMPLATE_ACCESSIBILITY', function (ADJUSTMENT_BEHAVIOUR_STATES, REPORT_TEMPLATE_ACCESSIBILITY) {\n\n\tconst $ctrl = this;\n\n\tangular.extend($ctrl, {\n\t\tADJUSTMENT_BEHAVIOUR_STATES,\n\t\tREPORT_TEMPLATE_ACCESSIBILITY\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('reportPeriodFilters', {\n\tbindings: {\n\t\treportRequestPeriodOption: '<',\n\t\treportRequestOptions: '<'\n\t},\n\tcontroller: 'reportPeriodFiltersComponentCtrl',\n\ttemplateUrl: 'components/report-period-filters/report-period-filters.component.html'\n})\n.controller('reportPeriodFiltersComponentCtrl', [\n\t'reportsService',\n\t'utilities',\n\t'REPORT_PERIOD_FILTER_KEYS',\n\tfunction (\n\t\treportsService,\n\t\tutilities,\n\t\tREPORT_PERIOD_FILTER_KEYS\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction isDatesWithinLimit (startDateIso, endDateIso) {\n\n\t\tconst differenceInMonths = utilities.getDifference(startDateIso, endDateIso, 'months', true);\n\n\t\treturn differenceInMonths <= $ctrl.reportRequestOptions.MaxDateRangeMonths-1;\n\t}\n\n\tfunction getIsDateRangeValid () {\n\n\t\tfunction getIsDateRangeOverLimit () {\n\n\t\t\tif (!$ctrl.reportRequestPeriodOption.Values[0] || !$ctrl.reportRequestPeriodOption.Values[1]) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\tconst startDateIso = $ctrl.reportRequestPeriodOption.Values[0];\n\t\t\tconst endDateIso = $ctrl.reportRequestPeriodOption.Values[1];\n\n\t\t\treturn isDatesWithinLimit(startDateIso, endDateIso);\n\t\t}\n\n\t\t// Limit period length\n\t\tif ($ctrl.reportRequestOptions.MaxDateRangeMonths) {\n\t\t\treturn getIsDateRangeOverLimit();\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction getIsPeriodRangeValid () {\n\n\t\tfunction getValidationDateForPeriodOption (value) {\n\t\t\treturn $ctrl.activeFilterOption.Items.find(itemObj => itemObj.Value === value).ValidationDateISO;\n\t\t}\n\n\t\tfunction getIsPeriodRangeOverLimit () {\n\n\t\t\tif (!$ctrl.reportRequestPeriodOption.Values[0] || !$ctrl.reportRequestPeriodOption.Values[1]) {\n\t\t\t\treturn false;\n\t\t\t}\n\n\t\t\t// Get dates for validation\n\t\t\tconst startPeriodDateIso = getValidationDateForPeriodOption($ctrl.reportRequestPeriodOption.Values[0]);\n\t\t\tconst endPeriodDateIso = getValidationDateForPeriodOption($ctrl.reportRequestPeriodOption.Values[1]);\n\n\t\t\treturn isDatesWithinLimit(startPeriodDateIso, endPeriodDateIso);\n\t\t}\n\n\t\t// Limit period length\n\t\tif ($ctrl.reportRequestOptions.MaxDateRangeMonths) {\n\t\t\treturn getIsPeriodRangeOverLimit();\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction getIsPeriodFilterSelectionValid () {\n\n\t\t// Validtion for different filter types\n\t\tswitch ($ctrl.activeFilterOption.Key) {\n\n\t\t\tcase REPORT_PERIOD_FILTER_KEYS.dateRange:\n\t\t\t\treturn getIsDateRangeValid();\n\n\t\t\tcase REPORT_PERIOD_FILTER_KEYS.periodRange:\n\t\t\t\treturn getIsPeriodRangeValid();\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tfunction onPeriodFilterValueChange () {\n\n\t\t// Disable submission if period selection is not valid\n\t\t$ctrl.isPeriodFilterSelectionValid = getIsPeriodFilterSelectionValid();\n\t}\n\n\tfunction updateActiveFilterOption () {\n\t\t$ctrl.activeFilterOption = reportsService.getReportRequestOptionsTypeOptionForKey($ctrl.reportRequestOptions.PeriodOptions, $ctrl.reportRequestPeriodOption.Key);\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit: updateActiveFilterOption,\n\n\t\tonPeriodFilterValueChange,\n\t\tonReportRequestPeriodOptionKeyChange: updateActiveFilterOption,\n\n\t\tREPORT_PERIOD_FILTER_KEYS,\n\n\t\tisPeriodFilterSelectionValid: true\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('reportSettingsCard', {\n\tbindings: {\n\t\treport: '<',\n\t\tagencyProfileId: '<'\n\t},\n\ttemplateUrl: 'components/report-settings-card/report-settings-card.component.html',\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('reportTemplateCard', {\n\tbindings: {\n\t\treportTemplate: '=',\n\t\tagencyProfileId: '<',\n\t\trefreshTemplates: '=',\n\t},\n\tcontroller: 'reportTemplateCardCtrl',\n\ttemplateUrl: 'components/report-template-card/report-template-card.component.html',\n})\n.controller('reportTemplateCardCtrl', [\n\t'$rootScope',\n\t'reportsService',\n\t'REPORT_TEMPLATE_ACCESSIBILITY',\n\tfunction (\n\t\t$rootScope,\n\t\treportsService,\n\t\tREPORT_TEMPLATE_ACCESSIBILITY\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction openDeleteReportTemplateForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tformKey: 'delete-report-template',\n\t\t\treportTemplate: $ctrl.reportTemplate,\n\t\t\tcallback: $ctrl.refreshTemplates\n\t\t});\n\t}\n\n\tfunction openReportPreview () {\n\n\t\treportsService.openReportFromReportTemplateId(\n\t\t\t$ctrl.reportTemplate.ReportTemplateID,\n\t\t\t{ agencyProfileId: $ctrl.agencyProfileId }\n\t\t);\n\t}\n\n\tfunction openReportTemplateForm (isEditTemplate, isDuplicateTemplate) {\n\n\t\treportsService.openReportTemplateCreator(\n\t\t\t{\n\t\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\t\tcallback: $ctrl.refreshTemplates,\n\t\t\t\tisDuplicateTemplate,\n\t\t\t\tisEditTemplate\n\t\t\t},\n\t\t\t$ctrl.reportTemplate\n\t\t);\n\t}\n\n\tangular.extend($ctrl, {\n\t\topenDeleteReportTemplateForm,\n\t\topenReportPreview,\n\t\topenReportTemplateForm,\n\n\t\tREPORT_TEMPLATE_ACCESSIBILITY\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('reportTemplateColumns', {\n\tbindings: {\n\t\treport: '=',\n\t\treportCategory: '<'\n\t},\n\tcontroller: 'reportTemplateColumnsCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/report-template-columns/report-template-columns.component.html',\n})\n.controller('reportTemplateColumnsCtrl', [\n\t'reportsService',\n\t'utilities',\n\tfunction (\n\t\treportsService,\n\t\tutilities\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\t\tupdateTotalAvailableColumns();\n\t}\n\n\tfunction addRepeatColumnToReport (columnObj) {\n\n\t\tconst repeatColumnCopyObj = getCopyOfColumn(columnObj);\n\n\t\trepeatColumnCopyObj.isSelected = true;\n\n\t\ttoggleIsColumnSelected(repeatColumnCopyObj);\n\t}\n\n\tfunction getCopyOfColumn (columnObj) {\n\n\t\tconst duplicateColumnObj = angular.copy(columnObj);\n\n\t\tduplicateColumnObj.isSelected = true;\n\n\t\t// Give column a different ID to avoid conflict with others in the array\n\t\tangular.extend(duplicateColumnObj, {\n\t\t\toriginalReportColumnEntryId: duplicateColumnObj.ReportTemplateColumnEntryID,\n\t\t\tReportTemplateColumnEntryID: utilities.guid()\n\t\t});\n\n\t\treturn duplicateColumnObj;\n\t}\n\n\tfunction getDefaultColumnFormat (columnObj) {\n\t\treturn columnObj.ReportColumnSelectableFormats.length > 0 ? columnObj.ReportColumnSelectableFormats.find(formatObj => formatObj.ReportTemplateColumnFormatIsDefault) : undefined;\n\t}\n\n\tfunction getSelectedColumnNames () {\n\n\t\t// Create array of column names, using the override name if it exists\n\t\treturn $ctrl.report.ReportTemplateColumns\n\t\t\t\t\t.filter(columnObj => !columnObj.isColumnEditVisible)\n\t\t\t\t\t.map(columnObj => {\n\t\t\t\t\t\treturn (columnObj.columnNameOverride ? columnObj.columnNameOverride : columnObj.ReportColumnName).toLowerCase();\n\t\t\t\t\t});\n\t}\n\n\tfunction getReportCategoryTotalAvailableColumns () {\n\t\treturn $ctrl.reportCategory.ColumnGroups.reduce((counter, columnGroupObj) => counter + columnGroupObj.ReportColumns.length, 0);\n\t}\n\n\tfunction getReportCategoryTotalFilteredColumns () {\n\t\treturn $ctrl.reportCategory.ColumnGroups.reduce((counter, columnGroupObj) => counter + columnGroupObj.filteredReportColumns.length, 0);\n\t}\n\n\tfunction onColumnDelselectClick (columnObj) {\n\n\t\tangular.extend(columnObj, {\n\t\t\tisSelected: false,\n\t\t\tcolumnNameOverride: undefined,\n\t\t\treportTemplateColumnEntrySpecifiedText: undefined\n\t\t});\n\n\t\ttoggleColumnEntry(columnObj);\n\n\t\t// Check if groupByColumn and/or splitByColumn must\n\t\t// be set to null so that the radio buttons in 'Settings' display correctly.\n\t\tif ($ctrl.report.groupByColumn !== null && ($ctrl.report.groupByColumn.ReportColumnID === columnObj.ReportColumnID)) {\n\t\t\t$ctrl.report.groupByColumn = null;\n\t\t}\n\t\tif ($ctrl.report.splitByColumn !== null && ($ctrl.report.splitByColumn.ReportColumnID === columnObj.ReportColumnID)) {\n\t\t\t$ctrl.report.splitByColumn = null;\n\t\t}\n\t}\n\n\tfunction onColumnDuplicateClick (columnObj, $index) {\n\n\t\tconst duplicateColumnObj = getCopyOfColumn(columnObj);\n\n\t\tangular.extend(duplicateColumnObj, {\n\t\t\tisDuplicatedColumn: true,\n\t\t\tisDuplicatedColumnSaved: false,\n\n\t\t\t// Reset name override\n\t\t\tcolumnNameOverride: null\n\t\t});\n\n\t\t// Insert copy after original\n\t\t$ctrl.report.ReportTemplateColumns.splice($index+1, 0, duplicateColumnObj);\n\n\t\t// Open edit mode\n\t\ttoggleIsColumnEditVisible(duplicateColumnObj);\n\t}\n\n\tfunction onColumnEditCancel (columnObj) {\n\n\t\t// If duplicated column is cancelled before saving then remove it\n\t\tif (columnObj.isDuplicatedColumn && !columnObj.isDuplicatedColumnSaved) {\n\t\t\tcolumnObj.isSelected = false;\n\n\t\t\ttoggleColumnEntry(columnObj);\n\t\t\treturn;\n\t\t}\n\n\t\ttoggleIsColumnEditVisible(columnObj);\n\n\t\t// If column name has been changed then reset to previous value\n\t\tangular.extend(columnObj, columnObj.editBackup);\n\t}\n\n\tfunction onColumnEditClick (columnObj) {\n\n\t\t// If edit mode is enable then cancel form\n\t\tif (columnObj.isColumnEditVisible) {\n\t\t\tonColumnEditCancel(columnObj);\n\t\t\treturn;\n\t\t}\n\n\t\ttoggleIsColumnEditVisible(columnObj);\n\n\t\tscrollToColumnEditArea(columnObj);\n\n\t\t// Save some properties in case they need to be reset later\n\t\tif (columnObj.isColumnEditVisible) {\n\t\t\tcolumnObj.editBackup = {\n\t\t\t\tcolumnNameOverride: angular.isDefined(columnObj.columnNameOverride) ? columnObj.columnNameOverride : undefined,\n\t\t\t\tisColumnHidden: angular.isDefined(columnObj.isColumnHidden) ? columnObj.isColumnHidden : undefined,\n\t\t\t\treportTemplateColumnEntryFormat: angular.isDefined(columnObj.reportTemplateColumnEntryFormat) ? columnObj.reportTemplateColumnEntryFormat : undefined,\n\t\t\t\treportTemplateColumnEntrySpecifiedText: angular.isDefined(columnObj.reportTemplateColumnEntrySpecifiedText) ? columnObj.reportTemplateColumnEntrySpecifiedText : undefined\n\t\t\t};\n\t\t}\n\t}\n\n\tfunction onColumnEditSubmit (columnObj) {\n\n\t\t// Mark duplicate as saved\n\t\tif (columnObj.isDuplicatedColumn && !columnObj.isDuplicatedColumnSaved) {\n\t\t\tonDuplicateColumnSave(columnObj);\n\t\t}\n\n\t\ttoggleIsColumnEditVisible(columnObj);\n\t}\n\n\tfunction onColumnNameOverrideChange (currentColumnObj, $field) {\n\n\t\tif (!currentColumnObj.columnNameOverride) {\n\t\t\treturn;\n\t\t}\n\n\t\tconst selectedColumnNamesArr = getSelectedColumnNames();\n\n\t\t// Column names should be unique\n\t\tconst numberOfColumnsWithSameName = selectedColumnNamesArr.indexOf(currentColumnObj.columnNameOverride.toLowerCase()) === -1;\n\n\t\t$field.$setValidity('nonUnique', numberOfColumnsWithSameName);\n\t}\n\n\tfunction onDuplicateColumnSave (columnObj) {\n\n\t\tangular.extend(columnObj, {\n\t\t\tisDuplicatedColumnSaved: true\n\t\t});\n\t}\n\n\tfunction onSearchChange () {\n\n\t\t// Show placeholder if no columns are returning in search\n\t\t$ctrl.isSearchReturningZeroColumns = $ctrl.searchTerm && getReportCategoryTotalFilteredColumns() === 0 ? true : false;\n\t}\n\n\tfunction scrollToColumnEditArea (columnObj) {\n\n\t\t// Scroll form element into view when it's loaded\n\t\tangular.element( document.getElementById(`${columnObj.ReportTemplateColumnEntryID}-entryForm`))\n\t\t\t.ready(() => {\n\n\t\t\t\tconst columnEditFormElement = document.getElementById(`${columnObj.ReportTemplateColumnEntryID}-entryForm`);\n\n\t\t\t\tcolumnEditFormElement.scrollIntoView({\n\t\t\t\t\tbehavior: 'smooth',\n\t\t\t\t\tblock: 'center'\n\t\t\t\t});\n\t\t\t});\n\t}\n\n\tfunction setDefaultPropertiesToSelectedColumn (columnObj) {\n\n\t\tangular.extend(columnObj, {\n\t\t\tcolumnNameOverride: null,\n\t\t\tisColumnHidden: false,\n\t\t\tisColumnValid: true,\n\t\t\tisDuplicatedColumn: false,\n\t\t\tisDuplicatedColumnSaved: false,\n\t\t\treportTemplateColumnEntryFormat: getDefaultColumnFormat(columnObj),\n\t\t\treportTemplateColumnEntrySpecifiedText: null\n\t\t});\n\t}\n\n\tfunction toggleAllColumnsInGroup (groupObj, isSelected) {\n\n\t\tfor (let columnObj of groupObj.ReportColumns) {\n\n\t\t\tif (columnObj.isSelected !== isSelected) {\n\n\t\t\t\tcolumnObj.isSelected = isSelected;\n\n\t\t\t\ttoggleIsColumnSelected(columnObj);\n\t\t\t}\n\n\t\t}\n\t}\n\n\tfunction toggleColumnEntry (columnEntryObj) {\n\n\t\t// Get index of column entry within template\n\t\tconst columnEntryIndex = $ctrl.report.ReportTemplateColumns.findIndex(selectedColumnObj => selectedColumnObj.ReportTemplateColumnEntryID === columnEntryObj.ReportTemplateColumnEntryID);\n\n\t\t// Get column within category\n\t\tconst reportCategoryColumnObj = $ctrl.reportCategory.allAvailableColumns.find(reportCategoryColumnObj => reportCategoryColumnObj.ReportColumnID === columnEntryObj.ReportColumnID);\n\n\t\t// Remove column from template\n\t\t$ctrl.report.ReportTemplateColumns.splice(columnEntryIndex, 1);\n\n\t\t// Set isSelected flag on category column if there are entries of the same type selected still\n\t\treportCategoryColumnObj.isSelected = $ctrl.report.ReportTemplateColumns.some(reportTemplateColumnObj => reportTemplateColumnObj.ReportColumnID === reportCategoryColumnObj.ReportColumnID);\n\t}\n\n\tfunction toggleIsColumnEditVisible (columnObj) {\n\n\t\tangular.extend(columnObj, {\n\t\t\tisColumnEditVisible: !columnObj.isColumnEditVisible,\n\t\t\tisColumnValid: !columnObj.isColumnValid,\n\t\t});\n\t}\n\n\tfunction toggleIsColumnSelected (columnObj) {\n\n\t\tif (columnObj.isSelected) {\n\n\t\t\tconst newColumnObj = getCopyOfColumn(columnObj);\n\n\t\t\tsetDefaultPropertiesToSelectedColumn(newColumnObj);\n\n\t\t\t$ctrl.report.ReportTemplateColumns.push(newColumnObj);\n\n\t\t\t// Set orderby to first column by default\n\t\t\tif ($ctrl.report.ReportTemplateColumns.length === 1) {\n\t\t\t\t$ctrl.report.orderByColumn = newColumnObj;\n\t\t\t}\n\n\t\t} else {\n\n\t\t\tconst columnsOfSameTypeArr = $ctrl.report.ReportTemplateColumns.filter(reportTemplateColumnObj => reportTemplateColumnObj.ReportColumnID === columnObj.ReportColumnID);\n\n\t\t\tfor (let columnOfSameTypeObj of columnsOfSameTypeArr) {\n\n\t\t\t\ttoggleColumnEntry(columnOfSameTypeObj);\n\n\t\t\t\tif ($ctrl.report.orderByColumn && $ctrl.report.orderByColumn.ReportTemplateColumnEntryID === columnOfSameTypeObj.ReportTemplateColumnEntryID) {\n\n\t\t\t\t\t// If this column was the orderByColumn then set orderByColumn to the top of the list if that exists\n\t\t\t\t\tif ($ctrl.report.ReportTemplateColumns.length > 0) {\n\t\t\t\t\t\t$ctrl.report.orderByColumn = $ctrl.report.ReportTemplateColumns[0];\n\t\t\t\t\t} else {\n\t\t\t\t\t\t$ctrl.report.orderByColumn = null;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction toggleSearch () {\n\n\t\t$ctrl.showSearch = !$ctrl.showSearch;\n\n\t\tif ($ctrl.showSearch) {\n\t\t\tutilities.focusOn('search-input');\n\t\t} else {\n\t\t\t$ctrl.searchTerm = '';\n\t\t}\n\t}\n\n\tfunction updateTotalAvailableColumns () {\n\t\t$ctrl.totalAvailableColumns = getReportCategoryTotalAvailableColumns();\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\t$onChanges: updateTotalAvailableColumns,\n\n\t\tisSearchReturningZeroColumns: false,\n\t\tsearchTerm: '',\n\t\tshowAddMenu: false,\n\t\tshowSearch: false,\n\n\t\taddRepeatColumnToReport,\n\t\tgetReportTemplateSelectedColumnEditModeDisplayLabel: reportsService.getReportTemplateSelectedColumnEditModeDisplayLabel,\n\t\tonColumnDelselectClick,\n\t\tonColumnDuplicateClick,\n\t\tonColumnEditCancel,\n\t\tonColumnEditClick,\n\t\tonColumnEditSubmit,\n\t\tonColumnNameOverrideChange,\n\t\tonSearchChange,\n\t\ttoggleAllColumnsInGroup,\n\t\ttoggleIsColumnSelected,\n\t\ttoggleSearch\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('reportTemplateCreator', {\n\tbindings: {\n\t\treportTemplateCreatorOptions: '='\n\t},\n\tcontroller: 'reportTemplateCreatorCtrl',\n\ttemplateUrl: 'components/report-template-creator/report-template-creator.component.html',\n})\n.controller('reportTemplateCreatorCtrl', [\n\t'$q',\n\t'$rootScope',\n\t'config',\n\t'growl',\n\t'newRelicService',\n\t'reportData',\n\t'reportsService',\n\t'tracking',\n\t'utilities',\n\t'INTERFACE_TYPES',\n\t'REPORT_TEMPLATE_CATEGORIES',\n\t'REPORT_TEMPLATE_FILTER_OPERATOR',\n\t'REPORT_TEMPLATE_TOTALS_TYPE',\n\t'TRACKING_EVENT_CATEGORIES',\n\t'TRACKING_EVENTS',\n\tfunction (\n\t\t$q,\n\t\t$rootScope,\n\t\tconfig,\n\t\tgrowl,\n\t\tnewRelicService,\n\t\treportData,\n\t\treportsService,\n\t\ttracking,\n\t\tutilities,\n\t\tINTERFACE_TYPES,\n\t\tREPORT_TEMPLATE_CATEGORIES,\n\t\tREPORT_TEMPLATE_FILTER_OPERATOR,\n\t\tREPORT_TEMPLATE_TOTALS_TYPE,\n\t\tTRACKING_EVENT_CATEGORIES,\n\t\tTRACKING_EVENTS\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst COMPONENT_STATES = {\n\t\terror: 'error',\n\t\tloading: 'loading',\n\t\tpreview: 'preview',\n\t\tready: 'ready',\n\t\tsaved: 'saved'\n\t};\n\n\tconst TABS = {\n\t\tname: 'name',\n\t\tcolumns: 'columns',\n\t\tfilters: 'filters',\n\t\tsettings: 'settings'\n\t};\n\n\tfunction $onInit () {\n\n\t\tsetComponentState(COMPONENT_STATES.loading);\n\t\tsetFilterState(COMPONENT_STATES.loading);\n\n\t\tif ($ctrl.reportTemplateCreatorOptions.isEditTemplate || $ctrl.reportTemplateCreatorOptions.isDuplicateTemplate) {\n\t\t\tsetupEditTemplateForm();\n\t\t} else {\n\t\t\tsetupNewTemplateForm();\n\t\t}\n\t}\n\n\tfunction createReportTemplate () {\n\n\t\ttracking.trackEvent(TRACKING_EVENTS.reporting.reportTemplateCreated, {\n\t\t\tevent_category: TRACKING_EVENT_CATEGORIES.reporting\n\t\t});\n\n\t\treportData.createReportTemplate(\n\t\t\t\t$ctrl.reportTemplateCreatorOptions.agencyProfileId,\n\t\t\t\tgetSavedDraftReportTemplate(),\n\t\t\t\tgetSavedReportTemplateFilter()\n\t\t\t)\n\t\t\t.then(onSave)\n\t\t\t.catch(onError);\n\t}\n\n\tfunction decorateEmptyReportTemplate (reportTemplateObj) {\n\n\t\tdecorateReportTemplateWithDefaults(reportTemplateObj);\n\n\t\treturn angular.merge(reportTemplateObj, {\n\t\t\tAgencyProfileID: $ctrl.reportTemplateCreatorOptions.agencyProfileId,\n\t\t\tCategory: {\n\t\t\t\tReportTemplateCategoryID: null\n\t\t\t},\n\t\t\tIsVisible: true,\n\t\t\tReportTemplateColumns: [],\n\t\t\tShowTotals: REPORT_TEMPLATE_TOTALS_TYPE.sum,\n\t\t});\n\t}\n\n\tfunction decorateReportTemplateCategory (reportTemplateCategoryObj) {\n\t\treturn reportTemplateCategoryObj.ColumnGroups.length > 0 && reportTemplateCategoryObj.ReportTemplateCategoryID !== REPORT_TEMPLATE_CATEGORIES.standardReports;\n\t}\n\n\tfunction decorateReportTemplateGroupColumns (columnObj) {\n\n\t\tangular.extend(columnObj, {\n\t\t\tisSelected: false\n\t\t});\n\n\t\treturn !columnObj.ReportColumnCanSelectMultiplePerReport;\n\t}\n\n\tfunction decorateReportTemplateWithDefaults (reportTemplateObj) {\n\n\t\tangular.extend(reportTemplateObj, {\n\t\t\tgroupByColumn: null,\n\t\t\tisOrderedDescending: false,\n\t\t\torderByColumn: null,\n\t\t\tsplitByColumn: null\n\t\t});\n\t}\n\n\tfunction getDraftReportTemplate () {\n\n\t\tconst reportTemplateObj = angular.copy($ctrl.reportTemplate);\n\t\tconst columnCount = reportTemplateObj.ReportTemplateColumns.length;\n\n\t\tfunction getReportCategoryForDraftReport () {\n\n\t\t\tconst reportCategoryObj = angular.copy($ctrl.reportCategory);\n\n\t\t\t// Clear out irrelevant properties to decrease payload size\n\t\t\treturn angular.extend(reportCategoryObj, {\n\t\t\t\tColumnGroups: null,\n\t\t\t\tallAvailableColumns: undefined,\n\t\t\t\trepeatColumns: undefined,\n\t\t\t});\n\t\t}\n\n\t\tfunction getColumnSettingForSelectedColumn (selectedColumnObj, currentColumnObj) {\n\t\t\t// If setting is defined (eg, group by, split by) then return true if current column is the one that's selected\n\t\t\treturn selectedColumnObj && selectedColumnObj.ReportTemplateColumnEntryID === currentColumnObj.ReportTemplateColumnEntryID || false;\n\t\t}\n\n\t\tangular.extend(reportTemplateObj, {\n\t\t\tAccessibility: reportsService.getAccessibilityForReport(reportTemplateObj),\n\t\t\tColumnCount: columnCount,\n\t\t\tShowTotals: getShowTotalsOption(),\n\t\t\tCategory: getReportCategoryForDraftReport()\n\t\t});\n\n\t\tfor (let columnIndex = 0; columnIndex < columnCount; columnIndex++) {\n\n\t\t\tlet columnObj = reportTemplateObj.ReportTemplateColumns[columnIndex];\n\n\t\t\treportTemplateObj.ReportTemplateColumns[columnIndex] = {\n\t\t\t\tCanApplyFilter: columnObj.ReportColumnCanApplyFilter,\n\t\t\t\tCanGroup: columnObj.ReportColumnCanGroup,\n\t\t\t\tCanSplit: columnObj.ReportColumnCanSplit,\n\t\t\t\tColumnName: columnObj.ReportColumnName,\n\t\t\t\tColumnNameOverride: angular.isDefined(columnObj.columnNameOverride) ? columnObj.columnNameOverride : undefined,\n\t\t\t\tColumnPosition: columnIndex,\n\t\t\t\tContentType: columnObj.ReportColumnContentType,\n\t\t\t\tIsClassicReport: false,\n\t\t\t\tIsGrouped: getColumnSettingForSelectedColumn(reportTemplateObj.groupByColumn, columnObj),\n\t\t\t\tIsOrdered: getColumnSettingForSelectedColumn(reportTemplateObj.orderByColumn, columnObj),\n\t\t\t\tIsOrderedDescending: getColumnSettingForSelectedColumn(reportTemplateObj.orderByColumn, columnObj) ? reportTemplateObj.isOrderedDescending : undefined,\n\t\t\t\tIsSplit: getColumnSettingForSelectedColumn(reportTemplateObj.splitByColumn, columnObj),\n\t\t\t\tMaxValidGroupingLevel: columnObj.ReportColumnMaxGroupingLevel,\n\t\t\t\tReportColumnCanSelectMultiplePerReport: columnObj.ReportColumnCanSelectMultiplePerReport,\n\t\t\t\tReportTemplateColumnEntryFormat: angular.isDefined(columnObj.reportTemplateColumnEntryFormat) ? columnObj.reportTemplateColumnEntryFormat : undefined,\n\t\t\t\tReportTemplateColumnEntryIsHidden: angular.isDefined(columnObj.isColumnHidden) ? columnObj.isColumnHidden : false,\n\t\t\t\tReportTemplateColumnEntrySpecifiedText: angular.isDefined(columnObj.reportTemplateColumnEntrySpecifiedText) ? columnObj.reportTemplateColumnEntrySpecifiedText : undefined,\n\t\t\t\tReportTemplateColumnGroupID: columnObj.ReportColumnGroupID,\n\t\t\t\tReportTemplateColumnID: columnObj.ReportColumnID,\n\t\t\t\tReportTemplateColumnEntryID: columnObj.originalReportColumnEntryId ? columnObj.originalReportColumnEntryId : columnObj.ReportColumnID\n\t\t\t};\n\t\t}\n\n\t\treturn reportTemplateObj;\n\t}\n\n\tfunction getExistingReportTemplate () {\n\n\t\tconst reportTemplateObj = angular.copy($ctrl.reportTemplateCreatorOptions.reportTemplate);\n\n\t\t// Reset template IDs before duplication\n\t\tif ($ctrl.reportTemplateCreatorOptions.isDuplicateTemplate) {\n\t\t\tangular.extend(reportTemplateObj, {\n\t\t\t\tAgencyProfileID: $ctrl.reportTemplateCreatorOptions.agencyProfileId,\n\t\t\t\tReportTemplateID: config.guidEmpty\n\t\t\t});\n\t\t}\n\n\t\tdecorateReportTemplateWithDefaults(reportTemplateObj);\n\n\t\treturn reportTemplateObj;\n\t}\n\n\tfunction getReportCategory () {\n\n\t\t// Find report category object from ID\n\t\tconst reportCategoryObj = $ctrl.reportCategories.find(reportTemplateCategoryObj => reportTemplateCategoryObj.ReportTemplateCategoryID === $ctrl.reportTemplate.Category.ReportTemplateCategoryID);\n\n\t\t// Get array of all columns to use later\n\t\treportCategoryObj.allAvailableColumns = reportCategoryObj.ColumnGroups.map(columnObj => columnObj.ReportColumns).flat();\n\n\t\t// Get array of columns that can occur in template multiple times\n\t\treportCategoryObj.repeatColumns = reportCategoryObj.allAvailableColumns.filter(columnObj => columnObj.ReportColumnCanSelectMultiplePerReport);\n\n\t\t// Remove columns from groups based on certain properties, ie columns that occur multiple times\n\t\tfor (let columnGroupObj of reportCategoryObj.ColumnGroups) {\n\t\t\tcolumnGroupObj.ReportColumns = columnGroupObj.ReportColumns.filter(decorateReportTemplateGroupColumns);\n\t\t}\n\n\t\t$ctrl.reportTemplate.ShowRange = reportCategoryObj.ReportTemplateCategoryHasRange;\n\n\t\treturn angular.copy(reportCategoryObj);\n\t}\n\n\tfunction getReportTemplateFilter () {\n\n\t\treportsService.getReportTemplateFilter({\n\t\t\t\treportTemplate: $ctrl.reportTemplateCreatorOptions.reportTemplate,\n\t\t\t\tisDuplicateTemplate: $ctrl.reportTemplateCreatorOptions.isDuplicateTemplate\n\t\t\t})\n\t\t\t.then(reportTemplateFilterObj => {\n\n\t\t\t\t$ctrl.reportTemplateFilter = reportTemplateFilterObj;\n\n\t\t\t\tsetFilterState(COMPONENT_STATES.ready);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction getSavedDraftReportTemplate () {\n\t\treturn $ctrl.draftReportTemplate ? $ctrl.draftReportTemplate : getDraftReportTemplate();\n\t}\n\n\tfunction getSavedReportTemplateFilter () {\n\n\t\t// No filter created, return nothing\n\t\tif (!$ctrl.reportTemplateFilter) {\n\t\t\treturn;\n\t\t}\n\n\t\t// No need to save empty report filter\n\t\tif (\n\t\t\t!$ctrl.reportTemplateCreatorOptions.isEditTemplate &&\n\t\t\t$ctrl.reportTemplateFilter.ReportTemplateFilterGroup.ChildReportTemplateFilterClauses.length === 0 &&\n\t\t\t$ctrl.reportTemplateFilter.ReportTemplateFilterGroup.ChildReportTemplateFilterGroups.length === 0\n\t\t) {\n\t\t\treturn;\n\t\t}\n\n\t\treturn $ctrl.reportTemplateFilter;\n\t}\n\n\tfunction getSelectedColumn (reportTemplateColumnObj) {\n\n\t\tconst reportCategoryColumnObj = $ctrl.reportCategory.allAvailableColumns.find(availableCategoryColumnObj => availableCategoryColumnObj.ReportColumnID === reportTemplateColumnObj.ReportTemplateColumnID);\n\n\t\t// Show column as selected\n\t\treportCategoryColumnObj.isSelected = true;\n\n\t\t// Multiple columns of same type can be added so only return a copy of it\n\t\treturn angular.copy(reportCategoryColumnObj);\n\t}\n\n\tfunction getShowTotalsOption () {\n\n\t\tif (!$ctrl.reportTemplate.ShowComparison && $ctrl.showTotals) {\n\t\t\treturn REPORT_TEMPLATE_TOTALS_TYPE.sum;\n\n\t\t} else if ($ctrl.reportTemplate.ShowComparison && $ctrl.showTotals) {\n\t\t\treturn $ctrl.reportTemplate.ShowTotals;\n\n\t\t} else if (!$ctrl.showTotals) {\n\t\t\treturn REPORT_TEMPLATE_TOTALS_TYPE.none;\n\t\t}\n\t}\n\n\tfunction initForm () {\n\n\t\treportsService.getAccessibilityForReportTemplate($ctrl.reportTemplate);\n\n\t\tangular.extend($ctrl, {\n\t\t\tcanChangeCategory: !($ctrl.reportTemplateCreatorOptions.isEditTemplate || $ctrl.reportTemplateCreatorOptions.isDuplicateTemplate),\n\t\t\tshowTotals: ($ctrl.reportTemplate.ShowTotals !== REPORT_TEMPLATE_TOTALS_TYPE.none),\n\t\t});\n\n\t\tsetComponentState(COMPONENT_STATES.ready);\n\t}\n\n\tfunction onBackToTemplateSettings () {\n\n\t\tsetComponentState(COMPONENT_STATES.ready);\n\n\t\t// Save ReportRequest to use next time report is previewed;\n\t\t$ctrl.draftReportRequest = angular.copy($ctrl.reportPreviewOptions.returnObject);\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\t$ctrl.reportTemplateCreatorOptions.showClose = true;\n\t setComponentState(COMPONENT_STATES.error);\n\t}\n\n\tfunction onReportCategoryChange () {\n\n\t\t// Reset fields to default when changing category\n\t\tconst selectedReportCategoryObj = getReportCategory();\n\n\t\t// Save certain report properties\n\t\tangular.merge($ctrl.reportTemplateEmpty, {\n\t\t\tReportTemplateDescription: $ctrl.reportTemplate.ReportTemplateDescription,\n\t\t\tReportTemplateName: $ctrl.reportTemplate.ReportTemplateName,\n\t\t\tCategory: {\n\t\t\t\tReportTemplateCategoryID: selectedReportCategoryObj.ReportTemplateCategoryID\n\t\t\t}\n\t\t});\n\n\t\tangular.extend($ctrl, {\n\t\t\treportCategory: selectedReportCategoryObj,\n\n\t\t\t// Replace working report template with a new empty report template\n\t\t\treportTemplate: angular.copy($ctrl.reportTemplateEmpty)\n\t\t});\n\n\t\t// Clear filter out\n\t\tif ($ctrl.reportTemplateFilter) {\n\t\t\tangular.extend($ctrl.reportTemplateFilter.ReportTemplateFilterGroup, {\n\t\t\t\tChildReportTemplateFilterClauses: [],\n\t\t\t\tChildReportTemplateFilterGroups: [],\n\t\t\t\tReportTemplateFilterGroupOperator: REPORT_TEMPLATE_FILTER_OPERATOR.and\n\t\t\t});\n\t\t}\n\t}\n\n\tfunction onSave () {\n\t\t$ctrl.reportTemplateCreatorOptions.callback();\n\t\tsetComponentState(COMPONENT_STATES.saved);\n\t}\n\n\tfunction openReportPreview () {\n\n\t\tsetComponentState(COMPONENT_STATES.loading);\n\n\t\t$ctrl.draftReportTemplate = getDraftReportTemplate();\n\n\t\t$ctrl.reportPreviewOptions = reportsService.getReportOptionsForReportTemplate(\n\t\t\t$ctrl.draftReportTemplate,\n\t\t\t{\n\t\t\t\tagencyProfileId: $ctrl.reportTemplateCreatorOptions.agencyProfileId,\n\t\t\t\treportRequest: $ctrl.draftReportRequest\n\t\t\t},\n\t\t\t$ctrl.reportTemplateFilter\n\t\t);\n\n\t\tsetComponentState(COMPONENT_STATES.preview);\n\t}\n\n\tfunction saveForm () {\n\n\t\tsetComponentState(COMPONENT_STATES.loading);\n\n\t\t$ctrl.reportTemplateCreatorForm = 'loading';\n\n\t\tif (!$ctrl.reportTemplateCreatorOptions.isEditTemplate || $ctrl.reportTemplateCreatorOptions.isDuplicateTemplate) {\n\t\t\tcreateReportTemplate();\n\t\t} else {\n\t\t\tupdateReportTemplate();\n\t\t}\n\t}\n\n\tfunction setActiveTab (newTab) {\n\n\t\t$ctrl.activeTab = newTab;\n\n\t\t// Load in filter group if it doesn't exist already\n\t\tif (newTab === TABS.filters && !$ctrl.reportTemplateFilter) {\n\t\t\tgetReportTemplateFilter();\n\t\t}\n\t}\n\n\tfunction setComponentState (newState) {\n\t\t$ctrl.componentState = newState;\n\t}\n\n\tfunction setFilterState (newState) {\n\t\t$ctrl.filterState = newState;\n\t}\n\n\tfunction setSelectedColumnsForReport () {\n\n\t\tconst selectedColumnsArr = [];\n\n\t\tfor (let reportTemplateColumnObj of $ctrl.reportTemplate.ReportTemplateColumns) {\n\n\t\t\tlet selectedColumnObj = getSelectedColumn(reportTemplateColumnObj);\n\n\t\t\tangular.extend(selectedColumnObj, {\n\t\t\t\tcolumnNameOverride: reportTemplateColumnObj.ColumnNameOverride,\n\t\t\t\tisColumnHidden: reportTemplateColumnObj.ReportTemplateColumnEntryIsHidden,\n\t\t\t\tisColumnValid: true,\n\t\t\t\tisSelected: true,\n\t\t\t\tposition: reportTemplateColumnObj.ColumnPosition,\n\t\t\t\treportTemplateColumnEntryFormat: selectedColumnObj.ReportColumnSelectableFormats.find(formatObj => formatObj.ReportTemplateColumnFormatID === reportTemplateColumnObj.ReportTemplateColumnEntryFormat.ReportTemplateColumnFormatID),\n\t\t\t\treportTemplateColumnEntrySpecifiedText: reportTemplateColumnObj.ReportTemplateColumnEntrySpecifiedText\n\t\t\t});\n\n\t\t\tif (reportTemplateColumnObj.IsSplit) {\n\t\t\t\t$ctrl.reportTemplate.splitByColumn = selectedColumnObj;\n\t\t\t}\n\n\t\t\tif (reportTemplateColumnObj.IsGrouped) {\n\t\t\t\t$ctrl.reportTemplate.groupByColumn = selectedColumnObj;\n\t\t\t}\n\n\t\t\tif (reportTemplateColumnObj.IsOrdered) {\n\t\t\t\tangular.extend($ctrl.reportTemplate, {\n\t\t\t\t\tisOrderedDescending: reportTemplateColumnObj.IsOrderedDescending,\n\t\t\t\t\torderByColumn: selectedColumnObj\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t// Give column a different ID to avoid conflict with others in the array\n\t\t\tangular.extend(selectedColumnObj, {\n\t\t\t\toriginalReportColumnEntryId: reportTemplateColumnObj.ReportTemplateColumnEntryID,\n\t\t\t\tReportTemplateColumnEntryID: utilities.guid()\n\t\t\t});\n\n\t\t\tselectedColumnsArr.push(selectedColumnObj);\n\t\t}\n\n\t\t// Sort columns based on returned position\n\t\t$ctrl.reportTemplate.ReportTemplateColumns = selectedColumnsArr.sort((columnA, columnB) => {\n\t\t\tif (columnA.position > columnB.position) {\n\t\t\t\treturn 1;\n\t\t\t}\n\n\t\t\tif (columnB.position > columnA.position) {\n\t\t\t\treturn -1;\n\t\t\t}\n\n\t\t\treturn 0;\n\t\t});\n\t}\n\n\tfunction setupEditTemplateForm () {\n\n\t\tnewRelicService.addToTrace({\n\t\t\tmessage: 'Report wizard: ' + $ctrl.reportTemplateCreatorOptions.reportTemplate.ReportTemplateName,\n\t\t\tcategory: 'reporting'\n\t\t});\n\n\t\treportData.getReportTemplateCategories($ctrl.reportTemplateCreatorOptions.agencyProfileId)\n\t\t\t.then(reportTemplateCategoriesArr => {\n\n\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\treportTemplate: getExistingReportTemplate(),\n\t\t\t\t\treportCategories: reportTemplateCategoriesArr.filter(decorateReportTemplateCategory)\n\t\t\t\t});\n\n\t\t\t\t$ctrl.reportCategory = getReportCategory();\n\n\t\t\t\tsetSelectedColumnsForReport();\n\n\t\t\t\t// Load in filter - async so the form can continue loading\n\t\t\t\tgetReportTemplateFilter();\n\n\t\t\t\t// Load form\n\t\t\t\tinitForm();\n\t\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction setupNewTemplateForm () {\n\n\t\tconst getReportTemplateCategories = reportData.getReportTemplateCategories($ctrl.reportTemplateCreatorOptions.agencyProfileId);\n\t\tconst getEmptyReportTemplate = reportData.getEmptyReportTemplate();\n\n\t\t$q.all([\n\t\t\t\tgetReportTemplateCategories,\n\t\t\t\tgetEmptyReportTemplate\n\t\t\t])\n\t\t\t.then(([\n\t\t\t\t\treportTemplateCategoriesArr,\n\t\t\t\t\temptyReportTemplateObj\n\t\t\t\t]) => {\n\n\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\treportTemplate: decorateEmptyReportTemplate(emptyReportTemplateObj),\n\t\t\t\t\treportTemplateEmpty: angular.copy(emptyReportTemplateObj),\n\t\t\t\t\treportCategories: reportTemplateCategoriesArr.filter(decorateReportTemplateCategory),\n\t\t\t\t\treportCategory: null\n\t\t\t\t});\n\n\t\t\t\tinitForm();\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction updateReportTemplate () {\n\n\t\treportData.updateReportTemplate(\n\t\t\t\t$ctrl.reportTemplateCreatorOptions.agencyProfileId,\n\t\t\t\tgetSavedDraftReportTemplate(),\n\t\t\t\tgetSavedReportTemplateFilter()\n\t\t\t)\n\t\t\t.then(onSave)\n\t\t\t.catch(onError);\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tgetIsReportViewerFiltersColumnFilterVisible: reportsService.getIsReportViewerFiltersColumnFilterVisible,\n\t\tgetReportTemplateSelectedColumnEditModeDisplayLabel: reportsService.getReportTemplateSelectedColumnEditModeDisplayLabel,\n\t\tonBackToTemplateSettings,\n\t\tonReportCategoryChange,\n\t\topenReportPreview,\n\t\tsaveForm,\n\t\tsetActiveTab,\n\t\tsetComponentState,\n\n\t\tTABS,\n\t\tCOMPONENT_STATES,\n\t\tREPORT_TEMPLATE_TOTALS_TYPE,\n\n\t\tactiveTab: TABS.name,\n\t\tisBulkReport: [INTERFACE_TYPES.bureau, INTERFACE_TYPES.group].includes($rootScope.currentCompany.CompanyType)\n\t});\n}]);\n\n 'use strict';\n\nangular.module('paycircleApp')\n.component('reportViewer', {\n\tbindings: {\n\t\treportAdditionalData: '',\n\t\treportDto: '<',\n\t\treportOptions: '<',\n\t\treportRequest: '<',\n\t\treportRequestOptions: '<'\n\t},\n\tcontroller: 'reportViewerComponentCtrl',\n\ttemplateUrl: 'components/report-viewer/report-viewer.component.html'\n})\n.controller('reportViewerComponentCtrl', [\n\t'reportData',\n\t'reportDataGrid',\n\t'reportsService',\n\t'searchService',\n\t'tracking',\n\t'REPORT_TEMPLATE_IDS',\n\t'TRACKING_EVENT_CATEGORIES',\n\t'TRACKING_EVENTS',\n\tfunction (\n\t\treportData,\n\t\treportDataGrid,\n\t\treportsService,\n\t\tsearchService,\n\t\ttracking,\n\t\tREPORT_TEMPLATE_IDS,\n\t\tTRACKING_EVENT_CATEGORIES,\n\t\tTRACKING_EVENTS\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst REPORT_STATES = {\n\t\terror: 'error',\n\t\tloading: 'loading',\n\t\tready: 'ready',\n\t\treportEmpty: 'report-empty'\n\t};\n\n\tfunction $onInit () {\n\n\t\tsetReportState(REPORT_STATES.loading);\n\n\t\tgetReportTableDataForType()\n\t\t\t.then(getFormattedReport)\n\t\t\t.catch(onError);\n\t}\n\n\tfunction getFormattedReport (reportObj) {\n\n\t\t// Convert Classic Report object into custom report\n\t\tif ($ctrl.reportDto.ReportTemplate.IsClassicReport) {\n\n\t\t\tconst customReportObj = reportsService.getCustomReportFromClassicReport(reportObj, $ctrl.reportDto, $ctrl.reportOptions);\n\n\t\t\topenReport(customReportObj);\n\t\t}\n\t\telse {\n\t\t\topenReport(reportObj);\n\t\t}\n\t}\n\n\tfunction getReportTableDataForType () {\n\n\t\t// 1. Use passed in service\n\t\tif ($ctrl.reportOptions.reportCreationService) {\n\t\t\treturn $ctrl.reportOptions.reportCreationService();\n\t\t}\n\n\t\t// 2. Classic reports - Some classic reports may have their own service\n\t\tif ($ctrl.reportDto.ReportTemplate.IsClassicReport) {\n\n\t\t\tswitch ($ctrl.reportDto.ReportTemplate.ReportTemplateID) {\n\n\t\t\t\t// 2a. Comparison Report\n\t\t\t\tcase REPORT_TEMPLATE_IDS.comparisonReport:\n\t\t\t\t\treturn reportData.getPayrollComparisonReport($ctrl.reportRequest.CompanyIDs[0], $ctrl.reportRequest.PeriodOptions[0].Value);\n\n\t\t\t\t// 2b. Everything else\n\t\t\t\tdefault:\n\t\t\t\t\treturn reportData.getClassicReport($ctrl.reportRequest);\n\t\t\t}\n\t\t}\n\n\t\t// 3. Custom reports\n\t\treturn reportData.getCustomReport($ctrl.reportRequest);\n\t}\n\n\tfunction getTotalReportRowCount (reportObj) {\n\n\t\tlet count = 0;\n\n\t\tfor (let reportEntriesObj of reportObj.CustomReportEntries) {\n\t\t\tcount += reportEntriesObj.CustomReportEntryTable.ReportRows.length;\n\t\t}\n\n\t\treturn count;\n\t}\n\n\tfunction openReport (reportObj) {\n\n\t\t// Reset the report data grid to a new report instance when opening a new report to remove artifacts from previous reports\n\t\treportDataGrid.createNewReport();\n\n\t\tangular.extend($ctrl, {\n\t\t\treport: reportObj,\n\t\t\treportRowCount: getTotalReportRowCount(reportObj)\n\t\t});\n\n\t\t// Process additional data and assign to each entry if required\n\t\treportsService.getProcessedAdditionalDataForReport($ctrl.reportDto, $ctrl.reportAdditionalData, reportObj);\n\n\t\t// GA tracking\n\t\ttracking.trackEvent(TRACKING_EVENTS.reporting.reportLoaded, {\n\t\t\tevent_category: TRACKING_EVENT_CATEGORIES.reporting,\n\t\t\tevent_label: $ctrl.reportDto.DisplayName\n\t\t});\n\n\t\t// Update various settings for this report\n\t\tangular.extend($ctrl.reportOptions, {\n\t\t\thasMultipleEntries: $ctrl.report.CustomReportEntries.length > 1\n\t\t});\n\n\t\tif ($ctrl.reportRowCount === 0) {\n\t\t\tsetReportState(REPORT_STATES.reportEmpty);\n\t\t}\n\t\telse {\n\t\t\tsetReportState(REPORT_STATES.ready);\n\t\t}\n\t}\n\n\tfunction onError (error) {\n\t\tsetReportState(REPORT_STATES.error);\n\t\tconsole.error(error);\n\t}\n\n\tfunction setReportState (newState) {\n\t\t$ctrl.reportState = newState;\n\t}\n\n\tfunction toggleAllReportEntries () {\n\n\t\tconst customReportEntriesCount = $ctrl.report.CustomReportEntries.length;\n\t\tconst showFullEntries = $ctrl.expandedEntriesCount !== customReportEntriesCount;\n\n\t\tfor (let customReportEntryObj of $ctrl.report.CustomReportEntries) {\n\t\t\tcustomReportEntryObj.showFullEntry = showFullEntries;\n\t\t}\n\n\t\t$ctrl.expandedEntriesCount = showFullEntries ? customReportEntriesCount : 0;\n\t}\n\n\tfunction toggleFullReportEntryContent (customReportEntryObj) {\n\n\t\tcustomReportEntryObj.showFullEntry = !customReportEntryObj.showFullEntry;\n\n\t\tif (customReportEntryObj.showFullEntry) {\n\t\t\t$ctrl.expandedEntriesCount++;\n\t\t} else {\n\t\t\t$ctrl.expandedEntriesCount--;\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tREPORT_STATES,\n\n\t\texpandedEntriesCount: 0,\n\t\tonDataGridSearch: reportDataGrid.onSearch,\n\t\tsearchBarOptions: searchService.reportViewer,\n\n\t\ttoggleAllReportEntries,\n\t\ttoggleFullReportEntryContent,\n\t});\n}])\n\n.filter('reportViewerEntriesSearch', [\n\t'$filter',\n\t($filter) => {\n\n\treturn (customReportEntriesArr, hasMultipleEntries, searchString) => {\n\t\t// This filter is used to filter the custom report entries in the report viewer, only searching by the label where there are multiple entry \"blocks\"\n\t\tif (hasMultipleEntries && searchString) {\n\t\t\treturn $filter('filter')(customReportEntriesArr, { CustomReportEntryLabel : searchString } );\n\t\t}\n\n\t\treturn customReportEntriesArr;\n\t};\n\n}]);\n\n 'use strict';\n\nangular.module('paycircleApp')\n.component('report', {\n\tbindings: {\n\t\treportOptions: '=',\n\t},\n\tcontroller: 'reportComponentCtrl',\n\ttemplateUrl: 'components/report/report.component.html',\n\ttransclude: {\n\t\tactions: '?reportActions'\n\t}\n})\n.controller('reportComponentCtrl', [\n\t'$element',\n\t'$q',\n\t'$timeout',\n\t'$transclude',\n\t'applicationService',\n\t'newRelicService',\n\t'reportData',\n\t'reportDataGrid',\n\t'reportsService',\n\t'utilities',\n\t'REPORT_TEMPLATE_ACCESSIBILITY',\n\t'REPORT_TEMPLATE_IDS',\n\tfunction (\n\t\t$element,\n\t\t$q,\n\t\t$timeout,\n\t\t$transclude,\n\t\tapplicationService,\n\t\tnewRelicService,\n\t\treportData,\n\t\treportDataGrid,\n\t\treportsService,\n\t\tutilities,\n\t\tREPORT_TEMPLATE_ACCESSIBILITY,\n\t\tREPORT_TEMPLATE_IDS\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst COMPONENT_STATES = {\n\t\terror: 'error',\n\t\tloading: 'loading',\n\t\tnoPayPeriods: 'no-pay-periods',\n\t\tnoPreviousPeriod: 'no-previous-period',\n\t\tready: 'ready'\n\t};\n\n\tfunction $onInit () {\n\n\t\tnewRelicService.addToTrace({\n\t\t\tmessage: 'Report: Component loaded',\n\t\t\tcategory: 'action'\n\t\t});\n\n\n\t\tsetComponentState(COMPONENT_STATES.loading);\n\n\t\tgetReportDTO()\n\t\t\t.then(reportDTOObj => {\n\n\t\t\t\tconst getReportRequestOptions = reportData.getReportRequestOptions(\n\t\t\t\t\t\t$ctrl.reportOptions.agencyProfileId,\n\t\t\t\t\t\treportDTOObj.ReportTemplate.ReportTemplateID,\n\t\t\t\t\t\t$ctrl.reportOptions.reportTemplate,\n\t\t\t\t\t\t$ctrl.reportOptions.agencyPayPeriodId,\n\t\t\t\t\t\t$ctrl.reportOptions.supplementaryPaymentId,\n\t\t\t\t\t\t$ctrl.reportOptions.journalPostId\n\t\t\t\t);\n\n\t\t\t\tconst getAdditionalDataForReport = reportsService.getAdditionalDataForReport(\n\t\t\t\t\t\t$ctrl.reportOptions.agencyProfileId,\n\t\t\t\t\t\treportDTOObj.ReportTemplate.ReportTemplateID\n\t\t\t\t);\n\n\t\t\t\t$q.all([\n\t\t\t\t\tgetReportRequestOptions,\n\t\t\t\t\tgetAdditionalDataForReport\n\t\t\t\t])\n\t\t\t\t.then(([\n\t\t\t\t\treportRequestOptionsObj,\n\t\t\t\t\treportAdditionalInfoObj\n\t\t\t\t]) => {\n\n\t\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\t\tdraftReportRequest: reportsService.getReportRequest($ctrl.reportOptions, reportDTOObj, reportRequestOptionsObj),\n\t\t\t\t\t\treportAdditionalData: reportAdditionalInfoObj,\n\t\t\t\t\t\treportDTO: reportDTOObj,\n\t\t\t\t\t\treportOptions: reportsService.getDefaultReportViewerOptions($ctrl.reportOptions, reportDTOObj, reportRequestOptionsObj),\n\t\t\t\t\t\treportRequestOptions: reportRequestOptionsObj\n\t\t\t\t\t});\n\n\t\t\t\t\t$ctrl.componentState = getInitialComponentState();\n\n\t\t\t\t\tif (reportRequestOptionsObj.CompanyOptions.length <= 1 || $ctrl.reportOptions.reportRequest) {\n\t\t\t\t\t\tgetReportFromRequest();\n\t\t\t\t\t}\n\t\t\t\t})\n\t\t\t\t.catch(onError);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction getInitialComponentState () {\n\n\t\t// Show company filter bar\n\t\tif ($ctrl.reportRequestOptions.CompanyOptions.length > 1) {\n\t\t\treturn COMPONENT_STATES.ready;\n\t\t}\n\n\t\tif ($ctrl.reportDTO.ReportTemplate.Category.ReportTemplateCategoryIsDateBased) {\n\t\t\tif ($ctrl.reportRequestOptions.PeriodOptions.length === 0 || $ctrl.reportRequestOptions.PeriodOptions.every(periodOptionObj => periodOptionObj.Items.length === 0)) {\n\t\t\t\treturn COMPONENT_STATES.noPayPeriods;\n\t\t\t}\n\n\t\t\tconst companyOptions = $ctrl.reportRequestOptions.CompanyOptions;\n\n\t\t\tif (companyOptions.length > 0 && !companyOptions[0].PayPeriodInformation.HasCompletedPeriods && !$ctrl.reportOptions.canIgnoreCompletedPeriods) {\n\n\t\t\t\tif ($ctrl.reportDTO.ReportTemplate.Accessibility === REPORT_TEMPLATE_ACCESSIBILITY.final) {\n\t\t\t\t\treturn COMPONENT_STATES.noPayPeriods;\n\t\t\t\t}\n\n\t\t\t\tif ($ctrl.reportDTO.ReportTemplate.ReportTemplateID === REPORT_TEMPLATE_IDS.comparisonReport) {\n\t\t\t\t\treturn COMPONENT_STATES.noPreviousPeriod;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\treturn COMPONENT_STATES.ready;\n\t}\n\n\tfunction getReportDTO () {\n\n\t\treturn $q((onComplete, onError) => {\n\n\t\t\t// 1. Use passed in ReportDTO\n\t\t\tif ($ctrl.reportOptions.reportDTO) {\n\t\t\t\tonComplete($ctrl.reportOptions.reportDTO);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// 2. Create basic ReportDTO from report template\n\t\t\tif ($ctrl.reportOptions.reportTemplate) {\n\t\t\t\tonComplete({\n\t\t\t\t\tDisplayName: $ctrl.reportOptions.reportTemplate.ReportTemplateName,\n\t\t\t\t\tReportTemplate: $ctrl.reportOptions.reportTemplate\n\t\t\t\t});\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// 3. Get ReportDTO from seperate service call\n\t\t\tif ($ctrl.reportOptions.reportDTOService) {\n\t\t\t\t$ctrl.reportOptions.reportDTOService()\n\t\t\t\t\t.then(reportDTOObj => {\n\n\t\t\t\t\t\t$ctrl.reportOptions.reportTemplateId = reportDTOObj.ReportTemplate.ReportTemplateID;\n\n\t\t\t\t\t\tonComplete(reportDTOObj);\n\t\t\t\t\t})\n\t\t\t\t\t.catch(onError);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// 4. Get ReportDTO from service\n\t\t\treportData.getReport(\n\t\t\t\t\t$ctrl.reportOptions.agencyProfileId,\n\t\t\t\t\t$ctrl.reportOptions.agencyDocumentId,\n\t\t\t\t\t$ctrl.reportOptions.agencyPayPeriodId,\n\t\t\t\t\t$ctrl.reportOptions.reportTemplateId,\n\t\t\t\t\t$ctrl.reportOptions.supplementaryPaymentId\n\t\t\t\t)\n\t\t\t\t.then(onComplete)\n\t\t\t\t.catch(onError);\n\t\t});\n\t}\n\n\tfunction getReportFromRequest () {\n\n\t\tfunction publishReport () {\n\n\t\t\t// Cancel all current requests\n\t\t\tapplicationService.cancelPendingRequests();\n\n\t\t\t// Overwrite current Report Request\n\t\t\t$ctrl.reportRequest = angular.copy($ctrl.draftReportRequest);\n\n\t\t\t// Attach ReportRequest to reportOptions so it can be saved elsewhere\n\t\t\t$ctrl.reportOptions.returnObject = $ctrl.reportRequest;\n\t\t}\n\n\t\tif ($ctrl.reportRequest) {\n\n\t\t\t// Swap out report request with new one\n\t\t\tdelete $ctrl.reportRequest;\n\n\t\t\t// Create new data grid instance for report\n\t\t\treportDataGrid.createNewReport();\n\n\t\t\t// Allow report-viewer to reset before recreating the component\n\t\t\t$timeout(publishReport, 0);\n\n\t\t\treturn;\n\t\t}\n\n\t\tpublishReport();\n\t}\n\n\tfunction onError (error) {\n\t\tsetComponentState(COMPONENT_STATES.error);\n\t\tconsole.error(error);\n\t}\n\n\tfunction onToggleFullScreen () {\n\t\tutilities.toggleBrowserFullScreen($element[0]);\n\t}\n\n\tfunction setComponentState (newState) {\n\t\t$ctrl.componentState = newState;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tCOMPONENT_STATES,\n\n\t\tgetReportFromRequest,\n\t\tonToggleFullScreen,\n\n\t\thasActions: $transclude.isSlotFilled('actions')\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('rollbackStatusBlock', {\n\tbindings: {\n\t\tpayPeriod: '<'\n\t},\n\ttemplateUrl: 'components/rollback-status-block/rollback-status-block.component.html'\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('salaryBreakdown', {\n\n\tbindings: {\n\t\tsalary: '=',\n\t\tsbId: '@',\n\t\tupdateSalary: '=',\n\t\tdisabled: '='\n\t},\n\tcontroller: 'salaryBreakdownController',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/salary-breakdown/salaryBreakdownComponent.html'\n})\n\n.controller('salaryBreakdownController', [\n\t'config',\n\t'SALARY_INTERVAL_TYPES',\n\tfunction (\n\t\tconfig,\n\t\tSALARY_INTERVAL_TYPES\n\t) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\tconst sbId = $ctrl.sbId;\n\n\t\tfunction onSalaryValueChanged (salaryObj, salaryPropertyName, payPeriodType) {\n\t\t\t// Do nothing if the user has entered nothing. The calculation will cause a gremlin otherwise.\n\t\t\tif (salaryObj.breakdown[salaryPropertyName] !== null && salaryObj.breakdown[salaryPropertyName].toFixed(2).toString().length <= config.salaryMaxLength) {\n\t\t\t\t$ctrl.updateSalary(salaryObj, salaryPropertyName, payPeriodType);\n\t\t\t}\n\t\t}\n\n\t\tangular.extend($ctrl, {\n\t\t\tSALARY_INTERVAL_TYPES,\n\n\t\t\tmonthlySalaryId: `${sbId}_monthlySalary`,\n\t\t\tfourWeeklySalaryId: `${sbId}_fourWeeklySalary`,\n\t\t\ttwoWeeklySalaryId: `${sbId}_twoWeeklySalary`,\n\t\t\tweeklySalaryId: `${sbId}_weeklySalary`,\n\t\t\tdailySalaryId: `${sbId}_dailySalary`,\n\t\t\thourlySalaryId: `${sbId}_hourlySalary`,\n\n\t\t\tonSalaryValueChanged\n\t\t});\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('salaryPolicyFormField', {\n\tbindings: {\n\t\tagencyProfileId: '=',\n\t\t// Allow deletion of salary policy\n\t\tallowDelete: '<',\n\t\t// Allow editing of effective date. Default to false.\n\t\tallowEditEffectiveDate: '',\n\t\t/* Parent annual salary SalaryPolicy object for sourcing CWTs for FTE calculations. Applicable only to annual allowance policies,\n\t\t when they need to use CWTs from the parent annual salary SalaryPolicy object. */\n\t\tparentAnnualSalaryPolicy: '',\n\t\tcompany: '<',\n\t\tcurrentPayPeriod: '<',\n\t\tid: '@',\n\t\tmode: '=',\n\t\tonDelete: '&',\n\t\t// Handler for 'Add
change' option.\n\t\tonAddChange: '&?',\n\t\tonError: '&?',\n\t\tpayPolicies: '<',\n\t\tsalary: '<',\n\t\t/* Applicable if this policy is for a salary future change (i.e. a change for a main post). Used to copy the\n\t\t policy effective date to that when it's changed. */\n\t\tsalaryFutureChange: '',\n\t\tsalaryPolicy: '<',\n\t\t// Set to show 'Add change' option. Defaults to true if onAddChange is a valid function , false if not.\n\t\tshowAddChange: '',\n\t\t// Control visibility of effective date. Default to true. Ignored (set to true) when allowEditEffectiveDate is true.\n\t\tshowEffectiveDate: '',\n\t\tteamMember: '<'\n\t},\n\tcontroller: 'salaryPolicyFormFieldController',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/salary-policy-form-field/salary-policy-form-field.component.html'\n})\n\n.constant('SALARY_POLICY_FORM_FIELD_MODES', {\n\tedit: 'edit',\n\taddChange: 'addChange',\n\tview: 'view'\n})\n\n.controller('salaryPolicyFormFieldController', [\n\t'$q',\n\t'$scope',\n\t'$timeout',\n\t'config',\n\t'payrollData',\n\t'policyService',\n\t'BACKDATED_SALARY_CALCULATION_METHODS',\n\t'POLICY_PAY_BASES',\n\t'POLICY_STATES',\n\t'SALARY_POLICY_FORM_FIELD_MODES',\nfunction (\n\t$q,\n\t$scope,\n\t$timeout,\n\tconfig,\n\tpayrollData,\n\tpolicyService,\n\tBACKDATED_SALARY_CALCULATION_METHODS,\n\tPOLICY_PAY_BASES,\n\tPOLICY_STATES,\n\tSALARY_POLICY_FORM_FIELD_MODES\n) {\n\n\tconst $ctrl = this;\n\n\tconst ANNUAL_SALARY_FTE_EQUIVALENT_ITEMS = {\n\t\tftePercent: 'm_Item1',\n\t\tannualSalary: 'm_Item2',\n\t\thourlyRate: 'm_Item3'\n\t};\n\n\tconst ANNUAL_ALLOWANCE_FTE_EQUIVALENT_ITEMS = {\n\t\tannualAllowance: 'm_Item2'\n\t};\n\n\tconst FTE_EQUIVALENTS_STATUS = {\n\t\tinit: 'init',\n\t\tupdating: 'updating',\n\t\tcomplete: 'complete'\n\t};\n\n\t$ctrl.$onInit = function () {\n\n\t\t// Flag to indicate that this is an annual salary policy, as opposed to an annual allowance policy, for convenience\n\t\tconst isAnnualSalaryPolicy = $ctrl.salaryPolicy.PolicyPayBasis === POLICY_PAY_BASES.annualSalary;\n\n\t\t// Defaults\n\t\tconst mode = angular.isDefined($ctrl.mode) ? $ctrl.mode : SALARY_POLICY_FORM_FIELD_MODES.view;\n\t\tconst allowEditEffectiveDate = angular.isDefined($ctrl.allowEditEffectiveDate) ? $ctrl.allowEditEffectiveDate : false;\n\t\t// Show add update if set and valid callback provided, otherwise show it by default only if a valid callback has been provided\n\t\tconst showAddChange = angular.isDefined($ctrl.showAddChange) && angular.isFunction($ctrl.onAddChange) ? $ctrl.showAddChange : angular.isFunction($ctrl.onAddChange);\n\t\t// Show effective date defaults to true if not specified, but will always be set to true if allowEditEffective date is set to true. Obviously.\n\t\tconst showEffectiveDate = angular.isDefined($ctrl.showEffectiveDate) ? ($ctrl.showEffectiveDate || allowEditEffectiveDate) : true;\n\n\t\t// Filter in only policies for the requried basis (annual salary or annual allowance)\n\t\tconst policyPayBasis = isAnnualSalaryPolicy ? POLICY_PAY_BASES.annualSalary : POLICY_PAY_BASES.annualAllowance;\n\t\t$ctrl.payPolicies = $ctrl.payPolicies.filter(payPolicy => payPolicy.PolicyPayBasis === policyPayBasis);\n\t\t/* Also hold a list specifically for selection in the UI. The selection list needs to contain active policies, or when an active policy\n\t\t has an update, the updated policy in preference to the original. */\n\t\t$ctrl.payPoliciesForSelection = policyService.getPoliciesForSelection($ctrl.payPolicies);\n\n\t\tangular.extend($ctrl, {\n\n\t\t\t// Dynamic form field IDs for multiple instances. Create for all, whether applicable or not. Doesn't matter.\n\t\t\teffectiveDateFormFieldId: `${$ctrl.id}_EffectiveDate`,\n\t\t\tsalaryPolicyFormFieldId: `${$ctrl.id}_Policy`,\n\t\t\tpolicyBandFormFieldId: `${$ctrl.id}_Band`,\n\t\t\thoursPerWeekFieldId: `${$ctrl.id}_HoursPerWeek`,\n\t\t\tweeksPerYearFieldId: `${$ctrl.id}_WeeksPerYear`,\n\t\t\tfteApplyFieldId: `${$ctrl.id}_FTEApply`,\n\n\t\t\tmode,\n\n\t\t\tconfirmDelete: false,\n\t\t\tfteLabel: 'Calculate at full time equivalent',\n\t\t\thasBackdatedSalary: getHasBackdatedSalary($ctrl),\n\t\t\tisAnnualSalaryPolicy,\n\t\t\tallowEditEffectiveDate,\n\t\t\tminEffectiveDateIso: $ctrl.salaryPolicy.isSalaryPolicyUpdate ? $ctrl.salary.SalaryChangeEffectiveDateMinISO : $ctrl.salary.StartDateISO,\n\t\t\tsalaryPolicy: decorateSalaryPolicy($ctrl.salaryPolicy, $ctrl.teamMember, $ctrl.payPolicies),\n\t\t\tshowAddChange,\n\t\t\tshowEffectiveDate,\n\t\t\tshowMore: false,\n\n\t\t\t/* Default parent annual salary SalaryPolicy object if not specified, to the salary policy, on the assumption that this form field corresponds\n\t\t\t to the annual salary SalaryPolicy object */\n\t\t\tparentAnnualSalaryPolicy: angular.isDefined($ctrl.parentAnnualSalaryPolicy) ? $ctrl.parentAnnualSalaryPolicy : $ctrl.salaryPolicy\n\t\t});\n\n\t\t// FTE calculations\n\t\tif (angular.isDefined($ctrl.salaryPolicy.Band)) {\n\t\t\t// Initialise as if a new policy and band have been selected; calculate FTE equivalents\n\t\t\tupdateFTEsAndBackdatedSalary($ctrl);\n\t\t}\n\n\t\t// Watchers to update - applicable only to edit / add change mode, when these values are updated dynamically\n\t\tif ([SALARY_POLICY_FORM_FIELD_MODES.edit, SALARY_POLICY_FORM_FIELD_MODES.addChange].includes(mode)) {\n\t\t\t// For annual allowance policies, if the FTE Percent changes on the salary, recalculate annual allowance\n\t\t\tif (!isAnnualSalaryPolicy) {\n\t\t\t\tlet initFte = true;\n\t\t\t\t$scope.$watch('$ctrl.salary.fte', (newFte, oldFte) => {\n\t\t\t\t\t// Update FTE label and values when FTE calc changes, or when first being set\n\t\t\t\t\tif (angular.isDefined(newFte) && (!angular.equals(newFte, oldFte) || initFte)) {\n\t\t\t\t\t\t// Ensure this doesn't happen again until the values change\n\t\t\t\t\t\tinitFte = false;\n\t\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\t\t$ctrl.fteLabel = `Calculate at full time equivalent (${newFte.ftePercent}%)`;\n\t\t\t\t\t\t}, 0);\n\t\t\t\t\t\tif ($ctrl.salaryPolicy.FTEApply) {\n\t\t\t\t\t\t\tupdateFTEsAndBackdatedSalary($ctrl);\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t});\n\t\t\t}\n\n\t\t\t// If the period prorating method changes, update backdated salary\n\t\t\t$scope.$watch('$ctrl.salary.periodProRatingMethod', (newPeriodProRatingMethod, oldPeriodProRatingMethod) => {\n\t\t\t\t// Don't bother updating any policies that have already been paid\n\t\t\t\tif (angular.isDefined(newPeriodProRatingMethod) && newPeriodProRatingMethod !== oldPeriodProRatingMethod && !$ctrl.salaryPolicy.HasBeenPaid) {\n\t\t\t\t\tupdateFTEsAndBackdatedSalary($ctrl);\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\t};\n\n\tfunction decorateSalaryPolicy (salaryPolicyObj, teamMemberObj, payPoliciesArr) {\n\n\t\t// Create FTE equivalents object on the salary policy object in init state. This will be used to hold the results of FTE calculations\n\t\tsalaryPolicyObj.fteEquivalents = {\n\t\t\tstatus: FTE_EQUIVALENTS_STATUS.init\n\t\t};\n\n\t\t// Copy salary ID from team member salary object. This will already be set when editing, doesn't matter.\n\t\tsalaryPolicyObj.SalaryID = teamMemberObj.salary.SalaryID;\n\n\t\t/* Find the associated pay policy. This might be one of the main policies, or if it corresponds to a policy update,\n\t\t it will be the policyUpdate object attached to the original */\n\t\tlet payPolicy = payPoliciesArr.find(payPolicyObj => payPolicyObj.PolicyID === salaryPolicyObj.PolicyID);\n\n\t\tif (angular.isDefined(payPolicy)) {\n\n\t\t\t/* The band comes from PolicyBandID. Bind the Band object in the SalaryPolicy object to the correct object. The band may not be defined,\n\t\t\t if this represents a pay update, the policy is present but the band will have been cleared to force selection */\n\t\t\tif (angular.isDefined(salaryPolicyObj.Band)) {\n\t\t\t\tsalaryPolicyObj.Band = payPolicy.PolicyBands.find(payPolicyBandObj => payPolicyBandObj.PolicyBandID === salaryPolicyObj.Band.PolicyBandID);\n\t\t\t}\n\t\t}\n\t\telse {\n\t\t\t// Pay policy not set yet. It should be an empty guid, so unset it for the UI\n\t\t\tsalaryPolicyObj.PolicyID = undefined;\n\t\t\tsalaryPolicyObj.Band = undefined;\n\t\t}\n\n\t\tangular.extend(salaryPolicyObj, {\n\t\t\t// Hold reference to the pay policy for contracted times, and anything else it holds that's useful\n\t\t\tpayPolicy\n\t\t});\n\n\t\treturn salaryPolicyObj;\n\t}\n\n\tfunction getHasBackdatedSalary (ctrlObj) {\n\n\t\t// Is backdated salary applicable for this salary policy?\n\t\tconst startDateIso = ctrlObj.salaryPolicy.EffectiveDateISO;\n\t\treturn startDateIso && moment(startDateIso).isBefore(ctrlObj.currentPayPeriod.StartDateISO);\n\t}\n\n\tfunction onAddChangeClick (ctrlObj) {\n\t\tctrlObj.onAddChange();\n\t}\n\n\tfunction onContractedWorkTimeChange (ctrlObj) {\n\n\t\t// Recalculate FTE equivalents, and any backdated salary\n\t\tupdateFTEsAndBackdatedSalary(ctrlObj);\n\t}\n\n\tfunction onDeletePolicy (ctrlObj) {\n\t\tif (angular.isFunction(ctrlObj.onDelete)) {\n\t\t\tctrlObj.onDelete();\n\t\t}\n\t}\n\n\tfunction onFTEApplyChange (ctrlObj) {\n\t\tupdateFTEsAndBackdatedSalary(ctrlObj);\n\t}\n\n\tfunction onEffectiveDateChange (ctrlObj) {\n\t\t// Ensure the policy effective date is also updated with this value if this is for a future change.\n\t\tif (angular.isDefined(ctrlObj.salaryFutureChange)) {\n\t\t\tctrlObj.salaryFutureChange.SalaryEffectiveDateISO = ctrlObj.salaryPolicy.EffectiveDateISO;\n\t\t}\n\t\t// Recalculate FTE equivalents, and any backdated salary\n\t\tupdateFTEsAndBackdatedSalary(ctrlObj);\n\t}\n\n\tfunction onPolicyChange (ctrlObj, salaryPolicyObj, payPolicyObj) {\n\n\t\tsetPolicy(ctrlObj, salaryPolicyObj, payPolicyObj);\n\t}\n\n\tfunction onPolicyBandChange (ctrlObj) {\n\n\t\t// Recalculate FTE equivalents, and any backdated salary\n\t\tupdateFTEsAndBackdatedSalary(ctrlObj);\n\t}\n\n\tfunction onSalaryPolicyFormFieldError (error) {\n\t\tif (angular.isFunction($ctrl.onError)) {\n\t\t\t$ctrl.onError()(error);\n\t\t}\n\t}\n\n\tfunction setPolicy (ctrlObj, salaryPolicyObj, payPolicyObj) {\n\n\t\t// Copy stuff from the selected policy to the parent salary policy. Name and ID apply, regardless\n\t\tconst payPolicy = salaryPolicyObj.payPolicy;\n\t\tangular.extend(salaryPolicyObj, {\n\t\t\tPolicyID: payPolicy.PolicyID,\n\t\t\tPolicyName: payPolicy.PolicyName,\n\t\t});\n\n\t\t/* Update SalaryPolicy specific CWTs from parent annual salary policy. Not required for annual allowance\n\t\t SalaryPolicy since that gets its values from the parent annual salary SalaryPolicy object. */\n\t\tif (ctrlObj.isAnnualSalaryPolicy) {\n\t\t\tangular.extend(salaryPolicyObj, {\n\t\t\t\tHoursPerWeek: payPolicyObj.PolicyHoursPerWeek,\n\t\t\t\tWeeksPerYear: payPolicyObj.PolicyWeeksPerYear\n\t\t\t});\n\t\t}\n\n\t\t// Now recalculate FTE equivalents, and any backdated salary\n\t\tupdateFTEsAndBackdatedSalary(ctrlObj);\n\t}\n\n\tfunction toggleConfirmDelete (ctrlObj) {\n\t\tctrlObj.confirmDelete = !ctrlObj.confirmDelete;\n\t}\n\n\tfunction toggleShowMore (ctrlObj) {\n\t\tctrlObj.showMore = !ctrlObj.showMore;\n\t}\n\n\tfunction updateFTEsAndBackdatedSalary (ctrlObj) {\n\n\t\t// Ensure the pro-rating method on the salary policy matches that set on the outer salary object\n\t\tctrlObj.salaryPolicy.PeriodProRatingMethod = ctrlObj.salary.periodProRatingMethod;\n\n\t\t// Do the FTEs first, since the backdated salary may depend on the calculated FTE annual salary\n\t\tupdateFtes(ctrlObj).then(() => {\n\n\t\t\t// Check backdated salary status\n\t\t\tctrlObj.hasBackdatedSalary = getHasBackdatedSalary(ctrlObj);\n\n\t\t\t// Calculate backdated salary accordingly\n\t\t\tif (ctrlObj.hasBackdatedSalary) {\n\t\t\t\tconst salaryPolicy = ctrlObj.salaryPolicy;\n\n\t\t\t\tlet salaryYearly;\n\t\t\t\t// Use FTE annual salary in preference to the value defined by the selected band, source dependent on policy type\n\t\t\t\tif (ctrlObj.isAnnualSalaryPolicy) {\n\t\t\t\t\tif (angular.isDefined(salaryPolicy.fteEquivalents) && !isNaN(salaryPolicy.fteEquivalents.annualSalary)) {\n\t\t\t\t\t\tsalaryYearly = salaryPolicy.fteEquivalents.annualSalary;\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\tif (angular.isDefined(salaryPolicy.Band)) {\n\t\t\t\t\t\t\tsalaryYearly = salaryPolicy.Band.PolicyBandAnnualSalary;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\tif (angular.isDefined(salaryPolicy.fteEquivalents) && !isNaN(salaryPolicy.fteEquivalents.annualAllowance)) {\n\t\t\t\t\t\tsalaryYearly = salaryPolicy.fteEquivalents.annualAllowance;\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\tif (angular.isDefined(salaryPolicy.Band)) {\n\t\t\t\t\t\t\tsalaryYearly = salaryPolicy.Band.PolicyBandAnnualAllowance;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\t// Can only run if SalaryYearly is available. It might be an empty string ...\n\t\t\t\tif (!salaryYearly) {\n\t\t\t\t\t// Hide the backdated salary as it isn't currently applicable - the form field is probably invalid\n\t\t\t\t\tsalaryPolicy.backdatedSalaryAmount = 0;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tsalaryPolicy.backdatedSalaryState = 'loading';\n\n\t\t\t\t/* Determine which calculation API to use depending on team member / policy / post status:\n\t\t\t\t\tgetTeamMemberBackdatedSalary: Primary annual salary, team member is an existing worker (not new starter).\n\t\t\t\t\tgetTeamMemberBackdatedSalaryNewStarter: Primary annual salary, team member is a new starter.\n\t\t\t\t\tgetSalaryPolicyBackpay: Not primary (i.e. additional post) or annual allowance salary.\n\t\t\t\t */\n\t\t\t\tlet getBackdatedSalary;\n\t\t\t\tif (ctrlObj.salaryPolicy.IsPrimary && ctrlObj.isAnnualSalaryPolicy) {\n\t\t\t\t\tif (ctrlObj.teamMember.company.IsStarter) {\n\t\t\t\t\t\tgetBackdatedSalary = payrollData.getTeamMemberBackdatedSalaryNewStarter(\n\t\t\t\t\t\t\tctrlObj.teamMember.personal.UserID,\n\t\t\t\t\t\t\tctrlObj.agencyProfileId,\n\t\t\t\t\t\t\tsalaryYearly,\n\t\t\t\t\t\t\tctrlObj.salaryPolicy.EffectiveDateISO,\n\t\t\t\t\t\t\tBACKDATED_SALARY_CALCULATION_METHODS.applyToCurrentPeriod,\n\t\t\t\t\t\t\tctrlObj.salaryPolicy.PeriodProRatingMethod\n\t\t\t\t\t\t);\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\tgetBackdatedSalary = payrollData.getTeamMemberBackdatedSalary(\n\t\t\t\t\t\t\tctrlObj.teamMember.personal.UserID,\n\t\t\t\t\t\t\tctrlObj.agencyProfileId,\n\t\t\t\t\t\t\tsalaryYearly,\n\t\t\t\t\t\t\tctrlObj.salaryPolicy.EffectiveDateISO,\n\t\t\t\t\t\t\tBACKDATED_SALARY_CALCULATION_METHODS.applyToCurrentPeriod,\n\t\t\t\t\t\t\tctrlObj.salaryPolicy.PeriodProRatingMethod\n\t\t\t\t\t\t);\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\t/* Applies to all non-primary policies, including any annual allowances and any policies (regardless of type)\n\t\t\t\t\t for additional posts */\n\t\t\t\t\tgetBackdatedSalary = payrollData.getSalaryPolicyBackpayDisplay(\n\t\t\t\t\t\tctrlObj.agencyProfileId,\n\t\t\t\t\t\tctrlObj.teamMember.personal.UserID,\n\t\t\t\t\t\tsalaryYearly,\n\t\t\t\t\t\tctrlObj.salaryPolicy.SalaryPolicyID,\n\t\t\t\t\t\tctrlObj.salaryPolicy.EffectiveDateISO,\n\t\t\t\t\t\tctrlObj.salaryPolicy.PeriodProRatingMethod\n\t\t\t\t\t);\n\t\t\t\t}\n\n\t\t\t\tgetBackdatedSalary.then(backdatedSalaryAmountResponse => {\n\n\t\t\t\t\t// Depending on which API was used, the nature of this backdated salary amount response varies.\n\t\t\t\t\tlet backdatedSalaryAmount;\n\t\t\t\t\tif (typeof backdatedSalaryAmountResponse === 'object') {\n\t\t\t\t\t\t// The number of interest is in the response object\n\t\t\t\t\t\tbackdatedSalaryAmount = backdatedSalaryAmountResponse.BackdatedSalaryAmount;\n\t\t\t\t\t}\n\t\t\t\t\telse if (typeof backdatedSalaryAmountResponse === 'number') {\n\t\t\t\t\t\t// The number of the object is the response\n\t\t\t\t\t\tbackdatedSalaryAmount = backdatedSalaryAmountResponse;\n\t\t\t\t\t}\n\n\t\t\t\t\tsalaryPolicy.backdatedSalaryAmount = backdatedSalaryAmount;\n\n\t\t\t\t\t// Set label for backdated calculation card\n\t\t\t\t\tlet backdatedSalaryLabel = 'Backdated salary';\n\t\t\t\t\tif (!ctrlObj.isAnnualSalaryPolicy) {\n\t\t\t\t\t\tbackdatedSalaryLabel = `Backdated ${ctrlObj.salaryPolicy.Band.PolicyBandName}`;\n\t\t\t\t\t}\n\t\t\t\t\tsalaryPolicy.backdatedSalaryLabel = backdatedSalaryLabel;\n\n\t\t\t\t\t// Allow time to avoid animation flashes\n\t\t\t\t\t$timeout(() => {\n\t\t\t\t\t\tsalaryPolicy.backdatedSalaryState = 'ready';\n\t\t\t\t\t}, 500);\n\t\t\t\t})\n\t\t\t\t.catch(onSalaryPolicyFormFieldError);\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction updateFtes (ctrlObj) {\n\n\t\t/* Do this asynchronously, so we can wait for the FTE calculation to complete before doing anything else. This is so FTEs are\n\t\t up-to-date before calling any change handlers that depend on them */\n\t\treturn $q(function(resolve) {\n\n\t\t\t// Get salaryPolicy for convenience\n\t\t\tconst salaryPolicy = ctrlObj.salaryPolicy;\n\n\t\t\t/* If this is an annual allowance policy, get the contracted hours from the top level salary object. These will\n\t\t\t have been applied when initialising the annual salary policy, for sharing amongst annual allowance policies */\n\t\t\tif (!ctrlObj.isAnnualSalaryPolicy) {\n\t\t\t\tconst fte = ctrlObj.salary.fte;\n\t\t\t\tif (angular.isDefined(fte)) {\n\t\t\t\t\t// Set these things on the salary policy\n\t\t\t\t\tsalaryPolicy.HoursPerWeek = fte.hoursPerWeek;\n\t\t\t\t\tsalaryPolicy.WeeksPerYear = fte.weeksPerYear;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t// Can't do any calculating if there's no selected policy band, hours per week and weeks per year\n\t\t\tif (angular.isDefined(salaryPolicy.Band) &&\n\t\t\t\tsalaryPolicy.Band.PolicyBandID !== config.guidEmpty &&\n\t\t\t\tangular.isDefined(salaryPolicy.HoursPerWeek) && angular.isDefined(salaryPolicy.WeeksPerYear)) {\n\n\t\t\t\t// Salary value to use for FTE calculation\n\t\t\t\tconst salaryValue = ctrlObj.isAnnualSalaryPolicy ? salaryPolicy.Band.PolicyBandAnnualSalary : salaryPolicy.Band.PolicyBandAnnualAllowance;\n\n\t\t\t\t// If this is an annual allowance policy and fteApply isn't set, just use the salaryValue as is.\n\t\t\t\tif (!ctrlObj.isAnnualSalaryPolicy && !salaryPolicy.FTEApply) {\n\t\t\t\t\tsalaryPolicy.fteEquivalents = {\n\t\t\t\t\t\tstatus: FTE_EQUIVALENTS_STATUS.complete,\n\t\t\t\t\t\tannualAllowance: salaryValue\n\t\t\t\t\t};\n\t\t\t\t\tresolve();\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\t// Show calculating indicator after a short delay. No point showing if this is quick.\n\t\t\t\t\tconst showFTECalculating = $timeout(() => {\n\t\t\t\t\t\tsalaryPolicy.fteEquivalents = {\n\t\t\t\t\t\t\tstatus: FTE_EQUIVALENTS_STATUS.updating\n\t\t\t\t\t\t};\n\t\t\t\t\t}, 500);\n\n\t\t\t\t\tpayrollData.getFTEEquivalentDetails(\n\t\t\t\t\t\tctrlObj.teamMember.personal.UserID,\n\t\t\t\t\t\tctrlObj.agencyProfileId,\n\t\t\t\t\t\tsalaryValue,\n\t\t\t\t\t\tsalaryPolicy.HoursPerWeek,\n\t\t\t\t\t\tsalaryPolicy.WeeksPerYear,\n\t\t\t\t\t\tsalaryPolicy.PolicyID,\n\t\t\t\t\t\t// parentAnnualSalaryPolicy will be equivalent to salaryPolicy when this form field is for the annual salary SalaryPolicy object\n\t\t\t\t\t\tctrlObj.parentAnnualSalaryPolicy.payPolicy.PolicyHoursPerWeek,\n\t\t\t\t\t\tctrlObj.parentAnnualSalaryPolicy.payPolicy.PolicyWeeksPerYear\n\t\t\t\t\t)\n\t\t\t\t\t.then(fteEquivalentDetails => {\n\n\t\t\t\t\t\t// Cancel timeout to show 'Calculating'. If the above call happens quickly, so the calculating state won't be seen.\n\t\t\t\t\t\t$timeout.cancel(showFTECalculating);\n\n\t\t\t\t\t\t// Set FTE equivalent values for display, depending on policy basis type\n\t\t\t\t\t\tif (ctrlObj.isAnnualSalaryPolicy) {\n\t\t\t\t\t\t\tsalaryPolicy.fteEquivalents = {\n\t\t\t\t\t\t\t\tstatus: FTE_EQUIVALENTS_STATUS.complete,\n\t\t\t\t\t\t\t\tftePercent: fteEquivalentDetails[ANNUAL_SALARY_FTE_EQUIVALENT_ITEMS.ftePercent],\n\t\t\t\t\t\t\t\tannualSalary: fteEquivalentDetails[ANNUAL_SALARY_FTE_EQUIVALENT_ITEMS.annualSalary],\n\t\t\t\t\t\t\t\thourlyRate: fteEquivalentDetails[ANNUAL_SALARY_FTE_EQUIVALENT_ITEMS.hourlyRate]\n\t\t\t\t\t\t\t};\n\t\t\t\t\t\t\t// Set FTE object on top level salary object so annual allowance policies can pick it up and recalculate if required\n\t\t\t\t\t\t\tctrlObj.salary.fte = {\n\t\t\t\t\t\t\t\tftePercent: fteEquivalentDetails[ANNUAL_SALARY_FTE_EQUIVALENT_ITEMS.ftePercent],\n\t\t\t\t\t\t\t\thoursPerWeek: salaryPolicy.HoursPerWeek,\n\t\t\t\t\t\t\t\tweeksPerYear: salaryPolicy.WeeksPerYear\n\t\t\t\t\t\t\t};\n\t\t\t\t\t\t}\n\t\t\t\t\t\telse {\n\t\t\t\t\t\t\t// Get annual allowance and adjust if FTE apply is set\n\t\t\t\t\t\t\tlet annualAllowance = fteEquivalentDetails[ANNUAL_ALLOWANCE_FTE_EQUIVALENT_ITEMS.annualAllowance];\n\t\t\t\t\t\t\tsalaryPolicy.fteEquivalents = {\n\t\t\t\t\t\t\t\tstatus: FTE_EQUIVALENTS_STATUS.complete,\n\t\t\t\t\t\t\t\tannualAllowance\n\t\t\t\t\t\t\t};\n\t\t\t\t\t\t}\n\t\t\t\t\t\tresolve();\n\t\t\t\t\t});\n\t\t\t\t}\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Not enough info to calculate\n\t\t\t\tsalaryPolicy.fteEquivalents = {\n\t\t\t\t\tstatus: FTE_EQUIVALENTS_STATUS.init\n\t\t\t\t};\n\t\t\t\tresolve();\n\t\t\t}\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\n\t\tFTE_EQUIVALENTS_STATUS,\n\t\tPOLICY_PAY_BASES,\n\t\tPOLICY_STATES,\n\t\tSALARY_POLICY_FORM_FIELD_MODES,\n\n\t\tconfig,\n\n\t\tonAddChangeClick,\n\t\tonDeletePolicy,\n\t\tonFTEApplyChange,\n\t\tonContractedWorkTimeChange,\n\t\tonEffectiveDateChange,\n\t\tonPolicyChange,\n\t\tonPolicyBandChange,\n\t\ttoggleConfirmDelete,\n\t\ttoggleShowMore\n\t});\n}]);\n\nangular.module('paycircleApp')\n\n.component('scheduleOverviewCard', {\n\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tindex: '<',\n\t\tonClick: '&?',\n\t\tonUpdate: '&?',\n\t\tschedule: '<',\n\t\tteamMember: '<'\n\t},\n\tcontroller: 'scheduleOverviewCardCtrl',\n\ttemplateUrl: 'components/schedule-overview-card/schedule-overview-card.component.html'\n})\n\n.controller('scheduleOverviewCardCtrl', [\n\t'$rootScope',\n\t'REPAYMENT_SCHEDULE_TYPES',\n\tfunction (\n\t\t$rootScope,\n\t\tREPAYMENT_SCHEDULE_TYPES\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction onCardClick () {\n\n\t\tif (angular.isFunction($ctrl.onClick)) {\n\t\t\t$ctrl.onClick();\n\t\t}\n\t}\n\n\tfunction openAdvanceMaternityFundingForm (maternityScheduleId) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: () => {\n\t\t\t\t$ctrl.onUpdate({schedule: $ctrl.schedule});\n\t\t\t},\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'advance-maternity-funding',\n\t\t\tmaternityScheduleId: maternityScheduleId,\n\t\t\tuserId: $ctrl.teamMember.Personal.UserID\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\tREPAYMENT_SCHEDULE_TYPES,\n\t\tonCardClick,\n\t\topenAdvanceMaternityFundingForm\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('searchBar', {\n\tbindings: {\n\t\t// Callback for action selected. Must be of the form: callback(actionKey).\n\t\tactionSelected: '&?',\n\t\tbulkActionsActive: '',\n\t\tbulkItems: '=?',\n\t\tcount: '',\n\t\toptions: '=',\n\t\tonSearch: '&',\n\t\tshowActions: ''\n\t},\n\tcontroller: 'searchBarCtrl',\n\tcontrollerAs: 'vm',\n\ttemplateUrl: 'components/search-bar/search-bar.component.html',\n\ttransclude: {\n\t\tbulkActions: '?sbBulkActions',\n\t\tleftActions: '?sbActions',\n\t\trightActions: '?sbRightActions'\n\t},\n})\n.controller('searchBarCtrl', [\n\t'$rootScope',\n\t'$timeout',\n\t'$transclude',\n\t'$window',\n\t'bulkService',\n\t'config',\n\t'searchService',\n\t'securityService',\n\t'storageService',\n\t'utilities',\n\t'STATE_STORAGE_KEYS',\nfunction (\n\t$rootScope,\n\t$timeout,\n\t$transclude,\n\t$window,\n\tbulkService,\n\tconfig,\n\tsearchService,\n\tsecurityService,\n\tstorageService,\n\tutilities,\n\tSTATE_STORAGE_KEYS\n) {\n\n\tconst $ctrl = this;\n\n\t// View modes, dependent on window width\n\tconst VIEW_MODES = {\n\t\tdesktop: 'desktop',\n\t\tmobile: 'mobile'\n\t};\n\n\tconst currentUserObj = $rootScope.currentUser;\n\n\tfunction $onDestroy () {\n\t\t// Remove window event listener\n\t\tangular.element($window).off('resize');\n\t}\n\n\tfunction $onInit () {\n\n\t\tlet optionsObj = getOptionsForSearchBar($ctrl);\n\t\tlet bulkItemsObj = $ctrl.bulkItems;\n\n\t\t$ctrl.showActions = angular.isDefined($ctrl.showActions) ? $ctrl.showActions : true;\n\t\t$ctrl.bulkActionsActive = angular.isDefined($ctrl.bulkActionsActive) ? $ctrl.bulkActionsActive : true;\n\n\t\tangular.extend($ctrl, {\n\t\t\t// Show search bar actions if there are any, and if a callback has been provided, and showActions is true\n\t\t\tshowSearchBarActions: angular.isDefined(optionsObj.actions) && optionsObj.actions.length !== 0 && angular.isFunction($ctrl.actionSelected) && $ctrl.showActions,\n\t\t\thasBulkActions: $transclude.isSlotFilled('bulkActions') && $ctrl.bulkActionsActive,\n\t\t\thasLeftActions: $transclude.isSlotFilled('leftActions'),\n\t\t\thasRightActions: $transclude.isSlotFilled('rightActions'),\n\t\t\toptions: optionsObj,\n\t\t});\n\n\t\t// Load default filter options\n\t\tsearchService.loadDefaultFilterOptions(optionsObj);\n\t\tsearchService.loadDefaultSearchFilterOptions(optionsObj);\n\n\t\tif (bulkItemsObj) {\n\t\t\tbulkItemsObj = bulkService.updateBulkItemTotals(bulkItemsObj);\n\t\t}\n\n\t\t// On window resize, set the view mode accordingly.\n angular.element($window).on('resize', () => {\n\t\t\tsetViewMode($ctrl);\n\t\t});\n\n\t\t// Set initial view mode\n\t\tsetViewMode($ctrl);\n\t}\n\n\tfunction getAuthorisedActions (actionsArr) {\n\t\treturn actionsArr.filter(actionObj => securityService.isUserAuthorisedFromPermissionArray(currentUserObj, actionObj.requiredPermissions, 'search'));\n\t}\n\n\tfunction getOptionsForSearchBar (ctrlObj) {\n\n\t\tconst optionsWithDefaultObj = searchService.getOptionsWithDefaults(ctrlObj.options);\n\t\tconst itemsCount = ctrlObj.bulkItems ? ctrlObj.bulkItems.filtered.length : ctrlObj.count;\n\n\t\t// Persist search in url parameters\n\t\tif (!optionsWithDefaultObj.search.disablePersistedSearch) {\n\t\t\tangular.extend(optionsWithDefaultObj.search, {\n\t\t\t\tfilterOptionId: storageService.getFromSessionStorageForCurrentState(STATE_STORAGE_KEYS.searchFilterId, ''),\n\t\t\t\tstring: storageService.getFromSessionStorageForCurrentState(STATE_STORAGE_KEYS.searchString, '')\n\t\t\t});\n\t\t}\n\n\t\t// Filter out actions that user doesn't have permission for\n\t\tif (angular.isDefined(optionsWithDefaultObj.actions)) {\n\t\t\toptionsWithDefaultObj.actions = getAuthorisedActions(optionsWithDefaultObj.actions);\n\t\t}\n\n\t\treturn angular.extend(optionsWithDefaultObj, {\n\t\t\tcurrentPageNumber: storageService.getFromSessionStorageForCurrentState(STATE_STORAGE_KEYS.pageNumber, 1),\n\t\t\titemsPerPageOptions: searchService.getItemsPerPageOptions(optionsWithDefaultObj, itemsCount),\n\t\t\tonPageChange,\n\t\t\tonSearchChange\n\t\t});\n\t}\n\n\t/* Ensure that the selected total is updated correctly prior to retrieving it, since selected items\n\t may be being added or removed based on a search filter. */\n\tfunction getTotalSelected () {\n\t\tupdateBulkItemTotals();\n\t\treturn $ctrl.bulkItems.totalSelected;\n\t}\n\n\tfunction onPageChange (newPageNumber) {\n\t\tstorageService.addToSessionStorageForCurrentState(STATE_STORAGE_KEYS.pageNumber, newPageNumber);\n\t}\n\n\t/* On search criteria change, ensure the total is updated correctly (this takes filters into account,\n\t so filtered out but selected items aren't included in the total). Do this on a timeout so it executes\n\t *after* any filter has been applied. Otherwise the UI will typically get out of sync. */\n\tfunction onSearchChange (searchOptionsObj) {\n\n\t\tsearchService.createSearchFilter(searchOptionsObj);\n\t\t$timeout(updateBulkItemTotals());\n\n\t\t// Trigger on search function\n\t\tif (angular.isFunction($ctrl.onSearch)) {\n\t\t\t$ctrl.onSearch();\n\t\t}\n\n\t\t// Persist search parameters if enabled\n\t\tif (!searchOptionsObj.search.disablePersistedSearch) {\n\t\t\tstorageService.addToSessionStorageForCurrentState(STATE_STORAGE_KEYS.searchFilterId,\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t angular.isDefined(searchOptionsObj.search.filterOptions) ? searchOptionsObj.search.filterOption.id : null);\n\t\t\tstorageService.addToSessionStorageForCurrentState(STATE_STORAGE_KEYS.searchString,\n\t\t\t\t\t\t\t\t\t\t\t\t\t\t\t searchOptionsObj.search.string ? searchOptionsObj.search.string : null);\n\t\t}\n\t}\n\n\tfunction searchBarActionSelected (optionsObj, searchBarActionKey) {\n\n\t\t$ctrl.actionSelected()(searchBarActionKey);\n\t\toptionsObj.showMobileActions = false;\n\t}\n\n\tfunction setViewMode (ctrlObj) {\n\n\t\t// Switch view mode if necessary. Do this in a timeout so the digest cycle runs on change.\n\t\t$timeout(() => {\n\t\t\tif ($window.innerWidth < config.screenPixelMaxWidths.tablet && ctrlObj.viewMode !== VIEW_MODES.mobile) {\n\t\t\t\tctrlObj.viewMode = VIEW_MODES.mobile;\n\t\t\t}\n\t\t\telse if ($window.innerWidth >= config.screenPixelMaxWidths.tablet && ctrlObj.viewMode !== VIEW_MODES.desktop) {\n\t\t\t\tctrlObj.viewMode = VIEW_MODES.desktop;\n\t\t\t}\n\t\t}, 0);\n\t}\n\n\tfunction toggleMobileActions (optionsObj) {\n\n\t\toptionsObj.showMobileActions = !optionsObj.showMobileActions;\n\t}\n\n\tfunction toggleMobileCustom (optionsObj) {\n\n\t\toptionsObj.showMobileCustom = !optionsObj.showMobileCustom;\n\t}\n\n\tfunction toggleMobileItemsPerPage (optionsObj) {\n\n\t\toptionsObj.showMobileItemsPerPage = !optionsObj.showMobileItemsPerPage;\n\t}\n\n\tfunction toggleMobileSearch (optionsObj) {\n\n\t\toptionsObj.showMobileSearch = !optionsObj.showMobileSearch;\n\n\t\t// Set focus to search input field on open, clear search string on close\n\t\tif (optionsObj.showMobileSearch) {\n\t\t\tutilities.focusOn(optionsObj.id);\n\t\t}\n\t\telse {\n\t\t\toptionsObj.userSearchString = '';\n\t\t}\n\t}\n\n\tfunction toggleMobileSort (optionsObj) {\n\n\t\toptionsObj.showMobileSort = !optionsObj.showMobileSort;\n\t}\n\n\tfunction toggleSelectedItems (bulkItemsObj) {\n\n\t\tbulkService.updateItemsSelectedState(bulkItemsObj);\n\t}\n\n\tfunction updateBulkItemTotals () {\n\n\t\tif (angular.isDefined($ctrl.bulkItems)) {\n\t\t\t$ctrl.bulkItems = bulkService.updateBulkItemTotals($ctrl.bulkItems);\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\tVIEW_MODES,\n\n\t\t$onDestroy,\n\t\t$onInit,\n\t\tchangeCustom: searchService.changeCustom,\n\t\tchangeItemsPerPage: searchService.changeItemsPerPage,\n\t\tchangeLayout: searchService.changeLayout,\n\t\tchangeOrderBy: searchService.changeOrderBy,\n\t\tgetTotalSelected,\n\t\ttoggleMobileActions,\n\t\ttoggleMobileCustom,\n\t\ttoggleMobileItemsPerPage,\n\t\ttoggleMobileSearch,\n\t\ttoggleMobileSort,\n\t\ttoggleSelectedItems,\n\t\tsearchBarActionSelected,\n\n\t\tsearchBarOpen: false\n\t});\n}]);\n\nangular.module('paycircleApp')\n\n.component('searchBox', {\n\tbindings: {\n\t\tinputId: '@?',\n\t\tngModel: '=',\n\t\tonClear: '&?',\n\t\tonRemoveTag: '&?',\n\t\tsearchFor: '@?', \t// Description of the domain being searched, e.g. 'articles'. Used to populate the placeholder. Defaults to '',\n\t\tshowClear: '', \t// Show or hide the clear button. Defaults to false.\n\t\ttagList: '' \t\t// Tag list for display inside the input box. Array of tags.\n\t},\n\tcontroller: 'searchBoxCtrl',\n\ttemplateUrl: 'components/search-box/search-box.component.html'\n})\n\n.controller('searchBoxCtrl', [function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\t\t// Defaults\n\t\t$ctrl.inputId = angular.isDefined($ctrl.inputId) ? $ctrl.inputId : '';\n\t\t$ctrl.showClear = angular.isDefined($ctrl.showClear) ? $ctrl.showClear : false;\n\t\t// If no tag list, create one with zero length just for consistency\n\t\t$ctrl.tagList = angular.isDefined($ctrl.tagList) ? $ctrl.tagList : [];\n\t\t$ctrl.placeholder = `Search ${$ctrl.searchFor}`;\n\t};\n\n\tfunction clearSearch (ctrlObj) {\n\t\tif (angular.isDefined(ctrlObj.tagList)) {\n\t\t\tctrlObj.tagList = [];\n\t\t}\n\t\tctrlObj.ngModel = '';\n\t\tif (angular.isFunction(ctrlObj.onClear)) {\n\t\t\tctrlObj.onClear();\n\t\t}\n\t}\n\n\tfunction removeTag (ctrlObj, tagListIndex) {\n\t\tctrlObj.tagList.splice(tagListIndex, 1);\n\t\tif (angular.isFunction(ctrlObj.onRemoveTag)) {\n\t\t\tctrlObj.onRemoveTag();\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\tclearSearch,\n\t\tremoveTag\n\t});\n\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('searchField', {\n\tbindings: {\n\t\tisSearchActive: '<',\n\t\tsearchOptions: '='\n\t},\n\tcontroller: 'searchFieldCtrl',\n\ttemplateUrl: 'components/search-field/search-field.component.html'\n})\n.controller('searchFieldCtrl', ['$timeout', 'utilities', function ($timeout, utilities) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl.searchOptions, {\n\t\t\tclearSearch: () => {\n\t\t\t\tclearOrHideSearch($ctrl);\n\t\t\t},\n\t\t\tfilterOptionsMenuOpen: false,\n\t\t\tid: angular.isDefined($ctrl.searchOptions.id) ? $ctrl.searchOptions.id : 'search-field',\n\t\t\ticonTheme: angular.isDefined($ctrl.searchOptions.iconTheme) ? $ctrl.searchOptions.iconTheme : '',\n\t\t\tisSearchActive: getIsSearchActiveOnInit($ctrl)\n\t\t});\n\t}\n\n\tfunction changeFilter ($ctrl, selectedOptionObj) {\n\n\t\t$ctrl.searchOptions.search.filterOption = selectedOptionObj;\n\t\t$ctrl.searchOptions.filterOptionsMenuOpen = false;\n\n\t\ttriggerOnSearchChange($ctrl);\n\t}\n\n\tfunction clearOrHideSearch ($ctrl) {\n\n\t\t// Close if empty\n\t\tif (isSearchStringEmpty($ctrl)) {\n\t\t\tsetIsSearchActive($ctrl, false);\n\t\t\treturn;\n\t\t}\n\n\t\t// Clear if not empty\n\t\tsetSearchString($ctrl, '');\n\t\tfocusOnSearchString($ctrl);\n\t}\n\n\tfunction focusOnSearchString ($ctrl) {\n\n\t\tutilities.focusOn($ctrl.searchOptions.id);\n\t}\n\n\tfunction getIsSearchActive ($ctrl) {\n\n\t\treturn $ctrl.searchOptions.isSearchActive;\n\t}\n\n\tfunction getIsSearchActiveOnInit ($ctrl) {\n\n\t\t// If search string is defined (e.g. in the URL)\n\t\tif (!isSearchStringEmpty($ctrl)) {\n\t\t\treturn true;\n\t\t}\n\n\t\t// Can manually be set to active by default\n\t\tif (angular.isDefined($ctrl.isSearchActive)) {\n\t\t\treturn $ctrl.isSearchActive;\n\t\t}\n\n\t\t// Closed by default\n\t\treturn false;\n\t}\n\n\tfunction hideSearch ($ctrl) {\n\n\t\tsetIsSearchActive($ctrl, false);\n\t}\n\n\tfunction isSearchStringEmpty ($ctrl) {\n\n\t\treturn $ctrl.searchOptions.search.string === '';\n\t}\n\n\tfunction setIsSearchActive ($ctrl, isSearchActive) {\n\n\t\t$ctrl.searchOptions.isSearchActive = isSearchActive;\n\t\t$ctrl.searchOptions.showMobileSearch = isSearchActive;\n\n\t}\n\n\tfunction setSearchString ($ctrl, newSearchString) {\n\n\t\t$ctrl.searchOptions.search.string = newSearchString;\n\n\t\ttriggerOnSearchChange($ctrl);\n\t}\n\n\tfunction toggleIsSearchActive ($ctrl) {\n\n\t\tconst isSearchActiveNew = getIsSearchActive($ctrl) ? false : true;\n\n\t\tsetIsSearchActive($ctrl, isSearchActiveNew);\n\n\t\tif (getIsSearchActive($ctrl)) {\n\t\t\tfocusOnSearchString($ctrl);\n\t\t}\n\t}\n\n\tfunction triggerOnSearchChange ($ctrl) {\n\n\t\tif (angular.isFunction($ctrl.searchOptions.onSearchChange)) {\n\t\t\t$ctrl.searchOptions.onSearchChange($ctrl.searchOptions);\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tchangeFilter,\n\t\tclearOrHideSearch,\n\t\thideSearch,\n\t\ttoggleIsSearchActive\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('secondaryLoadingMask', {\n\tbindings: {\n\t\tloadingMaskOptions: '<'\n\t},\n\ttemplateUrl: 'components/secondary-loading-mask/secondary-loading-mask.component.html'\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('settingsBreadcrumb', {\n\tbindings: {\n\t\t'agencyProfileId': '<',\n\t\t'stateName': '<'\n\t},\n\tcontroller: 'settingsBreadcrumbCtrl',\n\ttemplateUrl: 'components/settings-breadcrumb/settings-breadcrumb.component.html'\n})\n.controller('settingsBreadcrumbCtrl', ['$scope', '$state', function ($scope, $state) {\n\n\tconst $ctrl = this;\n\n\n\tfunction getNgHrefForState (state) {\n\n\t\treturn $state.href(state, { agencyProfileId: $ctrl.agencyProfileId });\n\t}\n\n\tfunction getNgHrefForStateName (state) {\n\n\t\tif (state.indexOf('bureau') > -1) {\n\t\t\treturn getNgHrefForState('settings.bureau.overview');\n\t\t}\n\n\t\tif (state.indexOf('group') > -1) {\n\t\t\treturn getNgHrefForState('settings.group.overview');\n\t\t}\n\n\t\treturn getNgHrefForState('settings.company.overview');\n\t}\n\n\tfunction $onInit () {\n\n\t\t$ctrl.ngHref = getNgHrefForStateName($ctrl.stateName);\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('setupBlock', {\n\ttemplateUrl: 'components/setup-block/setup-block.component.html',\n\tbindings: {\n\t\tsbGraphic: '@?',\n\t\tsbTheme: '@?'\n\t},\n\ttransclude: {\n\t\t'header': '?sbHeader',\n\t\t'content': '?sbContent',\n\t}\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n\t.component('simpleWorkPattern', {\n\t\tbindings: {\n\t\t\tonUpdate: '=',\n\t\t\tworkPattern: '=',\n\t\t},\n\t\tcontroller: 'simpleWorkPatternCtrl',\n\t\ttemplateUrl: 'components/simple-work-pattern/simple-work-pattern.component.html',\n\t})\n\t.controller('simpleWorkPatternCtrl', ['SIMPLE_WORK_PATTERN_DAYS',\n\t\tfunction (SIMPLE_WORK_PATTERN_DAYS) {\n\t\t\tconst $ctrl = this;\n\n\t\t\tfunction onUpdateDay(day){\n\t\t\t\t$ctrl.onUpdate(day);\n\t\t\t}\n\n\t\t\tangular.extend($ctrl, {\n\t\t\t\tworkPattern:$ctrl.workPattern,\n\t\t\t\tonUpdate: $ctrl.onUpdate,\n\t\t\t\tonUpdateDay:onUpdateDay,\n\t\t\t\tSIMPLE_WORK_PATTERN_DAYS\n\t\t\t});\n\t\t}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\t.component('simpleWorkPatternSummary', {\n\t\tbindings: {\n\t\t\tworkPattern: '=',\n\t\t},\n\t\tcontroller: 'simpleWorkPatternSummaryCtrl',\n\t\ttemplateUrl: 'components/simple-work-pattern-summary/simple-work-pattern-summary.component.html',\n\t})\n\t.controller('simpleWorkPatternSummaryCtrl', ['SIMPLE_WORK_PATTERN_DAYS',\n\t\tfunction (SIMPLE_WORK_PATTERN_DAYS) {\n\n\t\t\tconst $ctrl = this;\n\n\n\t\t\tangular.extend($ctrl, {\n\t\t\t\tSIMPLE_WORK_PATTERN_DAYS\n\t\t\t});\n\n\t\t}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('slideInForm', function () {\n\n\treturn {\n\t\tcontroller: 'slideInFormCtrl',\n\t\ttemplateUrl: 'components/slide-in-form/slideInFormComponent.html',\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tformOptions: '='\n\t\t},\n\t\ttransclude: true\n\t};\n})\n.controller('slideInFormCtrl', [\n\t'$rootScope',\n\t'$scope',\n\t'$timeout',\n\t'supportService',\n\t'utilities',\n\t'USER_ROLES',\nfunction (\n\t$rootScope,\n\t$scope,\n\t$timeout,\n\tsupportService,\n\tutilities,\n\tUSER_ROLES\n) {\n\n\tvar agencyProfileId \t= $scope.formOptions.agencyProfileId;\n\tvar animationSpeed \t\t= $scope.formOptions.animationSpeed; // Seconds\n\tvar callback \t\t\t= $scope.formOptions.callback;\n\tvar formKey \t\t\t= $scope.formOptions.formKey;\n\tvar formTitle \t\t\t= $scope.formOptions.title;\n\tvar userId \t\t\t\t= $scope.formOptions.userId;\n\n\tfunction closeForm (callbackPropertiesObj) {\n\n\t\t$scope.formOptions.isClosing = true;\n\n\t\t// Signal close to application. It just needs to know so it can deal with the overlay.\n\t\t$rootScope.$broadcast('close-slide-in-form');\n\n\t\t$timeout(() => {\n\n\t\t\t$scope.formOptions.isOpen = false;\n\t\t\t$scope.formOptions.isClosing = false;\n\n\t\t\tinitCallback(callbackPropertiesObj);\n\n\t\t\tif ($scope.formOptions.isWizard) {\n\t\t\t\t$scope.formOptions.closeWizard();\n\t\t\t}\n\n\t\t\tif (angular.isFunction($scope.formOptions.onClose)) {\n\t\t\t\t$scope.formOptions.onClose();\n\t\t\t}\n\n\t\t}, animationSpeed * 1000);\n\t}\n\n\tfunction closeWithoutCallback () {\n\n\t\t$scope.formOptions.isClosing = true;\n\n\t\t// Signal close to application. It just needs to know so it can deal with the overlay.\n\t\t$rootScope.$broadcast('close-slide-in-form');\n\n\t\t$timeout(function () {\n\n\t\t\t$scope.formOptions.isOpen = false;\n\t\t\t$scope.formOptions.isClosing = false;\n\n\t\t}, animationSpeed * 1000);\n\t}\n\n\tfunction init () {\n\n\t\t// Ignore wizards as the form key is retrieved from the server\n\t\tif ($scope.formOptions.isWizard) {\n\t\t\treturn;\n\t\t}\n\n\t\tif (!$scope.formOptions.formKey) {\n\t\t\tconsole.error('A form key is required to open a slide in form.');\n\t\t\treturn;\n\t\t}\n\n\t\tsetupFormTitle();\n\t}\n\n\tfunction initCallback (callbackPropertiesObj) {\n\n\t\t// Only fire callback if an update has occured & a callback is supplied\n\t\tif ($scope.formOptions.initCallbackOnClose) {\n\n\t\t\tforceCallback(callbackPropertiesObj);\n\t\t}\n\t}\n\n\tfunction forceCallback (callbackPropertiesObj) {\n\n\t\tif (angular.isDefined(callback)) {\n\n\t\t\t// Validate to make sure the callback is a function\n\t\t\tif (!utilities.isFunction(callback)) {\n\t\t\t\tconsole.warn('Callback provided is not a function');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\t// Callback can provide a custom callback object\n\t\t\tif (angular.isDefined(callbackPropertiesObj)) {\n\t\t\t\tcallback(callbackPropertiesObj);\n\t\t\t}\n\t\t\telse {\n\t\t\t\tcallback(userId, agencyProfileId);\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction openForm () {\n\n\t\t$scope.formOptions.isOpen = true;\n\t}\n\n\tfunction openInlineHelpAndSupport () {\n\n\t\tconst tags = supportService.getHelpAndSupportTagsForSlideInForm(formKey);\n\n\t\t// If no tags defined, this will go to the help and support home page\n\t\t$rootScope.$broadcast('open-help-and-support-panel', { tags });\n\t}\n\n\tfunction openNewSlideInForm (formOptions) {\n\n\t\t// Close form and open new, notifying new form open operation of the intention to retain an existing overlay\n\t\tcloseForm();\n\n\t\t$timeout(() => {\n\t\t\t$rootScope.$broadcast('open-slide-in-form', formOptions);\n\t\t}, animationSpeed * 1000);\n\t}\n\n\tfunction setupFormTitle () {\n\n\t\t// Add default title if not provided\n\t\tformTitle = formTitle ? formTitle : formKey.replace(/-/g, ' ');\n\n\t\t$scope.formOptions.title = formTitle;\n\t}\n\n\tinit();\n\n\tangular.extend($scope.formOptions, {\n\t\tcloseForm,\n\t\tcloseWithoutCallback,\n\t\tforceCallback,\n\t\topenForm,\n\t\topenInlineHelpAndSupport,\n\t\topenNewSlideInForm\n\t});\n\n\tangular.extend($scope, {\n\t\tUSER_ROLES\n\t});\n}]);\n\n'use strict';\n\n/**\n * @ngdoc function\n * @name statusDirective\n * @description\n * Directive that displays an object that shows a state\n */\n\nangular.module('paycircleApp')\n.directive('statusDirective', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/state/stateComponent.html',\n\t\treplace:true,\n\t\tscope: {\n\t\t\tstep: '=',\n\t\t\tstepName: '@',\n\t\t\tactive: '=',\n\t\t\tfinished: '='\n\t\t}\n\t};\n});\n\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('submissionLogs', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tonResetPeriod: '&?',\n\t\tp11dbSubmissionId: '',\n\t\tpayPeriodId: '<',\n\t\tsubmissionLogEntries: '=?',\n\t\tsubmissionLogType: '<',\n\t\tsupplementaryPaymentId: ''\n\t},\n\tcontroller: 'submissionLogsCtrl',\n\ttemplateUrl: 'components/submission-logs/submission-logs.component.html',\n\ttransclude: {\n\t\t'submissionLogsDismissedCopy': 'submissionLogsDismissedCopy',\n\t}\n})\n.controller('submissionLogsCtrl', [\n\t'base',\n\t'reportData',\n\t'RTI_SUBMISSION_REPORT_TYPE_BITWISE',\n\t'SUBMISSION_LOG_TYPE',\n\tfunction (\n\t\tbase,\n\t\treportData,\n\t\tRTI_SUBMISSION_REPORT_TYPE_BITWISE,\n\t\tSUBMISSION_LOG_TYPE\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst COMPONENT_STATES = {\n\t\terror: 'error',\n\t\tloading: 'loading',\n\t\tready: 'ready'\n\t};\n\n\tconst SUBMISSION_DISMISS_STATES = {\n\t\tconfirm: 'confirm',\n\t\tloading: 'loading'\n\t};\n\n\tfunction $onInit () {\n\n\t\tsetComponentState(COMPONENT_STATES.loading);\n\n\t\tif (angular.isUndefined($ctrl.submissionLogType)) {\n\t\t\tonError('Missing SubmissionLogType');\n\t\t\treturn;\n\t\t}\n\n\t\tif (angular.isUndefined($ctrl.agencyProfileId)) {\n\t\t\tonError('Missing AgencyProfileID');\n\t\t\treturn;\n\t\t}\n\n\t\tif (angular.isUndefined($ctrl.payPeriodId)) {\n\t\t\tonError('Missing PayPeriodID');\n\t\t\treturn;\n\t\t}\n\n\t\tgetSubmissionLogServiceForSubmissionLogType()\n\t\t\t.then(loadComponentFromSubmissionLogs)\n\t\t\t.catch(onError);\n\t}\n\n\tfunction getSubmissionLogServiceForSubmissionLogType () {\n\n\t\tconst includeDismissed = false;\n\t\tconst latestAttemptsOnly = true;\n\n\t\tswitch ($ctrl.submissionLogType) {\n\n\t\t\t// CIS Suffered\n\t\t\tcase SUBMISSION_LOG_TYPE.cisSuffered:\n\t\t\t\treturn base.getSubmissionLogsForEPSSubmission(\n\t\t\t\t\t$ctrl.agencyProfileId,\n\t\t\t\t\t$ctrl.payPeriodId,\n\t\t\t\t\tincludeDismissed,\n\t\t\t\t\tlatestAttemptsOnly\n\t\t\t\t);\n\n\t\t\t// P11D(b) Submissions\n\t\t\tcase SUBMISSION_LOG_TYPE.p11dbSubmission:\n\n\t\t\t\tif (angular.isUndefined($ctrl.p11dbSubmissionId)) {\n\t\t\t\t\tonError('Missing P11DBSubmissionID');\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\treturn base.getSubmissionLogsForP11DbSubmission(\n\t\t\t\t\t$ctrl.agencyProfileId,\n\t\t\t\t\t$ctrl.payPeriodId,\n\t\t\t\t\t$ctrl.p11dbSubmissionId,\n\t\t\t\t\tincludeDismissed,\n\t\t\t\t\tlatestAttemptsOnly\n\t\t\t\t);\n\n\t\t\t// Supplementary Payments\n\t\t\tcase SUBMISSION_LOG_TYPE.supplementaryPayRun:\n\n\t\t\t\tif (angular.isUndefined($ctrl.supplementaryPaymentId)) {\n\t\t\t\t\tonError('Missing SupplementaryPaymentID');\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\treturn base.getSubmissionLogsForSupplementaryPayment(\n\t\t\t\t\t$ctrl.agencyProfileId,\n\t\t\t\t\t$ctrl.payPeriodId,\n\t\t\t\t\t$ctrl.supplementaryPaymentId,\n\t\t\t\t\tincludeDismissed,\n\t\t\t\t\tlatestAttemptsOnly\n\t\t\t\t);\n\n\t\t\t// Pay Period\n\t\t\tcase SUBMISSION_LOG_TYPE.payPeriod:\n\n\t\t\t\treturn base.getSubmissionLogsForAgencyPayPeriod(\n\t\t\t\t\t$ctrl.agencyProfileId,\n\t\t\t\t\t$ctrl.payPeriodId,\n\t\t\t\t\tincludeDismissed,\n\t\t\t\t\tlatestAttemptsOnly\n\t\t\t\t);\n\t\t}\n\t}\n\n\tfunction loadComponentFromSubmissionLogs (submissionLogsArr) {\n\n\t\tconst p11dbSubmissionId = $ctrl.p11dbSubmissionId;\n\t\tconst supplementaryPaymentId = $ctrl.supplementaryPaymentId;\n\t\tconst rtiSubmissionReportTypeBitwiseTotal = Object.values(RTI_SUBMISSION_REPORT_TYPE_BITWISE).reduce((a, b) => a + b, 0);\n\t\tconst rtiSubmissionReportType = $ctrl.submissionLogType === SUBMISSION_LOG_TYPE.cisSuffered ? RTI_SUBMISSION_REPORT_TYPE_BITWISE.eps : rtiSubmissionReportTypeBitwiseTotal;\n\n\t\treportData.getRTISubmissionReports($ctrl.agencyProfileId, $ctrl.payPeriodId, supplementaryPaymentId, p11dbSubmissionId, rtiSubmissionReportType)\n\t\t\t.then(submissionFilesArr => {\n\n\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\tlogIndex: 0,\n\t\t\t\t\tresetState: null,\n\t\t\t\t\tsubmissionFiles: submissionFilesArr,\n\t\t\t\t\tsubmissionLogEntries: getSubmissionLogEntriesFromSubmissionLogs(submissionLogsArr)\n\t\t\t\t});\n\n\t\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tfunction decorateSubmissionLogEntry (submissionLogEntryObj, submissionLogObj) {\n\n\t\t// Attach SubmissionLog to SubmissionLogEntry to use in the header\n\t\tangular.extend(submissionLogEntryObj, {\n\t\t\tdismissState: null,\n\t\t\tSubmissionLog: submissionLogObj\n\t\t});\n\t}\n\n\tfunction getSubmissionLogEntriesFromSubmissionLogs (submissionLogsArr) {\n\n\t\tconst submissionLogEntriesArr = [];\n\n\t\t// Merge all SubmissionLogEntries into one array\n\t\tfor (let submissionLogObj of submissionLogsArr) {\n\n\t\t\tfor (let submissionLogEntryObj of submissionLogObj.SubmissionLogEntries) {\n\n\t\t\t\tdecorateSubmissionLogEntry(submissionLogEntryObj, submissionLogObj);\n\n\t\t\t\tsubmissionLogEntriesArr.push(submissionLogEntryObj);\n\t\t\t}\n\t\t}\n\n\t\treturn submissionLogEntriesArr;\n\t}\n\n\tfunction onError (error) {\n\t\tsetComponentState(COMPONENT_STATES.error);\n\t\tthrow new Error(error);\n\t}\n\n\tfunction onLogIndexChange ($ctrl) {\n\n\t\tfor (let submissionLogEntryObj of $ctrl.submissionLogEntries) {\n\t\t\tsubmissionLogEntryObj.dismissState = null;\n\t\t}\n\t}\n\n\tfunction onResetPeriodSubmit ($ctrl) {\n\n\t\t$ctrl.resetState = 'saving';\n\n\t\t$ctrl.onResetPeriod();\n\t}\n\n\tfunction setComponentState (newState) {\n\t\t$ctrl.componentState = newState;\n\t}\n\n\tfunction setCurrentLogEntryDismissState ($ctrl, newState) {\n\t\t$ctrl.submissionLogEntries[$ctrl.logIndex].dismissState = newState;\n\t}\n\n\tfunction updateSubmissionLogEntryDismissed ($ctrl) {\n\n\t\tsetCurrentLogEntryDismissState($ctrl, SUBMISSION_DISMISS_STATES.loading);\n\n\t\tbase.updateSubmissionLogEntryDismissed($ctrl.agencyProfileId, $ctrl.submissionLogEntries[$ctrl.logIndex].SubmissionLogEntryID)\n\t\t\t.then(() => {\n\n\t\t\t\t// Remove from array\n\t\t\t\t$ctrl.submissionLogEntries.splice($ctrl.logIndex, 1);\n\n\t\t\t\t// Reset index\n\t\t\t\t$ctrl.logIndex = 0;\n\t\t\t})\n\t\t\t.catch(onError);\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tonLogIndexChange,\n\t\tonResetPeriodSubmit,\n\t\tsetCurrentLogEntryDismissState,\n\t\tupdateSubmissionLogEntryDismissed,\n\n\t\tCOMPONENT_STATES,\n\t\tSUBMISSION_DISMISS_STATES\n\t});\n\n}])\n.filter('submissionLogTypeLabel', [\n\t'SUBMISSION_LOG_ENTRY_TYPES',\n\tfunction (\n\t\tSUBMISSION_LOG_ENTRY_TYPES\n\t) {\n\n\treturn (submissionLogType) => {\n\n\t\tswitch (submissionLogType) {\n\t\t\tcase SUBMISSION_LOG_ENTRY_TYPES.fps:\n\t\t\t\treturn 'FPS';\n\t\t\tcase SUBMISSION_LOG_ENTRY_TYPES.eps:\n\t\t\t\treturn 'EPS';\n\t\t\tcase SUBMISSION_LOG_ENTRY_TYPES.cis300:\n\t\t\t\treturn 'CIS300';\n\t\t\tcase SUBMISSION_LOG_ENTRY_TYPES.cisVerify:\n\t\t\t\treturn 'CISVerify';\n\t\t\tcase SUBMISSION_LOG_ENTRY_TYPES.eyu:\n\t\t\t\treturn 'EYU';\n\t\t\tcase SUBMISSION_LOG_ENTRY_TYPES.p11db:\n\t\t\t\treturn 'P11D(b)';\n\t\t}\n\t};\n\n}]);\n\n'use strict';\n\n/**\n * @ngdoc function\n * @name submitButton\n * @description\n * Directive that handles the submitButton\n */\n\nangular.module('paycircleApp')\n.directive('submitButton', [\n\t'$timeout',\n\tfunction (\n\t\t$timeout\n\t) {\n\n\treturn {\n\t\tcontroller: 'submitButtonCtrl',\n\t\ttemplateUrl: 'components/submit-button/submitButton.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tdataPageState: '',\n\t\t\tdisplayText: '<',\n\t\t\tdisableButton: '<',\n\t\t\tstate: '<',\n\t\t\tbuttonId: '@?',\n\t\t\tbuttonTheme: '<',\n buttonDemoId: '@?',\n\t\t\tisPrimaryAction: '<',\n\t\t\ticon: '@?',\n\t\t\ticonPosition: '@?'\n\t\t},\n\t\tlink: function ($scope, $element) {\n\n\t\t\t$timeout(() => {\n\t\t\t\t$element.css({ \n\t\t\t\t\tminWidth: $element[0].offsetWidth + 'px'\n\t\t\t\t});\n\t\t\t});\n\t }\n\t};\n}])\n.controller('submitButtonCtrl', [\n\t'$scope',\n\tfunction (\n\t\t$scope\n\t) {\n\n\t$scope.buttonId = $scope.buttonId !== undefined ? $scope.buttonId : 'button-primary';\n\t$scope.buttonTheme = $scope.buttonTheme && $scope.buttonTheme !== undefined ? $scope.buttonTheme : 'tertiary';\n\t$scope.dataPageState = $scope.dataPageState !== undefined ? $scope.dataPageState : 'ready';\n\t$scope.displayText = $scope.displayText && $scope.displayText !== undefined ? $scope.displayText : 'Save';\n\t$scope.isPrimaryAction = $scope.isPrimaryAction !== undefined ? $scope.isPrimaryAction : true;\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('supportArticle', {\n\n\tcontroller: 'supportArticleComponentCtrl',\n\tbindings: {\n\t\tarticle: '=',\n\t\tcategoryId: '',\n\t\tisInline: '',\n\t\tshowLinkToFullPage: ''\n\t},\n\ttemplateUrl: 'components/support-article/support-article.component.html',\n\n})\n.controller('supportArticleComponentCtrl', [\n\t'$rootScope',\n\t'$sce',\n\t'$state',\n\t'$window',\n\t'supportService',\n\tfunction (\n\t\t$rootScope,\n\t\t$sce,\n\t\t$state,\n\t\t$window,\n\t\tsupportService\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst IS_DATE_INCLUDED = true;\n\n\t$ctrl.$onInit = function () {\n\t\tangular.extend($ctrl, {\n\t\t\tarticleKey: $ctrl.article.slug,\n\t\t\tarticleTitle: $ctrl.article.title,\n\t\t\tarticleContent: $ctrl.article.content,\n\t\t\tisInline: angular.isDefined($ctrl.isInline) ? $ctrl.isInline : true,\n\t\t\tmetaTags: supportService.getMetaTagsForSupportArticle($ctrl.article, IS_DATE_INCLUDED),\n\t\t\tshowLinkToFullPage: angular.isDefined($ctrl.showLinkToFullPage) ? $ctrl.showLinkToFullPage : false\n\t\t});\n\n\t\t// Add video src if available (this could be undefined or null ot '' ... ?)\n\t\tif ($ctrl.article.supportVideoId) {\n\t\t\t$ctrl.articleVideoSrc = $sce.trustAsResourceUrl(`https://www.youtube.com/embed/${$ctrl.article.supportVideoId}?autoplay=1&rel=0`);\n\t\t\t$ctrl.articleHasVideo = true;\n\t\t}\n\t\telse {\n\t\t\t$ctrl.articleHasVideo = false;\n\t\t}\n\t};\n\n\tfunction openFullPage (ctrlObj) {\n\t\tconst helpAndSupportFullPageUrl = $state.href('help-and-support-full-page', {\n\t\t\tagencyProfileId: $rootScope.currentCompany.AgencyProfileID,\n\t\t\tarticleKey: ctrlObj.articleKey,\n\t\t\tcategoryId: ctrlObj.categoryId\n\t\t});\n\t\t$window.open(helpAndSupportFullPageUrl,'_blank');\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$sce,\n\t\topenFullPage\n\t});\n\n}]);\n\nangular.module('paycircleApp')\n\n.component('supportArticleCard', {\n\tbindings: {\n\t\tonClick: '&?',\n\t\tsupportArticle: '=',\n\t\tviewMode: '' // SUPPORT_ARTICLE_CARD_VIEW_MODES\n\t},\n\tcontroller: 'supportArticleCardCtrl',\n\ttemplateUrl: 'components/support-article-card/support-article-card.component.html'\n})\n\n/*\n\tView modes for support article card. Constant values match CSS classes\n\tnarrow: single column\n\twide: single row\n\tresponsive: switched between narrow and wide based on screen width\n */\n.constant('SUPPORT_ARTICLE_CARD_VIEW_MODES', {\n\thorizontal: 'is-horizontal',\n\tresponsive: 'is-responsive',\n\tvertical: 'is-vertical'\n})\n\n.controller('supportArticleCardCtrl', [\n\t'supportService',\n\t'SUPPORT_ARTICLE_CARD_VIEW_MODES',\n\tfunction (\n\t\tsupportService,\n\t\tSUPPORT_ARTICLE_CARD_VIEW_MODES\n\t) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\t// Default to responsive view mode\n\t\t$ctrl.viewMode = angular.isDefined($ctrl.viewMode) ? $ctrl.viewMode : SUPPORT_ARTICLE_CARD_VIEW_MODES.responsive;\n\n\t\t// Get metatags for article\n\t\t$ctrl.metaTags = supportService.getMetaTagsForSupportArticle($ctrl.supportArticle);\n\n\t\t// Set controller properties for image display (video thumbnail or 'no video' placeholder)\n\t\tif ($ctrl.supportArticle.supportVideoId) { // No 'isUndefined' as WordPress likes to return empty strings\n\t\t\t// If there's a video, always show the thumbnail image\n\t\t\t$ctrl.hasVideo = true;\n\t\t\t// Video thumbnail image courtesy of YouTube™\n\t\t\t$ctrl.supportArticle.supportArticleThumbnailUrl = `https://img.youtube.com/vi/${$ctrl.supportArticle.supportVideoId}/0.jpg`;\n\t\t}\n\t\telse {\n\t\t\t// Show placeholder image if article image not specified\n\t\t\t$ctrl.hasVideo = false;\n\t\t\t// Generic placeholder image if none specified\n\t\t\tif (!$ctrl.supportArticle.supportArticleThumbnailUrl) {\n\t\t\t\t$ctrl.supportArticle.supportArticleThumbnailUrl = 'images/help/article.jpg';\n\t\t\t}\n\t\t}\n\t};\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n// This is a directive since support from the link function is required.\n.directive('supportArticleContent', [\n\t'$compile',\n\tfunction (\n\t\t$compile\n\t) {\n\n\treturn {\n\t\tlink: ($scope, element, _attrs, _controller, transclude) => {\n\n\t\t\t/*\n\t\t\t\tStep 1. Replace support article references in content with support article link components.\n\t\t\t\t-------------------------------------------------------------------------------------------\n\t\t\t */\n\n\t\t\t// Group 1 = article slug, Group 2 = link text for display\n\t\t\tconst supportArticleLinkRegExp = /]+>(.*)<\\/a>/gim;\n\n\t\t\t// Get the article HTML and replace any article links with support-article-link components, for inline viewing.\n\t\t\tconst supportLinkHtmlRegExpReplace = '$2';\n\t\t\tlet articleContentHtml = $scope.articleContent.replace(supportArticleLinkRegExp, supportLinkHtmlRegExpReplace);\n\n\t\t\t/*\n\t\t\t\tStep 2. Enclose support article images with support article image components.\n\t\t\t\t-----------------------------------------------------------------------------\n\t\t\t */\n\n\t\t\t/* Group 1 = image src, Group 2 = image alt text @pbtodo - srcset and sizes attributes exist for some images,\n\t\t\t and the order of these; e.g. what happens if alt comes before src with the regexp below */\n\t\t\tconst supportArticleImageRegExp = //gim;\n\n\t\t\t// Get the article HTML and replace any image with support-article-image components, which support image focus\n\t\t\tconst supportImageRegExpReplace = '';\n\t\t\tarticleContentHtml = $scope.articleContent.replace(supportArticleImageRegExp, supportImageRegExpReplace);\n\n\t\t\t// Set the content html of the component element and compile it, so support article link components are properly created and active\n\t\t\telement.html(articleContentHtml);\n\t\t\t$compile(element.contents())($scope);\n\t\t\ttransclude($scope.$parent, function (compiled) {\n\t\t\t\telement.children().append(compiled);\n\t\t\t});\n\t\t},\n\t\tscope: {\n\t\t\tarticleContent: '<',\n\t\t\tarticleKey: '=?'\n\t\t},\n\t\ttemplateUrl: 'components/support-article-content/support-article-content.component.html',\n\t\ttransclude: true\n\t};\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('supportCategories', {\n\n\tbindings: {\n\t\tcategories: '=',\n\t\tonCategoryChange: '&?',\n\t\tonArticleSelect: '&?',\n\t\tcategoryId: '=?'\n\t},\n\tcontroller: 'supportCategoriesCtrl',\n\ttemplateUrl: 'components/support-categories/support-categories.component.html'\n})\n\n.controller('supportCategoriesCtrl', [\n\t'$filter',\n\t'supportData',\n\tfunction (\n\t\t$filter,\n\t\tsupportData\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst COMPONENT_STATES = {\n\t\tarticlesLoading: 'articles-loading',\n\t\terror: 'error',\n\t\tready: 'ready'\n\t};\n\n\t$ctrl.$onInit = () => {\n\n\t\tsetComponentState(COMPONENT_STATES.articlesLoading);\n\n\t\t// Default to top level Help & Support\n\t\t$ctrl.categoryId = angular.isDefined($ctrl.categoryId) ? $ctrl.categoryId : 0;\n\n\t\tchangeCategory($ctrl.categoryId, $ctrl);\n\t};\n\n\tfunction changeCategory (categoryId, ctrlObj) {\n\n\t\tconst category = getCategory(ctrlObj, categoryId);\n\t\tctrlObj.categoryId = categoryId;\n\t\tctrlObj.currentCategoryName = category.name;\n\n\t\t// Update filtered categories and breadcrumb\n\t\tctrlObj.filteredCategories = $filter('filter')(ctrlObj.categories, { parentId: categoryId });\n\t\tsetBreadcrumb(categoryId, ctrlObj);\n\n\t\t// Get articles for this category\n\t\tsetComponentState(COMPONENT_STATES.articlesLoading);\n\n\t\t// If we're at the top, uber level, get a list of the latest articles. Otherwise get the articles for the current category\n\t\tlet getArticles;\n\t\tif (categoryId === 0) {\n\t\t\tgetArticles = supportData.getLatestPosts('support');\n\t\t}\n\t\telse {\n\t\t\tgetArticles = supportData.getSupportArticlesForCategory(category.slug);\n\t\t}\n\t\tgetArticles.then(supportArticlesArr => {\n\t\t\tctrlObj.supportArticles = supportArticlesArr;\n\t\t\t// If we're at the top, uber level, get the latest articles for display\n\t\t\tsetComponentState(COMPONENT_STATES.ready);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction getCategory (ctrlObj, categoryId) {\n\t\treturn ctrlObj.categories.find(category => category.id === categoryId);\n\t}\n\n\tfunction onArticleClick (ctrlObj, articleObj) {\n\t\tif (angular.isFunction(ctrlObj.onArticleSelect)) {\n\t\t\t$ctrl.onArticleSelect()(articleObj);\n\t\t}\n\t}\n\n\tfunction onCategoryClick (ctrlObj, categoryObj) {\n\t\tchangeCategory(categoryObj.id, ctrlObj);\n\t\tif (angular.isFunction(ctrlObj.onCategoryChange)) {\n\t\t\tctrlObj.onCategoryChange()(categoryObj);\n\t\t}\n\t}\n\n\tfunction onError (error) {\n\t\tconsole.error(error);\n\t\tsetComponentState(COMPONENT_STATES.error);\n\t}\n\n\tfunction setBreadcrumb (categoryId, ctrlObj, breadcrumb) {\n\t\tif (!angular.isDefined(breadcrumb)) {\n\t\t\tbreadcrumb = [];\n\t\t}\n\t\tlet category = ctrlObj.categories.find(category => category.id === categoryId);\n\n\t\t// Add to breadcrumb to start of array and move up the 'tree'\n\t\tbreadcrumb.unshift(category);\n\t\tif (category.id !== 0) {\n\t\t\tsetBreadcrumb(category.parentId, ctrlObj, breadcrumb);\n\t\t}\n\t\telse {\n\t\t\tctrlObj.breadcrumb = breadcrumb;\n\t\t}\n\t}\n\n\tfunction setComponentState (componentState) {\n\t\t$ctrl.componentState = componentState;\n\t}\n\n\tangular.extend($ctrl, {\n\n\t\t// Constants\n\t\tCOMPONENT_STATES,\n\n\t\t// Functions\n\t\tchangeCategory,\n\t\tonArticleClick,\n\t\tonCategoryClick\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('supportCategoryCard', {\n\n\tbindings: {\n\t\tcategory: '=',\n\t\tonCategoryClick: '&?'\n\t},\n\tcontroller: 'supportCategoryCardCtrl',\n\ttemplateUrl: 'components/support-category-card/support-category-card.component.html'\n})\n\n.controller('supportCategoryCardCtrl', [\n\tfunction (\n\t) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\t// Do some special stuff for headline categories\n\t\tif ($ctrl.category.isHeadline) {\n\t\t\t$ctrl.isHeadline = true;\n\t\t\t$ctrl.headlineImageSrc = `images/help/${$ctrl.category.headlineImageName}.png`;\n\t\t\t$ctrl.itemDescription = $ctrl.category.articleCount === 1 ? $ctrl.category.headlineItemSingular : $ctrl.category.headlineItemPlural;\n\t\t}\n\t\telse {\n\t\t\t$ctrl.isHeadline = false;\n\t\t\t/* Why not 'ng-pluralize' in the template? Because these descriptions could come (above) from WordPress, and in that case\n\t\t\t we don't know what the pluralised form is. To keep a tidy template, we're doing the same for the default description */\n\t\t\t$ctrl.itemDescription = $ctrl.category.articleCount === 1 ? 'article' : 'articles';\n\t\t}\n\t};\n\n\tfunction onClick (ctrlObj) {\n\n\t\tif (angular.isFunction(ctrlObj.onCategoryClick)) {\n\t\t\tctrlObj.onCategoryClick();\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\tonClick\n\t});\n}]);\nangular.module('paycircleApp')\n\n.component('supportGuideCard', {\n\tbindings: {\n\t\tonClick: '&?',\n\t\tsupportGuide: '='\n\t},\n\tcontroller: 'supportGuideCardCtrl',\n\ttemplateUrl: 'components/support-guide-card/support-guide-card.component.html'\n})\n\n.controller('supportGuideCardCtrl', [\n\t'supportService',\n\tfunction (\n\t\tsupportService\n\t) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\t// Get metatags for article\n\t\t$ctrl.metaTags = supportService.getMetaTagsForPost($ctrl.supportGuide);\n\t};\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('switchAccountCard', {\n\tbindings: {\n\t\taccount: '<',\n\t\tonClick: '&?'\n\t},\n\tcontroller: 'switchAccountCardCtrl',\n\ttemplateUrl: 'components/switch-account-card/switch-account-card.component.html',\n})\n\n.controller('switchAccountCardCtrl', [\n\tfunction (\n\t) {\n\t\tconst $ctrl = this;\n\n\t\tfunction $onInit () {\n\t\t\t$ctrl.isClickable = angular.isFunction($ctrl.onClick);\n\t\t}\n\n\t\tfunction onClickInternal () {\n\t\t\t$ctrl.onClick();\n\t\t}\n\n\t\tangular.extend($ctrl, {\n\t\t\t$onInit,\n\t\t\tonClickInternal\n\t\t});\n\t}\n]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('switchAccountItem', {\n\tbindings: {\n\t\taccount: '<',\n\t},\n\tcontroller: 'switchAccountItemCtrl',\n\ttemplateUrl: 'components/switch-account-item/switch-account-item.component.html',\n})\n.controller('switchAccountItemCtrl', [\n\tfunction () \n\t{ \n\t\tconst $ctrl = this;\n\n\t\tfunction $onInit () {\n\t\t}\n\n\t\tangular.extend($ctrl, {\n\t\t\t$onInit\n\t\t});\n\n\t}]);\n'use strict';\n\nangular.module('paycircleApp')\n.directive('paymentCard', function () {\n\n\treturn {\n\t\tcontroller: 'paymentCardCtrl',\n\t\ttemplateUrl: 'components/payment-card/paymentCardComponent.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tagencyProfileId: '@',\n\t\t\tisCisPayment: '',\n\t\t\tpayment: '<',\n\t\t\tuserId: '@'\n\t\t}\n\t};\n})\n\n.controller('paymentCardCtrl', [\n\t'USER_DOCUMENT_IDS',\n\t'$scope',\nfunction (\n\tUSER_DOCUMENT_IDS,\n\t$scope\n) {\n\n\tfunction init () {\n\t\tlet payslipSuffix = '';\n\t\tswitch ($scope.payment.UserDocumentTypeID) {\n\t\t\tcase USER_DOCUMENT_IDS.supplementaryPayStatement: {\n\t\t\t\tpayslipSuffix = ' - Supplementary';\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tcase USER_DOCUMENT_IDS.combinedSupplementaryRunPayStatement: {\n\t\t\t\tpayslipSuffix = ' - Combined';\n\t\t\t\tbreak;\n\t\t\t}\n\t\t\tdefault:\n\t\t}\n\t\t$scope.payslipSuffix = payslipSuffix;\n\t}\n\n\tinit();\n\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('paymentInfoCard', {\n\tbindings: {\n\t\tcardIcon: '@',\n\t\tcardId: '@',\n\t\tcardLayout: '@', // 'card' || 'row'\n\t\tcardTheme: '@',\n\t\tcardTitle: '@',\n\t\tcardValue: '='\n\t},\n\ttemplateUrl: 'components/payment-info-card/payment-info-card.component.html',\n\ttransclude: true\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('paymentSchedule', {\n bindings: {\n\t\tcanEditOccupationalPaymentValues: '',\n\t\toccupationalPaymentLabel: '@?',\n\t\tschedulePaymentLabel: '@?',\n schedulePayments: '<',\n\t\tshowOccupationalPolicyPaymentValues: '',\n statutoryPayCalculationMethod: '='\n },\n controller: 'paymentScheduleCtrl',\n templateUrl: 'components/payment-schedule/payment-schedule.component.html'\n})\n.controller('paymentScheduleCtrl',\n[\n\t'statutoryPaymentService',\n\t'STATUTORY_PAY_CALCULATION_METHODS',\nfunction PaymentScheduleCtrl (\n\tstatutoryPaymentService,\n\tSTATUTORY_PAY_CALCULATION_METHODS\n) {\n\n const $ctrl = this;\n\n $ctrl.$onInit = () => {\n\n\t\t// Defaults\n\t\t$ctrl.canEditOccupationalPaymentValues = angular.isDefined($ctrl.canEditOccupationalPaymentValues) ? $ctrl.canEditOccupationalPaymentValues : false,\n\t\t$ctrl.occupationalPaymentLabel = angular.isDefined($ctrl.occupationalPaymentLabel) ? $ctrl.occupationPaymentLabel : 'OCC';\n\t\t$ctrl.schedulePaymentLabel = angular.isDefined($ctrl.schedulePaymentLabel) ? $ctrl.schedulePaymentLabel : 'AMOUNT';\n\t\t$ctrl.showOccupationalPolicyPaymentValues = angular.isDefined($ctrl.showOccupationalPolicyPaymentValues) ? $ctrl.showOccupationalPolicyPaymentValues : false;\n\n if ($ctrl.schedulePayments) {\n $ctrl.schedulePayments = $ctrl.schedulePayments.filter(statutoryPaymentService.filterCancelledPayments);\n $ctrl.schedulePayments = statutoryPaymentService.transformStatutoryPaymentsForCalculationMethod($ctrl.schedulePayments, $ctrl.statutoryPayCalculationMethod);\n }\n };\n\n function recalculatePaymentGroup (paymentGroup) {\n\n \tlet newTotalOccupationalPaymentAmount = 0;\n\n\t\tpaymentGroup.payments.forEach(paymentObj => {\n\t\t\tnewTotalOccupationalPaymentAmount += paymentObj.OccupationalPaymentAmount;\n\t\t});\n\n\t\tpaymentGroup.totalOccupationalPaymentAmount = newTotalOccupationalPaymentAmount;\n }\n\n angular.extend($ctrl, {\n STATUTORY_PAY_CALCULATION_METHODS: STATUTORY_PAY_CALCULATION_METHODS,\n recalculatePaymentGroup\n });\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('peopleHrUpdatesCard', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tbulkItems: '=',\n\t\t// Set to true to hide the action dropdown\n\t\thideAction: '',\n\t\t// Set to true to hide the warning icon\n\t\thideWarningIcon: '',\n\t\t// The data as an object\n\t\teventData: '<',\n\t\t// The index of the card in the list\n\t\tindex: '<',\n\t\t// Set to true to hide the effect when the user hovers over the card\n\t\tremoveHoverEffect: '',\n\t\t// This function will reload the peopleHR updates page\n\t\treloadPeopleHrUpdatesPage: '&'\n\t},\n\tcontroller: 'peopleHrUpdatesCardCtrl',\n\ttemplateUrl: 'components/people-hr-updates-card/people-hr-updates-card.component.html'\n})\n.controller('peopleHrUpdatesCardCtrl', [\n\t'$rootScope',\n\t'bulkService',\n\t'PEOPLE_HR_UPDATES_EVENT_STATUS',\n\t'PEOPLE_HR_UPDATES',\n\tfunction(\n\t\t$rootScope,\n\t\tbulkService,\n\t\tPEOPLE_HR_UPDATES_EVENT_STATUS,\n\t\tPEOPLE_HR_UPDATES\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tcardTheme: getCardClass(),\n\t\t\teventText: getEventText(),\n\t\t\ticon: getIconClass(),\n\t\t\tisStatusNew: $ctrl.eventData.Status === PEOPLE_HR_UPDATES_EVENT_STATUS.new \n\t\t});\n\t}\n\n\tfunction getCardClass () {\n\t\tswitch($ctrl.eventData.Status) {\n\t\t\tcase PEOPLE_HR_UPDATES_EVENT_STATUS.complete:\n\t\t\t\treturn 'is-secondary';\n\n\t\t\tcase PEOPLE_HR_UPDATES_EVENT_STATUS.new:\n\t\t\t\treturn 'is-primary';\n\n\t\t\tdefault:\n\t\t\t\treturn 'is-quinary';\n\t\t}\n\t}\n\n\tfunction getEventText () {\n\t\tconst timeISO = $ctrl.eventData.Status === PEOPLE_HR_UPDATES_EVENT_STATUS.new ?\n\t\t\t$ctrl.eventData.ReceivedTimeISO : $ctrl.eventData.HandledTimeISO;\n\n\t\treturn PEOPLE_HR_UPDATES.buildEventText(\n\t\t\t$ctrl.eventData.Name, $ctrl.eventData.Status, timeISO);\n\t}\n\n\tfunction getIconClass () {\n\t\tswitch($ctrl.eventData.Status) {\n\t\t\tcase PEOPLE_HR_UPDATES_EVENT_STATUS.complete:\n\t\t\t\treturn 'icon-tick';\n\n\t\t\tcase PEOPLE_HR_UPDATES_EVENT_STATUS.new:\n\t\t\t\treturn 'icon-loading';\n\n\t\t\tdefault:\n\t\t\t\treturn 'icon-cross';\n\t\t}\n\t}\n\n\tfunction onCheckboxToggle () {\n\n\t\t$ctrl.bulkItems = bulkService.updateBulkItemTotals($ctrl.bulkItems);\n\t}\n\n\tfunction openEventDataForm (agencyProfileId, messageId) {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tformKey: 'people-hr-updates-data',\n\t\t\tmessageId,\n\t\t\tcallback: $ctrl.reloadPeopleHrUpdatesPage\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tonCheckboxToggle,\n\t\topenEventDataForm,\n\n\t\tPEOPLE_HR_UPDATES_EVENT_STATUS\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('settingsOverviewCard', {\n\tbindings: {\n\t\tsettingsOverviewGroup: '<'\n\t},\n\ttemplateUrl: 'components/settings-overview-card/settings-overview-card.component.html'\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('settingsRow', {\n\tbindings: {\n\t\tngModel: '=',\n\t\tonUpdate: '&?',\n\t\tsrDisabled: '',\n\t\tsrFieldName: '@',\n\t\tsrIcon: '@',\n\t\tsrLabel: '@',\n\t\tsrTheme: '@'\n\t},\n\tcontroller: 'settingsRowCtrl',\n\trequire: 'ngModel',\n\ttemplateUrl: 'components/settings-row/settings-row.component.html',\n\ttransclude: {\n\t\t'label' : '?srLabel',\n\t\t'description': '?srDescription',\n\t\t'content': '?srContent'\n\t}\n})\n.controller('settingsRowCtrl', ['$timeout', '$transclude', function ($timeout, $transclude) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tif (angular.isUndefined($ctrl.srFieldName)) {\n\t\t\tthrow('settings-row.component.js: No field name defined (sr-field-name)');\n\t\t}\n\n\t\tangular.extend($ctrl, {\n\t\t\thasContent: $transclude.isSlotFilled('content'),\n\t\t\thasIcon: !angular.isUndefined($ctrl.srIcon),\n\t\t\tsrDisabled: angular.isUndefined($ctrl.srDisabled) ? false : $ctrl.srDisabled,\n\t\t\tsrTheme: angular.isUndefined($ctrl.srTheme) ? 'primary' : $ctrl.srTheme\n\t\t});\n\t}\n\n\tfunction toggleSetting ($ctrl) {\n\n\t\tif ($ctrl.srDisabled) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Optional callback\n\t\tif (angular.isFunction($ctrl.onUpdate)) {\n\t\t\t$timeout(() => {\n\t\t\t\t$ctrl.onUpdate();\n\t\t\t});\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\ttoggleSetting\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('shadePicker', {\n\tbindings: {\n\t\tspModel: '=',\n\t\tspOnChange: '&?'\n\t},\n\tcontroller: 'shadePickerCtrl',\n\ttemplateUrl: 'components/shade-picker/shade-picker.component.html',\n})\n.controller('shadePickerCtrl', ['$timeout', 'CUSTOMISATION_SHADES',\n\tfunction ($timeout, CUSTOMISATION_SHADES) {\n\n\tconst $ctrl = this;\n\n\tfunction onChange () {\n\n\t\t$timeout(() => {\n\t\t\tif (angular.isFunction($ctrl.spOnChange)) {\n\t\t\t\t$ctrl.spOnChange();\n\t\t\t}\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\tCUSTOMISATION_SHADES,\n\n\t\tonChange\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('sideBarItem', {\n\tbindings: {\n\t\theading: '<',\n\t\ticon: '@?',\n\t\tid: '@?',\n\t\tisActive: '',\n\t\tisDisabled: '',\n\t\tonClick: '&',\n\t\ttheme: '@?',\n\t\tvariant: '@?'\n\t},\n\tcontroller: 'sideBarItemCtrl',\n\ttemplateUrl: 'components/side-bar-item/side-bar-item.component.html',\n\ttransclude: {\n\t\t'description': '?sideBarItemDescription'\n\t}\n})\n.controller('sideBarItemCtrl', [\n\t'$transclude',\n\tfunction (\n\t\t$transclude\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\t\t$ctrl.hasDescription = $transclude.isSlotFilled('description');\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('signedAmountTag', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/signed-amount-tag/signedAmountTagComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tamount: '='\n\t\t}\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('sortCode', {\n\tbindings: {\n\t\tsortCode: '=',\n\t\tsortCodeDisabled: '',\n\t\tsortCodeName: '@',\n\t\tsortCodeRequired: ''\n\t},\n\tcontroller: 'sortCodeCtrl',\n\ttemplateUrl: 'components/sort-code/sort-code.component.html',\n})\n.controller('sortCodeCtrl', function () {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tsortCodeDisabled: angular.isDefined($ctrl.sortCodeDisabled) ? $ctrl.sortCodeDisabled : false,\n\t\t\tsortCodeRequired: angular.isDefined($ctrl.sortCodeRequired) ? $ctrl.sortCodeRequired : true\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('splitPane', {\n\ttemplateUrl: 'components/split-pane/split-pane.component.html',\n\tcontroller: 'splitPaneController',\n\tbindings: {\n\t\tspLeftTheme: '@?',\n\t\tspTemplate: '@?'\n\t},\n\ttransclude: {\n\t\t'spLeft': 'spLeft'\n\t},\n})\n.controller('splitPaneController', [function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\tangular.extend($ctrl, {\n\t\t\tspTemplate: $ctrl.spTemplate ? $ctrl.spTemplate : 'customisation'\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('statPaymentSummaryCard', {\n\tbindings: {\n\t\tcanEdit: '<',\n\t\tonEdit: '&',\n\t\tstatPayment: '<',\n\t\tstatPaymentType: '@'\n\t},\n\tcontroller: 'statPaymentSummaryCardCtrl',\n\ttemplateUrl: 'components/stat-payment-summary-card/stat-payment-summary-card.component.html'\n})\n.controller('statPaymentSummaryCardCtrl', [\n\t'SCHEDULE_UPDATE_REASONS',\n\tfunction (\n\t\tSCHEDULE_UPDATE_REASONS\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tcanEdit: angular.isDefined($ctrl.canEdit) ? $ctrl.canEdit : true,\n\t\t\ticon: getIconForStatPaymentType($ctrl),\n\t\t\tisGrossPaymentsVisible: false\n\t\t});\n\t}\n\n\tfunction getIconForStatPaymentType ($ctrl) {\n\n\t\tswitch ($ctrl.statPaymentType) {\n\n\t\t\tcase 'paternity':\n\t\t\tcase 'maternity':\n\t\t\t\treturn 'maternity';\n\t\t\tcase 'sickness':\n\t\t\t\treturn 'sick';\n\t\t\tdefault:\n\t\t\t\treturn 'question-mark';\n\t\t}\n\t}\n\n\tfunction toggleShowGrossPayments ($ctrl) {\n\n\t\t$ctrl.isGrossPaymentsVisible = !$ctrl.isGrossPaymentsVisible;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tSCHEDULE_UPDATE_REASONS,\n\t\ttoggleShowGrossPayments\n\t});\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('summaryActionCard', {\n\tbindings: {\n\t\tcanEdit: '',\n\t\tonEdit: '&?',\n\t\tsummaryCardDescription: '<',\n\t\tsummaryCardTitle: '<'\n\t},\n\tcontroller: 'summaryActionCardCtrl',\n\ttemplateUrl: 'components/summary-action-card/summary-action-card.component.html'\n})\n.controller('summaryActionCardCtrl', [function () {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\t$ctrl.canEdit = getCanEdit($ctrl);\n\t}\n\n\tfunction getCanEdit ($ctrl) {\n\n\t\t// Function needs to be provided\n\t\tif (!angular.isFunction($ctrl.onEdit)) {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn angular.isDefined($ctrl.canEdit) ? $ctrl.canEdit : false;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('supportArticleLink', {\n\n\tbindings: {\n\t\tarticleKey: '=',\n\t\tposition: '@',\t\t// 'left' (default), 'right'. This is the side of the page the support article will appear.\n\t\ttheme: '@?',\n\t\tunderline: ''\n\t},\n\tcontroller: 'supportArticleLinkCtrl',\n\ttemplateUrl: 'components/support-article-link/support-article-link.component.html',\n\ttransclude: true,\n\n})\n\n.controller('supportArticleLinkCtrl', [\n\t'$rootScope',\n\tfunction (\n\t\t$rootScope\n\t) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\t\t$ctrl.theme = angular.isDefined($ctrl.theme) ? $ctrl.theme : '';\n\t\t$ctrl.underline = angular.isDefined($ctrl.underline) ? $ctrl.underline : false;\n\t};\n\n\tfunction openSupportArticle (articleKey) {\n\n\t\t$rootScope.openHelpAndSupportPanel({\n\t\t\tarticleKey,\n\t\t\t// Default to left if not specified\n\t\t\tposition: angular.isDefined($ctrl.position) && $ctrl.position === 'right' ? 'right' : 'left'\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\topenSupportArticle\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('supportArticleImage', {\n\n\tbindings: {\n\t\tarticleImageSrc: '@',\n\t\tarticleImageAlt: '@'\n\t},\n\tcontroller: 'supportArticleImageCtrl',\n\ttemplateUrl: 'components/support-article-image/support-article-image.component.html'\n})\n\n.controller('supportArticleImageCtrl', [\n\t'$rootScope',\n\tfunction (\n\t\t$rootScope\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction showImageFocus (ctrlObj) {\n\t\tctrlObj.showImageFocusButton = false;\n\t\t$rootScope.$broadcast('open-image-focus', {\n\t\t\tsrc: ctrlObj.articleImageSrc,\n\t\t\talt: ctrlObj.articleImageAlt\n\t\t});\n\t}\n\n\tfunction onImageMouseOut (ctrlObj) {\n\t\tctrlObj.showImageFocusButton = false;\n\t}\n\n\tfunction onImageMouseOver (ctrlObj) {\n\t\tctrlObj.showImageFocusButton = true;\n\t}\n\n\tangular.extend($ctrl, {\n\t\tshowImageFocusButton: false,\n\n\t\tonImageMouseOut,\n\t\tonImageMouseOver,\n\t\tshowImageFocus\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('supplementaryPaymentCard', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tonDelete: '&',\n\t\tonUpdate: '&',\n\t\tpayment: '<',\n\t\ttheme: '@'\n\t},\n\tcontroller: 'supplementaryPaymentCardComponentCtrl',\n\ttemplateUrl: 'components/supplementary-payment-card/supplementary-payment-card.component.html'\n})\n.controller('supplementaryPaymentCardComponentCtrl', [\n\t'$filter',\n\t'$rootScope',\n\t'payrollData',\n\t'supplementaryPayRunService',\n\t'utilities',\n\t'SUBMISSION_STATES',\n\tfunction (\n\t\t$filter,\n\t\t$rootScope,\n\t\tpayrollData,\n\t\tsupplementaryPayRunService,\n\t\tutilities,\n\t\tSUBMISSION_STATES\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\t$ctrl.payment = supplementaryPayRunService.decorateSupplementaryPaymentObj($ctrl.payment);\n\t}\n\n\tfunction editSupplementaryPayment (supplementaryPaymentObj, isDownloadReports) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tcontinue: true,\n\t\t\tformKey: 'supplementary-pay-run',\n\t\t\tisDownloadReports: isDownloadReports,\n\t\t\tsupplementaryPaymentId: supplementaryPaymentObj.SupplementaryPaymentID,\n\t\t\ttitle: isDownloadReports ? 'Download reports' : null,\n\t\t\tuserIds: supplementaryPaymentObj.distinctUserIds\n\t\t});\n\t}\n\n\tfunction hideMenus (supplementaryPaymentObj) {\n\n\t\tsupplementaryPaymentObj.showMenu = false;\n\t}\n\n\tfunction openDeleteSupplementaryPaymentForm (supplementaryPaymentObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onDelete,\n\t\t\tformKey: 'delete-supplementary-pay-run', // The specific form key (form to open)\n\t\t\tsupplementaryPayment: supplementaryPaymentObj\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\tSUBMISSION_STATES,\n\t\t$onInit,\n\t\teditSupplementaryPayment,\n\t\thideMenus,\n\t\topenDeleteSupplementaryPaymentForm\n\t});\n\n}]);\n\nangular.module('paycircleApp')\n\n/*\n\ttabBarDef - tab bar definition as returned by the tab service. Very much required.\n\ttabBarCounts - set of counts for specific tabs. Optional. Should be of the form: {\n\t\t'tabKey1': {\t\t.. tabKey is the id of the tab as defined in TAB_KEYS\n\t\t\tcount,\t\t\t.. count is the count to show alongside the tab. -1 indicates 'loading' (a spinny thingy is shown)\n\t\t\ttheme\t\t\t.. theme to use for the counter.\n\t\t}\n\t\t'tabKey2': { \t\t.. etc., and so on, and so forth, etc.\n\t}\n\tisCentered - true to centre the set of tabs in their container when the available width is greater than the width of the tab base.\n\t\t\t\t Tabs are left-aligned, usually. Current period isn't. Optional, defaults to false.\n\tonTabSelected - callback for tab selection. The id of the selected tab is passed to the callback. Optional.\n */\n.component('tabBar', {\n bindings: {\n\t\tisCentered: '',\n\t\ttabBarDef: '<',\n\t\ttabBarCounts: '<',\n\t\tonTabSelected: '&?'\n },\n templateUrl: 'components/tab-bar/tab-bar.component.html',\n controller: 'tabBarCtrl'\n})\n\n.controller('tabBarCtrl', ['$state', '$timeout', '$window', 'config', function ($state, $timeout, $window, config) {\n\n const $ctrl = this;\n\n\t/* Spacing between tabs. This is used for calculation (showCurrentTab below) and to set the margin\n\t as an inline style in the template, just so it's defined in a single place. */\n\tconst TAB_MARGIN = 25;\n\n\t$ctrl.$onDestroy = () => {\n\t\t// Remove window event listener\n\t\tangular.element($window).off('resize');\n\t};\n\n $ctrl.$onInit = () => {\n\n\t\tdecorateTabItems($ctrl.tabBarDef);\n\n\t\tangular.extend($ctrl, {\n\t\t\tisCentred: angular.isDefined($ctrl.isCentred) ? $ctrl.isCentered : false,\n\t\t\tisOpen: false,\n\t\t\ttabWidthsCalculated: false,\n\t\t\tvisibleTabs: $ctrl.tabBarDef.tabs\n\t\t});\n\n\t\t// On window resize, check which tabs needs to be hidden in the overflow dropdown. Also hide it, in case its visible.\n angular.element($window).on('resize', () => {\n\t\t\thideOverflow($ctrl);\n showCurrentTab($ctrl);\n\t\t});\n\t};\n\n\t// After init and post-link, determine the current tab according to the current state and show it.\n\t$ctrl.$postLink = () => {\n\n\t\t// Set current tab based on state\n\t\tconst currentStateName = $state.current.name;\n\t\tlet currentTab;\n\t\tfor (let i = 0, ii = $ctrl.tabBarDef.tabs.length; i < ii; i++) {\n\t\t\tconst tab = $ctrl.tabBarDef.tabs[i];\n\t\t\t// sref could legitimately be an empty string, so no angular.isDefined here\n\t\t\tif (tab.sref && tab.sref.startsWith(currentStateName)) {\n\t\t\t\tcurrentTab = tab;\n\t\t\t\t// Found it, just get out.\n\t\t\t\tbreak;\n\t\t\t}\n\t\t}\n\t\t/* If current tab couldn't be established, default to the first. Some tabs won't have an sref, in which case the above\n\t\t won't find the current tab. Because if truth be told, there really isn't one. */\n\t\tif (angular.isUndefined(currentTab)) {\n\t\t\tcurrentTab = $ctrl.tabBarDef.tabs[0];\n\t\t}\n\n\t\tshowCurrentTab($ctrl, currentTab);\n\t};\n\n\tfunction calculateTabWidths (ctrlObj) {\n\t\t// One-time only calculation of tab widths to save getElementById calls and time\n\t\tif (!ctrlObj.tabWidthsCalculated) {\n\t\t\tctrlObj.tabBarDef.tabs.forEach(tab => {\n\t\t\t\t// Include the tab margin as part of the overall tab width\n\t\t\t\ttab.width = document.getElementById(tab.id).clientWidth + TAB_MARGIN;\n\t\t\t});\n\t\t\tctrlObj.tabWidthsCalculated = true;\n\t\t}\n\t}\n\n function decorateTabItems (tabBarDef) {\n\t\t// Generate a 'hasCount' flag for convenience if there are counts\n\t\tif (angular.isDefined($ctrl.tabBarCounts)) {\n\t\t\ttabBarDef.tabs.forEach((tab) => {\n\t\t\t\ttab.hasCount = angular.isDefined($ctrl.tabBarCounts[tab.id]);\n\t\t\t });\n\t\t}\n }\n\n\tfunction hideOverflow (ctrlObj) {\n\t\tctrlObj.showOverflow = false;\n\t}\n\n\t/* Make sure the current tab is always visible, hiding others as necessary. If tabObj is specified,\n\t set that to the current tab and show that. */\n\tfunction showCurrentTab (ctrlObj, tabObj) {\n\n\t\t// Set current tab if specified\n\t\tif (angular.isDefined(tabObj)) {\n\t\t\tctrlObj.currentTab = tabObj;\n\t\t}\n\n\t\t$timeout(() => {\n\t\t\t// If window has reached mobile size, drop back to mobile version\n\t\t\tif ($window.innerWidth < config.screenPixelMaxWidths.phone) {\n\t\t\t\t// All tabs visible, set to mobile view\n\t\t\t\tangular.extend(ctrlObj, {\n\t\t\t\t\thasOverflow: false,\n\t\t\t\t\tmobileView: true,\n\t\t\t\t\tvisibleTabs: ctrlObj.tabBarDef.tabs\n\t\t\t\t});\n\t\t\t}\n\t\t\telse {\n\t\t\t\t/* Normal view. Ensure the specified tab is visible at the end of the tab bar. Tabs that don't fit need to be\n\t\t\t\t stuffed into overflow; this can include tabs at the start and / or at the end. As long as the\n\t\t\t\t specified tab can be seen and all options are available either on-screen or in the overflow.\n\t\t\t\t Do this in a timeout so angular does its digest thing afterwards, since when invoked by an event\n\t\t\t\t that won't happen otherwise. Also ensures everything's in place for determining widths when\n\t\t\t\t called from postLink. */\n\t\t\t \tctrlObj.mobileView = false;\n\n\t\t\t\t// Ensure tab widths are calculated. (This won't do anything if they've already been calculated).\n\t\t\t\tcalculateTabWidths(ctrlObj);\n\n\t\t\t\t/* Determine overall width of tab bar. This has to happen every time since the window may\n\t\t\t\thave been resized. */\n\t\t\t\tconst tabBarContainer = document.getElementById(ctrlObj.tabBarDef.id);\n\t\t\t\tconst tabBarContainerWidth = tabBarContainer.clientWidth;\n\n\t\t\t\t/* Go through tabs and check which can be displayed in the available width, and which need to\n\t\t\t\tbe bunged into the overflow menu. Start with a little bit of width so tab overflow doesn't\n\t\t\t\thappen too early, and to take into account the space taken by the overflow menu button */\n\t\t\t\tlet visibleTabs = [];\n\t\t\t\tlet overflowTabs = [];\n\t\t\t\tlet overflow = false;\n\t\t\t\tlet tabsWidth = TAB_MARGIN;\n\n\t\t\t\tctrlObj.tabBarDef.tabs.forEach(tab => {\n\n\t\t\t\t\t// Add calculated tab width for the current tab\n\t\t\t\t\ttabsWidth += tab.width;\n\n\t\t\t\t\t// If available width has been used up, start adding to overflow\n\t\t\t\t\tif (tabsWidth > tabBarContainerWidth) {\n\t\t\t\t\t\toverflow = true;\n\t\t\t\t\t}\n\n\t\t\t\t\t/* If we're at the tab that needs to be shown, but we've gone beyone the available width,\n\t\t\t\t\tsome at the front need to go into overflow */\n\t\t\t\t\tif (tab === ctrlObj.currentTab && overflow) {\n\n\t\t\t\t\t\t// This tab *has* to be visible\n\t\t\t\t\t\tvisibleTabs.push(tab);\n\n\t\t\t\t\t\t/* Remove a number of tabs at the start to accomodate the one that needs to be shown.\n\t\t\t\t\t\tCreate a new array for them so they can be inserted back in the correct order */\n\t\t\t\t\t\tlet tabsToMoveToOverflow = [];\n\t\t\t\t\t\tfor (let i = 0, ii = ctrlObj.tabBarDef.tabs.length; i < ii; i++) {\n\t\t\t\t\t\t\t// Move tab from visible to overflow list\n\t\t\t\t\t\t\ttabsToMoveToOverflow.push(visibleTabs.shift());\n\t\t\t\t\t\t\t// Adjust the tabs width accordingly\n\t\t\t\t\t\t\ttabsWidth -= ctrlObj.tabBarDef.tabs[i].width;\n\t\t\t\t\t\t\t// Enough space now?\n\t\t\t\t\t\t\tif (tabsWidth <= tabBarContainerWidth) {\n\t\t\t\t\t\t\t\t// Yeah. Add the tabs to move to overflow in the correct order and get out\n\t\t\t\t\t\t\t\toverflowTabs.unshift(...tabsToMoveToOverflow);\n\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\t// Add the tab to visible part of tab bar, or overflow area, depending on overflow flag\n\t\t\t\t\t\tif (!overflow) {\n\t\t\t\t\t\t\tvisibleTabs.push(tab);\n\t\t\t\t\t\t}\n\t\t\t\t\t\telse {\n\t\t\t\t\t\t\toverflowTabs.push(tab);\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t});\n\n\t\t\t\tangular.extend(ctrlObj, {\n\t\t\t\t\thasOverflow: overflowTabs.length !== 0,\n\t\t\t\t\toverflowTabs,\n\t\t\t\t\tvisibleTabs\n\t\t\t\t});\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction overflowTabSelected (ctrlObj, tabObj) {\n\t\t// Set and show selected tab and hide the overflow menu\n\t\tshowCurrentTab(ctrlObj, tabObj);\n\t\tctrlObj.showOverflow = false;\n\n\t\t// Delegate to tab selected\n\t\ttabSelected(ctrlObj, tabObj);\n\t}\n\n\tfunction tabSelected (ctrlObj, tabObj) {\n\t\t// Set current tab\n\t\tctrlObj.currentTab = tabObj;\n\t\t// Close mobile menu.\n\t\tctrlObj.isOpen = false;\n\n\t\t// Invoke tab selected function if defined\n\t\tif (angular.isDefined(ctrlObj.onTabSelected)) {\n\t\t\tctrlObj.onTabSelected()(tabObj.id);\n\t\t}\n\t}\n\n function toggleOverflow (ctrlObj) {\n ctrlObj.showOverflow = !ctrlObj.showOverflow;\n }\n\n angular.extend($ctrl, {\n\t\tTAB_MARGIN,\n\n\t\thideOverflow,\n\t\toverflowTabSelected,\n\t\ttabSelected,\n toggleOverflow\n });\n}])\n\n// A little directive to reduce repetition in the tab-bar component template. For various reasons this is repeated 4 times.\n.directive('tabBarCounter', function () {\n\treturn {\n\t\trestrict: 'E',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tcount: '=',\n\t\t\ttheme: '=',\n\t\t\tisCurrent: '='\n\t\t},\n\t\ttemplate: `\n\t\t \n\t\t\t\t {{count | nineMax}}\n\t\t\t\t `\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('taskCard', {\n\tbindings: {\n\t\ttaskIcon: '@?',\n\t\ttaskId: '@?',\n\t\ttaskTheme: '@?'\n\t},\n\tcontroller: 'taskCardCtrl',\n\ttemplateUrl: 'components/task-card/task-card.component.html',\n\ttransclude: {\n\t\t'action': '?taskAction',\n\t\t'title': '?taskTitle',\n\t\t'description': 'taskDescription',\n\t\t'footer': '?taskFooter'\n\t}\n})\n.controller('taskCardCtrl', ['$transclude', function ($transclude) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\t\tangular.extend($ctrl, {\n\t\t\thasFooter: $transclude.isSlotFilled('footer'),\n\t\t\thasIcon: angular.isDefined($ctrl.taskIcon)\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('taskItem', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/task-item/taskItemComponent.html',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\ttiText: '@?',\n\t\t\ttiRequired: '=?',\n\t\t\ttiIsComplete: '=?'\n\t\t}\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('taxInfoFormFields', {\n\n\tbindings: {\n\t\tallowNiCategoryEdit: '',\n\t\tisDisabled: '',\n\t\tniCategoryLetters: '<',\n\t\tshowNiCategory: '',\n\t\ttaxInfo: '<',\n\t\trequired: ''\n\t},\n\tcontroller: 'taxInfoFormFieldsCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/tax-info-form-fields/tax-info-form-fields.component.html'\n})\n\n.controller('taxInfoFormFieldsCtrl', [\n\t'TAX_CODES',\n\t'TAX_CODES_FIXED',\nfunction (\n\tTAX_CODES,\n\tTAX_CODES_FIXED\n) {\n\n\tconst $ctrl = this;\n\n\tfunction decorateTaxInfo (taxInfoObj) {\n\n\t\tlet taxCode = taxInfoObj.TaxCode;\n\t\ttaxInfoObj.isTaxCodeScottish \t= false;\n\t\ttaxInfoObj.taxCodeLetter \t\t= '';\n\t\ttaxInfoObj.taxCodeNumber \t\t= '';\n\n\t\tif (taxCode) {\n\n\t\t\t/* Check first letter of tax code for special types. If it starts with 'S', it's Scottish.\n\t\t\t If it starts with 'C', it's Welsh. Cymru, or whatever they call it. */\n\t\t\tconst taxCodeLetter = taxCode.charAt(0);\n\t\t\tswitch (taxCodeLetter) {\n\t\t\t\tcase 'S':\n\t\t\t\t\ttaxInfoObj.isTaxCodeScottish = true;\n\t\t\t\t\ttaxCode = taxCode.substr(1);\n\t\t\t\t\tbreak;\n\t\t\t\tcase 'C':\n\t\t\t\t\ttaxInfoObj.isTaxCodeWelsh = true;\n\t\t\t\t\ttaxCode = taxCode.substr(1);\n\t\t\t}\n\n\t\t\t// Tax code number is the bit of the tax code minus the last character\n\t\t\tconst taxCodeNumber = taxCode.slice(0, -1);\n\t\t\tconst taxCodeLastCharacter \t= taxCode.substr(taxCode.length - 1);\n\n\t\t\t// Is this a 'K' tax code ...\n\t\t\tif (taxCode.charAt(0) === 'K') {\n\t\t\t\t// It is ...\n\t\t\t\ttaxInfoObj.taxCodeLetter = 'K';\n\t\t\t\ttaxInfoObj.taxCodeNumber = taxCode.substr(1);\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// It isn't ...\n\n\t\t\t\t// Non fixed tax code\n\t\t\t\tif (TAX_CODES_FIXED.indexOf(taxCode) === -1) {\n\t\t\t\t\ttaxInfoObj.taxCodeLetter = taxCodeLastCharacter;\n\t\t\t\t\ttaxInfoObj.taxCodeNumber = taxCodeNumber;\n\t\t\t\t}\n\t\t\t\t// Fixed tax code\n\t\t\t\telse {\n\t\t\t\t\ttaxInfoObj.taxCodeLetter = taxCode;\n\t\t\t\t\ttaxInfoObj.taxCodeNumber = '';\n\t\t\t\t}\n\t\t\t}\n\n\t\t}\n\t\telse {\n\t\t\t// No tax code - default to L\n\t\t\tif (taxCode === '') {\n\t\t\t\ttaxInfoObj.taxCodeLetter = 'L';\n\t\t\t\ttaxInfoObj.taxCodeNumber = '';\n\t\t\t}\n\t\t}\n\t}\n\n\t$ctrl.$onInit = () => {\n\n\t\t// Defaults\n\t\t$ctrl.allowNiCategoryEdit = !!$ctrl.allowNiCategoryEdit;\n\t\t$ctrl.isDisabled = !!$ctrl.isDisabled;\n\t\t$ctrl.required = angular.isDefined($ctrl.required) ? $ctrl.required : true;\n\t\t$ctrl.showNiCategory = angular.isDefined($ctrl.showNiCategory) ? $ctrl.showNiCategory : true;\n\n\t\t// Decoration\n\t\tdecorateTaxInfo($ctrl.taxInfo);\n\t};\n\n\tfunction updateTaxCode (taxInfoObj) {\n\n\t\tlet taxCodeNumber = taxInfoObj.taxCodeNumber;\n\t\tlet taxCodeLetter = taxInfoObj.taxCodeLetter;\n\t\tlet updatedTaxCode = '';\n\n\t\t// Scottish/Welsh tax codes\n\t\tif (taxCodeLetter !== 'NT') {\n\t\t\tif (taxInfoObj.isTaxCodeScottish) {\n\t\t\t\tupdatedTaxCode += 'S';\n\t\t\t}\n\t\t\telse if (taxInfoObj.isTaxCodeWelsh) {\n\t\t\t\tupdatedTaxCode += 'C';\n\t\t\t}\n\t\t}\n\n\t\t// K Codes (prefix)\n\t\tif (taxCodeLetter === 'K') {\n\t\t\tupdatedTaxCode += 'K';\n\t\t\tupdatedTaxCode += taxCodeNumber !== undefined ? taxCodeNumber : '';\n\t\t}\n\n\t\t// Fixed tax codes\n\t\telse if (TAX_CODES_FIXED.indexOf(taxCodeLetter) > -1) {\n\n\t\t\t// Make sure tax code number is empty\n\t\t\ttaxCodeNumber = '';\n\n\t\t\t// Append fixed tax code\n\t\t\tupdatedTaxCode += taxCodeLetter;\n\t\t}\n\n\t\t// Non fixed tax code (suffix)\n\t\telse {\n\n\t\t\tupdatedTaxCode += taxCodeNumber !== undefined ? taxCodeNumber : '';\n\t\t\tupdatedTaxCode += taxCodeLetter;\n\t\t}\n\n\t\t// NT codes\n\t\tif (taxCodeLetter === 'NT') {\n\t\t\ttaxInfoObj.isTaxCodeScottish = false;\n\t\t\ttaxInfoObj.isTaxCodeWelsh = false;\n\t\t}\n\n\t\t// Clear TaxCode if there isn't a tax code leetter\n\t\tif (!taxCodeLetter) {\n\t\t\tupdatedTaxCode = '';\n\t\t}\n\n\t\t// Update tax code\n\t\ttaxInfoObj.TaxCode = updatedTaxCode;\n\t}\n\n\tangular.extend($ctrl, {\n\t\tTAX_CODES,\n\t\tTAX_CODES_FIXED,\n\n\t\tupdateTaxCode\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n/**\n * Displays tax treatement in a list for an adjustment group entry\n */\n.component('taxTreatmentList', {\n\tbindings: {\n\t\tadjustmentGroupEntry: '='\n\t},\n\tcontrollerAs: '$ctrl',\n\ttemplateUrl: 'components/tax-treatment-list/tax-treatment-list.component.html'\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('taxInfoUpdateCard', {\n\tbindings: {\n\t\tindex: '<',\n\t\trefreshTaxUpdates: '&',\n\t\ttaxUpdate: '<'\n\t},\n\tcontroller: 'taxInfoUpdateCardCtrl',\n\ttemplateUrl: 'components/tax-info-update-card/tax-info-update-card.component.html'\n})\n.controller('taxInfoUpdateCardCtrl', [\n\t'$rootScope',\n\tfunction (\n\t\t$rootScope\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction openDeleteTaxUpdateForm (taxUpdate) {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: taxUpdate.AgencyProfileID,\n\t\t\tcallback: refreshTaxUpdates,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'delete-tax-update',\n\t\t\tinitCallbackOnClose: true,\n\t\t\ttaxUpdate,\n\t\t\tuserId: taxUpdate.UserID,\n\t\t});\n\t}\n\n\tfunction openEditTaxUpdateForm (taxUpdate) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: taxUpdate.AgencyProfileID,\n\t\t\tcallback: refreshTaxUpdates,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'add-tax-update',\n\t\t\tinitCallbackOnClose: true,\n\t\t\tisEditMode: true,\n\t\t\ttaxUpdates: [taxUpdate],\n\t\t\ttitle: 'Edit update',\n\t\t\tuserId: taxUpdate.UserID,\n\t\t});\n\t}\n\n\tfunction refreshTaxUpdates () {\n\n\t\tif (angular.isFunction($ctrl.refreshTaxUpdates)) {\n\t\t\t$ctrl.refreshTaxUpdates();\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\topenDeleteTaxUpdateForm,\n\t\topenEditTaxUpdateForm,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('taxUpdateCard', {\n\n\ttemplateUrl: 'components/tax-update-card/tax-update-card.component.html',\n\tbindings: {\n\t\ttaxUpdateLogEntry: '=',\n\t\ttheme: ''\n\t}\n});\n'use strict';\n\nangular.module('paycircleApp')\n.component('taxUpdateConfirmationCard', {\n\n\t\ttemplateUrl: 'components/tax-update-confirmation-card/tax-update-confirmation-card.component.html',\n\t\treplace: true,\n\t\trequire: '^form',\n\t\tbindings: {\n\t\t\tindex: '=',\n\t\t\tteamMemberTax: '='\n\t\t},\n\t\tcontroller: 'taxUpdateConfirmationCardController'\n})\n.controller('taxUpdateConfirmationCardController', [function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\n\t\t// To begin with, all are accepted\n\t\t$ctrl.teamMemberTax.isAccepted = true;\n\t\tupdateRejectedState($ctrl.teamMemberTax);\n\t};\n\n\tfunction updateRejectedState (teamMemberTax) {\n\n\t\t// Slight weirdness here. The 'on' state of the toggle means RejectTaxUpdate is false, 'off' means true.\n\t\tteamMemberTax.RejectTaxUpdate = !teamMemberTax.isAccepted;\n\n\t\t/* Clear out the reject reason if accepted. Just to really ensure that reject reasons aren't sent for accepted\n\t\t tax updates, even though that might be a safe thing to do. */\n\t\tif (teamMemberTax.isAccepted) {\n\t\t\tteamMemberTax.RejectReason = '';\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\tupdateRejectedState\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('teamCardBasic', {\n\tbindings: {\n\t\thasCheckbox: '',\n\t\tisNameClickable: '',\n\t\tngModel: '=?',\n\t\tonChange: '=?',\n\t\tshowEmail: '',\n\t\tshowFooter: '',\n\t\tshowIcon: '',\n\t\tteamMember: '=',\n\t\ttheme: '@?'\n\t},\n\tcontroller: 'teamCardBasicCtrl',\n\ttemplateUrl: 'components/team-card-basic/team-card-basic.component.html',\n\ttransclude: {\n\t\t'actions': '?tcActions',\n\t\t'content': '?tcContent',\n\t\t'footer': '?tcFooter',\n\t\t'icon': '?tcIcon'\n\t}\n})\n.controller('teamCardBasicCtrl', [\n\t'$transclude',\n\tfunction (\n\t\t$transclude\n\t) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\t\tangular.extend($ctrl, {\n\t\t\tisNameClickable: angular.isDefined($ctrl.isNameClickable) ? $ctrl.isNameClickable : false,\n\t\t\thasActions: $transclude.isSlotFilled('actions'),\n\t\t\thasContent: $transclude.isSlotFilled('content'),\n\t\t\thasFooter: $transclude.isSlotFilled('footer'),\n\t\t\tshowEmail: angular.isDefined($ctrl.showEmail) ? $ctrl.showEmail : true,\n\t\t\tshowIcon: angular.isDefined($ctrl.showIcon) ? $ctrl.showIcon: false\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('teamCardArchived', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/team-card-moved-payrolls/team-card-moved-payrolls.component.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tagencyProfileId: '@',\n\t\t\tindex: '<',\n\t\t\tteamMember: '=',\n\t\t\tbulkItems: '='\n\t\t},\n\t\tcontroller: 'teamCardMovedPayrollsController'\n\t};\n})\n.controller('teamCardMovedPayrollsController', ['$scope', function ($scope) {\n\n\tconst agencyProfileId = $scope.agencyProfileId;\n\tconst teamMemberObj = $scope.teamMember;\n\n\tangular.extend($scope, {\n\t\tagencyProfileId,\n\t\tteamMemberObj\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('teamCardHistory', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/team-card-history/teamCardHistory.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tagencyProfileId: '<',\n\t\t\tpayPeriod: '=',\n\t\t\tsearchBarOptions: '=?',\n\t\t\tteamMember: '=',\n\t\t\tteamMembers: ''\n\t\t},\n\t\tcontroller: 'teamCardHistoryController'\n\t};\n})\n.controller('teamCardHistoryController', ['$rootScope', '$scope', '$state', 'growl', 'teamData', function ($rootScope, $scope, $state, growl, teamData) {\n\n\tvar agencyProfileId = $scope.agencyProfileId;\n\tvar payPeriod = $scope.payPeriod;\n\tvar searchBarOptions = $scope.searchBarOptions;\n\tvar teamMember = $scope.teamMember;\n\tvar userId = $scope.teamMember.UserID;\n\n\tfunction openAdditionalPayRunForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: '',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openViewPayStatementForm (userId) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyPayPeriodId: payPeriod.PayPeriodID,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tformKey: 'pay-statement',\n\t\t\tformState: 'history',\n\t\t\tsearchBarOptions: searchBarOptions,\n\t\t\tshowContext: false,\n\t\t\tteamMembers: $scope.teamMembers,\n\t\t\ttitle: 'Pay statement',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction updateUser (userId) {\n\n\t\tteamData.getUserAgencyProfileForAgencyTeamMember(userId, agencyProfileId).then(function (teamMemberObj) {\n\n\t\t\t// Set original PayrollIDSequence to add back to team member once updated\n\t\t\t// https://www.notion.so/paycircle/Team-Payroll-ID-sort-order-becomes-incorrect-when-adding-a-change-in-current-period-e413a8f6d40f424bb321cc0198116b41#b38b16d43cd0482689ccfb36cb29af15\n\t\t\tteamMemberObj.PayrollIDSequence = $scope.teamMember.PayrollIDSequence;\n\n\t\t\t$scope.teamMember = teamMemberObj;\n\t\t})\n\t\t.catch(function () {\n\n\t\t\t$scope.pageState = 'error';\n\t\t});\n\t}\n\n\tangular.extend($scope, {\n\t\tagencyProfileId,\n\t\tteamMember,\n\t\topenAdditionalPayRunForm,\n\t\topenViewPayStatementForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('teamCardLeaver', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tindex: '<',\n\t\tteamMember: '=',\n\t\tpayPeriod: '<',\n\t\tonUpdate: '='\n\t},\n\tcontroller: 'teamCardLeaverCtrl',\n\ttemplateUrl: 'components/team-card-leaver/team-card-leaver.component.html',\n})\n.controller('teamCardLeaverCtrl', [\n\t'$rootScope',\n\t'$state',\n\t'dataTransfer',\n\t'CORRECTIONAL_SUBMISSION_TYPES',\n\tfunction (\n\t\t$rootScope,\n\t\t$state,\n\t\tdataTransfer,\n\t\tCORRECTIONAL_SUBMISSION_TYPES\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tprofileUrl: getProfileUrl($ctrl)\n\t\t});\n\t}\n\n\tfunction getProfileUrl ($ctrl) {\n\n\t\tif ($ctrl.teamMember.isArchivedLeaver) {\n\t\t\treturn $state.href('team.profile.information', {\n\t\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\t\tuserId: $ctrl.teamMember.UserID,\n\t\t\t\tarchivedEmploymentId: $ctrl.teamMember.ArchivedEmploymentID\n\t\t\t});\n\n\t\t} else {\n\t\t\treturn $state.href('team.profile.overview', {\n\t\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\t\tuserId: $ctrl.teamMember.UserID\n\t\t\t});\n\t\t}\n\t}\n\n\tfunction openDeleteTeamMemberForm ($ctrl) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tforceDelete: true,\n\t\t\tformKey: 'delete-team-member',\n\t\t\tuserId: $ctrl.teamMember.UserID\n\t\t});\n\t}\n\n\tfunction openCorrectionalSubmissionForm ($ctrl, correctionalSubmissionType) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tcorrectionalSubmissionType: correctionalSubmissionType,\n\t\t\tformKey: 'correctional-submission',\n\t\t\ttitle: correctionalSubmissionType === CORRECTIONAL_SUBMISSION_TYPES.YTDFPS ? 'Submit Earlier Year FPS' : 'Earlier year update',\n\t\t\tuserId: $ctrl.teamMember.UserID,\n\t\t\tuserIds: [$ctrl.teamMember.UserID]\n\t\t});\n\t}\n\n\tfunction openGenerateP45Form ($ctrl) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'generate-p45',\n\t\t\tuserId: $ctrl.teamMember.UserID\n\t\t});\n\t}\n\n\tfunction openLeaverMadeInErrorForm ($ctrl) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'leaver-made-in-error',\n\t\t\tuserId: $ctrl.teamMember.UserID\n\t\t});\n\t}\n\n\tfunction openUnmarkAsLeaverForm ($ctrl) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'unmark-as-leaver',\n\t\t\tprimaryButtonText: 'Unmark',\n\t\t\tuserId: $ctrl.teamMember.UserID\n\t\t});\n\t}\n\n\tfunction openPaymentAfterLeavingForm ($ctrl) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'add-a-change',\n\t\t\tincludeLeavers: true,\n\t\t\tpayPeriodId: $ctrl.payPeriod.PayPeriodID,\n\t\t\ttitle: 'Payment after leaving',\n\t\t\tuserId: $ctrl.teamMember.UserID\n\t\t});\n\t}\n\n\tfunction openRejoinLeaverForm ($ctrl) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'rejoin-leaver',\n\t\t\tuserId: $ctrl.teamMember.UserID\n\t\t});\n\t}\n\n\tfunction openUpdateLeaverStatusForm ($ctrl, forUpdate) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'update-leaver-status',\n\t\t\tforUpdate: forUpdate,\n\t\t\ttitle: forUpdate ? 'Edit leaver information' : 'Mark as leaver',\n\t\t\tuserId: $ctrl.teamMember.UserID\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tCORRECTIONAL_SUBMISSION_TYPES,\n\n\t\tdownloadFile: dataTransfer.downloadFile,\n\t\topenCorrectionalSubmissionForm,\n\t\topenDeleteTeamMemberForm,\n\t\topenGenerateP45Form,\n\t\topenLeaverMadeInErrorForm,\n\t\topenPaymentAfterLeavingForm,\n\t\topenRejoinLeaverForm,\n\t\topenUnmarkAsLeaverForm,\n\t\topenUpdateLeaverStatusForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\t.component('teamCardReversedTaxCodes', {\n\t\tbindings: {\n\t\t\tteamMember: '=',\n\t\t},\n\t\tcontroller: 'teamCardReversedTaxCodesCtrl',\n\t\ttemplateUrl: 'components/team-card-reversed-tax-codes/team-card-reversed-tax-codes.component.html',\n\t})\n\t.controller('teamCardReversedTaxCodesCtrl', [\n\t\t'$filter',\n\t\tfunction ($filter) {\n\n\t\t\tconst $ctrl = this;\n\n\t\t\t$ctrl.$onInit = () => {\n\n\t\t\t\tangular.extend($ctrl, {\n\t\t\t\t\ttaxCodeListItems: createComponentChangesArray(),\n\t\t\t\t\teffectiveDatesListItems: createEffectiveDatesArray(),\n\t\t\t\t});\n\t\t\t};\n\n\t\t\tfunction createComponentChangesArray () {\n\n\t\t\t\treturn !$ctrl.teamMember ? [] :\n\t\t\t\t\t[\n\t\t\t\t\t\t`${$ctrl.teamMember.ReversedComponentName}: ${$ctrl.teamMember.ValueBeforeAfter}`,\n\t\t\t\t\t\t`${$ctrl.teamMember.ReversedComponentName}: ${$ctrl.teamMember.HmrcValue}`,\n\t\t\t\t\t\t`${$ctrl.teamMember.ReversedComponentName}: ${$ctrl.teamMember.ValueBeforeAfter}`,\n\t\t\t\t\t];\n\t\t\t}\n\n\t\t\tfunction createEffectiveDatesArray () {\n\n\t\t\t\treturn !$ctrl.teamMember ? [] :\n\t\t\t\t\t[\n\t\t\t\t\t\t$ctrl.teamMember.ReversalRecordEffectiveDateISO ? `Effective: ${$filter('dateformat')($ctrl.teamMember.ReversalRecordEffectiveDateISO, 'numeric')}` : 'Setup status',\n\t\t\t\t\t\t$ctrl.teamMember.HmrcRecordEffectiveDateISO ? `Effective: ${$filter('dateformat')($ctrl.teamMember.HmrcRecordEffectiveDateISO, 'numeric')}` : 'Setup status',\n\t\t\t\t\t\t$ctrl.teamMember.InitialRecordEffectiveDateISO ? `Effective: ${$filter('dateformat')($ctrl.teamMember.InitialRecordEffectiveDateISO, 'numeric')}` : 'Setup status'\n\t\t\t\t\t];\n\t\t\t}\n\n\t\t}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('teamCardPayroll', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/team-card-payroll/teamCardPayroll.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tagencyProfileId: '@',\n\t\t\tcompany: '<',\n\t\t\tindex: '<',\n\t\t\tbulkItems: '=',\n\t\t\tonUpdate: '=',\n\t\t\tpayPeriod: '<',\n\t\t\tsearchBarOptions: '=?',\n\t\t\tteamMember: '='\n\t\t},\n\t\tcontroller: 'teamCardPayrollController'\n\t};\n})\n.controller('teamCardPayrollController', [\n\t'$rootScope',\n\t'$scope',\n\t'bulkService',\n\t'ADJUSTMENT_TYPES',\n\t'BUSINESS_TYPES',\n\t'FULL_SCREEN_MODAL_KEYS',\n\t'PAYMENT_TYPES',\n\t'SALARY_TYPES',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\tbulkService,\n\t\tADJUSTMENT_TYPES,\n\t\tBUSINESS_TYPES,\n\t\tFULL_SCREEN_MODAL_KEYS,\n\t\tPAYMENT_TYPES,\n\t\tSALARY_TYPES\n\t) {\n\n\tvar agencyProfileId = $scope.agencyProfileId;\n\tvar onUpdate = $scope.onUpdate;\n\tvar payPeriodObj = $scope.payPeriod;\n\tvar searchBarOptions = $scope.searchBarOptions;\n\tvar teamMember = $scope.teamMember;\n\tvar userId = $scope.teamMember.PersonalDetails.UserID;\n\tvar bulkItems = $scope.bulkItems;\n\n\tfunction decorateTeamMember (teamMemberObj) {\n\n\t\t// Is CIS company?\n\t\tteamMemberObj.isCompany = teamMemberObj.PersonalDetails.IsCISSubcontractor && (teamMemberObj.PersonalDetails.BusinessDetails.BusinessType === BUSINESS_TYPES.company || teamMemberObj.PersonalDetails.BusinessDetails.BusinessType === BUSINESS_TYPES.trust);\n\t\tteamMemberObj.loadingState = 'ready';\n\n\t\t// If there's a deemed payment adjustment available for editing, grab its ID.\n\t\tconst deemedPaymentAdjustment = teamMemberObj.Adjustments.find(adjustment => adjustment.AdjustmentDetailID === ADJUSTMENT_TYPES.deemedPayment);\n\t\tif (angular.isDefined(deemedPaymentAdjustment)) {\n\t\t\tteamMemberObj.deemedPaymentAdjustmentId = deemedPaymentAdjustment.AdjustmentID;\n\t\t}\n\n\t\treturn teamMemberObj;\n\t}\n\n\tfunction init () {\n\n\t\t$scope.teamMember = decorateTeamMember(teamMember);\n\t}\n\n function onCheckboxToggle () {\n\n\t\tbulkItems = bulkService.updateBulkItemTotals(bulkItems);\n\t}\n\n\tfunction openAddAChangeForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'add-a-change',\n\t\t\tincludeLeavers: true,\n\t\t\tpayPeriod: payPeriodObj,\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openApplyTaxRefundForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'apply-tax-refund',\n\t\t\ttitle: 'Tax refund',\n\t\t\tuserId: userId,\n\t\t\tcurrentPayPeriod: payPeriodObj\n\t\t});\n\t}\n\n\tfunction openEditDeemedPaymentForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tdeemedPaymentAdjustmentId: teamMember.deemedPaymentAdjustmentId,\n\t\t\tformKey: 'edit-deemed-payment',\n\t\t\tuserId: userId,\n\t\t\tcurrentPayPeriod: payPeriodObj\n\t\t});\n\t}\n\n\tfunction openEditPayslipNotesForm () {\n\n\t\t$rootScope.$broadcast('open-full-screen-modal', {\n\t\t\tmodalKey: FULL_SCREEN_MODAL_KEYS.payslipNotes,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tpayPeriod: payPeriodObj,\n\t\t\tsearchBarOptions: $scope.searchBarOptions,\n\t\t\tuserIds: [userId]\n\t\t});\n\t}\n\n\tfunction openFormForState (teamMemberObj) {\n\n\t\tswitch (teamMemberObj.clickedState) {\n\t\t\tcase 'salary-change':\n\t\t\t\topenSalaryChangeForm();\n\t\t\t\tbreak;\n\t\t\tdefault:\n\t\t\t\t$rootScope.paycircleMessage('Unable to open form', 'warn');\n\t\t\t\tbreak;\n\t\t}\n\t}\n\n\tfunction openUpdateLeaverStatusForm (forUpdate) {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'update-leaver-status',\n\t\t\tforUpdate: forUpdate,\n\t\t\ttitle: forUpdate ? 'Update leaver information' : 'Mark as leaver',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openPayStatementForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyPayPeriodId: payPeriodObj.PayPeriodID,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tformState: 'preview',\n\t\t\tformKey: 'pay-statement',\n\t\t\tsearchBarOptions: searchBarOptions,\n\t\t\tshowContext: false,\n\t\t\tteamMembers: $scope.bulkItems.all,\n\t\t\ttitle: 'Preview pay statement',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openPensionTeamManagePensionsForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyPayPeriodId: payPeriodObj.PayPeriodID,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tformKey: 'pension-team-manage-pensions',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openRemovePayslipNotesForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tpayPeriod: payPeriodObj,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'remove-payslip-notes',\n\t\t\tsearchBarOptions: $scope.searchBarOptions,\n\t\t\ttitle: 'Remove payslip notes',\n\t\t\tuserId: userId,\n\t\t\tuserIds: [userId]\n\t\t});\n\t}\n\n\tfunction openSalaryChangeForm () {\n\n\t\topenSlideInForm({\n\t\t\tpayPeriodId: payPeriodObj.PayPeriodID,\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tuserId: userId,\n\t\t\tformKey: 'salary-change',\n\t\t\tcontextType: 'user',\n\t\t});\n\t}\n\n\tfunction openSlideInForm (formOptionsObj) {\n\n\t\t$scope.menuShow = false;\n\t\t$rootScope.$broadcast('open-slide-in-form', formOptionsObj);\n\t}\n\n\tfunction openUpdateGrossPayForm (teamMemberObj) {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'update-gross-pay',\n\t\t\ttitle: `Update ${teamMemberObj.PersonalDetails.SalaryType === SALARY_TYPES.netPay ? 'net pay' : 'salary'} for period`,\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openViewChangesForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tcurrentPayPeriod: payPeriodObj,\n\t\t\tformKey: 'view-changes',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openViewWorkPatternForm (userId) {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'view-work-pattern',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction updateUser (callbackResponse) {\n\n\t\t// Some forms return a callback object containing a userId\n\t\tif (angular.isObject(callbackResponse)) {\n\t\t\tonUpdate(callbackResponse.userId);\n\t\t}\n\n\t\t// Default slideInForm callback response returns the userId directly\n\t\telse {\n\t\t\tonUpdate(callbackResponse);\n\t\t}\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tPAYMENT_TYPES,\n\t\tSALARY_TYPES,\n\n\t\tagencyProfileId,\n\t\tmenuShow: false,\n\t\tupdateUser,\n\t\tuserId,\n\n\t\tonCheckboxToggle,\n\t\topenAddAChangeForm,\n\t\topenApplyTaxRefundForm,\n\t\topenEditDeemedPaymentForm,\n\t\topenEditPayslipNotesForm,\n\t\topenUpdateLeaverStatusForm,\n\t\topenPayStatementForm,\n\t\topenPensionTeamManagePensionsForm,\n\t\topenRemovePayslipNotesForm,\n\t\topenUpdateGrossPayForm,\n\t\topenViewChangesForm,\n\t\topenViewWorkPatternForm,\n\t\topenFormForState\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('teamCardPension', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/team-card-pension/teamCardPension.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tteamMember: '=',\n\t\t\tagencyEmployerPensionId: '@',\n\t\t\tagencyProfileId: '@',\n\t\t\tindex: '<',\n\t\t\tisGhostPension: '<',\n\t\t\tonUpdate: '=?',\n\t\t\tpensionAdditionalPostId: '@?'\n\t\t},\n\t\tcontroller: 'teamCardPensionController'\n\t};\n})\n.controller('teamCardPensionController', ['$rootScope', '$scope', 'pensionData', 'FORM_WIZARD_KEYS',\n\tfunction ($rootScope, $scope, pensionData, FORM_WIZARD_KEYS) {\n\n\tconst agencyEmployerPensionId = $scope.agencyEmployerPensionId;\n\tconst agencyProfileId = $scope.agencyProfileId;\n\tconst onUpdate = $scope.onUpdate;\n\tconst pensionAdditionalPostId = $scope.pensionAdditionalPostId;\n\tconst userId = $scope.teamMember.UserID;\n\n\tfunction getApplicableDateByPensionState (pensionObj) {\n\n\t\tswitch (pensionObj.PensionState) {\n\n\t\t\tcase 'enrolled':\n\t\t\tcase 'joined':\n\t\t\tcase 'opted in':\n\t\t\tcase 'voluntary':\n\t\t\t\treturn pensionObj.PensionEnrolledDateISO;\n\t\t\tcase 'ceased':\n\t\t\t\treturn pensionObj.PensionCeaseDateISO;\n\t\t\tcase 'opted out':\n\t\t\t\treturn pensionObj.PensionOptOutDateISO;\n\t\t\tcase 'postponed':\n\t\t\t\treturn pensionObj.PensionPostponeDateISO;\n\t\t\tdefault:\n\t\t\t\treturn '';\n\t\t}\n\t}\n\n\tfunction openSlideInForm (formKey, refreshTeamOnCallback) {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId,\n\t\t\tagencyEmployerPensionId,\n\t\t\tcallback: refreshTeamOnCallback ? onUpdate : updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tpensionAdditionalPostId,\n\t\t\tuserId: userId,\n\t\t\tformKey: formKey\n\t\t});\n\t}\n\n\tfunction openEditTeamMemberPensionWizard () {\n\t\t$rootScope.$broadcast('open-form-wizard', {\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tshowContext: true,\n\t\t\tagencyProfileId,\n\t\t\tagencyEmployerPensionId,\n\t\t\tpensionAdditionalPostId,\n\t\t\tuserId: userId,\n\t\t\twizardKey: FORM_WIZARD_KEYS.teamMemberEditAEPension\n\t\t});\n\t}\n\n\tfunction updateUser (userId) {\n\n\t\tpensionData.getUserAgencyProfileForWorkplacePension(agencyProfileId, agencyEmployerPensionId, userId).then(teamMemberObj => {\n\n\t\t\t// Set original PayrollIDSequence to add back to team member once updated\n\t\t\t// https://www.notion.so/paycircle/Team-Payroll-ID-sort-order-becomes-incorrect-when-adding-a-change-in-current-period-e413a8f6d40f424bb321cc0198116b41#b38b16d43cd0482689ccfb36cb29af15\n\t\t\tteamMemberObj.PayrollIDSequence = $scope.teamMember.PayrollIDSequence;\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tteamMember: teamMemberObj,\n\t\t\t\tpensionStateDate: getApplicableDateByPensionState(teamMemberObj.Pension)\n\t\t\t});\n\t\t})\n\t\t.catch(error => {\n\t\t\tconsole.error(error);\n\t\t\t$scope.pageState = 'error';\n\t\t});\n\t}\n\n\tangular.extend($scope, {\n\t\tagencyProfileId,\n\t\tmenuShow: false,\n\t\tpensionStateDate: getApplicableDateByPensionState($scope.teamMember.Pension),\n\t\topenEditTeamMemberPensionWizard,\n\t\topenSlideInForm,\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('teamCard', function () {\n\n\treturn {\n\t\ttemplateUrl: 'components/team-card/teamCard.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tagencyProfileId: '@',\n\t\t\tindex: '<',\n\t\t\tteamMember: '=',\n\t\t\tbulkItems: '=',\n\t\t\tpayPeriod: '<',\n\t\t\tcompany: '=',\n\t\t\tonUpdate: '='\n\t\t},\n\t\tcontroller: 'teamCardController'\n\t};\n})\n.controller('teamCardController', [\n\t'$rootScope',\n\t'$scope',\n\t'bulkService',\n\t'teamData',\n\t'BUSINESS_TYPES',\n\t'CORRECTIONAL_SUBMISSION_TYPES',\n\t'INTERFACE_TYPES',\n\t'PAYROLL_MOVE_STATUSES',\n\tfunction (\n\t\t$rootScope,\n\t\t$scope,\n\t\tbulkService,\n\t\tteamData,\n\t\tBUSINESS_TYPES,\n\t\tCORRECTIONAL_SUBMISSION_TYPES,\n\t\tINTERFACE_TYPES,\n\t\tPAYROLL_MOVE_STATUSES\n\t) {\n\n\tlet agencyProfileId = $scope.agencyProfileId;\n\tlet payPeriodObj = $scope.payPeriod;\n\tlet teamMemberObj = $scope.teamMember;\n\tlet userId = $scope.teamMember.UserID;\n\tlet bulkItems = $scope.bulkItems;\n\n\tfunction decorateTeamMemberObj (teamMemberObj) {\n\n\t\tteamMemberObj.isCompany = teamMemberObj.IsCISSubcontractor && (teamMemberObj.BusinessDetails.BusinessType === BUSINESS_TYPES.company || teamMemberObj.BusinessDetails.BusinessType === BUSINESS_TYPES.trust);\n\n\t\treturn teamMemberObj;\n\t}\n\n\tfunction hideActionMenu () {\n\n\t\t$scope.vm.showActionMenu = false;\n\t}\n\n\tfunction init () {\n\n\t\tteamMemberObj = decorateTeamMemberObj(teamMemberObj);\n\t}\n\n\tfunction onCheckboxToggle () {\n\n\t\tbulkItems = bulkService.updateBulkItemTotals(bulkItems);\n\t}\n\n\tfunction onTeamMemberDelete () {\n\n\t\tif (angular.isFunction($scope.onUpdate)) {\n\t\t\t$scope.onUpdate();\n\t\t}\n\t}\n\n\tfunction openAddAChangeForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUserByObject,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'add-a-change',\n\t\t\tpayPeriodId: payPeriodObj.PayPeriodID,\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openAdvanceFuturePeriodsForm (currentPayPeriodObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'advance-future-periods',\n\t\t\tuserId,\n\t\t\tcurrentPayPeriod: currentPayPeriodObj\n\t\t});\n\t}\n\n\tfunction openAttachmentOfEarningsForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'attachment-of-earnings',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openCancelRejoinLeaver () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'cancel-rejoin-leaver',\n\t\t\tuserId: userId,\n\t\t});\n\t}\n\n\tfunction openChangeAdminStateForm (isExcluding) {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'change-admin-state',\n\t\t\tuserId: userId,\n\t\t\tisExcluding: isExcluding\n\t\t});\n\t}\n\n\tfunction openDeleteTeamMemberForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: onTeamMemberDelete,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'delete-team-member',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openCorrectionalSubmissionForm (correctionalSubmissionType) {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tcorrectionalSubmissionType: correctionalSubmissionType,\n\t\t\tformKey: 'correctional-submission',\n\t\t\ttitle: correctionalSubmissionType === CORRECTIONAL_SUBMISSION_TYPES.YTDFPS ? 'Submit Earlier Year FPS' : 'Earlier year update',\n\t\t\tuserId: userId,\n\t\t\tuserIds: [userId]\n\t\t});\n\t}\n\n\tfunction openInviteToRegisterForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'invite-to-register',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openMaternityPayForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'maternity-pay',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openNewAdminForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'new-admin',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openOnHoldForm (teamMemberObj) {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'on-hold',\n\t\t\tuserId: userId,\n\t\t\tisOnHold: teamMemberObj.IsOnHold,\n\t\t\ttitle: teamMemberObj.IsOnHold ? 'Mark as ‘Active on payroll’' : 'Mark as ‘On hold’'\n\t\t});\n\t}\n\n\tfunction openPaternityPayForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'paternity-pay',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openPayInformationForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'pay-information',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openRepaymentScheduleForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'repayment-schedules',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openSickPayForm () {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'sick-pay',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openSlideInForm (formOptionsObj) {\n\n\t\thideActionMenu();\n\n\t\t$rootScope.openSlideInForm(formOptionsObj);\n\t}\n\n\tfunction openSupplementaryPayRunForm (teamMemberObj) {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tavailableWhenTeamMemberIsAdvancingOrAdvanced: false,\n\t\t\tcallback: callbackObj => {\n\n\t\t\t\t// Only refresh team if leavers have been submitted in Sup. Run\n\t\t\t\tif (callbackObj && (callbackObj.hasSubmittedLeavers || callbackObj.hasSubmittedStarters)) {\n\n\t\t\t\t\tif (angular.isFunction($scope.onUpdate)) {\n\t\t\t\t\t\t$scope.onUpdate();\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t},\n\t\t\tformKey: 'supplementary-pay-run',\n\t\t\tteamMember: teamMemberObj,\n\t\t\tuserIds: [userId]\n\t\t});\n\t}\n\n\tfunction openUnmarkAsAdvancingForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'unmark-as-advancing',\n\t\t\tuserId\n\t\t});\n\t}\n\n\tfunction openUnmarkAsLeaverForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'unmark-as-leaver',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openUnregisterUserForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: updateUser,\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'unregister-user',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction openUpdateLeaverStatusForm (forUpdate) {\n\n\t\topenSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: () => {\n\n\t\t\t\tif (angular.isFunction($scope.onUpdate)) {\n\t\t\t\t\t$scope.onUpdate();\n\t\t\t\t}\n\t\t\t},\n\t\t\tcontextType: 'user',\n\t\t\tformKey: 'update-leaver-status',\n\t\t\tforUpdate: forUpdate,\n\t\t\ttitle: forUpdate ? 'Edit leaver information' : 'Mark as leaver',\n\t\t\tuserId: userId\n\t\t});\n\t}\n\n\tfunction updateUser (userId) {\n\n\t\tteamData.getUserAgencyProfileForAgencyTeamMember(userId, agencyProfileId).then(function (teamMemberObj) {\n\n\t\t\t$scope.teamMember = decorateTeamMemberObj(teamMemberObj);\n\n\t\t\t$scope.onUpdate({\n\t\t\t\tuserId: userId,\n\t\t\t\tupdatedTeamMemberObj: teamMemberObj\n\t\t\t});\n\t\t})\n\t\t.catch(function () {\n\t\t\t$scope.pageState = 'error';\n\t\t});\n\t}\n\n\tfunction updateUserByObject (responseObj) {\n\n\t\tupdateUser(responseObj.userId);\n\t}\n\n\tinit();\n\n\t$scope.INTERFACE_TYPES = INTERFACE_TYPES;\n\t$scope.agencyProfileId = agencyProfileId;\n\t$scope.vm = {\n\t\tshowActionMenu: false\n\t};\n\n\tangular.extend($scope, {\n\t\tCORRECTIONAL_SUBMISSION_TYPES,\n\t\tPAYROLL_MOVE_STATUSES,\n\n\t\t// Functions\n\t\tonCheckboxToggle,\n\t\topenAddAChangeForm,\n\t\topenAdvanceFuturePeriodsForm,\n\t\topenAttachmentOfEarningsForm,\n\t\topenCancelRejoinLeaver,\n\t\topenChangeAdminStateForm,\n\t\topenCorrectionalSubmissionForm,\n\t\topenDeleteTeamMemberForm,\n\t\topenInviteToRegisterForm,\n\t\topenMaternityPayForm,\n\t\topenNewAdminForm,\n\t\topenOnHoldForm,\n\t\topenPaternityPayForm,\n\t\topenPayInformationForm,\n\t\topenRepaymentScheduleForm,\n\t\topenSickPayForm,\n\t\topenSupplementaryPayRunForm,\n\t\topenUnmarkAsAdvancingForm,\n\t\topenUnmarkAsLeaverForm,\n\t\topenUnregisterUserForm,\n\t\topenUpdateLeaverStatusForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\t.directive('teamMemberCarousel', function () {\n\t\treturn {\n\t\t\ttemplateUrl: 'components/team-member-carousel/teamMemberCarouselComponent.html',\n\t\t\tcontroller: 'TeamMemberCarouselCtrl',\n\t\t\treplace: true,\n\t\t\trestrict: 'E',\n\t\t\tscope: {\n\t\t\t\tactiveTeamMemberUserId: '@',\n\t\t\t\tteamMembers: '=',\n\t\t\t\tonTeamMemberChange: '=?',\n\t\t\t\tfunctions: '='\n\t\t\t}\n\t\t};\n\t})\n\t.controller('TeamMemberCarouselCtrl', ['$scope', '$timeout', function ($scope, $timeout) {\n\n\t\tvar activeTeamMemberUserId = $scope.activeTeamMemberUserId;\n\t\tvar onTeamMemberChange = $scope.onTeamMemberChange;\n\t\tvar teamMembers = $scope.teamMembers;\n\n\t\tfunction getActiveTeamMemberIndex (teamMembers) {\n\n\t\t\treturn teamMembers.findIndex(function (teamMember) {\n\t\t\t\treturn teamMember.PersonalDetails.UserID === activeTeamMemberUserId;\n\t\t\t});\n\t\t}\n\n\t\tfunction init () {\n\n\t\t\tvar activeTeamMemberIndex = getActiveTeamMemberIndex(teamMembers);\n\n\t\t\tif ($scope.functions) {\n\t\t\t\t$scope.functions.nextMember = function () {\n\t\t\t\t\tgoToNextTeamMember($scope.activeTeamMemberIndex);\n\t\t\t\t};\n\t\t\t\t$scope.functions.previousMember = function () {\n\t\t\t\t\tgoToPreviousTeamMember($scope.activeTeamMemberIndex);\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tsetActiveTeamMember(activeTeamMemberIndex);\n\t\t}\n\n\t\tfunction setActiveTeamMember (activeTeamMemberIndex) {\n\n\t\t\tvar activeTeamMember = teamMembers[activeTeamMemberIndex];\n\n\t\t\t$scope.activeTeamMember = activeTeamMember;\n\t\t\t$scope.activeTeamMemberIndex = activeTeamMemberIndex;\n\n\t\t\tif (angular.isFunction(onTeamMemberChange)) {\n\t\t\t\tonTeamMemberChange(activeTeamMember.PersonalDetails.UserID);\n\t\t\t}\n\t\t}\n\n\t\tfunction goToNextTeamMember (activeTeamMemberIndex) {\n\t\t\t$scope.carouselState = 'closeNext';\n\n\t\t\t$timeout(function () {\n\t\t\t\t$scope.carouselState = 'next';\n\t\t\t\tsetActiveTeamMember(activeTeamMemberIndex + 1);\n\t\t\t}, 250);\n\t\t}\n\n\t\tfunction goToPreviousTeamMember (activeTeamMemberIndex) {\n\n\t\t\t$scope.carouselState = 'closePrevious';\n\n\t\t\t$timeout(function () {\n\t\t\t\t$scope.carouselState = 'previous';\n\t\t\t\tsetActiveTeamMember(activeTeamMemberIndex - 1);\n\t\t\t}, 250);\n\t\t}\n\n\t\tinit();\n\n\t\t$scope.numberOfTeamMembers = teamMembers.length - 1;\n\n\t\t$scope.goToNextTeamMember = function (activeTeamMemberIndex) {\n\n\t\t\tgoToNextTeamMember(activeTeamMemberIndex);\n\t\t};\n\n\t\t$scope.goToPreviousTeamMember = function (activeTeamMemberIndex) {\n\n\t\t\tgoToPreviousTeamMember(activeTeamMemberIndex);\n\t\t};\n\t}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('teamMemberCard', {\n\tbindings: {\n\t\tagencyProfileId: '=',\n\t\tteamMember: '<',\n\t\tinfo: ''\n\t},\n\tcontroller: 'teamMemberCtrl',\n\ttemplateUrl: 'components/team-member-card/team-member-card.component.html'\n})\n.controller('teamMemberCtrl', [\n\t'$state',\nfunction (\n\t$state\n) {\n\n\tconst $ctrl = this;\n\n\tfunction goToProfile (teamMemberObj, ctrlObj) {\n\t\t$state.go('team.profile.overview', {agencyProfileId: ctrlObj.agencyProfileId, userId: teamMemberObj.UserID});\n\t}\n\n\tangular.extend($ctrl, {\n\t\tgoToProfile\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('teamMemberState', [\n\t'utilities',\nfunction (\n\tutilities\n) {\n\n\treturn {\n\t\tcontroller: 'teamMemberStateCtrl',\n\t\ttemplateUrl: 'components/team-member-state/teamMemberState.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tonStateClick: '&?',\n\t\t\tteamMember: '='\n\t\t},\n\t\tlink: function ($scope) {\n\n\t\t\tfunction getToolTipForState (teamMember, teamMemberStateSource) {\n\n\t\t\t\t// Create tooltip text here for 'ADVANCING' cheese\n\t\t\t\tif (teamMember.IsAdvancingFuturePeriods) {\n\t\t\t\t\treturn `Advancing ${utilities.getNumberText(teamMemberStateSource.AdvancePeriodsCount)} period${teamMemberStateSource.AdvancePeriodsCount > 1 ? 's ' : ' '} when payroll is run for ${teamMemberStateSource.AdvancePeriodsStartPeriodDisplay}`;\n\t\t\t\t}\n\n\t\t\t\t// Create tooltip text here for 'ADVANCING' cheese\n\t\t\t\tif (teamMember.HasAdvancedFuturePeriods) {\n\t\t\t\t\treturn `Will be added to payroll after the ${teamMemberStateSource.AdvancePeriodsEndPeriodDisplay} period is finalised`;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction setupTeamMember (teamMember) {\n\n\t\t\t\t// Determine where the status info lives. Depends on where this teamMember object came from.\n\t\t\t\tlet teamMemberStateSource;\n\n\t\t\t\t// Map specific attributes to object returned from GetTeamMemberInformation\n\t\t\t\tif (teamMember.Company !== undefined) {\n\t\t\t\t\tteamMemberStateSource = teamMember.Company;\n\t\t\t\t\tteamMember.ExcludeFromPayroll \t\t= teamMemberStateSource.ExcludeFromPayroll;\n\t\t\t\t\tteamMember.IsFurloughed \t\t\t= teamMemberStateSource.IsFurloughed && !teamMember.Company.IsFurloughedEnded;\n\t\t\t\t\tteamMember.IsLeaver \t\t\t\t= teamMemberStateSource.IsLeaver;\n\t\t\t\t\tteamMember.IsOnHold\t\t\t\t\t= teamMemberStateSource.IsOnHold;\n\t\t\t\t\tteamMember.IsExcludedFromRTI\t\t= teamMemberStateSource.IsExcludedFromRTI;\n\t\t\t\t}\n\n\t\t\t\t// Map specific attributes to object returned from GetTeamMembersPayroll\n\t\t\t\tif (teamMember.PersonalDetails !== undefined) {\n\t\t\t\t\tteamMemberStateSource = teamMember.PersonalDetails;\n\t\t\t\t\tteamMember.IsFurloughed \t\t\t= teamMemberStateSource.IsFurloughed;\n\n\t\t\t\t}\n\n\t\t\t\t// If source not determined ...\n\t\t\t\tif (angular.isUndefined(teamMemberStateSource)) {\n\t\t\t\t\t// ... attributes all on the TeamMember object ...\n\t\t\t\t\tteamMemberStateSource = teamMember;\n\t\t\t\t}\n\t\t\t\telse {\n\t\t\t\t\t// ... otherwise copy the common stuff from the source to the top level team member object\n\t\t\t\t\tteamMember.IsCISInactive \t\t\t= teamMemberStateSource.IsCISInactive;\n\t\t\t\t\tteamMember.IsAdmin \t\t\t\t\t= teamMemberStateSource.IsAdmin;\n\t\t\t\t\tteamMember.IsCISSubcontractor \t\t= teamMemberStateSource.IsCISSubcontractor;\n\t\t\t\t\tteamMember.IsLeaving \t\t\t\t= teamMemberStateSource.IsLeaving;\n\t\t\t\t\tteamMember.IsOffPayrollWorker \t= teamMemberStateSource.IsOffPayrollWorker;\n\t\t\t\t\tteamMember.IsRegistered \t\t\t= teamMemberStateSource.IsRegistered;\n\t\t\t\t\tteamMember.IsStarter \t\t\t\t= teamMemberStateSource.IsStarter;\n\t\t\t\t\tteamMember.IsRestarter \t\t\t\t= teamMemberStateSource.IsRestarter;\n\t\t\t\t\tteamMember.IsAdvancingFuturePeriods\t= teamMemberStateSource.IsAdvancingFuturePeriods;\n\t\t\t\t\tteamMember.HasAdvancedFuturePeriods\t= teamMemberStateSource.HasAdvancedFuturePeriods;\n\t\t\t\t}\n\n\t\t\t\t// Attach tooltip for certain states\n\t\t\t\tteamMember.StateTooltipText = getToolTipForState(teamMember, teamMemberStateSource);\n\n\t\t\t\t// Map setup complete\n\t\t\t\tif (teamMember.TeamMemberSetupComplete !== undefined) {\n\t\t\t\t\tteamMember.IsComplete = teamMember.TeamMemberSetupComplete;\n\t\t\t\t}\n\n\t\t\t\treturn teamMember;\n\t\t\t}\n\n\t\t\t$scope.teamMember = setupTeamMember($scope.teamMember);\n\n\t\t\t// Watcher for when team member is updated\n\t\t\t$scope.$watch('teamMember', function (updatedTeamMemberObj) {\n\n\t\t\t\t$scope.teamMember = setupTeamMember(updatedTeamMemberObj);\n\t\t\t});\n\n\t\t\t$scope.stateClick = function (state) {\n\n\t\t\t\t$scope.teamMember.clickedState = state;\n\t\t\t\t$scope.onStateClick();\n\t\t\t};\n\t\t}\n\t};\n}])\n\n.controller('teamMemberStateCtrl', [\n\t'$scope',\n\t'utilities',\n\t'PAYROLL_MOVE_STATUSES',\nfunction (\n\t$scope,\n\tutilities,\n\tPAYROLL_MOVE_STATUSES\n) {\n\n\tangular.extend($scope, {\n\t\tPAYROLL_MOVE_STATUSES,\n\t\tutilities\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('teamPaymentInfo', {\n\tcontroller: 'teamPaymentInfoController',\n\ttemplateUrl: 'components/team-payment-info/teamPaymentInfoComponent.html',\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tonClose: '&'\n\t}\n})\n.controller('teamPaymentInfoController', ['$timeout', 'teamData', function ($timeout, teamData) {\n\n\tconst INCLUDE_LEAVERS = false;\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tsetComponentState('loading');\n\n\t\tteamData.getUserAgencyProfilesForAgencyTeamMemberMinimum($ctrl.agencyProfileId, INCLUDE_LEAVERS).then(teamMembersArr => {\n\n\t\t\t$ctrl.teamMembers = teamMembersArr;\n\n\t\t\tselectActiveTeamMember($ctrl, 0);\n\t\t\tsetComponentState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetComponentState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction selectActiveTeamMember ($ctrl, index) {\n\n\t\tsetTeamMemberState('loading');\n\n\t\tangular.extend($ctrl.formOptions, {\n\t\t\tisOpen: false,\n\t\t\tformKey: null\n\t\t});\n\n\t\t$ctrl.activeTeamMember = angular.copy($ctrl.teamMembers[index]);\n\n\t\t$timeout(() => {\n\t\t\t$ctrl.formOptions = {\n\t\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\t\tcallback: $onInit,\n\t\t\t\tcontext: $ctrl.activeTeamMember,\n\t\t\t\tcontextType: 'user',\n\t\t\t\tformKey: 'payments-to-date',\n\t\t\t\tisOpen: true,\n\t\t\t\tuserId: $ctrl.activeTeamMember.UserID\n\t\t\t};\n\t\t});\n\n\t\tsetTeamMemberState($ctrl, 'ready');\n\t}\n\n\tfunction setComponentState (componentState) {\n\n\t\t$ctrl.componentState = componentState;\n\t}\n\n\tfunction setTeamMemberState ($ctrl, teamMemberState) {\n\n\t\t$ctrl.teamMemberState = teamMemberState;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tformOptions: {\n\t\t\tisOpen: false,\n\t\t},\n\t\tselectActiveTeamMember\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('teamPensionInfo', {\n\n\tcontroller: 'teamPensionInfoController',\n\ttemplateUrl: 'components/team-pension-info/team-pension-info.component.html',\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tonClose: '&'\n\t}\n})\n.controller('teamPensionInfoController', ['$rootScope', '$scope', 'teamData', function ($rootScope, $scope, teamData) {\n\n\tconst INCLUDE_LEAVERS = false;\n\n\tconst $ctrl = this;\n\n\tfunction init () {\n\n\t\tsetComponentState('loading');\n\n\t\tteamData.getUserAgencyProfilesForAgencyTeamMemberMinimum($ctrl.agencyProfileId, INCLUDE_LEAVERS).then(teamMembersArr => {\n\n\t\t\t$ctrl.teamMembers = teamMembersArr;\n\n\t\t\tselectActiveTeamMember($ctrl, $ctrl.teamMembers, 0);\n\t\t\tsetComponentState('ready');\n\t\t})\n\t\t.catch(error => {\n\t\t\tsetComponentState('error');\n\t\t\tconsole.error(error);\n\t\t});\n\t}\n\n\tfunction selectActiveTeamMember ($ctrl, index) {\n\n\t\tsetTeamMemberState($ctrl, 'loading');\n\n\t\t// Hook up GetPensionInfo service to return pension details\n\t\t$ctrl.activeTeamMember = angular.copy($ctrl.teamMembers[index]);\n\t}\n\n\tfunction setComponentState (componentState) {\n\n\t\t$ctrl.componentState = componentState;\n\t}\n\n\tfunction setTeamMemberState ($ctrl, teamMemberState) {\n\n\t\t$ctrl.teamMemberState = teamMemberState;\n\t}\n\n\tinit();\n\n\tangular.extend($ctrl, {\n\t\tselectActiveTeamMember\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('teamSummaryRow', {\n\tbindings: {\n\t\tindex: '',\n\t\tshowContent: '',\n\t\tshowFooter: '',\n\t\tteamMember: '=',\n\t\ttheme: '@?'\n\t},\n\tcontroller: 'teamSummaryRowCtrl',\n\ttemplateUrl: 'components/team-summary-row/team-summary-row.component.html',\n\ttransclude: {\n\t\t'actions': '?tsrActions',\n\t\t'footer': '?tsrFooter',\n\t}\n})\n.controller('teamSummaryRowCtrl', [\n\t'$transclude',\n\tfunction (\n\t\t$transclude\n\t) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\t\tangular.extend($ctrl, {\n\t\t\thasActions: $transclude.isSlotFilled('actions'),\n\t\t\thasFooter: $transclude.isSlotFilled('footer'),\n\t\t\tshowContent: angular.isDefined($ctrl.showContent) ? $ctrl.showContent : true,\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('tooltipCard', {\n\tcontroller: 'tooltipCardCtrl',\n\ttemplateUrl: 'components/tooltip-card/tooltip-card.component.html'\n})\n.controller('tooltipCardCtrl', [\n\t'$filter',\n\t'$rootScope',\n\tfunction (\n\t\t$filter,\n\t\t$rootScope\n\t) {\n\n\tconst $ctrl = this;\n\n\t$rootScope.$on('toggle-tooltip-card', (event, tooltipObj) => {\n\n\t\t// Tooltip is already closed\n\t\tif (angular.isUndefined(tooltipObj)) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Same tooltip clicked, so close\n\t\tif (isSameTooltipClicked(tooltipObj)) {\n\t\t\tcloseTooltipCard($ctrl);\n\t\t\treturn;\n\t\t}\n\n\t\tangular.extend(tooltipObj, {\n\t\t\tid: getTooltipId(tooltipObj),\n\t\t\tsize: angular.isDefined(tooltipObj.size) ? tooltipObj.size : 'is-medium'\n\t\t});\n\n\t\t$ctrl.tooltip = tooltipObj;\n\t});\n\n\tfunction closeTooltipCard ($ctrl) {\n\n\t\t$ctrl.tooltip = null;\n\t}\n\n\t/**\n\t * Dynamically generate a tooltip ID so it can be compared to add ability to toggle off tooltip from the trigger action\n\t**/\n\tfunction getTooltipId (tooltipObj) {\n\n\t\t// 1. Custom id defined\n\t\tif (angular.isDefined(tooltipObj.id)) {\n\t\t\treturn tooltipObj.id;\n\t\t}\n\n\t\t// 2. Slugify heading\n\t\tif (angular.isDefined(tooltipObj.heading)) {\n\t\t\treturn $filter('slugify')(tooltipObj.heading);\n\t\t}\n\n\t\t// 3. Slugify description\n\t\tif (angular.isDefined(tooltipObj.description)) {\n\t\t\treturn $filter('slugify')(tooltipObj.description);\n\t\t}\n\n\t\treturn;\n\t}\n\n\tfunction isSameTooltipClicked (tooltipObj) {\n\n\t\t// No new tooltip or exsiting tooltip\n\t\tif (!tooltipObj || !$ctrl.tooltip) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// Tooltip ID is not defined\n\t\tif (angular.isUndefined(tooltipObj.id)) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// Exsiting tooltip id doesn't match new tooltip ID\n\t\tif (tooltipObj.id !== $ctrl.tooltip.id) {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t}\n\n\tangular.extend($ctrl, {\n\t\tcloseTooltipCard\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('tooltipDemo', function () {\n\n\treturn {\n\t\trestrict: 'A',\n\t\ttemplateUrl: 'components/tooltip-demo/tooltipDemoComponent.html',\n\t\tscope: {\n\t\t\ttdId: '@',\n\t\t\ttdActive: '=?'\n\t\t},\n\t\ttransclude: true,\n\t\tcontroller: 'tooltipDemoCtrl'\n\t};\n})\n.controller('tooltipDemoCtrl', ['$element', '$scope', '$timeout', 'COMPANY_STATES', 'DEMO_TASKS_SHORT', 'session', 'TOOLTIPS', function ($element, $scope, $timeout, COMPANY_STATES, DEMO_TASKS_SHORT, session, TOOLTIPS) {\n\n\tfunction init () {\n\n\t\tvar activeDemoTaskId = session.getActiveDemoTaskId();\n\n\t\tif (!activeDemoTaskId || !$scope.tdId) {\n\t\t\t$scope.showTooltip = false;\n\t\t\treturn;\n\t\t}\n\n\t\tfor (var demoId of $scope.tdId.split(',')) {\n\t\t\tif (demoId === activeDemoTaskId) {\n\t\t\t\t$scope.tdId = demoId;\n\t\t\t}\n\t\t}\n\n\t\t$scope.tooltipId = DEMO_TASKS_SHORT[$scope.tdId];\n\t\t$scope.tooltip = TOOLTIPS.demo[$scope.tooltipId];\n\t\t$scope.showTooltip = $scope.tdId === activeDemoTaskId ? true : false;\n\t\t$scope.tdActive = $scope.tdActive !== undefined ? $scope.tdActive : true;\n\n\t\tif ($scope.showTooltip) {\n\t\t\t$timeout(function() {\n\n\t\t\t\t$element[0].scrollIntoView({\n\t\t\t\t\tbehavior: 'smooth',\n\t\t\t\t\tblock: 'center'\n\t\t\t\t});\n\t\t\t}, 100);\n\t\t}\n\t}\n\n\tinit();\n\n\t$scope.hideTooltip = function () {\n\n\t\t$scope.showTooltip = false;\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('tooltipPlus', function () {\n\n\treturn {\n\t\trestrict: 'A',\n\t\ttemplateUrl: 'components/tooltip-plus/tooltipPlusComponent.html',\n\t\tscope: {\n\t\t\ttpOnClick: '&?',\n\t\t\ttpOptions: '='\n\t\t},\n\t\tcontroller: 'tooltipPlusCtrl'\n\t};\n})\n.controller('tooltipPlusCtrl', ['$rootScope', '$scope', 'config', 'utilities', 'LOCAL_STORAGE_KEYS', function ($rootScope, $scope, config, utilities, LOCAL_STORAGE_KEYS) {\n\n\tvar agencyProfileId = $rootScope.currentCompany.AgencyProfileID;\n\n\tif (!$scope.tpOptions) {\n\t\treturn;\n\t}\n\n\tfunction init () {\n\n\t\tif ($scope.tpOptions.showTooltip && $scope.tpOptions.neverOpenAgain) {\n\t\t\t$scope.showTooltip = !utilities.checkStoredArray(LOCAL_STORAGE_KEYS.closedTooltips, $scope.tpOptions.neverOpenAgain, agencyProfileId);\n\n\t\t} else if ($scope.tpOptions.showTooltip && !$scope.tpOptions.neverOpenAgain) {\n\t\t\t$scope.showTooltip = true;\n\n\t\t}\n\t}\n\n\tinit();\n\n\tfunction hideTooltip () {\n\n\t\t$scope.showTooltip = false;\n\t\tif ($scope.tpOptions.neverOpenAgain) {\n\t\t\tutilities.addToStoredArray(LOCAL_STORAGE_KEYS.closedTooltips, $scope.tpOptions.neverOpenAgain, agencyProfileId);\n\n\t\t}\n\t\t$scope.tpOptions.showTooltip = false;\n\t}\n\n\t$scope.buttonClick = function ($event) {\n\n\t\t$event.stopImmediatePropagation();\n\n\t\tif (angular.isDefined($scope.tpOnClick)) {\n\t\t\t$scope.tpOnClick();\n\t\t}\n\n\t\thideTooltip();\n\t};\n\n\t$scope.hideTooltip = function () {\n\n\t\thideTooltip();\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('truncate', {\n\tbindings: {\n\t\tid: '@?',\n\t\ttext: '<',\n\t\ttruncateAmount: '@',\n\t\tonEmptyDisplay: '@'\n\t},\n\tcontroller: 'truncateComponentCtrl',\n\ttemplateUrl: 'components/truncate/truncate.component.html'\n})\n.controller('truncateComponentCtrl', [\n\t'$filter',\n\tfunction (\n\t\t$filter\n\t) {\n\n\tconst $ctrl = this;\n\n\tconst DEFAULT_ON_EMPTY_DISPLAY = '';\n\tconst DEFAULT_TRUNCATED_AMOUNT = 25;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\ttruncatedText: getTruncatedText($ctrl)\n\t\t});\n\t}\n\n\tfunction getTruncatedText ($ctrl) {\n\n\t\t// Empty\n\t\tif (angular.isUndefined($ctrl.text) || $ctrl.text === '') {\n\t\t\treturn angular.isDefined($ctrl.onEmptyDisplay) ? $ctrl.onEmptyDisplay : DEFAULT_ON_EMPTY_DISPLAY;\n\t\t}\n\n\t\t// Truncate\n\t\t$ctrl.truncateAmount = angular.isDefined($ctrl.truncateAmount) ? $ctrl.truncateAmount : DEFAULT_TRUNCATED_AMOUNT;\n\n\t\treturn $filter('truncate')($ctrl.text, $ctrl.truncateAmount);\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('userCard', function () {\n\treturn {\n\t\trestrict: 'E',\n\t\ttemplateUrl: 'components/user-card/userCardComponent.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tuser: '='\n\t\t}\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('userDocumentCard', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tdocument: '<',\n\t\tdocumentIndex: '<',\n\t\tonUpdate: '=',\n\t\tuserId: '<'\n\t},\n\tcontroller: 'userDocumentCardCtrl',\n\ttemplateUrl: 'components/user-document-card/user-document-card.component.html',\n})\n.controller('userDocumentCardCtrl', [\n\t'$rootScope',\n\t'dataTransfer',\n\t'utilities',\n\t'UPLOADS_DOCUMENTS_FORMS',\n\t'USER_DOCUMENT_STATES',\n\tfunction (\n\t\t$rootScope,\n\t\tdataTransfer,\n\t\tutilities,\n\t\tUPLOADS_DOCUMENTS_FORMS,\n\t\tUSER_DOCUMENT_STATES\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction getDecoratedDocument (documentObj) {\n\t\treturn angular.extend(documentObj, {\n\t\t\tAgencyDocumentID: documentObj.UserDocumentID,\n\t\t\tDocumentName: documentObj.UserDocumentName,\n\t\t\tDocumentSize: documentObj.UserDocumentSize,\n\t\t\tDocumentTypeID: documentObj.UserDocumentTypeID,\n\t\t\tMIMEFormat: utilities.getMimeFormatFromDocumentName(documentObj.UserDocumentName)\n\t\t});\n\t}\n\n\tfunction getUploadDocumentsFormTitle (formState) {\n\n\t\tswitch (formState) {\n\t\t\tcase UPLOADS_DOCUMENTS_FORMS.deleteFile:\n\t\t\t\treturn 'Delete document';\n\n\t\t\tcase UPLOADS_DOCUMENTS_FORMS.editFile:\n\t\t\t\treturn 'Document settings';\n\t\t}\n\t}\n\n\tfunction hideMenu ($ctrl) {\n\t\t$ctrl.menuShow = false;\n\t}\n\n\tfunction openUploadDocumentsForm ($ctrl, formState) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tdocument: getDecoratedDocument($ctrl.document),\n\t\t\tformKey: 'user-documents',\n\t\t\tformState: formState,\n\t\t\ttitle: getUploadDocumentsFormTitle(formState),\n\t\t\tuserId: $ctrl.userId\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\tUPLOADS_DOCUMENTS_FORMS,\n\t\tUSER_DOCUMENT_STATES,\n\n\t\tdownloadFile: dataTransfer.downloadFile,\n\t\thideMenu,\n\t\topenUploadDocumentsForm,\n\n\t\tmenuShow: false\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('userGuideCard', ['utilities', 'USER_GUIDES', function (utilities, USER_GUIDES) {\n\treturn {\n\t\trestrict: 'E',\n\t\ttemplateUrl: 'components/user-guide-card/userGuideCardComponent.html',\n\t\treplace: true,\n\t\tscope: {\n\t\t\tguideId: '@'\n\t\t},\n\t\tlink: function ($scope) {\n\n\t\t\t$scope.userGuide = USER_GUIDES[$scope.guideId];\n\t\t}\n\t};\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.directive('userImporterStatusBlock', function () {\n\treturn {\n\t\ttemplateUrl: 'components/user-importer-status-block/userImporterStatusBlockComponent.html',\n\t\tcontroller: 'userImporterStatusBlockCtrl',\n\t\tscope: {\n\t\t\tagencyProfileId: '=',\n\t\t\tpayPeriod: '=',\n\t\t\tuserImportVisible: '=',\n\t\t\tshowPeriodInfo: '@?',\n\t\t\treloadOnComplete: '=?',\n\t\t\treturnState: '=?'\n\t\t},\n\t\tlink: function ($scope) {\n\n\t\t\t// Defaults\n\t\t\t$scope.showPeriodInfo \t= $scope.showPeriodInfo !== undefined ? $scope.showPeriodInfo : false;\n\t\t\t$scope.reloadOnComplete = $scope.reloadOnComplete !== undefined ? $scope.reloadOnComplete : false;\n\t\t\t$scope.returnState \t\t= $scope.returnState !== undefined ? $scope.returnState : 'payroll';\n\t\t}\n\t};\n})\n\n.controller('userImporterStatusBlockCtrl', ['$rootScope', '$scope', 'growl', '$timeout', '$state', '$q', 'agency', 'dataImport', 'importService', 'payrollData', 'payrollWorker', 'STATE_TYPES', 'SUBMISSION_STATES', function ($rootScope, $scope, growl, $timeout, $state, $q, agency, dataImport, importService, payrollData, payrollWorker, STATE_TYPES, SUBMISSION_STATES) {\n\n\tvar agencyProfileId = $scope.agencyProfileId;\n\tvar payPeriod = $scope.payPeriod;\n\tvar pollDelay = 3; // seconds\n\tvar timerId = null;\n\n\tfunction checkDataImportState (payPeriod) {\n\n\t\tvar payPeriodId = payPeriod.PayPeriodID;\n\n\t\tagency.getAgencyPayPeriodState(payPeriodId, STATE_TYPES.dataimport).then(function (updatedDataImportState) {\n\n\t\t\t// Update scope\n\t\t\tpayPeriod.DataImportState = updatedDataImportState;\n\n\t\t\tswitch (updatedDataImportState) {\n\t\t\t\tcase SUBMISSION_STATES.submitting:\n\t\t\t\t\ttimerId = $timeout(function () {\n\t\t\t\t\t\tcheckDataImportState(payPeriod);\n\t\t\t\t\t}, pollDelay * 1000);\n\t\t\t\t\tbreak;\n\t\t\t\tcase SUBMISSION_STATES.submitted:\n\t\t\t\t\t$scope.dataImportFinished = true;\n\t\t\t\t\tbreak;\n\t\t\t\tcase SUBMISSION_STATES.failed:\n\t\t\t\t\tgrowl.error('There was a problem importing the shifts');\n\t\t\t\t\tbreak;\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction checkPayPeriodImportWorkerStatus (payPeriod) {\n\n\t\tvar payPeriodId = payPeriod.PayPeriodID;\n\n\t\tif (payPeriod.WorkerImportState > SUBMISSION_STATES.unsubmitted) {\n\n\t\t\t// Get state for worker import\n\t\t\tpayrollData.getAgencyPayPeriodState(payPeriodId, STATE_TYPES.workerimport).then(function (workerImportState) {\n\n\t\t\t\t// Update pay period value\n\t\t\t\tpayPeriod.WorkerImportState = workerImportState;\n\n\t\t\t\tswitch (workerImportState) {\n\t\t\t\t\tcase SUBMISSION_STATES.submitting:\n\t\t\t\t\tcase SUBMISSION_STATES.processing1:\n\t\t\t\t\tcase SUBMISSION_STATES.processing2:\n\n\t\t\t\t\t\ttimerId = $timeout(function () {\n\t\t\t\t\t\t\tcheckPayPeriodImportWorkerStatus(payPeriod);\n\t\t\t\t\t\t}, pollDelay * 1000);\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase SUBMISSION_STATES.haserrors1:\n\t\t\t\t\tcase SUBMISSION_STATES.haserrors2:\n\n\t\t\t\t\t\tdataImport.getUserImportValidationResults(payPeriod.PayPeriodID).then(function (invalidWorkers) {\n\n\t\t\t\t\t\t\tvar validationResults = importService.getValidationResults(invalidWorkers);\n\n\t\t\t\t\t\t\t$scope.numberOfIssues = validationResults.length;\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase SUBMISSION_STATES.verified:\n\n\t\t\t\t\t\t// Get number of imports\n\t\t\t\t\t\tdataImport.getNumberOfUserImportsByOwner(payPeriodId).then(function (numberOfImports) {\n\n\t\t\t\t\t\t\t$scope.numberOfWorkers = numberOfImports;\n\n\t\t\t\t\t\t\tif (numberOfImports === 0) {\n\t\t\t\t\t\t\t\tpayPeriod.WorkerImportState = SUBMISSION_STATES.finished;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\t// Get number of invalid results\n\t\t\t\t\t\tdataImport.getUserImportValidationResults(payPeriodId).then(function (invalidWorkers) {\n\n\t\t\t\t\t\t\t// Re-map Invalid Workers array into results array\n\t\t\t\t\t\t\tvar validationResults = importService.getValidationResults(invalidWorkers);\n\n\t\t\t\t\t\t\t// Scope\n\t\t\t\t\t\t\t$scope.numberOfIgnored = importService.getNumberOfSkippedResults(validationResults);\n\t\t\t\t\t\t});\n\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase SUBMISSION_STATES.finished:\n\n\t\t\t\t\t\tcheckDataImportState(payPeriod);\n\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t})\n\t\t\t.catch(function () {\n\t\t\t\tgrowl.error('There was a problem getting the status of the import');\n\t\t\t});\n\t\t}\n\t}\n\n\tfunction init () {\n\n\t\t// Import state (locked if importing or deleting)\n\t\t$scope.importLocked = payPeriod.DataImportState === SUBMISSION_STATES.submitting || payPeriod.DataDeletionState === SUBMISSION_STATES.submitting;\n\n\t\t// Check import status\n\t\tcheckPayPeriodImportWorkerStatus(payPeriod);\n\t}\n\n\tinit();\n\n\t// Scope constants\n\t$scope.SUBMISSION_STATES = SUBMISSION_STATES;\n\n\t// Scope variables\n\t$scope.agencyProfileId = agencyProfileId;\n\t$scope.modal = {\n\t\tcancelImport: false,\n\t\tundoImport: false\n\t};\n\t$scope.numberOfIssues = 0;\n\t$scope.numberOfIgnored = 0;\n\n\t// Scope functions\n\t$scope.openCancelImportForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'cancel-user-import'\n\t\t});\n\t};\n\n\t$scope.openUndoImportForm = function () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: agencyProfileId,\n\t\t\tcallback: init,\n\t\t\tformKey: 'undo-import'\n\t\t});\n\t};\n\n\t$scope.$on('$destroy', function () {\n\t\t$timeout.cancel(timerId);\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\t.component('valueCard', {\n\t\tbindings: {\n\t\t\ttheme: '@',\n\t\t\ttitle: '@',\n\t\t\tvalue: '=',\n\t\t\tzeroValueText: '@?'\n\t\t},\n\t\ttemplateUrl: 'components/value-card/value-card.component.html'\n\t});\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('weeklyCalendar', {\n\tcontroller: 'weeklyCalendarCtrl',\n\tcontrollerAs: 'vm',\n\tbindings: {\n\t\tisPreview: '<',\n\t\tpayPeriod: '<',\n\t\tworkPatterns: '=?',\n\t},\n\ttemplateUrl: 'components/weekly-calendar/weekly-calendar.component.html'\n})\n.controller('weeklyCalendarCtrl', ['dateService', function (dateService) {\n\n\tconst $ctrl = this;\n\n\tfunction buildCalendar (payPeriodObj, monthIterator) {\n\n\t\tconst monthDatesObj = getMonthDates(payPeriodObj, monthIterator);\n\t\t\n\t\tconst calendarMonthDatesArr = dateService.getDateRangeForWeeklyCalendar(monthDatesObj.startDateIso, monthDatesObj.endDateIso);\n\t\tconst calendarDatesArr = getWorkPatternCalendarDates(calendarMonthDatesArr);\n\t\t\n\t\t$ctrl.calendar = {\n\t\t\tdays: calendarDatesArr,\n\t\t\tmonth: monthDatesObj,\n\t\t\tmonthIterator: monthIterator\n\t\t};\n\t}\n\n\tfunction decrementMonth (payPeriodObj, calendarObj) {\n\n\t\tcalendarObj.monthIterator--;\n\n\t\tbuildCalendar(payPeriodObj, calendarObj.monthIterator);\n\t}\n\n\tfunction getWorkPatternCalendarDates (calendarMonthDatesArr) {\n\n\t\treturn dateService.getCalendarDatesForWorkPatterns($ctrl.workPatterns, $ctrl.payPeriod, calendarMonthDatesArr);\n\t}\n\n\tfunction getMonthDates (payPeriodObj, iterator) {\n\n\t\tvar monthStartDateM;\n\t\tvar monthEndDateM;\n\n\t\t// Set initial date\n\t\tif (!angular.isUndefined(iterator)) {\n\t\t\tmonthStartDateM = moment(payPeriodObj.StartDateISO).add(iterator, 'months').startOf('month');\n\t\t\tmonthEndDateM = moment(payPeriodObj.StartDateISO).add(iterator, 'months').endOf('month');\n\t\t}\n\n\t\treturn {\n\t\t\tactiveMonthNumber: monthStartDateM.format('M'),\n\t\t\tdescription: '1 - ' + monthEndDateM.format('D MMMM YYYY'),\n\t\t\tstartDateIso: monthStartDateM.format(),\n\t\t\tendDateIso: monthEndDateM.format()\n\t\t};\n\t}\n\n\tfunction incrementMonth (payPeriodObj, calendarObj) {\n\n\t\tcalendarObj.monthIterator++;\n\n\t\tbuildCalendar(payPeriodObj, calendarObj.monthIterator);\n\t}\n\n\t$ctrl.$onInit = function () {\n\n\t\t$ctrl.isPreview = angular.isDefined($ctrl.isPreview) ? $ctrl.isPreview : false;\n\n\t\tbuildCalendar($ctrl.payPeriod, 0);\n\t};\n\n\tangular.extend($ctrl, {\n\t\tdecrementMonth,\n\t\tincrementMonth\n\t});\n\t\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('workPatternBuilder', {\n\tbindings: {\n\t\tonUpdate: '&',\n\t\trequired: '',\n\t\ttheme: '@',\n\t\tworkPattern: '='\n\t},\n\tcontroller: 'workPatternBuilderCtrl',\n\tcontrollerAs: 'vm',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'components/work-pattern-builder/work-pattern-builder.component.html'\n})\n.controller('workPatternBuilderCtrl', ['$scope', 'workPatternService', 'WORK_PATTERN_BASIS', 'WORK_PATTERN_DAY_TYPES', 'WORK_PATTERN_GROUPS', function ($scope, workPatternService, WORK_PATTERN_BASIS, WORK_PATTERN_DAY_TYPES, WORK_PATTERN_GROUPS) {\n\n\tconst MAX_WORK_PATTERN_DAYS = 56;\n\tconst MAX_WORK_PATTERN_HOURS = 24;\n\tconst MAX_WORK_PATTERN_WEEKS = 8;\n\tconst STEP_COUNT = 0.25;\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\n\t\t$ctrl.workPattern = workPatternService.decorateWorkPattern($ctrl.workPattern);\n\t};\n\n\tfunction addWorkPatternDay (vmObj) {\n\n\t\tvar newDayObj = angular.copy(vmObj.workPattern.Days[vmObj.workPattern.Days.length - 1]);\n\n\t\tvmObj.workPattern.Days.push(newDayObj);\n\t}\n\n\tfunction addWorkPatternWeek (vmObj) {\n\n\t\tvar newWeekArr = angular.copy(vmObj.workPattern.weeks[vmObj.workPattern.weeks.length - 1]);\n\n\t\tvmObj.workPattern.weeks.push(newWeekArr);\n\n\t\tupdateDays(vmObj);\n\t}\n\n\tfunction decrementValue (dayObj, vmObj) {\n\n\t\tif (dayObj.Hours - STEP_COUNT < 0) {\n\t\t\tdayObj.Hours = 0;\n\t\t}\n\t\telse {\n\t\t\tdayObj.Hours = dayObj.Hours - STEP_COUNT;\n\t\t}\n\n\t\t// Weekly conversion needs to happen\n\t\tif (angular.isDefined(vmObj)) {\n\t\t\tupdateDays(vmObj);\n\t\t}\n\t}\n\n\tfunction deleteWorkPatternDay (vmObj, index) {\n\n\t\tvmObj.workPattern.Days.splice(index, 1);\n\t}\n\n\tfunction deleteWorkPatternWeek (vmObj, index) {\n\n\t\tvmObj.workPattern.weeks.splice(index, 1);\n\n\t\tupdateDays(vmObj);\n\t}\n\n\tfunction incrementValue (dayObj, vmObj) {\n\n\t\tif (dayObj.Hours + STEP_COUNT > MAX_WORK_PATTERN_HOURS) {\n\t\t\tdayObj.Hours = MAX_WORK_PATTERN_HOURS;\n\t\t}\n\t\telse {\n\t\t\tdayObj.Hours = dayObj.Hours + STEP_COUNT;\n\t\t}\n\n\t\t// Weekly conversion needs to happen\n\t\tif (angular.isDefined(vmObj)) {\n\t\t\tupdateDays(vmObj);\n\t\t}\n\t}\n\n\tfunction updateDays (vmObj) {\n\n\t\tworkPatternService.updateDays(vmObj.workPattern);\n\n\t\tif (angular.isFunction(vmObj.onUpdate)) {\n\t\t\tvmObj.onUpdate();\n\t\t}\n\t}\n\n\tangular.extend($scope, {\n\t\tMAX_WORK_PATTERN_DAYS,\n\t\tMAX_WORK_PATTERN_HOURS,\n\t\tMAX_WORK_PATTERN_WEEKS,\n\t\tWORK_PATTERN_DAY_TYPES,\n\t\tWORK_PATTERN_GROUPS,\n\t\tWORK_PATTERN_BASIS,\n\t\taddWorkPatternDay,\n\t\taddWorkPatternWeek,\n\t\tdecrementValue,\n\t\tdeleteWorkPatternDay,\n\t\tdeleteWorkPatternWeek,\n\t\tincrementValue,\n\t\tupdateDays\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('workPatternCard', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tcanDelete: '=?',\n\t\tworkPattern: '<',\n\t\tonUpdate: '=?'\n\t},\n\tcontroller: 'workPatternCardCtrl',\n\tcontrollerAs: 'vm',\n\ttemplateUrl: 'components/work-pattern-card/work-pattern-card.component.html'\n})\n.controller('workPatternCardCtrl', ['$rootScope', '$scope', 'workPatternService', 'WORK_PATTERN_BASIS', 'WORK_PATTERN_DAY_TYPES', 'WORK_PATTERN_GROUPS', function ($rootScope, $scope, workPatternService, WORK_PATTERN_BASIS, WORK_PATTERN_DAY_TYPES, WORK_PATTERN_GROUPS) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\n\t\t$ctrl.canDelete = angular.isUndefined($ctrl.canDelete) ? true : $ctrl.canDelete;\n\t\t$ctrl.workPattern = workPatternService.decorateWorkPattern($ctrl.workPattern);\n\t};\n\n\tfunction openWorkPatternForm (workPatternObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tformKey: 'work-pattern',\n\t\t\ttitle: workPatternObj !== undefined ? 'Edit work pattern' : 'New work pattern',\n\t\t\tworkPatternId: workPatternObj !== undefined ? workPatternObj.WorkPatternID : undefined\n\t\t});\n\t}\n\n\tfunction openWorkPatternTeamMembersForm (workPatternObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tformKey: 'work-pattern-team-members',\n\t\t\tworkPatternId: workPatternObj.WorkPatternID\n\t\t});\n\t}\n\n\tfunction openWorkPatternDeleteForm (workPatternObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.agencyProfileId,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tformKey: 'work-pattern-delete',\n\t\t\tworkPatternId: workPatternObj.WorkPatternID\n\t\t});\n\t}\n\n\tangular.extend($scope, {\n\t\tWORK_PATTERN_BASIS,\n\t\tWORK_PATTERN_DAY_TYPES,\n\t\tWORK_PATTERN_GROUPS,\n\t\topenWorkPatternForm,\n\t\topenWorkPatternDeleteForm,\n\t\topenWorkPatternTeamMembersForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('workPatternOverview', {\n\tbindings: {\n\t\tindex: '<',\n\t\tworkPattern: '='\n\t},\n\tcontroller: 'workPatternOverviewCtrl',\n\ttemplateUrl: 'components/work-pattern-overview/work-pattern-overview.component.html',\n\ttransclude: {\n\t\t'actions': '?wpoActions',\n\t}\n})\n.controller('workPatternOverviewCtrl', ['$transclude', 'WORK_PATTERN_GROUPS', function ($transclude, WORK_PATTERN_GROUPS) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = function () {\n\n\t\t$ctrl.WORK_PATTERN_GROUPS = WORK_PATTERN_GROUPS;\n\n\t\t$ctrl.hasActions = $transclude.isSlotFilled('actions');\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.directive('workerMail', function () {\n\n return {\n templateUrl: 'components/worker-mail/workerMailComponent.html',\n replace: true,\n scope: {\n \tagencyProfileId: '<',\n mailObject: '=',\n noMailsText: '@'\n },\n controller: 'workerMailController'\n };\n})\n\n.controller('workerMailController', ['$scope', function ($scope) {\n\n\t$scope.noMailsText = $scope.noMailsText !== undefined ? $scope.noMailsText : 'Not sent yet';\n\t$scope.showDropdown = false;\n\t$scope.showMails = true;\n\n\t$scope.toggleShowMails = function () {\n\t\t$scope.showMails = !$scope.showMails;\n\t};\n\n\t$scope.toggleDropdown = function () {\n\t\t$scope.showDropdown = !$scope.showDropdown;\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.directive('workflowActivityLog', function () {\n\n\treturn {\n\t\tcontroller: 'workflowActivityLogCtrl',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tlogList: '<',\n\t\t\tsearchBarOptions: '<',\n\t\t\twideView: ''\n\t\t},\n\t\ttemplateUrl: 'components/workflow-activity-log/workflowActivityLogComponent.html'\n\t};\n})\n\n.controller('workflowActivityLogCtrl', ['$scope', 'bulkService', function ($scope, bulkService) {\n\n\tfunction init() {\n\t\t/* This component expects a bulk items object, but it could be just a standard list, in which case generate\n\t\t a bulk items object from it, which will add the objects required the template. */\n\t\tif (!$scope.logList.all) {\n\t\t\t$scope.logList = bulkService.getBulkItemsObj($scope.logList);\n\t\t}\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\t// List of terms to emphasise in the log\n\t\tworkflowActions: 'ACTIVE COMPLETED STARTED STOPPED QUERIED'\n\t});\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('workflowDeadlineEntry', {\n\tbindings: {\n\t\tentry: '=',\n\t\tentryIndex: '<',\n\t\tentries: '<',\n\t\tonEntryUpdate: '&'\n\t},\n\tcontroller: 'workflowDeadlineEntryCtrl',\n\ttemplateUrl: 'components/workflow-deadline-entry/workflow-deadline-entry.component.html'\n})\n.controller('workflowDeadlineEntryCtrl', [\n\t'dateService',\n\tfunction (\n\t\tdateService\n\t) {\n\n\tconst $ctrl = this;\n\n\tfunction isOffsetTypeDisabled () {\n\n\t\tif ($ctrl.entryIndex === 0) {\n\t\t\treturn false;\n\t\t}\n\n\t\tconst templateEntryPreviousObj = $ctrl.entries[$ctrl.entryIndex - 1];\n\n\t\tif (templateEntryPreviousObj.IsAfterPayDay) {\n\t\t\treturn true;\n\t\t}\n\n\t\treturn false;\n\t}\n\n\tfunction onDueDateChange () {\n\n\t\t$ctrl.onEntryUpdate();\n\t}\n\n\tfunction onOffsetTypeChange () {\n\n\t\t// Don't do anything for last entry\n\t\tif ($ctrl.entry.IsAfterPayDay && $ctrl.entryIndex !== $ctrl.entries.length - 1) {\n\n\t\t\t// Set all proceeding entries value as the same as this one\n\t\t\tfor (let procedingEntryIndex = $ctrl.entryIndex + 1; procedingEntryIndex < $ctrl.entries.length; procedingEntryIndex++) {\n\n\t\t\t\tconst proceedingEntryObj = $ctrl.entries[procedingEntryIndex];\n\n\t\t\t\tif (proceedingEntryObj) {\n\t\t\t\t\tproceedingEntryObj.IsAfterPayDay = $ctrl.entry.IsAfterPayDay;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t$ctrl.onEntryUpdate();\n\t}\n\n\tangular.extend($ctrl, {\n\n\t\thours: dateService.getHours(),\n\t\tminutes: dateService.getMinutes(),\n\n\t\tisOffsetTypeDisabled,\n\n\t\tonDueDateChange,\n\t\tonOffsetTypeChange\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('workflowStatusBlock', {\n\tbindings: {\n\t\ttemplateEntryCurrent: '<'\n\t},\n\tcontroller: 'workflowStatusBlockCtrl',\n\ttemplateUrl: 'components/workflow-status-block/workflow-status-block.component.html'\n})\n.controller('workflowStatusBlockCtrl', [function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\tangular.extend($ctrl, {\n\t\t\ticon: $ctrl.templateEntryCurrent.IsOverdue ? 'warning' : 'clock',\n\t\t\ttagLabel: $ctrl.templateEntryCurrent.IsOverdue ? 'Overdue' : 'Due',\n\t\t\ttheme: $ctrl.templateEntryCurrent.IsOverdue ? 'is-assertive' : 'is-positive'\n\t\t});\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('workflowTimeline', {\n\tbindings: {\n\t\tagencyProfileId: '<',\n\t\tonUpdate: '=',\n\t\tpayPeriod: '',\n\t\tworkflowTemplate: '<'\n\t},\n\tcontroller: 'workflowTimelineCtrl',\n\ttemplateUrl: 'components/workflow-timeline/workflow-timeline.component.html',\n})\n.controller('workflowTimelineCtrl', [\n\t'$rootScope',\n\t'WORKFLOW_OFFSET_TYPES',\n\tfunction (\n\t\t$rootScope,\n\t\tWORKFLOW_OFFSET_TYPES\n\t) {\n\t\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tfor (let entryObj of $ctrl.workflowTemplate.TemplateEntries) {\n\t\t\tif (entryObj.IsAfterPayDay) {\n\t\t\t\t$ctrl.entries.afterPayDate.push(entryObj);\n\t\t\t}\n\t\t\telse {\n\t\t\t\t$ctrl.entries.beforePayDate.push(entryObj);\n\t\t\t}\n\t\t}\n\t}\n\n\tfunction openWorkflowDeadlinesForm(workflowTemplate) {\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: workflowTemplate.AgencyProfileID,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tformKey: 'workflow-deadlines',\n\t\t\tworkflowTemplate: workflowTemplate\n\t\t});\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\n\t\tentries: {\n\t\t\tafterPayDate: [],\n\t\t\tbeforePayDate: []\n\t\t},\n\n\t\topenWorkflowDeadlinesForm,\n\t\tWORKFLOW_OFFSET_TYPES\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('workflowTimelineEntry', {\n\tbindings: {\n\t\tentry: '<',\n\t\tonUpdate: '=',\n\t\tworkflowTemplate: '<'\n\t},\n\tcontroller: 'workflowTimelineEntryCtrl',\n\ttemplateUrl: 'components/workflow-timeline-entry/workflow-timeline-entry.component.html',\n})\n.controller('workflowTimelineEntryCtrl', [\n\t'$rootScope',\n\t'WORKFLOW_OFFSET_TYPES',\n\t'WORKFLOW_TEMPLATE_ENTRY_STATES',\n\tfunction (\n\t\t$rootScope,\n\t\tWORKFLOW_OFFSET_TYPES,\n\t\tWORKFLOW_TEMPLATE_ENTRY_STATES\n\t) {\n\n\tconst $ctrl = this;\n\n\tlet NOTE_LENGTH_LIMIT = 80;\n\n\tfunction openWorkflowDeadlinesForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.workflowTemplate.AgencyProfileID,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tformKey: 'workflow-deadlines',\n\t\t\tworkflowTemplate: $ctrl.workflowTemplate\n\t\t});\n\t}\n\n\tfunction openWorkflowCollaboratorForm () {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tagencyProfileId: $ctrl.workflowTemplate.AgencyProfileID,\n\t\t\tcallback: $ctrl.onUpdate,\n\t\t\tformKey: 'workflow-collaborator',\n\t\t\ttitle: 'Assign collaborator',\n\t\t\tworkflowTemplateEntry: $ctrl.entry\n\t\t});\n\t}\n\n\tfunction extendNoteLengthLimit () {\n\t\t$ctrl.NOTE_LENGTH_LIMIT = null;\n\t}\n\n\tangular.extend($ctrl, {\n\t\tNOTE_LENGTH_LIMIT,\n\t\tWORKFLOW_OFFSET_TYPES,\n\t\tWORKFLOW_TEMPLATE_ENTRY_STATES,\n\t\textendNoteLengthLimit,\n\t\topenWorkflowCollaboratorForm,\n\t\topenWorkflowDeadlinesForm\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('workflowTaskCard', {\n\tbindings: {\n\t\tagencyPayPeriodId: '',\n\t\tbulkItems: '=',\n\t\tindex: '<',\n\t\tomitCurrentUser: '',\n\t\ttask: '=',\n\t\trefreshTasks: '&?',\n\t\tshowComplete: '',\n\t\tshowTeamMember: ''\n\t},\n\tcontroller: 'workflowTaskCardCtrl',\n\ttemplateUrl: 'components/workflow-task-card/workflow-task-card.component.html',\n})\n.controller('workflowTaskCardCtrl', ['$rootScope', 'bulkService', 'WORKFLOW_TEMPLATE_ENTRY_STATES', function ($rootScope, bulkService, WORKFLOW_TEMPLATE_ENTRY_STATES) {\n\n\tconst $ctrl = this;\n\n\tfunction getCardTheme (taskObj) {\n\n\t\tlet cardTheme = '';\n\n\t\tif (taskIsComplete(taskObj)) {\n\t\t\tcardTheme = 'is-primary is-complete';\n\t\t} else {\n\t\t\tif (taskObj.IsOverdue) {\n\t\t\t\tcardTheme = 'is-assertive';\n\t\t\t} else {\n\t\t\t\tcardTheme = 'is-secondary';\n\t\t\t}\n\t\t}\n\n\t\treturn cardTheme;\n\t}\n\n\tfunction hideMenu () {\n\n\t\t$ctrl.options.showMenu = false;\n\t}\n\n\tfunction openReassignWorkflowTaskForm (taskObj) {\n\n\t\t$rootScope.openSlideInForm({\n\t\t\tactionerUserId: taskObj.ActionerID,\n\t\t\tagencyProfileId: taskObj.AgencyProfileID,\n\t\t\tcallback: $ctrl.refreshTasks(),\n\t\t\tformKey: 'reassign-workflow-task',\n\t\t\tomitCurrentUser: $ctrl.omitCurrentUser,\n\t\t\tshowContext: false,\n\t\t\ttitle: 'Re-assign workflow step',\n\t\t\tworkflowTasks: [taskObj]\n\t\t});\n\t}\n\n\tfunction selectionChanged () {\n\n\t\t$ctrl.bulkItems = bulkService.updateBulkItemTotals($ctrl.bulkItems);\n\t}\n\n\tfunction taskIsComplete (taskObj) {\n\n\t\treturn taskObj.State === WORKFLOW_TEMPLATE_ENTRY_STATES.complete;\n\t}\n\n\t$ctrl.$onInit = function () {\n\n\t\t$ctrl.cardTheme = getCardTheme($ctrl.task);\n\t};\n\n\tangular.extend($ctrl, {\n\t\thideMenu,\n\t\topenReassignWorkflowTaskForm,\n\t\toptions: {\n\t\t\tshowMenu: false\n\t\t},\n\t\tselectionChanged,\n\t\ttaskIsComplete\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.directive('workflowTasksList', function () {\n\n\treturn {\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\ttitle: '@',\n\t\t\tworkflowTasks: '<'\n\t\t},\n\t\ttemplateUrl: 'components/workflow-tasks-list/workflow-tasks-list.component.html'\n\t};\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.directive('workflowTaskSummaryCard', function () {\n\n\treturn {\n\t\tcontroller: 'workflowTaskSummaryCardCtrl',\n\t\treplace: true,\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tcardStyle: '@?',\n\t\t\tclientCount: '=?',\n\t\t\tfilterKey: '@?',\n\t\t\ticon: '@?',\n\t\t\tisCompact: '',\n\t\t\tstatus: '@',\n\t\t\ttargetState: '@?',\n\t\t\tteamCount: '=?',\n\t\t\tteamMemberCount: '=?',\n\t\t\ttotalCount: '=?'\n\t\t},\n\t\ttemplateUrl: 'components/workflow-task-summary-card/workflow-task-summary-card.component.html'\n\t};\n})\n\n.controller('workflowTaskSummaryCardCtrl', ['$scope', 'FILTER_KEYS', function ($scope, FILTER_KEYS) {\n\n\tlet teamMemberKeyList = '';\n\n\tfunction init () {\n\n\t\t/* Build team member key list for 'with team' filter sref. This is used to apply the filter on the\n\t\t workflow companies view to select every team member */\n\t\tlet filterKeys = [];\n\t\tif ($scope.teamMemberCount) {\n\t\t\tfor (let i = 0; i < $scope.teamMemberCount; i++) {\n\t\t\t\tfilterKeys.push(FILTER_KEYS.bureauWorkflowTasks.teamMember.assignee + `_${i}`);\n\t\t\t}\n\t\t\tteamMemberKeyList = filterKeys.join();\n\t\t}\n\t\tangular.extend($scope, {\n\t\t\tteamMemberKeyList\n\t\t});\n\t}\n\n\tfunction showCounts () {\n\t\treturn $scope.teamCount || $scope.clientCount;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tisCompact: angular.isUndefined($scope.isCompact) ? false : $scope.isCompact,\n\t\tshowCounts\n\t});\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('validatedInputFormField', {\n\tbindings: {\n\t\t// Display 'show password' button. Optional, defaults to false. Ignored when inputType !== password\n\t\tallowShowPassword: '',\n\t\t// Terms not allowed.\n\t\tblacklistedTerms: '',\n\t\t// Existing value for validation. If specified, the input can't be the same as this.\n\t\tcurrentValue: '=?',\n\t\t// Disable autocomplete. Defaults to false.\n\t\tdisableAutocomplete: '',\n\t\t// Field name for display\n\t\tfieldName: '@',\n\t\t// Prompt, for display above the criteria. Optional, will default to 'fieldName must:'\n\t\tfieldPrompt: '@?',\n\t\t// Footnote for the field. Optional.\n\t\tfieldFootnote: '@?',\n\t\t// Bound variable\n\t\tinput: '=ngModel',\n\t\t// Unique name for input field\n\t\tinputName: '@',\n\t\t// Rules for validation.\n\t\trules: '',\n\t\t// One of USERNAME_CHECK_TYPES. Optional, will default to failOnUsernameExists. Ignored when inputType !== password\n\t\tusernameCheckType: '',\n\t\t// Maps directly a key of INPUT_VALIDATION_RULES\n\t\tvalidationType: '@',\n\t},\n\tcontroller: 'validatedInputFormFieldCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\t/* Section for standard errors. These need to appear directly below the input field for general consistency,\n\t so can't simply be added below the validated input field in a template, as then they would appear after\n\t the validation list. Hence the transclusion. */\n\ttransclude: {\n\t\tviErrors: '?viErrors'\n\t},\n\ttemplateUrl: 'components/validated-input-form-field/validated-input-form-field.component.html'\n})\n.controller('validatedInputFormFieldCtrl', [\n\t'$scope',\n\t'$transclude',\n\t'inputValidationService',\n\t'INPUT_VALIDATION_TYPES',\n\t'USERNAME_CHECK_TYPES',\n\tfunction (\n\t\t$scope,\n\t\t$transclude,\n\t\tinputValidationService,\n\t\tINPUT_VALIDATION_TYPES,\n\t\tUSERNAME_CHECK_TYPES\n\t) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\t// Determine input type based in validation type: 'text' unless validation type is 'password'.\n\t\tlet inputType = 'text';\n\t\tif ($ctrl.validationType === INPUT_VALIDATION_TYPES.password) {\n\t\t\tinputType = 'password';\n\t\t}\n\n\t\tangular.extend($ctrl, {\n\t\t\tallowShowPassword: $ctrl.inputType === 'password' && (angular.isDefined($ctrl.allowShowPassword) ? $ctrl.allowShowPassword : false),\n\t\t\tdisableAutocomplete: angular.isDefined($ctrl.disableAutocomplete) ? $ctrl.disableAutocomplete : false,\n\t\t\tfieldPrompt: angular.isDefined($ctrl.fieldPrompt) ? $ctrl.fieldPrompt : `${$ctrl.fieldName} must`,\n\t\t\thasStandardErrors: $transclude.isSlotFilled('viErrors'),\n\t\t\tinputCheck: inputValidationService.getInitialInputCheck($ctrl.validationType),\n\t\t\tinputType,\n\t\t\tshowPassword: false,\n\t\t\tusernameCheckType: angular.isDefined($ctrl.usernameCheckType) ? $ctrl.usernameCheckType : USERNAME_CHECK_TYPES.failOnUsernameExists\n\t\t});\n\n\t\t// Keep an eye on current value and check input on change\n\t\t$scope.$watch('$ctrl.currentValue', (newCurrentValue, oldCurrentValue) => {\n\t\t\tif (newCurrentValue !== oldCurrentValue) {\n\t\t\t\tcheckInput();\n\t\t\t}\n\t\t});\n\t};\n\n\n\tfunction checkInput () {\n\n\t\tconst inputFormField = $ctrl.form[$ctrl.inputName];\n\n\t\tif (inputFormField) {\n\t\t\t// If an existing value has been specified, check the new isn't the same\n\t\t\tlet sameAsExisting = false;\n\t\t\tif (angular.isDefined($ctrl.currentValue)) {\n\t\t\t\tsameAsExisting = $ctrl.input === $ctrl.currentValue;\n\t\t\t\tinputFormField.$setValidity('sameasexisting', !sameAsExisting);\n\t\t\t}\n\n\t\t\t// Do additional validation checks\n\t\t\t$ctrl.inputCheck = inputValidationService.validateInput($ctrl.input, $ctrl.validationType, $ctrl.blacklistedTerms);\n\t\t\tinputFormField.$setValidity('pattern', $ctrl.inputCheck.inputOk);\n\t\t}\n\t}\n\n\tfunction toggleShowPassword () {\n\n\t\t$ctrl.showPassword = !$ctrl.showPassword;\n\t\t$ctrl.inputElementType = $ctrl.showPassword ? 'text' : 'password';\n\t}\n\n\tangular.extend($ctrl, {\n\t\tINPUT_VALIDATION_TYPES,\n\t\tcheckInput,\n\t\ttoggleShowPassword\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('dateInputField', ['$timeout', 'config', 'utilities', function ($timeout, config, utilities) {\n\n\treturn {\n\t\ttemplateUrl: 'form-fields/date-input/dateInputField.html',\n\t\tscope: {\n\t\t\tfieldDisabled: '=?',\n\t\t\tfieldId: '@',\n\t\t\tfieldMaxDateIso: '=',\n\t\t\tfieldMinDateIso: '=?',\n\t\t\tfieldOnChange: '=?',\n\t\t\tfieldOnChangeFn: '&?',\n\t\t\tfieldOnFocusFn: '&?',\n\t\t\tfieldPlaceholder: '@?',\n\t\t\tfieldReadOnly: '',\n\t\t\tfieldRequired: '=?',\n\t\t\tfieldStyle: '@?',\n\t\t\tfieldValueIso: '='\n\t\t},\n\t\tlink: function ($scope) {\n\n\t\t\tfunction createJSDateFromISODate (date) {\n\n\t\t\t\treturn utilities.parseIsoDate(angular.copy(date));\n\t\t\t}\n\n\t\t\tfunction parseDateJsToISO (updatedDateObj) {\n\n\t\t\t\t$scope.fieldValueIso = updatedDateObj !== undefined && moment(updatedDateObj).isValid() ? moment(updatedDateObj).set({hour:0,minute:0,second:0,millisecond:0}).format('YYYY-MM-DDTHH:mm:ss') : '';\n\t\t\t\t$scope.fieldPlaceholder = '';\n\t\t\t\tif (angular.isFunction($scope.fieldOnChange)) {\n\t\t\t\t\t$scope.fieldOnChange($scope.fieldValueIso);\n\t\t\t\t}\n\t\t\t\t$timeout(() => {\n\t\t\t\t\tif (angular.isFunction($scope.fieldOnChangeFn)) {\n\t\t\t\t\t\t$scope.fieldOnChangeFn();\n\t\t\t\t\t}\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tinit();\n\n\t\t\t$scope.removePlaceholder = function () {\n\n\t\t\t\tvar input = angular.element(document.getElementById($scope.fieldId));\n\t\t\t\t$scope.fieldPlaceholder = '';\n\t\t\t\tinput[0].focus();\n\t\t\t};\n\n\t\t\tfunction init () {\n\t\t\t\t$scope.fieldHasPlaceholder = $scope.fieldPlaceholder ? true : false;\n\t\t\t\t$scope.fieldDisabled = $scope.fieldDisabled ? $scope.fieldDisabled : false;\n\t\t\t\t$scope.fieldReadOnly = $scope.fieldReadOnly ? $scope.fieldReadOnly : false;\n\t\t\t\t$scope.fieldRequired = $scope.fieldRequired !== undefined ? $scope.fieldRequired : true;\n\n\t\t\t\t$scope.fieldValueJS = createJSDateFromISODate($scope.fieldValueIso);\n\t\t\t\t$scope.fieldMinDateJS = createJSDateFromISODate($scope.fieldMinDateIso);\n\t\t\t\t$scope.fieldMaxDateJS = createJSDateFromISODate($scope.fieldMaxDateIso);\n\t\t\t}\n\n\t\t\tinit();\n\n\t\t\tvar fieldValueWatch = $scope.$watch('fieldValueIso', function (newValue, oldValue) {\n\n\t\t\t\tif (newValue !== oldValue) {\n\t\t\t\t\t$scope.fieldHasPlaceholder = false;\n\t\t\t\t\t$scope.fieldValueJS = createJSDateFromISODate(angular.copy(newValue));\n\t\t\t\t}\n\t\t\t\tif (newValue !== '') {\n\t\t\t\t\t$scope.fieldHasPlaceholder = false;\n\t\t\t\t}\n\t\t\t});\n\n\t\t\t$scope.$on('$destroy', function () {\n\n\t\t\t\tif (fieldValueWatch !== undefined) {\n\t\t\t\t\tfieldValueWatch();\n\t\t\t\t}\n\t\t\t});\n\n\t\t\t$scope.$watch('fieldMaxDateIso', function (oldValue, newValue) {\n\n\t\t\t\tif (newValue !== oldValue) {\n\t\t\t\t\tinit();\n\t\t\t\t}\n\t\t\t});\n\n\t\t\t$scope.$watch('fieldMinDateIso', function (oldValue, newValue) {\n\n\t\t\t\tif (newValue !== oldValue) {\n\t\t\t\t\tinit();\n\t\t\t\t}\n\t\t\t});\n\n\t\t\t$scope.parseDateJsToISO = function (updatedDateObj) {\n\n\t\t\t\tparseDateJsToISO(updatedDateObj);\n\t\t\t};\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('durationInput', {\n\tbindings: {\n\t\tfieldDisabled: '',\n\t\tfieldModel: '=',\n\t\tfieldName: '@',\n\t\tfieldOnChange: '&?',\n\t\tfieldRequired: '',\n\t\tfieldShowDivisions: '',\n\t\tfieldValidation: ''\n\t},\n\trequire: {\n\t form: '^form'\n\t},\n\tcontroller: 'durationInputCtrl',\n\ttemplateUrl: 'form-fields/duration-input/duration-input.component.html'\n})\n.controller('durationInputCtrl', ['dateService', 'utilities', function (dateService, utilities) {\n\n\tconst $ctrl = this;\n\n\tconst DIVISIONS = {\n\t\tdays: 'days',\n\t\thours: 'hours',\n\t\tminutes: 'minutes',\n\t};\n\n\tconst VALIDATION = {\n\t\tdays: 365,\n\t\thours: 23,\n\t\tminutes: 59\n\t};\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tdurationDetail: dateService.getDurationDetailFromMinutes($ctrl.fieldModel),\n\t\t\tfieldRequired: angular.isDefined($ctrl.fieldRequired) ? $ctrl.fieldRequired : true,\n\t\t\tfieldShowDivisions: angular.isDefined($ctrl.fieldShowDivisions) ? $ctrl.fieldShowDivisions : [DIVISIONS.days, DIVISIONS.hours, DIVISIONS.minutes]\n\t\t});\n\n\t\tsetValidation($ctrl.fieldValidation);\n\t}\n\n\tfunction $onChanges (changesObj) {\n\n\t\tif (angular.isDefined(changesObj.fieldValidation)) {\n\t\t\tsetValidation(changesObj.fieldValidation.currentValue);\n\t\t}\n\t}\n\n\tfunction getIsValidationObjectValid (fieldValidationObj) {\n\t\t// At least one of the object's values must be greater than 0 to be valid\n\t\treturn Object.values(fieldValidationObj).some(value => value > 0);\n\t}\n\n\tfunction getMinutesFromDurationDetail (durationObj) {\n\n\t\tconst MULTIPLIERS = {\n\t\t\tdaysToMinutes: 1440,\n\t\t\thoursToMinutes: 60\n\t\t};\n\n\t\tutilities.setAnyPropertiesToZeroIfEmpty(durationObj);\n\n\t\tlet minutesInt = 0;\n\n\t\tif (durationObj.days > 0) {\n\t\t\tminutesInt += durationObj.days * MULTIPLIERS.daysToMinutes;\n\t\t}\n\n\t\tif (durationObj.hours > 0) {\n\t\t\tminutesInt += durationObj.hours * MULTIPLIERS.hoursToMinutes;\n\t\t}\n\n\t\tif (durationObj.minutes > 0) {\n\t\t\tminutesInt += durationObj.minutes;\n\t\t}\n\n\t\treturn minutesInt;\n\t}\n\n\tfunction onChange (ctrlObj) {\n\n\t\tctrlObj.fieldModel = getMinutesFromDurationDetail(ctrlObj.durationDetail);\n\n\t\tif (angular.isFunction(ctrlObj.fieldOnChange)) {\n\t\t\tctrlObj.fieldOnChange();\n\t\t}\n\t}\n\n\tfunction setValidation (fieldValidationObj) {\n\n\t\tif (angular.isDefined(fieldValidationObj)) {\n\n\t\t\tif (getIsValidationObjectValid(fieldValidationObj)) {\n\n\t\t\t\t$ctrl.validation = angular.merge(angular.copy(VALIDATION), fieldValidationObj);\n\n\t\t\t} else {\n\t\t\t\t$ctrl.validation = VALIDATION;\n\t\t\t}\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\tDIVISIONS,\n\n\t\t$onInit,\n\t\t$onChanges,\n\n\t\tonChange\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('mentionInput', ['teamData', 'teamService', 'utilities', 'KEY_CODES', 'MENTION_OPTIONS', 'PERMISSION_TYPES', function (teamData, teamService, utilities, KEY_CODES, MENTION_OPTIONS, PERMISSION_TYPES) {\n\treturn {\n\t\tscope: {\n\t\t\tagencyProfileId: '<',\n\t\t\tcanMention: '',\n\t\t\tmentionList: '=',\n\t\t\tname: '@',\n\t\t\tngModel: '=',\n\t\t\trequired: '',\n\t\t\trows: '@?',\n\t\t},\n\t\trestrict: 'E',\n\t\trequire: ['^form', 'ngModel'],\n\t\ttemplateUrl: 'form-fields/mention-input/mention-input.html',\n\t\tlink: function ($scope, $element) {\n\n\t\t\tconst agencyProfileId = $scope.agencyProfileId;\n\t\t\tconst mentionList = $scope.mentionList;\n\t\t\tconst element = $element[0];\n\t\t\tconst zeroWidthSpace = '';\n\t\t\tconst removeZeroWidthSpaces = new RegExp(zeroWidthSpace, 'g');\n\n\t\t\tconst MENTION_STATES = {\n\t\t\t\twaiting: 'waiting',\n\t\t\t\tsearching: 'searching'\n\t\t\t};\n\n\t\t\tfunction checkCursorSurroundings (vmObj, event) {\n\n\t\t\t\tconst cursorDetailObj = getCursorSurroundings();\n\n\t\t\t\tif (!cursorDetailObj) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tremoveParentElementStyleAttributes(cursorDetailObj.parentElement);\n\n\t\t\t\tif (cursorDetailObj.textBeforeCursor.slice(-1) === MENTION_OPTIONS.mentionCharacter && !cursorDetailObj.parentElement.dataset.isMention) {\n\t\t\t\t\tstartSearching(vmObj);\n\t\t\t\t\twrapElementAtPosition(vmObj, cursorDetailObj);\n\n\t\t\t\t} else {\n\n\t\t\t\t\tif (event.which === KEY_CODES.backspace) {\n\n\t\t\t\t\t\tif (selectionIsMention(cursorDetailObj)) {\n\t\t\t\t\t\t\tif (cursorDetailObj.parentElement.dataset.isMention) {\n\t\t\t\t\t\t\t\tcursorDetailObj.parentElement.remove();\n\t\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\t\tcursorDetailObj.parentElement.parentElement.remove();\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\tupdateNgModel();\n\n\t\t\t\t\t} else {\n\t\t\t\t\t\tmoveCursor(event, cursorDetailObj);\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction createMentionHTML (name) {\n\t\t\t\treturn `${MENTION_OPTIONS.bracketCharacter[0]}${MENTION_OPTIONS.mentionCharacter + name}${MENTION_OPTIONS.bracketCharacter[1]}`;\n\t\t\t}\n\n\t\t\tfunction createRange (currentNode, countObj, range) {\n\n\t\t\t\tif (!range) {\n\t\t\t\t\trange = document.createRange();\n\t\t\t\t\trange.selectNode(currentNode);\n\t\t\t\t\trange.setStart(currentNode, 0);\n\t\t\t\t}\n\n\t\t\t\tif (countObj.count === 0) {\n\t\t\t\t\trange.setEnd(currentNode, countObj.count);\n\n\t\t\t\t} else if (currentNode && countObj.count >0) {\n\t\t\t\t\tif (currentNode.nodeType === Node.TEXT_NODE) {\n\n\t\t\t\t\t\tif (currentNode.textContent.length < countObj.count) {\n\t\t\t\t\t\t\tcountObj.count -= currentNode.textContent.length;\n\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\trange.setEnd(currentNode, countObj.count);\n\t\t\t\t\t\t\tcountObj.count = 0;\n\t\t\t\t\t\t}\n\n\t\t\t\t\t} else {\n\t\t\t\t\t\tfor (let childNode of currentNode.childNodes) {\n\t\t\t\t\t\t\trange = createRange(childNode, countObj, range);\n\n\t\t\t\t\t\t\tif (countObj.count === 0) {\n\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t return range;\n\t\t\t}\n\n\t\t\tfunction getCursorSurroundings () {\n\n\t\t\t\tconst selectionDetailsObj = getSelectionDetails();\n\n\t\t\t\tif (!selectionDetailsObj) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tconst cursorPosition = selectionDetailsObj.selection.getRangeAt(0).startOffset;\n\n\t\t\t\tif (cursorPosition < 0) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tconst textElementContent = getTextContent(selectionDetailsObj.textElement);\n\t\t\t\tconst textBeforeCursor = textElementContent.substring(0, cursorPosition);\n\t\t\t\tconst textAfterCursor = textElementContent.substring(cursorPosition);\n\n\t\t\t\treturn {\n\t\t\t\t\tcursorPosition,\n\t\t\t\t\tparentElement: selectionDetailsObj.parentElement,\n\t\t\t\t\tselection: selectionDetailsObj.selection,\n\t\t\t\t\ttextElement: selectionDetailsObj.textElement,\n\t\t\t\t\ttextAfterCursor,\n\t\t\t\t\ttextBeforeCursor\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tfunction getFilteredAdmins (vmObj) {\n\t\t\t\treturn vmObj.adminGroups.map(adminGroupObj => adminGroupObj.filteredAdmins).flat();\n\t\t\t}\n\n\t\t\tfunction getMentionInputElement () {\n\t\t\t\treturn document.getElementById('mention-input');\n\t\t\t}\n\n\t\t\tfunction getSelectionDetails () {\n\n\t\t\t\tconst selection = document.getSelection();\n\t\t\t\tif (!selection) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tconst textElement = selection.anchorNode;\n\t\t\t\tif (!textElement || textElement.nodeType !== Node.TEXT_NODE) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tconst parentElement = textElement.parentNode;\n\t\t\t\tif (!parentElement) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tparentElement.normalize();\n\n\t\t\t\treturn {\n\t\t\t\t\tparentElement,\n\t\t\t\t\tselection,\n\t\t\t\t\ttextElement,\n\t\t\t\t};\n\t\t\t}\n\n\t\t\tfunction getTextContent (element) {\n\t\t\t\treturn typeof element.textContent === 'string' ? element.textContent : element.innerText;\n\t\t\t}\n\n\t\t\tfunction init () {\n\n\t\t\t\tif ($scope.canMention) {\n\n\t\t\t\t\tif (isAgencyProfileIdInvalid()) {\n\t\t\t\t\t\tonError('Missing/invalid AgencyProfileID');\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\n\t\t\t\t\tif (angular.isUndefined(mentionList)) {\n\t\t\t\t\t\tonError('Missing mention list attribute');\n\t\t\t\t\t\treturn;\n\t\t\t\t\t}\n\n\t\t\t\t\tsetupInputElement();\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction isAgencyProfileIdInvalid () {\n\t\t\t\treturn !angular.isDefined(agencyProfileId) || !utilities.isValidGuid(agencyProfileId);\n\t\t\t}\n\n\t\t\tfunction loadAdmins (vmObj) {\n\n\t\t\t\tteamData.getTeamMemberAdminsExtended(agencyProfileId, PERMISSION_TYPES.all).then(adminGroupsObj => {\n\n\t\t\t\t\tconst adminGroupsArr = teamService.convertTeamMembeAdminsToArray(adminGroupsObj);\n\t\t\t\t\tconst adminsArr = Object.values(adminGroupsObj).flat();\n\n\t\t\t\t\tfor (let adminGroupObj of adminGroupsArr) {\n\t\t\t\t\t\tadminGroupObj.filteredAdmins = [];\n\t\t\t\t\t}\n\n\t\t\t\t\tsetIndexsForAdmins(adminsArr);\n\n\t\t\t\t\tfor (let adminObj of adminsArr) {\n\t\t\t\t\t\tadminObj.fullName = `${adminObj.Forename} ${adminObj.Surname}`;\n\t\t\t\t\t}\n\n\t\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\t\thasAdmins: true,\n\t\t\t\t\t\tadminGroups: adminGroupsArr\n\t\t\t\t\t});\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tfunction moveCursor (event, cursorDetailObj) {\n\n\t\t\t\tswitch (cursorDetailObj.parentElement.dataset.bracket) {\n\t\t\t\t\tcase 'left':\n\t\t\t\t\t\tplaceCursorAfterElement(cursorDetailObj.parentElement.parentElement);\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase 'right':\n\t\t\t\t\t\tif (event.which !== KEY_CODES.backspace) {\n\t\t\t\t\t\t\tplaceCursorBeforeElement(cursorDetailObj.parentElement.parentElement);\n\t\t\t\t\t\t}\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tdefault:\n\t\t\t\t\t\tif (cursorDetailObj.parentElement) {\n\t\t\t\t\t\t\tremoveParentElementStyleAttributes(cursorDetailObj.parentElement);\n\t\t\t\t\t\t}\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction moveThroughAdminList (vmObj, isMoveUpOne) {\n\n\t\t\t\tconst adminsArr = getFilteredAdmins(vmObj);\n\n\t\t\t\tif (isMoveUpOne) {\n\n\t\t\t\t\t// If user is at the top of the list, take them to the bottom\n\t\t\t\t\tif (vmObj.selectedAdminIndex <= 0) {\n\t\t\t\t\t\tvmObj.selectedAdminIndex = adminsArr.length-1;\n\t\t\t\t\t}\n\n\t\t\t\t\t// Move the user up the list\n\t\t\t\t\telse {\n\t\t\t\t\t\tvmObj.selectedAdminIndex--;\n\t\t\t\t\t}\n\n\n\t\t\t\t} else {\n\n\t\t\t\t\t// If user is at the bottom of the list, take them to the top\n\t\t\t\t\tif (vmObj.selectedAdminIndex === adminsArr.length-1) {\n\t\t\t\t\t\tvmObj.selectedAdminIndex = 0;\n\t\t\t\t\t}\n\n\t\t\t\t\t// Move user down the list\n\t\t\t\t\telse {\n\t\t\t\t\t\tvmObj.selectedAdminIndex++;\n\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\tconst selectedAdminObj = adminsArr[vmObj.selectedAdminIndex];\n\t\t\t\tconst selectedAdminElement = document.getElementById(`${MENTION_OPTIONS.selectionIdPrefix}-${selectedAdminObj.UserID}`);\n\n\t\t\t\tselectedAdminElement.scrollIntoView({\n\t\t\t\t\tbehavior: 'smooth',\n\t\t\t\t\tinline: 'end',\n\t\t\t\t\tblock: 'end'\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tfunction onClick (vmObj) {\n\n\t\t\t\tconst selectionDetailsObj = getSelectionDetails();\n\n\t\t\t\tswitch (vmObj.state) {\n\t\t\t\t\tcase MENTION_STATES.waiting:\n\t\t\t\t\t\tif (selectionIsMention(selectionDetailsObj)) {\n\t\t\t\t\t\t\tplaceCursorAfterElement(selectionDetailsObj.parentElement);\n\t\t\t\t\t\t}\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase MENTION_STATES.searching:\n\t\t\t\t\t\tif (!selectionIsActiveMention(selectionDetailsObj)) {\n\t\t\t\t\t\t\tremoveUnusedMentionElement(vmObj);\n\t\t\t\t\t\t}\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction onError (error) {\n\t\t\t\t$scope.canMention = false;\n\t\t\t\tthrow new Error(error);\n\t\t\t}\n\n\t\t\tfunction onKeyDown (vmObj, event) {\n\n\t\t\t\tif (event.which === KEY_CODES.enter) {\n\t\t\t\t\tevent.stopPropagation();\n\t\t\t\t}\n\n\t\t\t\tswitch (vmObj.state) {\n\t\t\t\t\tcase MENTION_STATES.waiting:\n\t\t\t\t\t\tskipOverMentions(event);\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase MENTION_STATES.searching:\n\t\t\t\t\t\tpreventNavigationWhilstSearching(vmObj, event);\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction onKeyUp (vmObj, event) {\n\n\t\t\t\tswitch (vmObj.state) {\n\t\t\t\t\tcase MENTION_STATES.waiting:\n\t\t\t\t\t\tcheckCursorSurroundings(vmObj, event);\n\t\t\t\t\t\tupdateNgModel();\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase MENTION_STATES.searching:\n\n\t\t\t\t\t\tonMentionType(vmObj, event);\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction onMentionType (vmObj, event) {\n\n\t\t\t\tswitch (event.which) {\n\t\t\t\t\tcase KEY_CODES.upArrow:\n\t\t\t\t\t\tif (!vmObj.disableKeyboardInput) {\n\t\t\t\t\t\t\tmoveThroughAdminList(vmObj, true);\n\t\t\t\t\t\t\tevent.preventDefault();\n\t\t\t\t\t\t}\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase KEY_CODES.downArrow:\n\t\t\t\t\t\tif (!vmObj.disableKeyboardInput) {\n\t\t\t\t\t\t\tmoveThroughAdminList(vmObj, false);\n\t\t\t\t\t\t\tevent.preventDefault();\n\t\t\t\t\t\t}\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tcase KEY_CODES.enter:\n\t\t\t\t\t\tif (vmObj.selectedAdminIndex !== -1) {\n\t\t\t\t\t\t\tselectAdmin(vmObj, vmObj.selectedAdminIndex);\n\t\t\t\t\t\t}\n\t\t\t\t\t\tevent.preventDefault();\n\t\t\t\t\t\tbreak;\n\n\t\t\t\t\tdefault:\n\t\t\t\t\t\tconst mentionText = vmObj.mentionElement.textContent;\n\t\t\t\t\t\tvmObj.searchTerm = mentionText.replace(MENTION_OPTIONS.mentionCharacter, '');\n\t\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction onMouseLeave (vmObj) {\n\t\t\t\tvmObj.disableKeyboardInput = false;\n\t\t\t}\n\n\t\t\tfunction onMouseOver (vmObj) {\n\t\t\t\tvmObj.disableKeyboardInput = true;\n\t\t\t}\n\n\t\t\tfunction placeCursorAtElement (element) {\n\n\t\t\t\telement.tabIndex = 0;\n\t\t\t\telement.focus();\n\n\t\t\t\tconst range = document.createRange();\n\t\t\t\trange.setStart(element.childNodes[0], 1);\n\t\t\t\trange.setEnd(element.childNodes[0], 1);\n\n\t\t\t\tconst selection = window.getSelection();\n\t\t\t\tselection.removeAllRanges();\n\t\t\t\tselection.addRange(range);\n\t\t\t}\n\n\t\t\tfunction placeCursorAfterElement (element) {\n\n\t\t\t\t// If there's not an adjcent element, create an dummy one to focus onto\n\t\t\t\tif (!element.nextElementSibling) {\n\t\t\t\t\tconst dummyElement = document.createElement('span');\n\t\t\t\t\tdummyElement.appendChild(document.createTextNode(zeroWidthSpace));\n\t\t\t\t\telement.parentNode.appendChild(dummyElement);\n\t\t\t\t}\n\n\t\t\t\tplaceCursorAtElement(element.nextElementSibling);\n\t\t\t}\n\n\t\t\tfunction placeCursorBeforeElement (element) {\n\n\t\t\t\t// If there's not an previous element, create an dummy one to focus onto\n\t\t\t\tif (!element.previousElementSibling) {\n\t\t\t\t\tconst dummyElement = document.createElement('span');\n\t\t\t\t\tdummyElement.appendChild(document.createTextNode(zeroWidthSpace));\n\t\t\t\t\telement.parentNode.insertBefore(dummyElement, element);\n\t\t\t\t}\n\n\t\t\t\tplaceCursorAtElement(element.previousElementSibling);\n\t\t\t}\n\n\t\t\tfunction positionListPopout (vmObj, mentionElement) {\n\n\t\t\t\tconst mentionArea = mentionElement.getBoundingClientRect();\n\n\t\t\t\tconst popoutWindowOffset = mentionArea.left + MENTION_OPTIONS.popoutWidth;\n\t\t\t\tlet mentionOffsetLeft = mentionElement.offsetLeft;\n\n\t\t\t\t// If popout is going to overflow window take the overflow width and some extra off popout offset\n\t\t\t\tif (popoutWindowOffset > window.innerWidth) {\n\t\t\t\t\tconst popoutOverflowWidth = popoutWindowOffset - window.innerWidth;\n\t\t\t\t\tmentionOffsetLeft = mentionOffsetLeft - popoutOverflowWidth - 25;\n\t\t\t\t}\n\n\t\t\t\telement.style.setProperty('--popout-position-left', mentionOffsetLeft + 'px');\n\t\t\t\telement.style.setProperty('--popout-position-top', mentionElement.offsetTop + 'px');\n\n\t\t\t\tvmObj.showPopout = true;\n\t\t\t}\n\n\t\t\tfunction preventNavigationWhilstSearching (vmObj, event) {\n\n\t\t\t\tif ([KEY_CODES.enter, KEY_CODES.upArrow, KEY_CODES.tab].includes(event.which)) {\n\t\t\t\t\tevent.preventDefault();\n\t\t\t\t}\n\n\t\t\t\tif ([KEY_CODES.escape, KEY_CODES.backspace].includes(event.which)) {\n\n\t\t\t\t\tif (vmObj.mentionElement.textContent === MENTION_OPTIONS.mentionCharacter) {\n\t\t\t\t\t\tremoveUnusedMentionElement(vmObj);\n\t\t\t\t\t\tevent.preventDefault();\n\t\t\t\t\t}\n\n\t\t\t\t} else if (event.which === KEY_CODES.leftArrow && vmObj.mentionElement.textContent === MENTION_OPTIONS.mentionCharacter) {\n\t\t\t\t\tevent.preventDefault();\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction removeUnusedMentionElement (vmObj) {\n\n\t\t\t\tresetPopout(vmObj);\n\n\t\t\t\tvmObj.mentionElement.classList.remove(MENTION_OPTIONS.selectionClass);\n\n\t\t\t\tif (vmObj.mentionElement.parentNode) {\n\t\t\t\t\tvmObj.mentionElement.outerHTML = vmObj.mentionElement.textContent;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction removeParentElementStyleAttributes (element) {\n\n\t\t\t\t// clear font problems (i know it's ugly, but it works)\n\t\t\t\tif (element.id !== 'mention-input') {\n\n\t\t\t\t\telement.removeAttribute('style');\n\t\t\t\t\telement.removeAttribute('color');\n\n\t\t\t\t\tif (element.parentElement) {\n\t\t\t\t\t\tremoveParentElementStyleAttributes(element.parentElement);\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction resetAdminIndexes (vmObj) {\n\n\t\t\t\tconst adminsArr = getFilteredAdmins(vmObj);\n\n\t\t\t\tsetIndexsForAdmins(adminsArr);\n\n\t\t\t\tif (vmObj.filteredAdmins.length !== adminsArr.length) {\n\n\t\t\t\t\tvmObj.filteredAdmins = adminsArr;\n\n\t\t\t\t\tif (adminsArr.length === 1) {\n\t\t\t\t\t\tvmObj.selectedAdminIndex = 0;\n\n\t\t\t\t\t} else {\n\t\t\t\t\t\tvmObj.selectedAdminIndex = -1;\n\t\t\t\t\t}\n\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction resetPopout (vmObj) {\n\t\t\t\tangular.extend(vmObj, {\n\t\t\t\t\tsearchTerm: '',\n\t\t\t\t\tselectedAdminIndex: -1,\n\t\t\t\t\tshowPopout: false,\n\t\t\t\t\tstate: MENTION_STATES.waiting,\n\t\t\t\t\tdisableKeyboardInput: false\n\t\t\t\t});\n\t\t\t}\n\n\t\t\tfunction selectAdmin (vmObj, adminIndex) {\n\n\t\t\t\tconst adminsArr = getFilteredAdmins(vmObj);\n\t\t\t\tconst selectedAdminObj = adminsArr[adminIndex];\n\n\t\t\t\tangular.merge(vmObj.mentionElement, {\n\t\t\t\t\tinnerHTML: createMentionHTML(selectedAdminObj.fullName),\n\t\t\t\t\tdataset: {\n\t\t\t\t\t\tuserId: selectedAdminObj.UserID\n\t\t\t\t\t}\n\t\t\t\t});\n\n\t\t\t\tdelete vmObj.mentionElement.dataset.isActiveMention;\n\n\t\t\t\tmentionList.push(selectedAdminObj.UserID);\n\n\t\t\t\tupdateNgModel();\n\n\t\t\t\tplaceCursorAfterElement(vmObj.mentionElement);\n\n\t\t\t\tresetPopout(vmObj);\n\t\t\t}\n\n\t\t\tfunction selectionIsActiveMention (selectionDetailsObj) {\n\t\t\t\treturn selectionDetailsObj && selectionDetailsObj.parentElement && selectionDetailsObj.parentElement.dataset.isActiveMention;\n\t\t\t}\n\n\t\t\tfunction selectionIsMention (selectionDetailsObj) {\n\t\t\t\treturn selectionDetailsObj && selectionDetailsObj.parentElement && (selectionDetailsObj.parentElement.dataset.isMention || selectionDetailsObj.parentElement.dataset.bracket);\n\t\t\t}\n\n\t\t\tfunction setCursorPosition (cursorDetailObj) {\n\n\t\t\t\tconst range = createRange(cursorDetailObj.parentElement, { count: cursorDetailObj.cursorPosition });\n\n\t\t\t\tif (range) {\n\t\t\t\t\trange.collapse(false);\n\t\t\t\t\tcursorDetailObj.selection.removeAllRanges();\n\t\t\t\t\tcursorDetailObj.selection.addRange(range);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction setIndexsForAdmins (adminsArr) {\n\t\t\t\tfor (let index = 0; index < adminsArr.length; index++) {\n\t\t\t\t\tadminsArr[index].index = index;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction setSearchIndex (vmObj, index) {\n\t\t\t\tvmObj.selectedAdminIndex = index;\n\t\t\t}\n\n\t\t\tfunction setupInputElement () {\n\n\t\t\t\tconst inputRows = $scope.rows;\n\n\t\t\t\telement.style.setProperty('--popout-width', MENTION_OPTIONS.popoutWidth + 'px');\n\t\t\t\tif (angular.isDefined(inputRows)) {\n\t\t\t\t\telement.style.setProperty('--mention-input-rows', inputRows);\n\t\t\t\t}\n\n\t\t\t\t$scope.message = $scope.ngModel;\n\t\t\t}\n\n\t\t\tfunction skipOverMentions (event) {\n\n\t\t\t\tconst cursorDetailObj = getCursorSurroundings();\n\n\t\t\t\tif (cursorDetailObj && cursorDetailObj.parentElement) {\n\t\t\t\t\tmoveCursor(event, cursorDetailObj);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction startSearching (vmObj) {\n\n\t\t\t\tvmObj.state = MENTION_STATES.searching;\n\n\t\t\t\tif (!vmObj.hasAdmins) {\n\t\t\t\t\tloadAdmins(vmObj);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction updateMentionList () {\n\n\t\t\t\tconst mentionInputElement = getMentionInputElement();\n\t\t\t\tconst mentionsArr = mentionInputElement.innerHTML.match(/data-user-id=\"[\\A-Za-z0-9\\-]+\"/g);\n\n\t\t\t\tif (mentionsArr) {\n\t\t\t\t\tconst mentionedIdsArr = mentionsArr.map(mentionId => mentionId.replace(/data-user-id=\"/g, '').replace(/\"/g, ''));\n\t\t\t\t\tconst removedDuplicatesIdsArr = utilities.removeDuplicatesFromArrayOfStrings(mentionedIdsArr);\n\n\t\t\t\t\tmentionList.splice(0);\n\n\t\t\t\t\tfor (let mentionedId of removedDuplicatesIdsArr) {\n\t\t\t\t\t\tmentionList.push(mentionedId);\n\t\t\t\t\t}\n\n\t\t\t\t} else {\n\t\t\t\t\tmentionList.splice(0);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfunction updateNgModel () {\n\n\t\t\t\tupdateMentionList();\n\n\t\t\t\tconst mentionInputElement = getMentionInputElement();\n\n\t\t\t\t$scope.ngModel = mentionInputElement.innerText.replace(removeZeroWidthSpaces,'');\n\t\t\t}\n\n\t\t\tfunction wrapElementAtPosition (vmObj, cursorDetailObj) {\n\n\t\t\t\tconst domFragment = document.createDocumentFragment();\n\n\t\t\t\tif (cursorDetailObj.cursorPosition !== 0 && cursorDetailObj.textBeforeCursor) {\n\t\t\t\t\tconst precedingTextElement = document.createTextNode(cursorDetailObj.textBeforeCursor.slice(0, -1));\n\t\t\t\t\tdomFragment.appendChild(precedingTextElement);\n\t\t\t\t}\n\n\t\t\t\tconst mentionElement = document.createElement(MENTION_OPTIONS.selectionElementType);\n\t\t\t\tmentionElement.appendChild(document.createTextNode(MENTION_OPTIONS.mentionCharacter));\n\t\t\t\tmentionElement.classList.add(MENTION_OPTIONS.selectionClass);\n\t\t\t\tdomFragment.appendChild(mentionElement);\n\n\t\t\t\tif (cursorDetailObj.textAfterCursor) {\n\t\t\t\t\tconst followingTextElement = document.createTextNode(cursorDetailObj.textAfterCursor);\n\t\t\t\t\tdomFragment.appendChild(followingTextElement);\n\t\t\t\t}\n\n\t\t\t\tangular.merge(mentionElement.dataset, {\n\t\t\t\t\tisMention: true,\n\t\t\t\t\tisActiveMention: true,\n\t\t\t\t});\n\n\t\t\t\tvmObj.mentionElement = mentionElement;\n\n\t\t\t\tcursorDetailObj.parentElement.replaceChild(domFragment, cursorDetailObj.textElement);\n\n\t\t\t\tpositionListPopout(vmObj, mentionElement);\n\n\t\t\t\tsetCursorPosition(cursorDetailObj);\n\t\t\t}\n\n\t\t\tangular.extend($scope, {\n\t\t\t\tMENTION_OPTIONS,\n\n\t\t\t\tcanMention: angular.isDefined($scope.canMention) ? $scope.canMention : true,\n\t\t\t\tdisabled: angular.isDefined($scope.disabled) ? $scope.disabled : false,\n\t\t\t\trequired: angular.isDefined($scope.required) ? $scope.required : true,\n\n\t\t\t\tvm: {\n\t\t\t\t\tadminGroups: [],\n\t\t\t\t\thasAdmins: false,\n\t\t\t\t\tsearchTerm: '',\n\t\t\t\t\tselectedAdminIndex: -1,\n\t\t\t\t\tshowPopout: false,\n\t\t\t\t\tstate: MENTION_STATES.waiting,\n\t\t\t\t\tfilteredAdmins: []\n\t\t\t\t},\n\n\t\t\t\tonClick,\n\t\t\t\tonKeyDown,\n\t\t\t\tonKeyUp,\n\t\t\t\tonMouseLeave,\n\t\t\t\tonMouseOver,\n\t\t\t\tremoveUnusedMentionElement,\n\t\t\t\tsetSearchIndex,\n\t\t\t\tselectAdmin,\n\t\t\t\tupdateNgModel,\n\t\t\t});\n\n\t\t\tinit();\n\n\t\t\t$scope.$watch('vm.adminGroups', function (newObj, oldObj, scope) {\n\t\t\t\tresetAdminIndexes(scope.vm);\n\t\t\t}, true);\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.directive('numberSelectorField', [\n\t'$rootScope',\n\t'regexService',\n\t'REGEX',\n\tfunction (\n\t\t$rootScope,\n\t\tregexService,\n\t\tREGEX\n\t) {\n\n\treturn {\n\t\ttemplateUrl: 'form-fields/number-selector/numberSelectorField.html',\n\t\treplace: true,\n\t\trequire: ['^form', 'ngModel'],\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tfieldName: '@?',\n\t\t\tmax: '=?',\n\t\t\tmin: '=?',\n\t\t\tngDisabled: '=?',\n\t\t\tngModel: '=',\n\t\t\tngRegexKey: '@?',\n\t\t\tngReadonly: '=?',\n\t\t\tngRequired: '=?',\n\t\t\tnsfOnChange: '&?',\n\t\t\tsize: '@?',\n\t\t\tstep: '',\n\t\t\ttheme: '@?'\n\t\t},\n\t\tlink: function ($scope, $element, $attrs, $formCtrl) {\n\n\t\t\t$scope.max \t\t= $scope.max !== undefined ? $scope.max : 1000;\n\t\t\t$scope.min \t\t= $scope.min !== undefined ? $scope.min : 0;\n\t\t\t$scope.ngDisabled = $scope.ngDisabled !== undefined ? $scope.ngDisabled : false;\n\t\t\t$scope.ngPattern \t= getRegexForRegexKey($scope.ngRegexKey);\n\t\t\t$scope.ngReadonly = $scope.ngReadonly !== undefined ? $scope.ngReadonly : false;\n\t\t\t$scope.ngRequired = $scope.ngRequired !== undefined ? $scope.ngRequired : true;\n\t\t\t$scope.size \t\t= $scope.size !== undefined ? $scope.size : '';\n\t\t\t$scope.step \t\t= $scope.step !== undefined ? parseFloat($scope.step) : 0.25;\n\n\t\t\tfunction getRegexForRegexKey (regexKey) {\n\n\t\t\t\tif (angular.isUndefined(regexKey)) {\n\t\t\t\t\treturn null;\n\t\t\t\t}\n\n\t\t\t\t// Try getting the regex pattern from the REGEX constants\n\t\t\t\tlet regexPattern = REGEX[regexKey];\n\n\t\t\t\t// If that fails, try the regex service for dynamic regexps\n\t\t\t\tif (angular.isUndefined(regexPattern)) {\n\t\t\t\t\tregexPattern = regexService[regexKey];\n\t\t\t\t}\n\n\t\t\t\t// Regex not found\n\t\t\t\tif (angular.isUndefined(regexPattern)) {\n\t\t\t\t\t$rootScope.paycircleMessage(` Unable to get regex pattern for key: ${regexKey}`, 'warn');\n\t\t\t\t\treturn null;\n\t\t\t\t}\n\n\t\t\t\treturn regexPattern;\n\t\t\t}\n\n\t\t\tfunction updateDisabledStates () {\n\n\t\t\t\t$scope.incrementDisabled = $scope.ngModel >= $scope.max || $scope.ngDisabled || $scope.ngReadonly;\n\t\t\t\t$scope.decrementDisabled = $scope.ngModel <= $scope.min || $scope.ngDisabled || $scope.ngReadonly;\n\t\t\t}\n\n\t\t\tupdateDisabledStates();\n\n\t\t\t// Scope\n\t\t\t$scope.decrement = function () {\n\n\t\t\t\tif (angular.isUndefined($scope.ngModel) || $scope.ngModel === '') {\n\t\t\t\t\t$scope.ngModel = 0;\n\t\t\t\t}\n\n\t\t\t\tif ($scope.ngModel > $scope.min) {\n\t\t\t\t\t$scope.ngModel = $scope.ngModel - $scope.step;\n\t\t\t\t}\n\n\t\t\t\tif ($scope.ngModel < $scope.min) {\n\t\t\t\t\t$scope.ngModel = $scope.min;\n\t\t\t\t}\n\n\t\t\t\t$formCtrl[0].$setDirty();\n\t\t\t\t$formCtrl[0][$scope.fieldName].$setDirty();\n\n\t\t\t\tupdateDisabledStates();\n\t\t\t};\n\n\t\t\t$scope.increment = function () {\n\n\t\t\t\tif (angular.isUndefined($scope.ngModel) || $scope.ngModel === '') {\n\t\t\t\t\t$scope.ngModel = 0;\n\t\t\t\t}\n\n\t\t\t\tif ($scope.ngModel < $scope.max) {\n\t\t\t\t\t$scope.ngModel = $scope.ngModel + $scope.step;\n\t\t\t\t}\n\n\t\t\t\tif ($scope.ngModel > $scope.max) {\n\t\t\t\t\t$scope.ngModel = $scope.max;\n\t\t\t\t}\n\n\t\t\t\t$formCtrl[0].$setDirty();\n\t\t\t\t$formCtrl[0][$scope.fieldName].$setDirty();\n\n\t\t\t\tupdateDisabledStates();\n\t\t\t};\n\n\t\t\t$scope.$watch('ngModel', function (newValue, oldValue) {\n\n\t\t\t\tupdateDisabledStates();\n\n\t\t\t\tif (newValue !== oldValue && newValue !== '' && newValue !== undefined && newValue !== null) {\n\n\t\t\t\t\tif ($scope.nsfOnChange !== undefined) {\n\n\t\t\t\t\t\t$scope.nsfOnChange();\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t});\n\n\t\t\t$scope.$watch('min', function (newValue, oldValue) {\n\n\t\t\t\tif (newValue !== oldValue) {\n\n\t\t\t\t\tupdateDisabledStates();\n\t\t\t\t}\n\t\t\t});\n\n\t\t\t$scope.$watch('ngDisabled', function (newValue, oldValue) {\n\n\t\t\t\tif (newValue !== oldValue) {\n\n\t\t\t\t\tupdateDisabledStates();\n\t\t\t\t}\n\t\t\t});\n\n\t\t\t$scope.$watch('ngReadonly', function (newValue, oldValue) {\n\n\t\t\t\tif (newValue !== oldValue) {\n\n\t\t\t\t\tupdateDisabledStates();\n\t\t\t\t}\n\t\t\t});\n\n\t\t\t$scope.$watch('ngRequired', function (newValue, oldValue) {\n\n\t\t\t\tif (newValue !== oldValue) {\n\n\t\t\t\t\tupdateDisabledStates();\n\t\t\t\t}\n\t\t\t});\n\n\t\t\t$scope.$watch('max', function (newValue, oldValue) {\n\n\t\t\t\tif (newValue !== oldValue) {\n\n\t\t\t\t\tupdateDisabledStates();\n\t\t\t\t}\n\t\t\t});\n\t\t}\n\t};\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('pillInputField', {\n\tbindings: {\n\t\tfieldOptions: '=',\n\t\tngModel: '=',\n\t\tngModelSave: '='\n\t},\n\tcontroller: 'pillInputFieldCtrl',\n\trequire: {\n\t\tparentForm: '^form'\n\t},\n\ttemplateUrl: 'form-fields/pill-input-field/pill-input-field.component.html'\n})\n.controller('pillInputFieldCtrl', ['$timeout', 'utilities', function ($timeout, utilities) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\tangular.extend($ctrl, {\n\t\t\tcanSave: true,\n\t\t\terrorMessages: [\n\t\t\t\t{\n\t\t\t\t\tkey: 'pattern',\n\t\t\t\t\tmessage: 'Only basic characters are allowed'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'required',\n\t\t\t\t\tmessage: 'Please enter a label'\n\t\t\t\t},\n\t\t\t\t{\n\t\t\t\t\tkey: 'minlength',\n\t\t\t\t\tmessage: 'Please enter a label with at least 3 characters'\n\t\t\t\t}\n\t\t\t],\n\t\t\tid: 'newAdjustmentLabel',\n\t\t\tisActive: false,\n\t\t\tisRequired: false,\n\t\t\tlabel: 'Label for payslip',\n\t\t\tmaxItems: 1,\n\t\t\tmaxlength: 40,\n\t\t\tminlength: 3,\n\t\t\tname: 'newAdjustmentLabel',\n\t\t\tpillItems: [],\n\t\t\tplaceholder: 'Add a custom payslip label',\n\t\t\tsaveLabel: 'Save for future use',\n\t\t\ttheme: 'primary'\n\t\t}, $ctrl.fieldOptions);\n\n\t\t// Setup pills (if value defined). Timeout allows parentForm to be initiated\n\t\t$timeout(() => {\n\t\t\tonInputBlur($ctrl);\n\t\t});\n\t}\n\n\tfunction deletePillItem ($ctrl, pillIndex) {\n\n\t\t$ctrl.pillItems.splice(pillIndex, 1);\n\t\t$ctrl.ngModel = '';\n\n\t\tutilities.focusOn($ctrl.id);\n\t}\n\n\tfunction onInputBlur ($ctrl) {\n\n\t\tif ($ctrl.parentForm[$ctrl.name].$valid && angular.isString($ctrl.ngModel) && $ctrl.ngModel !== '') {\n\t\t\t$ctrl.pillItems.push($ctrl.ngModel);\n\t\t}\n\t}\n\n\tfunction onInputFocus ($ctrl) {\n\n\t\t$ctrl.isActive = true;\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tdeletePillItem,\n\t\tonInputBlur,\n\t\tonInputFocus\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('searchInput', {\n\tbindings: {\n\t\tid: '@?',\n\t\tsearchOptions: '=',\n\n\t\t/* These options allow the retention of items after removal, where the platform removes things\n\t\t by effectively settings a removal - or archive - flag, in which case the items still need to\n\t\t be sent to the backend with the removal attribute set */\n\t\tsearchOptionRemoveAttribute: '@?',\n\t\tsearchOptionsForRemoval: '=?'\n\t},\n\tcontroller: 'searchInputCtrl',\n\ttemplateUrl: 'form-fields/search-input/search-input.component.html'\n})\n.controller('searchInputCtrl', ['$rootScope', '$timeout', function ($rootScope, $timeout) {\n\n\tconst MAX_ACTIVE_ITEMS = 1;\n\tconst SEARCH_RESULTS_LIMIT = 10;\n\tconst SEARCH_TERM_MIN_COUNT = 3;\n\n\tconst $ctrl = this;\n\n\tlet defaultSearchOptions = {\n\t\tfilter: () => { return; },\n\t\tisActive: false,\n\t\torderBy: null,\n\t\tlabel: 'Search',\n\t\tplaceholder: 'Start typing to search...',\n\t\tsearchItems: [],\n\t\tsearchItemsActive: [],\n\t\tsearchItemsActiveIds: [],\n\t\tsearchItemsFiltered: [],\n\t\tsearchTerm: '',\n\t\ttheme: 'is-primary',\n\t\tMAX_ACTIVE_ITEMS,\n\t\tSEARCH_RESULTS_LIMIT,\n\t\tSEARCH_TERM_MIN_COUNT,\n\t};\n\n\tfunction focusOn (elementId) {\n\n\t\t$timeout(() => {\n\t\t\tif (document.getElementById(elementId)) {\n\t\t\t\tdocument.getElementById(elementId).focus();\n\t\t\t}\n\t\t\telse {\n\t\t\t\t$rootScope.paycircleMessage('Unable to apply element focus to #' + elementId + ' as it could not be found.', 'warn');\n\t\t\t}\n\t\t});\n\t}\n\n\tfunction onAdd ($ctrl, searchItemObj) {\n\n\t\tconst activeItemObj = $ctrl.searchOptions.searchItemsActive.find(searchItemActiveObj => {\n\t\t\treturn searchItemObj.id === searchItemActiveObj.id;\n\t\t});\n\n\t\tif (angular.isDefined(activeItemObj)) {\n\t\t\treturn;\n\t\t}\n\n\t\t// If just a single item is allowed, the search box remains visible and the entry is replaced on search and re-selection\n\t\tif ($ctrl.searchOptions.MAX_ACTIVE_ITEMS === 1) {\n\t\t\t$ctrl.searchOptions.searchItemsActive = [searchItemObj];\n\t\t}\n\t\telse {\n\t\t\t$ctrl.searchOptions.searchItemsActive.push(searchItemObj);\n\t\t}\n\n\t\tresetSearchTerm($ctrl);\n\n\t\tfocusOn(`searchFieldInput_${$ctrl.id}`);\n\t}\n\n\tfunction onRemove ($ctrl, index) {\n\n\t\t// Add to removal list if necessary\n\t\tif (angular.isDefined($ctrl.searchOptionsForRemoval)) {\n\t\t\tlet itemForRemoval = $ctrl.searchOptions.searchItemsActive[index];\n\t\t\t// Set removal flag if defined\n\t\t\tif (angular.isDefined($ctrl.searchOptionRemoveAttribute)) {\n\t\t\t\titemForRemoval[$ctrl.searchOptionRemoveAttribute] = true;\n\t\t\t}\n\n\t\t\t$ctrl.searchOptionsForRemoval.push(itemForRemoval);\n\t\t}\n\n\t\t$ctrl.searchOptions.searchItemsActive.splice(index, 1);\n\n\t\tfocusOn(`searchFieldInput_${$ctrl.id}`);\n\t}\n\n\tfunction onSearchFieldInputFocus ($ctrl) {\n\n\t\t$ctrl.searchOptions.isActive = true;\n\t}\n\n\tfunction onSearchFieldInputBlur ($ctrl) {\n\n\t\t$ctrl.searchOptions.isActive = false;\n\t}\n\n\tfunction resetSearchTerm ($ctrl) {\n\n\t\t$ctrl.searchOptions.searchTerm = '';\n\t}\n\n\t$ctrl.$onInit = () => {\n\n\t\tangular.extend($ctrl, {\n\t\t\tonAdd,\n\t\t\tonRemove,\n\t\t\tonSearchFieldInputFocus,\n\t\t\tonSearchFieldInputBlur,\n\t\t\tresetSearchTerm,\n\t\t\tsearchOptions: angular.extend({}, defaultSearchOptions, $ctrl.searchOptions),\n\t\t\ttheme: angular.isDefined($ctrl.theme) ? $ctrl.theme : 'is-primary'\n\t\t});\n\t};\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('timeInputField', {\n\tbindings: {\n\t\tfieldName: '@',\n\t\tfieldValueIso: '='\n\t},\n\tcontroller: 'timeInputFieldCtrl',\n\trequire: '^form',\n\ttemplateUrl: 'form-fields/time-input/time-input-field.component.html',\n\tlink: function (scope, form) {\n\t\tscope.form = form;\n\t}\n})\n.controller('timeInputFieldCtrl', function () {\n\n\tconst $ctrl = this;\n\n\tfunction getHours () {\n\n\t\tlet hoursArr = [];\n\n\t\tfor (let hour = 0; hour < 24; hour++) {\n\n\t\t\tlet hourString = hour.toString();\n\t\t\thourString = hourString.length === 1 ? `0${hourString}` : hourString;\n\n\t\t\thoursArr.push({\n\t\t\t\thourDisplay: hourString,\n\t\t\t\thour: hour\n\t\t\t});\n\t\t}\n\n\t\treturn hoursArr;\n\t}\n\n\tfunction getMinutes () {\n\n\t\tlet minutesArr = [];\n\n\t\tfor (let minute of ['00', '15', '30', '45']) {\n\n\t\t\tminutesArr.push({\n\t\t\t\tminuteDisplay: minute,\n\t\t\t\tminute: parseInt(minute)\n\t\t\t});\n\t\t}\n\n\t\treturn minutesArr;\n\t}\n\n\tfunction onTimeChange (ctrlObj) {\n\t\tctrlObj.fieldValueIso = moment($ctrl.fieldValueIso).hour(ctrlObj.selectedHour).minute(ctrlObj.selectedMinute).format('YYYY-MM-DDTHH:mm:00'); // Format to include minutes\n\t}\n\n\tfunction $onInit () {\n\n\t\t$ctrl.fieldRequired = $ctrl.fieldRequired || true;\n\n\t\tlet fieldValueIso = $ctrl.fieldValueIso;\n\n\t\tif (fieldValueIso) {\n\t\t\tangular.extend($ctrl, {\n\t\t\t\tselectedHour: moment(fieldValueIso).hour(),\n\t\t\t\tselectedMinute: (Math.round(moment(fieldValueIso).minute()/15) * 15) % 60 // Round to nearest 15 minute\n\t\t\t});\n\n\t\t} else {\n\t\t\tangular.extend($ctrl, {\n\t\t\t\tselectedHour: 0,\n\t\t\t\tselectedMinute: 0\n\t\t\t});\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tonTimeChange,\n\n\t\thours: getHours(),\n\t\tminutes: getMinutes(),\n\t});\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.component('toggleButtons', {\n\tbindings: {\n\t\tid: '@',\n\t\tlabel: '=',\n\t\tinfoText: '=?',\n\t\t// Labels for false / true values. Will default to 'No' and 'Yes'\n\t\tfalseLabel: '=?',\n\t\ttrueLabel: '=?',\n\t\ttheme: '@',\n\t\tngModel: '='\n\t},\n\tcontroller: 'toggleButtonsCtrl',\n\trequire: {\n\t\tform: '^form'\n\t},\n\ttemplateUrl: 'form-fields/toggle-buttons/toggle-buttons.component.html'\n})\n\n.controller('toggleButtonsCtrl', [function () {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\t// Default stuff\n\t\tangular.extend($ctrl, {\n\t\t\thasInfoText: angular.isDefined($ctrl.infoText),\n\t\t\tfalseLabel: angular.isDefined($ctrl.falseLabel) ? $ctrl.falseLabel : 'No',\n\t\t\ttrueLabel: angular.isDefined($ctrl.trueLabel) ? $ctrl.trueLabel : 'Yes',\n\t\t\ttheme: angular.isDefined($ctrl.theme) ? $ctrl.theme : 'is-primary'\n\t\t});\n\t};\n\n\tfunction setValue (ctrlObj, value) {\n\t\tctrlObj.ngModel = value;\n\t}\n\n\tangular.extend($ctrl, {\n\t\tsetValue\n\t});\n\n}]);\n'use strict';\n\nangular.module('paycircleApp')\n.component('toggleInput', {\n\tbindings: {\n\t\tfieldDisabled: '', // Disable input\n\t\tfieldLabel: '@?', // Show label next to input\n\t\tfieldLabelStayActive: '', // Label text doesn't fade when fieldModel = false\n\t\tfieldModel: '=', // ngModel for checkbox\n\t\tfieldName: '@', // For form functionality\n\t\tfieldOnChange: '&?', // Runs after toggle\n\t\tfieldShowDetail: '=', // Show transcluded content below label\n\t\tfieldShowIndicator: '', // Show On/Off in toggle (works with fieldStyle = 'is-large')\n\t\tfieldStyle: '@?', // Just 'is-large' so far\n\t\tfieldThemeActive: '@?', // Optional themes for selected (true) and unselected (false) states\n\t\tfieldThemeInactive: '@?' // Optional themes for selected (true) and unselected (false) states\n\t},\n\trequire: '^form',\n\tcontroller: 'toggleInputCtrl',\n\ttemplateUrl: 'form-fields/toggle-input/toggle-input.component.html',\n\ttransclude: {\n\t\t'detail': '?toggleInputDetail',\n\t},\n})\n.controller('toggleInputCtrl', ['$timeout', '$transclude', function ($timeout, $transclude) {\n\n\tconst $ctrl = this;\n\n\tfunction $onInit () {\n\n\t\t$ctrl.fieldThemeActive = angular.isDefined($ctrl.fieldThemeActive) ? $ctrl.fieldThemeActive : 'is-primary';\n\t\t$ctrl.fieldThemeLight = angular.isDefined($ctrl.fieldThemeLight) ? $ctrl.fieldThemeLight : false;\n\t\tif (angular.isUndefined($ctrl.fieldThemeInactive)) {\n\t\t\t$ctrl.fieldThemeInactive = $ctrl.fieldThemeLight ? $ctrl.fieldThemeActive : null;\n\t\t}\n\t}\n\n\tfunction onCheckboxClick () {\n\t\tif (angular.isDefined($ctrl.fieldOnChange) && angular.isFunction($ctrl.fieldOnChange)) {\n\t\t\t$timeout(() => {\n\t\t\t\t$ctrl.fieldOnChange();\n\t\t\t});\n\t\t}\n\t}\n\n\tangular.extend($ctrl, {\n\t\t$onInit,\n\t\tonCheckboxClick,\n\t\thasDetail: $transclude.isSlotFilled('detail'),\n\t});\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.constant('COMMON_PASSWORDS', [\n\t'111111',\n\t'1234',\n\t'12345',\n\t'123456',\n\t'1234567',\n\t'12345678',\n\t'abc123',\n\t'dragon',\n\t'iloveyou',\n\t'letmein',\n\t'monkey',\n\t'password',\n\t'qwerty',\n\t'tequiero',\n\t'test'\n]);\n\n'use strict';\n\nangular.module('paycircleApp')\n.component('passwordInput', {\n\tbindings: {\n\t\t// Display show/hide password icon\n\t\tallowShowPassword: '',\n\t\t// When used as a 'confirm password' input, set this to the compare value.\n\t\tcomparePassword: '=?',\n\t\t// Disable autocomplete. Defaults to false.\n\t\tdisableAutocomplete: '',\n\t\t// ID and name of input field\n\t\tinputId: '@',\n\t\tinputName: '@'\n\t},\n\tcontroller: 'passwordInputCtrl',\n\trequire: {\n\t\tform: '^form',\n\t\tngModel: '?^ngModel'\n\t},\n\ttemplateUrl: 'modules/security/components/password-input/password-input.component.html'\n})\n.controller('passwordInputCtrl', [\n\tfunction (\n\t) {\n\n\tconst $ctrl = this;\n\n\t$ctrl.$onInit = () => {\n\n\t\tangular.extend($ctrl, {\n\t\t\tallowShowPassword: angular.isDefined($ctrl.allowShowPassword) ? $ctrl.allowShowPassword : false,\n\t\t\tdisableAutoComplete: angular.isDefined($ctrl.disableAutocomplete) ? $ctrl.disableAutocomplete : false,\n\t\t\tinputType: 'password'\n\t\t});\n\n\t\t// Initial view update to sync password with input element if ng-model controller set\n\t\tif ($ctrl.ngModel) {\n\t\t\t$ctrl.ngModel.$render = () => {\n\t\t\t\t$ctrl.password = $ctrl.ngModel.$viewValue;\n\t\t\t};\n\t\t}\n\t\telse {\n\t\t\t$ctrl.password = '';\n\t\t}\n\t};\n\n\tfunction onChangePassword () {\n\n\t\t/* Update ngModel value and mark as dirty / touched if model controller set.\n\t\t Note that any ng-change defined against this password-input component will be\n\t\t fired when the view value is updated */\n\t\tif ($ctrl.ngModel) {\n\t\t\t$ctrl.ngModel.$setViewValue($ctrl.password);\n\t\t\t$ctrl.ngModel.$setDirty();\n\t\t\t$ctrl.ngModel.$setTouched();\n\t\t}\n\t}\n\n\tfunction toggleShowPassword () {\n\n\t\t// Toggle between input type text <-> password\n\t\t$ctrl.inputType = $ctrl.inputType === 'text' ? 'password' : 'text';\n\t}\n\n\tangular.extend($ctrl, {\n\t\tonChangePassword,\n\t\ttoggleShowPassword\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.constant('ACCOUNT_SECURITY_TYPES', {\n\tpassword: 'password',\n\trecoveryEmail: 'recoveryEmail',\n\tusername: 'username'\n})\n\n.directive('changeAccountSecurityItemForm', function () {\n\n\treturn {\n\t\tcontroller: 'changeAccountSecurityItemFormCtrl',\n\t\ttemplateUrl: 'modules/security/forms/change-account-security-item/change-account-security-item.form.html',\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tformOptions: '='\n\t\t}\n\t};\n})\n\n.controller('changeAccountSecurityItemFormCtrl', [\n\t'ACCOUNT_SECURITY_TYPES',\n\t'COMPARED_TO_MODES',\n\t'INPUT_VALIDATION_TYPES',\n\t'securityData',\n\t'$rootScope',\n\t'$scope',\n\tfunction (\n\t\tACCOUNT_SECURITY_TYPES,\n\t\tCOMPARED_TO_MODES,\n\t\tINPUT_VALIDATION_TYPES,\n\t\tsecurityData,\n\t\t$rootScope,\n\t\t$scope\n\t) {\n\n\t\tconst FORM_STATES = {\n\t\t\terror: 'error',\n\t\t\tloading: 'loading',\n\t\t\tready: 'ready',\n\t\t\tsuccess: 'success'\n\t\t};\n\n\t\t// Invalid password response\n\t\tconst PASSWORD_INVALID_RESPONSE = -2;\n\n\t\t// Validity constant for 'Password invalid'\n\t\tconst PASSWORD_INVALID = 'passwordInvalid';\n\n\t\tconst accountMinimal = $scope.formOptions.accountMinimal;\n\t\tconst accountSecurityType = $scope.formOptions.accountSecurityType;\n\n\t\tfunction init () {\n\n\t\t\t$scope.vm = {\n\n\t\t\t\taccountSecurityType,\n\n\t\t\t\tsecurityItems: {\n\n\t\t\t\t\tpassword: '',\n\t\t\t\t\tnewPassword: '',\n\t\t\t\t\tlastPasswordEntered: '',\n\n\t\t\t\t\tusername: accountMinimal.Username,\n\t\t\t\t\tnewUsername: '',\n\t\t\t\t\tconfirmNewUsername: '',\n\n\t\t\t\t\trecoveryEmail: accountMinimal.RecoveryEmailAddress,\n\t\t\t\t\tnewRecoveryEmail: '',\n\t\t\t\t\tconfirmNewRecoveryEmail: ''\n\t\t\t\t}\n\t\t\t};\n\t\t}\n\n\t\tfunction getOnUpdateSuccessMessage (accountSecurityType) {\n\n\t\t\tswitch (accountSecurityType) {\n\t\t\t\tcase ACCOUNT_SECURITY_TYPES.password:\n\t\t\t\t\treturn 'Your new password has been saved and you’ll need to use it the next time you sign in to the Payroll Portal.';\n\t\t\t\tcase ACCOUNT_SECURITY_TYPES.username:\n\t\t\t\t\treturn 'Your new username has been saved and you’ll need to use it the next time you sign in to the Payroll Portal.';\n\t\t\t\tcase ACCOUNT_SECURITY_TYPES.recoveryEmail:\n\t\t\t\t\treturn 'Your new recovery email address has been saved and can now be used for account recovery.';\n\t\t\t}\n\t\t}\n\n\t\tfunction getOnUpdateSuccessTitle (accountSecurityType) {\n\n\t\t\tswitch (accountSecurityType) {\n\t\t\t\tcase ACCOUNT_SECURITY_TYPES.password:\n\t\t\t\t\treturn 'New password saved';\n\t\t\t\tcase ACCOUNT_SECURITY_TYPES.username:\n\t\t\t\t\treturn 'New username saved';\n\t\t\t\tcase ACCOUNT_SECURITY_TYPES.recoveryEmail:\n\t\t\t\t\treturn 'New recovery email address saved';\n\t\t\t}\n\t\t}\n\n\t\tfunction onPasswordChange (formObj) {\n\n\t\t\tconst vm = $scope.vm;\n\n\t\t\t/* If last entered password has been set, compare it and set invalid if it matches. Just avoids repeated\n\t\t\t calls to security service to check against the same password. */\n\t\t\tif (vm.securityItems.lastPasswordEntered && vm.securityItems.password === vm.securityItems.lastPasswordEntered) {\n\t\t\t\tformObj['password'].$setValidity(PASSWORD_INVALID, false);\n\t\t\t}\n\t\t\telse {\n\t\t\t\t// Clear invalid flag on current password\n\t\t\t\tformObj['password'].$setValidity(PASSWORD_INVALID, true);\n\t\t\t}\n\t\t}\n\n\t\tfunction setFormState (formState) {\n\n\t\t\t$scope.formState = formState;\n\t\t}\n\n\t\tfunction updateSecurityItem (formObj) {\n\n\t\t\tformObj.state = 'saving';\n\n\t\t\tconst securityItems = $scope.vm.securityItems;\n\n\t\t\t// Determine specific API for update\n\t\t\tlet updateSecurityItem;\n\t\t\tswitch (accountSecurityType) {\n\t\t\t\tcase ACCOUNT_SECURITY_TYPES.password:\n\t\t\t\t\tupdateSecurityItem = securityData.updateAccountPassword(\n\t\t\t\t\t\taccountMinimal.UserID,\n\t\t\t\t\t\tsecurityItems.password,\n\t\t\t\t\t\tsecurityItems.newPassword\n\t\t\t\t\t);\n\t\t\t\t\tbreak;\n\t\t\t\tcase ACCOUNT_SECURITY_TYPES.username:\n\t\t\t\t\tupdateSecurityItem = securityData.updateAccountUsername(\n\t\t\t\t\t\taccountMinimal.UserID,\n\t\t\t\t\t\tsecurityItems.password,\n\t\t\t\t\t\tsecurityItems.username,\n\t\t\t\t\t\tsecurityItems.newUsername\n\t\t\t\t\t);\n\t\t\t\t\tbreak;\n\t\t\t\tcase ACCOUNT_SECURITY_TYPES.recoveryEmail:\n\t\t\t\t\tupdateSecurityItem = securityData.updateAccountRecoveryEmailAddress(\n\t\t\t\t\t\taccountMinimal.UserID,\n\t\t\t\t\t\tsecurityItems.password,\n\t\t\t\t\t\tsecurityItems.recoveryEmail,\n\t\t\t\t\t\tsecurityItems.newRecoveryEmail\n\t\t\t\t\t);\n\t\t\t\t\tbreak;\n\t\t\t}\n\n\t\t\t// Call specific API for update\n\t\t\tupdateSecurityItem\n\t\t\t.then((responseCode) => {\n\n\t\t\t\t// All might not be well. If the password is invalid, -2 is returned.\n\t\t\t\tif (responseCode === PASSWORD_INVALID_RESPONSE) {\n\t\t\t\t\tformObj['password'].$setValidity(PASSWORD_INVALID, false);\n\t\t\t\t\tformObj.state = null;\n\n\t\t\t\t\t/* Save the entered password to shortcut this if they enter the same thing again. Some users may\n\t\t\t\t\t keep trying the same password for a while before the penny drops. */\n\t\t\t\t\tsecurityItems.lastPasswordEntered = securityItems.password;\n\t\t\t\t}\n\t\t\t\telse {\n\n\t\t\t\t\t// Refresh current user at application level when username changed\n\t\t\t\t\tif (accountSecurityType === ACCOUNT_SECURITY_TYPES.username) {\n\t\t\t\t\t\t$rootScope.currentUser.UserResponseUsername = securityItems.newUsername;\n\t\t\t\t\t}\n\n\t\t\t\t\t// All done ...\n\t\t\t\t\tformObj.state = 'saved';\n\t\t\t\t\t$scope.formOptions.forceCallback();\n\n\t\t\t\t\t// Set success message attributes before invoking success form state\n\t\t\t\t\tangular.extend($scope.vm, {\n\t\t\t\t\t\tsuccessTitle: getOnUpdateSuccessTitle(accountSecurityType),\n\t\t\t\t\t\tsuccessMessage: getOnUpdateSuccessMessage(accountSecurityType)\n\t\t\t\t\t});\n\t\t\t\t\tsetFormState(FORM_STATES.success);\n\t\t\t\t}\n\t\t\t})\n\t\t\t.catch((error) => {\n\t\t\t\tconsole.error(error);\n\t\t\t\tsetFormState(FORM_STATES.error);\n\t\t\t\tformObj.state = null;\n\t\t\t});\n\t\t}\n\n\t\tinit();\n\n\t\tangular.extend($scope, {\n\n\t\t\tACCOUNT_SECURITY_TYPES,\n\t\t\tCOMPARED_TO_MODES,\n\t\t\tFORM_STATES,\n\t\t\tINPUT_VALIDATION_TYPES,\n\t\t\tPASSWORD_INVALID,\n\n\t\t\tformState: FORM_STATES.ready,\n\n\t\t\tupdateSecurityItem,\n\t\t\tonPasswordChange,\n\t\t\tsetFormState\n\t\t});\n\t}\n]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.directive('passwordResetForm', function () {\n\n\treturn {\n\t\tcontroller: 'passwordResetFormCtrl',\n\t\ttemplateUrl: 'modules/security/forms/password-reset/password-reset.form.html',\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tformOptions: '='\n\t\t}\n\t};\n})\n\n.controller('passwordResetFormCtrl', [\n\t'$scope',\n\t'securityData',\n\t'teamData',\n\tfunction (\n\t\t$scope,\n\t\tsecurityData,\n\t\tteamData\n\t) {\n\n\tconst agencyProfileId = $scope.formOptions.agencyProfileId;\n\tconst userId = $scope.formOptions.userId;\n\n\tconst PAGE_STATES = {\n\t\terror: 'error',\n\t\tloading: 'loading',\n\t\tnoRecoveryEmail: 'no-recovery-email',\n\t\tready: 'ready',\n\t\tsuccess: 'success'\n\t};\n\n\tfunction init () {\n\n\t\tsetPageState(PAGE_STATES.loading);\n\n\t\tteamData.getTeamMemberInformation(\n\t\t\tuserId,\n\t\t\tagencyProfileId\n\t\t)\n\t\t.then(teamMemberInformationObj => {\n\n\t\t\t$scope.vm = {\n\t\t\t\tteamMember: teamMemberInformationObj\n\t\t\t};\n\n\t\t\t// No recovery email address defined\n\t\t\tif (teamMemberInformationObj.Personal.EmailRecovery === '') {\n\t\t\t\tsetPageState(PAGE_STATES.noRecoveryEmail);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tsetPageState(PAGE_STATES.ready);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tsetPageState(PAGE_STATES.error);\n\t\tconsole.error(error);\n\t}\n\n\tfunction sendPasswordReset (vmObj, form) {\n\n\t\tconst REDIRECT_TO_PAYROLL = vmObj.teamMember.Company.IsAdmin;\n\n\t\tsecurityData.createPasswordRequestInternal(\n\t\t\tvmObj.teamMember.Personal.UserID,\n\t\t\tvmObj.teamMember.Personal.EmailReset,\n\t\t\tREDIRECT_TO_PAYROLL\n\t\t).then(() => {\n\n\t\t\tsetPageState(PAGE_STATES.success);\n\t\t})\n\t\t.catch(error =>{\n\t\t\tform.state = null;\n\t\t\tonError(error);\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tPAGE_STATES,\n\n\t\tsendPasswordReset\n\t});\n\n}]);\n\n'use strict';\n\nangular.module('paycircleApp')\n\n.directive('usernameRetrievalForm', function () {\n\n\treturn {\n\t\tcontroller: 'usernameRetrievalFormCtrl',\n\t\ttemplateUrl: 'modules/security/forms/username-retrieval/username-retrieval.form.html',\n\t\trestrict: 'E',\n\t\tscope: {\n\t\t\tformOptions: '='\n\t\t}\n\t};\n})\n\n.controller('usernameRetrievalFormCtrl', [\n\t'$scope',\n\t'securityData',\n\t'teamData',\n\tfunction (\n\t\t$scope,\n\t\tsecurityData,\n\t\tteamData\n\t) {\n\n\tconst agencyProfileId = $scope.formOptions.agencyProfileId;\n\tconst userId = $scope.formOptions.userId;\n\n\tconst PAGE_STATES = {\n\t\terror: 'error',\n\t\tloading: 'loading',\n\t\tnoRecoveryEmail: 'no-recovery-email',\n\t\tready: 'ready',\n\t\tsuccess: 'success'\n\t};\n\n\tfunction init () {\n\n\t\tsetPageState(PAGE_STATES.loading);\n\n\t\tteamData.getTeamMemberInformation(\n\t\t\tuserId,\n\t\t\tagencyProfileId\n\t\t)\n\t\t.then(teamMemberInformationObj => {\n\n\t\t\t$scope.vm = {\n\t\t\t\tteamMember: teamMemberInformationObj\n\t\t\t};\n\n\t\t\t// No recovery email address defined\n\t\t\tif (teamMemberInformationObj.Personal.EmailRecovery === '') {\n\t\t\t\tsetPageState(PAGE_STATES.noRecoveryEmail);\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tsetPageState(PAGE_STATES.ready);\n\t\t})\n\t\t.catch(onError);\n\t}\n\n\tfunction onError (error) {\n\t\tsetPageState(PAGE_STATES.error);\n\t\tconsole.error(error);\n\t}\n\n\tfunction sendUsernameRetrievalRequest (vmObj, form) {\n\n\t\tconst REDIRECT_TO_PAYROLL = false;\n\n\t\tsecurityData.createUsernameRequestInternal(\n\t\t\tvmObj.teamMember.Personal.UserID,\n\t\t\tvmObj.teamMember.Personal.EmailReset,\n\t\t\tREDIRECT_TO_PAYROLL\n\t\t).then(() => {\n\n\t\t\tsetPageState(PAGE_STATES.success);\n\t\t})\n\t\t.catch(error =>{\n\t\t\tform.state = null;\n\t\t\tonError(error);\n\t\t});\n\t}\n\n\tfunction setPageState (pageState) {\n\n\t\t$scope.pageState = pageState;\n\t}\n\n\tinit();\n\n\tangular.extend($scope, {\n\t\tPAGE_STATES,\n\n\t\tsendUsernameRetrievalRequest\n\t});\n\n}]);\n\n'use strict';\n\n// Input validation types\nconst INPUT_VALIDATION_TYPES = {\n\tpassword: 'password',\n\tusername: 'username'\n};\n\nangular.module('paycircleApp')\n\n.constant('INPUT_VALIDATION_TYPES', INPUT_VALIDATION_TYPES)\n\n// Rules. Should be one set per input validation type\n.constant('INPUT_VALIDATION_RULES', {\n\n\t// Rules for password validation\n\t[INPUT_VALIDATION_TYPES.password]: {\n\t\tatLeastOneNumber: false,\n\t\tatLeastOneSpecialCharacter: true,\n\t\tminLength: 12,\n\t\tmixOfUpperAndLowercaseCharactersAndNumbers: true,\n\t\tmixOfUpperAndLowercaseCharacters: false,\n\t\tnoCommonWords: true,\n\t\tnoPaycircleReferences: true,\n\t\tblacklistedTerms: [\n\t\t\t'paycircle',\n\t\t\t'payroll'\n\t\t],\n\t\tspecialCharacters: '@$!%*#?&'\n\t},\n\n\t// Rules for username validation\n\t[INPUT_VALIDATION_TYPES.username]: {\n\t\tminLength: 8,\n\t\talphanumericsOnly: true\n\t}\n});\n\n'use strict';\n\nangular.module('paycircleApp')\n.service('inputValidationService', [\n\t'utilities',\n\t'COMMON_PASSWORDS',\n\t'INPUT_VALIDATION_RULES',\n\tfunction (\n\t\tutilities,\n\t\tCOMMON_PASSWORDS,\n\t\tINPUT_VALIDATION_RULES\n\t) {\n\n\tconst service = {\n\n\t\t/**\n\t\t * Check input against rules and optional additional blacklisted terms.\n\t\t * @param {string} input - input to check.\n\t\t * @param {INPUT_VALIDATION_TYPES} inputValidationType - validation type\n\t\t * @param {Array} blacklistedTermsArr - array of blacklisted terms. If any are already defined as part of the rules, these will be appended.\n\t\t * @returns Object - results of the form:\n\t\t * {\n\t\t * \t\tinputOK {boolean} - true if validation passed\n\t\t * \t\tresults: {Array