{"version":3,"sources":["src/app/services/version/version.service.ts","node_modules/date-fns/toDate.mjs","node_modules/date-fns/constructFrom.mjs","node_modules/date-fns/addMilliseconds.mjs","node_modules/date-fns/addSeconds.mjs","node_modules/date-fns/isDate.mjs","node_modules/date-fns/isValid.mjs","node_modules/date-fns/_lib/getRoundingMethod.mjs","node_modules/date-fns/differenceInMilliseconds.mjs","node_modules/date-fns/differenceInSeconds.mjs","src/app/shared/dialogs/countdown/countdown.dialogcomponent.ts","src/app/shared/dialogs/countdown/countdown.dialogcomponent.html","src/app/shared/dialogs/countdown/countdown.service.ts","src/app/services/authentication/auth.service.ts"],"sourcesContent":["export const VERSION_NUMBER = '1.003';\r\nexport const BUILD_TIME = '';\r\nexport const BUILD_NOTES =\r\n '';\r\n","/**\n * @name toDate\n * @category Common Helpers\n * @summary Convert the given argument to an instance of Date.\n *\n * @description\n * Convert the given argument to an instance of Date.\n *\n * If the argument is an instance of Date, the function returns its clone.\n *\n * If the argument is a number, it is treated as a timestamp.\n *\n * If the argument is none of the above, the function returns Invalid Date.\n *\n * **Note**: *all* Date arguments passed to any *date-fns* function is processed by `toDate`.\n *\n * @typeParam DateType - The `Date` type, the function operates on. Gets inferred from passed arguments. Allows to use extensions like [`UTCDate`](https://github.com/date-fns/utc).\n *\n * @param argument - The value to convert\n *\n * @returns The parsed date in the local time zone\n *\n * @example\n * // Clone the date:\n * const result = toDate(new Date(2014, 1, 11, 11, 30, 30))\n * //=> Tue Feb 11 2014 11:30:30\n *\n * @example\n * // Convert the timestamp to date:\n * const result = toDate(1392098430000)\n * //=> Tue Feb 11 2014 11:30:30\n */\nexport function toDate(argument) {\n const argStr = Object.prototype.toString.call(argument);\n\n // Clone the date\n if (argument instanceof Date || typeof argument === \"object\" && argStr === \"[object Date]\") {\n // Prevent the date to lose the milliseconds when passed to new Date() in IE10\n return new argument.constructor(+argument);\n } else if (typeof argument === \"number\" || argStr === \"[object Number]\" || typeof argument === \"string\" || argStr === \"[object String]\") {\n // TODO: Can we get rid of as?\n return new Date(argument);\n } else {\n // TODO: Can we get rid of as?\n return new Date(NaN);\n }\n}\n\n// Fallback for modularized imports:\nexport default toDate;","/**\n * @name constructFrom\n * @category Generic Helpers\n * @summary Constructs a date using the reference date and the value\n *\n * @description\n * The function constructs a new date using the constructor from the reference\n * date and the given value. It helps to build generic functions that accept\n * date extensions.\n *\n * It defaults to `Date` if the passed reference date is a number or a string.\n *\n * @typeParam DateType - The `Date` type, the function operates on. Gets inferred from passed arguments. Allows to use extensions like [`UTCDate`](https://github.com/date-fns/utc).\n *\n * @param date - The reference date to take constructor from\n * @param value - The value to create the date\n *\n * @returns Date initialized using the given date and value\n *\n * @example\n * import { constructFrom } from 'date-fns'\n *\n * // A function that clones a date preserving the original type\n * function cloneDate Thu Jul 10 2014 12:45:30.750\n */\nexport function addMilliseconds(date, amount) {\n const timestamp = +toDate(date);\n return constructFrom(date, timestamp + amount);\n}\n\n// Fallback for modularized imports:\nexport default addMilliseconds;","import { addMilliseconds } from \"./addMilliseconds.mjs\";\n\n/**\n * @name addSeconds\n * @category Second Helpers\n * @summary Add the specified number of seconds to the given date.\n *\n * @description\n * Add the specified number of seconds to the given date.\n *\n * @typeParam DateType - The `Date` type, the function operates on. Gets inferred from passed arguments. Allows to use extensions like [`UTCDate`](https://github.com/date-fns/utc).\n *\n * @param date - The date to be changed\n * @param amount - The amount of seconds to be added.\n *\n * @returns The new date with the seconds added\n *\n * @example\n * // Add 30 seconds to 10 July 2014 12:45:00:\n * const result = addSeconds(new Date(2014, 6, 10, 12, 45, 0), 30)\n * //=> Thu Jul 10 2014 12:45:30\n */\nexport function addSeconds(date, amount) {\n return addMilliseconds(date, amount * 1000);\n}\n\n// Fallback for modularized imports:\nexport default addSeconds;","/**\n * @name isDate\n * @category Common Helpers\n * @summary Is the given value a date?\n *\n * @description\n * Returns true if the given value is an instance of Date. The function works for dates transferred across iframes.\n *\n * @param value - The value to check\n *\n * @returns True if the given value is a date\n *\n * @example\n * // For a valid date:\n * const result = isDate(new Date())\n * //=> true\n *\n * @example\n * // For an invalid date:\n * const result = isDate(new Date(NaN))\n * //=> true\n *\n * @example\n * // For some value:\n * const result = isDate('2014-02-31')\n * //=> false\n *\n * @example\n * // For an object:\n * const result = isDate({})\n * //=> false\n */\nexport function isDate(value) {\n return value instanceof Date || typeof value === \"object\" && Object.prototype.toString.call(value) === \"[object Date]\";\n}\n\n// Fallback for modularized imports:\nexport default isDate;","import { isDate } from \"./isDate.mjs\";\nimport { toDate } from \"./toDate.mjs\";\n\n/**\n * @name isValid\n * @category Common Helpers\n * @summary Is the given date valid?\n *\n * @description\n * Returns false if argument is Invalid Date and true otherwise.\n * Argument is converted to Date using `toDate`. See [toDate](https://date-fns.org/docs/toDate)\n * Invalid Date is a Date, whose time value is NaN.\n *\n * Time value of Date: http://es5.github.io/#x15.9.1.1\n *\n * @typeParam DateType - The `Date` type, the function operates on. Gets inferred from passed arguments. Allows to use extensions like [`UTCDate`](https://github.com/date-fns/utc).\n *\n * @param date - The date to check\n *\n * @returns The date is valid\n *\n * @example\n * // For the valid date:\n * const result = isValid(new Date(2014, 1, 31))\n * //=> true\n *\n * @example\n * // For the value, convertable into a date:\n * const result = isValid(1393804800000)\n * //=> true\n *\n * @example\n * // For the invalid date:\n * const result = isValid(new Date(''))\n * //=> false\n */\nexport function isValid(date) {\n if (!isDate(date) && typeof date !== \"number\") {\n return false;\n }\n const _date = toDate(date);\n return !isNaN(Number(_date));\n}\n\n// Fallback for modularized imports:\nexport default isValid;","export function getRoundingMethod(method) {\n return number => {\n const round = method ? Math[method] : Math.trunc;\n const result = round(number);\n // Prevent negative zero\n return result === 0 ? 0 : result;\n };\n}","import { toDate } from \"./toDate.mjs\";\n\n/**\n * @name differenceInMilliseconds\n * @category Millisecond Helpers\n * @summary Get the number of milliseconds between the given dates.\n *\n * @description\n * Get the number of milliseconds between the given dates.\n *\n * @typeParam DateType - The `Date` type, the function operates on. Gets inferred from passed arguments. Allows to use extensions like [`UTCDate`](https://github.com/date-fns/utc).\n *\n * @param dateLeft - The later date\n * @param dateRight - The earlier date\n *\n * @returns The number of milliseconds\n *\n * @example\n * // How many milliseconds are between\n * // 2 July 2014 12:30:20.600 and 2 July 2014 12:30:21.700?\n * const result = differenceInMilliseconds(\n * new Date(2014, 6, 2, 12, 30, 21, 700),\n * new Date(2014, 6, 2, 12, 30, 20, 600)\n * )\n * //=> 1100\n */\nexport function differenceInMilliseconds(dateLeft, dateRight) {\n return +toDate(dateLeft) - +toDate(dateRight);\n}\n\n// Fallback for modularized imports:\nexport default differenceInMilliseconds;","import { getRoundingMethod } from \"./_lib/getRoundingMethod.mjs\";\nimport { differenceInMilliseconds } from \"./differenceInMilliseconds.mjs\";\n\n/**\n * The {@link differenceInSeconds} function options.\n */\n\n/**\n * @name differenceInSeconds\n * @category Second Helpers\n * @summary Get the number of seconds between the given dates.\n *\n * @description\n * Get the number of seconds between the given dates.\n *\n * @typeParam DateType - The `Date` type, the function operates on. Gets inferred from passed arguments. Allows to use extensions like [`UTCDate`](https://github.com/date-fns/utc).\n *\n * @param dateLeft - The later date\n * @param dateRight - The earlier date\n * @param options - An object with options.\n *\n * @returns The number of seconds\n *\n * @example\n * // How many seconds are between\n * // 2 July 2014 12:30:07.999 and 2 July 2014 12:30:20.000?\n * const result = differenceInSeconds(\n * new Date(2014, 6, 2, 12, 30, 20, 0),\n * new Date(2014, 6, 2, 12, 30, 7, 999)\n * )\n * //=> 12\n */\nexport function differenceInSeconds(dateLeft, dateRight, options) {\n const diff = differenceInMilliseconds(dateLeft, dateRight) / 1000;\n return getRoundingMethod(options?.roundingMethod)(diff);\n}\n\n// Fallback for modularized imports:\nexport default differenceInSeconds;","import { AfterViewInit, ChangeDetectorRef, Component, Inject, OnInit, inject } from '@angular/core';\r\nimport { MatDialogConfig, MatDialogRef, MAT_DIALOG_DATA, MatDialogModule } from '@angular/material/dialog';\r\nimport { SafeHTMLPipe } from '../../pipes/safehtml';\r\nimport { MatButtonModule } from '@angular/material/button';\r\nimport { MatIconModule } from '@angular/material/icon';\r\nimport { MatDividerModule } from '@angular/material/divider';\r\nimport { MatToolbarModule } from '@angular/material/toolbar';\r\nimport { ScreenSizeService } from 'src/app/services/screensize/screensize.service';\r\nimport { Subscription, timer } from 'rxjs';\r\nimport { MatProgressBarModule } from '@angular/material/progress-bar';\r\n\r\n// #region Custom Classes\r\n\r\nexport interface CountdownDialogOptions extends MatDialogConfig {\r\n TitleText?: string;\r\n MessageText?: string;\r\n OKText?: string;\r\n CancelText?: string;\r\n CountdownTime?: number;\r\n}\r\n\r\n// #endregion\r\n\r\n@Component({\r\n selector: 'dialog-countdown-component',\r\n standalone: true,\r\n imports: [\r\n\r\n MatButtonModule,\r\n MatDialogModule,\r\n MatDividerModule,\r\n MatIconModule,\r\n MatProgressBarModule,\r\n MatToolbarModule,\r\n\r\n SafeHTMLPipe,\r\n ],\r\n styleUrls: ['countdown.dialogcomponent.scss'],\r\n templateUrl: 'countdown.dialogcomponent.html',\r\n})\r\nexport class CountdownDialogComponent implements AfterViewInit {\r\n // Injected Services\r\n screensizeService = inject(ScreenSizeService);\r\n\r\n title: string;\r\n message: string;\r\n oktext: string;\r\n canceltext: string;\r\n\r\n curtime: number;\r\n maxtime: number;\r\n time: number = 100;\r\n timerHandle: number | null = null;\r\n timeStr: string = \"\";\r\n\r\n constructor(\r\n public dialogRef: MatDialogRef,\r\n @Inject(MAT_DIALOG_DATA) public data: CountdownDialogOptions,\r\n private changeRef: ChangeDetectorRef,\r\n ) {\r\n this.title = data?.TitleText || 'Confirmation Requested...';\r\n this.message = data?.MessageText || '';\r\n this.oktext = data?.OKText || 'OK';\r\n this.canceltext = data?.CancelText || 'Cancel';\r\n\r\n this.maxtime = data?.CountdownTime != null ? data.CountdownTime : 170;\r\n this.curtime = this.maxtime;\r\n }\r\n\r\n ngAfterViewInit(): void {\r\n // Initialize ticking to get it rolling\r\n this.timerHandle = window.setInterval(() => {\r\n this.Tick();\r\n }, 1000);\r\n }\r\n\r\n CancelHandler() {\r\n // Disable timer, if possible\r\n if (this.timerHandle) {\r\n window.clearInterval(this.timerHandle);\r\n }\r\n this.dialogRef.close(null);\r\n }\r\n\r\n OKHandler() {\r\n // Disable timer, if possible\r\n if (this.timerHandle) {\r\n window.clearInterval(this.timerHandle);\r\n }\r\n this.dialogRef.close(true);\r\n }\r\n\r\n private GetTimeString(timeval: number) {\r\n const result =\r\n Math.floor(timeval / 60) +\r\n \":\" +\r\n (\"00\" + Math.floor(timeval % 60)).slice(-2);\r\n\r\n return result;\r\n }\r\n\r\n private Tick() {\r\n this.curtime--;\r\n if (this.curtime >= 0) {\r\n this.time = Math.floor((this.curtime * 100) / this.maxtime);\r\n this.timeStr = this.GetTimeString(this.curtime);\r\n\r\n this.changeRef.detectChanges();\r\n } else {\r\n // Close the dialog automatically as a \"cancel\"\r\n this.CancelHandler();\r\n }\r\n }\r\n}\r\n","
\r\n

{{title}}

\r\n \r\n @if (!screensizeService.ScreenSize().IsSmallDisplay) {\r\n \r\n }\r\n
\r\n\r\n\r\n
\r\n \r\n
\r\n\r\n\r\n \r\n \r\n","import { Injectable, computed, inject } from \"@angular/core\";\r\nimport { MatDialog } from \"@angular/material/dialog\";\r\nimport { Observable } from \"rxjs\";\r\nimport { ScreenSizeService } from \"src/app/services/screensize/screensize.service\";\r\nimport { CountdownDialogOptions, CountdownDialogComponent } from \"./countdown.dialogcomponent\";\r\n\r\n\r\n@Injectable({ providedIn: 'root'})\r\nexport class CountdownDialogService {\r\n private matDialog = inject(MatDialog)\r\n private mediaChange = inject(ScreenSizeService);\r\n\r\n smallMediaSize = computed(() => this.mediaChange.ScreenSize().IsSmallDisplay);\r\n\r\n // #region Close All Dialogs Service Call\r\n\r\n CloseAllDialogs(): void {\r\n this.matDialog.closeAll();\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Open\r\n\r\n Open(options?: CountdownDialogOptions): Observable {\r\n const self = this;\r\n const dlgoptions: CountdownDialogOptions = {\r\n disableClose: true,\r\n data: {\r\n TitleText: 'Confirmation Requested...',\r\n MessageText: '',\r\n OKText: 'OK',\r\n CancelText: 'Cancel',\r\n ...options,\r\n },\r\n width: (self.smallMediaSize() ? '80vw' : '500px'),\r\n height: \"18rem\",\r\n maxHeight: \"85vh\",\r\n };\r\n\r\n if (self.smallMediaSize()) {\r\n dlgoptions.width = '80vw';\r\n dlgoptions.panelClass = ['smalldialogpanel'];\r\n }\r\n\r\n const openHandle = this.matDialog.open(CountdownDialogComponent, dlgoptions);\r\n\r\n return openHandle.afterClosed();\r\n }\r\n\r\n // #endregion\r\n}\r\n","import { Observable, Subject, catchError, map, of, take, throwError } from \"rxjs\";\r\nimport { AuthTokenRefreshResult, RevalidationInfo, TestConnectionInfo } from \"./auth.service.class\";\r\nimport { RoutePaths } from \"src/app/routing/routes\";\r\nimport { HttpClient, HttpErrorResponse } from \"@angular/common/http\";\r\nimport { SITE_NAME, SystemRole } from '@src/app/shared/constants';\r\nimport { addSeconds, differenceInSeconds, isValid } from 'date-fns';\r\nimport { BUILD_TIME, VERSION_NUMBER } from \"../version/version.service\";\r\nimport { Router } from \"@angular/router\";\r\nimport { SplashService } from \"src/app/shared/dialogs/splash/splash.service\";\r\nimport { ConfigService } from \"../config/config.service\";\r\nimport { DestroyRef, Injectable, inject } from \"@angular/core\";\r\nimport { SessionStorage } from \"ngx-webstorage\";\r\nimport { UserService } from \"../user/user.service\";\r\nimport { UserInfo } from \"../user/user.service.class\";\r\nimport { AppService } from \"../app/app.service\";\r\nimport { MessageBoxDialogService } from \"src/app/shared/dialogs/messagebox\";\r\nimport { ConfirmationDialogOptions, ConfirmationDialogService } from \"src/app/shared/dialogs/confirmation\";\r\nimport { AdmissionsApplicationsService } from \"@services/applications/applications.service\";\r\nimport { takeUntilDestroyed, toSignal } from \"@angular/core/rxjs-interop\";\r\nimport { ErrorService } from \"@services/error/error.service\";\r\nimport { CountdownDialogService } from \"@dialogs/countdown\";\r\n\r\n\r\n\r\n@Injectable({\r\n providedIn: 'root',\r\n})\r\nexport class AuthService {\r\n\tprivate appService = inject(AppService);\r\n private applicationsService = inject(AdmissionsApplicationsService);\r\n\tprivate confdialog = inject(ConfirmationDialogService);\r\n\tprivate configService = inject(ConfigService);\r\n private countdownDialogService = inject(CountdownDialogService);\r\n private destroyRef = inject(DestroyRef);\r\n private errorService = inject(ErrorService);\r\n private http = inject(HttpClient);\r\n\tprivate messageBoxService = inject(MessageBoxDialogService);\r\n\tprivate router = inject(Router);\r\n\tprivate splashService = inject(SplashService);\r\n\tprivate userService = inject(UserService);\r\n\r\n @SessionStorage(undefined, null) nextAuthRefresh!: string | null;\r\n @SessionStorage(undefined, false) private systemOnline = false;\r\n\r\n static AUTHCHECKTIME: number = 25 * 60; // 25 minutes (time period to wait between refreshes)\r\n static LOGOUTWARNINGTIME = 2 * 60; // 2 minutes (how long to show logout dialog before automatically logging out)\r\n AuthTokenRefreshHandle: number | null;\r\n HasVersionUpdate: Subject = new Subject();\r\n SystemOnlineSubject: Subject = new Subject();\r\n VersionNumber: Subject = new Subject();\r\n AuthTokenCancelFlag: boolean;\r\n AuthRefreshDeadline: Date | null;\r\n IsRefreshing: boolean;\r\n User = this.userService.User;\r\n\r\n constructor() {\r\n this.AuthTokenCancelFlag = false;\r\n this.AuthTokenRefreshHandle = null;\r\n this.AuthRefreshDeadline = this.nextAuthRefresh ? new Date(this.nextAuthRefresh) : null;\r\n this.IsRefreshing = false;\r\n\r\n const btime = new Date(BUILD_TIME);\r\n\r\n this.VersionNumber.next(VERSION_NUMBER);\r\n\r\n this.SystemOnlineSubject.next({\r\n SystemMessage: '',\r\n Status: this.systemOnline,\r\n HSAVersion: VERSION_NUMBER,\r\n });\r\n\r\n // Watch User signal for when the user is being being updated, so we can tell if we need to boot up auth token \r\n\t\t// refreshing. See if we have a User object already known to us. If so, this was a refresh of the page most likely,\r\n\t\t// and thus we need to kick start authtoken refreshing again.\r\n\t\tif (this.User()?.AuthToken && !this.IsRefreshing) {\r\n\t\t\tthis.StartAuthTokenRefreshing();\r\n\t\t}\r\n }\r\n\r\n ngOnDestroy(): void {\r\n this.CancelAuthTokenRefreshing();\r\n }\r\n \r\n // #region Auth Token Refresh Method\r\n\r\n private AuthTokenRefresh() {\r\n // console.log('hit AuthTokenRefresh')\r\n // Now retrieve the auth token for the currently logged in user, stored in the userService\r\n const auth = this.User()?.AuthToken!;\r\n // console.log(auth)\r\n\r\n // Send a request to the system to check to see if the user's \"Recent Use\" flag is set. If it is, we will refresh their auth token and reset all countdown timers.\r\n this.CheckRecentUse(auth).pipe(takeUntilDestroyed(this.destroyRef)).subscribe({\r\n next: (res) => {\r\n // If we get a non-null result, it indicates the status of the \"Recent Use\" flag. If it's true, we trigger an\r\n // auth token refresh, which in turn will reset the clock for our next check of recent use, etc.\r\n if (res === true) {\r\n // console.log('hit CheckRecentUse 1')\r\n this.RefreshAuthToken();\r\n }\r\n else {\r\n // We either could not retrieve the \"Recent Use\" flag, or we DID and it was false. In either case, we must begin a\r\n // countdown process to log out the user from the system.\r\n // First, disable the current auth token refresh cycling. We won't restart that until we get feedback from the user.\r\n this.CancelAuthTokenRefreshing();\r\n\r\n // pop up dialog to ask if user wants to stay logged in\r\n let dialog = this.countdownDialogService.Open({\r\n disableClose: true,\r\n TitleText: 'Session Inactivity Logout',\r\n MessageText: 'You are about to be automatically logged out of the system due to inactivity. ' +\r\n 'If you wish to stay logged in to the site, please click the \"Stay Logged In\" button below.',\r\n OKText: 'Stay Logged In',\r\n CancelText: 'Log Out',\r\n CountdownTime: AuthService.LOGOUTWARNINGTIME\r\n });\r\n\r\n dialog.pipe(takeUntilDestroyed(this.destroyRef)).subscribe((res: boolean) => {\r\n if (res === true) {\r\n // console.log('hit CheckRecentUse 2')\r\n // User wants to stay logged in - Restart the auth token refresh cycling.\r\n this.RefreshAuthToken();\r\n }\r\n else {\r\n // console.log('hit CheckRecentUse 3')\r\n // User wishes to logout, or the timer expired. Either way, log them out.\r\n this.Logout(false, 1);\r\n }\r\n });\r\n }\r\n }, \r\n error: (error: any) => {\r\n // This represents an error when trying to get recent use. Likely this is due to the session expiring in the\r\n // authtoken. In this case, cancel the refresh handle, and log out the user.\r\n this.CancelAuthTokenRefreshing();\r\n\r\n this.Logout(false, 2);\r\n this.splashService.SnackbarError(error.error, 10000);\r\n console.error('hit CheckRecentUse error', error)\r\n }\r\n });\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Cancel Auth Token Refreshing Method\r\n\r\n CancelAuthTokenRefreshing(): void {\r\n // console.log('hit CancelAuthTokenRefreshing')\r\n // If possible, use the handle to cancel the timeout from happening\r\n if (this.AuthTokenRefreshHandle != null) {\r\n window.clearTimeout(this.AuthTokenRefreshHandle);\r\n }\r\n\r\n // Cancel the flag, handle, and deadline to refresh\r\n this.AuthRefreshDeadline = null;\r\n this.AuthTokenRefreshHandle = null;\r\n this.AuthTokenCancelFlag = false;\r\n this.IsRefreshing = false;\r\n this.nextAuthRefresh = null;\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Check Recent Use Service Method\r\n\t\r\n\t// This method simply calls the database to see if the user has done anything\r\n CheckRecentUse(AuthToken: string): Observable {\r\n return this.http.get(this.configService.hostAddress + `api/Login/CheckRecentUse?AuthToken=${(AuthToken || '')}`)\r\n // .pipe(catchError(this.handleError));\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Classlink SSO Login Service Call\r\n\r\n ClasslinkSSOLogin(token: string, screen?: string, winres?: string) {\r\n return this.http.post(\r\n this.configService.hostAddress + 'api/Login/classlink',\r\n {\r\n Token: token,\r\n Screen: screen,\r\n Window: winres,\r\n }\r\n );\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Logout From System Service Call\r\n\r\n LogoutFromSystem(): Observable {\r\n return this.http.put(this.configService.hostAddress + `api/Login`, {});\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Logout Service Call\r\n\r\n Logout(confirmation?: boolean, reason?: number): void {\r\n // console.log('hit Logout', this.User());\r\n if (confirmation === true) {\r\n // Pop up a confirmation box to confirm desire to logout.\r\n const opts: ConfirmationDialogOptions = {\r\n TitleText: 'Confirmation Requested',\r\n MessageText: 'You are about to log out of the site. Are you sure you wish to exit at this time?',\r\n OKText: 'Yes - Log Out',\r\n CancelText: 'No - Stay Logged In',\r\n };\r\n\r\n let dialog = this.confdialog.Open(opts);\r\n\r\n dialog.pipe(takeUntilDestroyed(this.destroyRef)).subscribe(response => {\r\n if (response === true) {\r\n // Stop authtoken refreshing\r\n this.CancelAuthTokenRefreshing();\r\n\r\n // Null out the current user.\r\n this.userService.ClearUser();\r\n\r\n // Snackbar the logout if this was user initiated (reason null or 0)\r\n if (reason == null || reason == 0) {\r\n this.splashService.SnackbarSuccess('Successfully logged out', 5000);\r\n }\r\n\r\n // Close out all remaining open dialogs\r\n // this.matDialog.closeAll();\r\n // this.confdialog.CloseAllDialogs();\r\n \r\n // Clear out change tracking.\r\n // this.unsavedChangesService.ClearTracking();\r\n\r\n // Clear out loading data.\r\n setTimeout(() => {\r\n this.appService.ClearSessionData();\r\n this.applicationsService.ClearData();\r\n }, 1000);\r\n\r\n // Navigate to the login state.\r\n // this.router.navigate(['/admin-login']);\r\n this.router.navigate([RoutePaths.Landing]);\r\n // window.location.href = this.configService.hostAddress;\r\n }\r\n });\r\n } else {\r\n // No dialog needed. Exit out.\r\n // Stop authtoken refreshing\r\n this.CancelAuthTokenRefreshing();\r\n\r\n // Null out the current user.\r\n this.userService.ClearUser();\r\n\r\n // Snackbar the logout if this was user initiated (reason null or 0)\r\n if (reason == null || reason == 0) {\r\n this.splashService.SnackbarSuccess('Successfully logged out', 5000);\r\n }\r\n\r\n // Close out all remaining open dialogs\r\n // this.matDialog.closeAll();\r\n // this.confdialog.CloseAllDialogs();\r\n\r\n // Clear out change tracking.\r\n // this.unsavedChangesService.ClearTracking();\r\n\r\n // Clear out loading data.\r\n setTimeout(() => {\r\n this.appService.ClearSessionData();\r\n this.applicationsService.ClearData();\r\n }, 1000);\r\n\r\n // Navigate to the login state.\r\n // this.router.navigate(['/admin-login']);\r\n this.router.navigate([RoutePaths.Landing]);\r\n // window.location.href = this.configService.hostAddress;\r\n }\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Process Login\r\n\r\n ProcessLogin(logininfo: UserInfo, returnUrl?: string): void {\r\n // Set the currently logged in user information.\r\n this.userService.SetUser(logininfo);\r\n\r\n if (logininfo?.Roles?.length) {\r\n this.userService.SetUserCurrentRole(logininfo.Roles[0], returnUrl, logininfo);\r\n } else {\r\n // No roles found. Reject politely.\r\n this.messageBoxService\r\n .Open({\r\n TitleText: 'Unable to Login',\r\n MessageText: `We're sorry, the ${SITE_NAME} system is current only available to limited district leadership, designated district users, and school-based administrators. If you believe this is message is in error, please contact the district instructional office for more assistance.`,\r\n })\r\n .subscribe((_: any) => {\r\n this.Logout(undefined, undefined);\r\n });\r\n }\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Refresh Authentication Token Service Method\r\n \r\n RefreshAuthToken() {\r\n this.RefreshAuthTokenCall().pipe(takeUntilDestroyed(this.destroyRef)).subscribe({\r\n next: newAuthPacket => {\r\n let newAuth = newAuthPacket.AuthToken;\r\n\r\n // We have a valid, new auth token. Update the User variable in the userService to reflect this.\r\n this.userService.UpdateAuthToken(newAuth!);\r\n\r\n // If there is no flag signal set preventing this loop from continuing, then we can set up the\r\n // next iteration with a timeout now.\r\n if (!this.AuthTokenCancelFlag) {\r\n this.AuthTokenRefreshHandle = window.setTimeout(() => {\r\n this.AuthTokenRefresh();\r\n }, AuthService.AUTHCHECKTIME * 1000);\r\n\r\n // Set the refresh deadline app value\r\n const Now = new Date();\r\n this.AuthRefreshDeadline = addSeconds(Now, AuthService.AUTHCHECKTIME);\r\n this.nextAuthRefresh = this.AuthRefreshDeadline.toISOString();\r\n // this.nextAuthRefresh = this.toolsService.toISOLocal(this.AuthRefreshDeadline);\r\n }\r\n }, \r\n error: error => {\r\n // Snackbar the error\r\n let body = error.json();\r\n body =\r\n (body && body.Message) ||\r\n body ||\r\n `An error occurred while trying to valid your active connection to the system. ` +\r\n `You have been logged out.`;\r\n this.splashService.SnackbarError(body, 5000)\r\n // this.errorService.HandleServiceError(error);\r\n // this.splashService.SnackbarError(error.error, 5000);\r\n }\r\n });\r\n }\r\n\r\n RefreshAuthTokenCall(): Observable {\r\n // console.log('hit RefreshAuthToken')\r\n return this.http.put(this.configService.hostAddress + `api/Login/refresh`, {});\r\n }\r\n\r\n\r\n // #endregion\r\n \r\n // #region Register New Account\r\n\r\n RegisterNewUser(\r\n Firstname: string, \r\n Lastname: string, \r\n Username?: string,\r\n Email?: string, \r\n Password?: string,\r\n RoleID?: number,\r\n ): Observable {\r\n return this.http.post(this.configService.hostAddress + `api/Account/create`,\r\n {\r\n Firstname: Firstname || '',\r\n Lastname: Lastname || '',\r\n Username: Username || '',\r\n Email: Email || '',\r\n Password: Password || '',\r\n RoleID: RoleID || '',\r\n }\r\n );\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Revalidate Session Service Call\r\n\r\n RevalidateSession(Username: string, Password: string, ImpersonatedUsername: string): Observable {\r\n return this.http\r\n .put(this.configService.hostAddress + `api/Login/revalidate`, {\r\n Username: Username || '',\r\n Password: Password || '',\r\n ImpersonatedUsername: ImpersonatedUsername || '',\r\n })\r\n .pipe(\r\n map((data) => {\r\n return {\r\n Error: null,\r\n UserInfo: data,\r\n } as RevalidationInfo;\r\n })\r\n );\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Set System Online Status\r\n\r\n SetSystemOnlineStatus(status: TestConnectionInfo): void {\r\n this.systemOnline = status?.Status || false;\r\n this.SystemOnlineSubject.next(status);\r\n }\r\n\r\n // #endregion\r\n\r\n // #region Start AuthToken Refreshing Service Call\r\n\r\n StartAuthTokenRefreshing(): void {\r\n // This process will work as follows: We will call a service method which will tell us if the current user's auth token shows\r\n // \"recent use\" (which is a flag set by most stored procedures). If that method succeeds, and shows recent use, we will simply\r\n // use a different service call to update the auth token refresh time, then delay for a time period (AUTHCHECKTIME) before we\r\n // run this same check again.\r\n // If at any point the recent use flag is not set, then we set a timer to logout the user after a set amount of time\r\n // (LOGOUTWARNINGTIME), and simultaneously put up a dialog box that gives the user a visual representation of the countdown,\r\n // along with a button they can click to \"save\" their session, which essentially manually triggers the refresh method.\r\n\r\n // Initiate the auth token refresh cycling by calling the refresh method the first time\r\n this.AuthTokenCancelFlag = false;\r\n\r\n // Check real quick for a present value for AuthRefreshDeadline. If that exists, then it indicates the time when we absolutely\r\n // need to refresh the auth token, so we should set the refresh handle time to just before then. Otherwise, this is probably a\r\n // first login so use the default time.\r\n let timeToRefresh = AuthService.AUTHCHECKTIME;\r\n\r\n if (this.nextAuthRefresh) {\r\n // Read the deadline time to refresh from the session storage, convert into a Date object.\r\n this.AuthRefreshDeadline = new Date(this.nextAuthRefresh);\r\n } else {\r\n // Nothing available from session storage, so queue up a fresh refresh clock.\r\n this.AuthRefreshDeadline = addSeconds(new Date(), AuthService.AUTHCHECKTIME);\r\n }\r\n\r\n if (this.AuthRefreshDeadline && isValid(this.AuthRefreshDeadline)) {\r\n // Find the time difference in seconds between now and when we are due to refresh.\r\n const timediff = differenceInSeconds(this.AuthRefreshDeadline, new Date());\r\n\r\n // We will always use the lesser of the next known time to refresh and the usual delay time. This is in case we are refreshing\r\n // the browser and need to restart refresh cycle, as opposed to fresh starting cycles.\r\n if (timediff < timeToRefresh) {\r\n timeToRefresh = timediff;\r\n }\r\n if (timeToRefresh <= 0) {\r\n timeToRefresh = 3;\r\n } // Ensure at least a 3 second wait.\r\n }\r\n\r\n this.AuthTokenRefreshHandle = window.setTimeout(() => {\r\n this.AuthTokenRefresh();\r\n }, timeToRefresh * 1000);\r\n\r\n // Set the refresh deadline app value\r\n const Now = new Date();\r\n\r\n this.AuthRefreshDeadline = addSeconds(Now, timeToRefresh);\r\n this.IsRefreshing = true;\r\n // this.nextAuthRefresh = this.toolsService.toISOLocal(this.AuthRefreshDeadline);\r\n this.nextAuthRefresh = this.AuthRefreshDeadline.toISOString();\r\n }\r\n\r\n // #endregion\r\n \r\n // #region Test Connection Service Call\r\n\r\n TestConnection(): Observable {\r\n // console.log('hit TestConnection')\r\n // Call the WebApi to see if anyone is home.\r\n return this.http.get(this.configService.hostAddress + 'api/Login/testconnection');\r\n }\r\n\r\n // #endregion\r\n \r\n // #region Validate User\r\n\r\n ValidateUser(\r\n username: string,\r\n password: string,\r\n impersonatedUser: string,\r\n training: boolean,\r\n screen: string,\r\n window: string\r\n ): Observable {\r\n // console.log('hit ValidateUser')\r\n return this.http.post(this.configService.hostAddress + `api/Login/loginuser`,\r\n {\r\n Username: username || '',\r\n Password: password || '',\r\n TrainingMode: training || false,\r\n ImpersonatedUsername: impersonatedUser || '',\r\n Screen: screen || '',\r\n Window: window || '',\r\n }\r\n ).pipe(catchError(this.handleError));\r\n }\r\n\r\n // #endregion\r\n\r\n private handleError(error: HttpErrorResponse) {\r\n return throwError(error);\r\n }\r\n}\r\n"],"mappings":"ygCAAO,IAAMA,EAAiB,QACjBC,GAAa,GC+BnB,SAASC,EAAOC,EAAU,CAC/B,IAAMC,EAAS,OAAO,UAAU,SAAS,KAAKD,CAAQ,EAGtD,OAAIA,aAAoB,MAAQ,OAAOA,GAAa,UAAYC,IAAW,gBAElE,IAAID,EAAS,YAAY,CAACA,CAAQ,EAChC,OAAOA,GAAa,UAAYC,IAAW,mBAAqB,OAAOD,GAAa,UAAYC,IAAW,kBAE7G,IAAI,KAAKD,CAAQ,EAGjB,IAAI,KAAK,GAAG,CAEvB,CChBO,SAASE,GAAcC,EAAMC,EAAO,CACzC,OAAID,aAAgB,KACX,IAAIA,EAAK,YAAYC,CAAK,EAE1B,IAAI,KAAKA,CAAK,CAEzB,CCbO,SAASC,GAAgBC,EAAMC,EAAQ,CAC5C,IAAMC,EAAY,CAACC,EAAOH,CAAI,EAC9B,OAAOI,GAAcJ,EAAME,EAAYD,CAAM,CAC/C,CCJO,SAASI,EAAWC,EAAMC,EAAQ,CACvC,OAAOC,GAAgBF,EAAMC,EAAS,GAAI,CAC5C,CCQO,SAASE,GAAOC,EAAO,CAC5B,OAAOA,aAAiB,MAAQ,OAAOA,GAAU,UAAY,OAAO,UAAU,SAAS,KAAKA,CAAK,IAAM,eACzG,CCEO,SAASC,GAAQC,EAAM,CAC5B,GAAI,CAACC,GAAOD,CAAI,GAAK,OAAOA,GAAS,SACnC,MAAO,GAET,IAAME,EAAQC,EAAOH,CAAI,EACzB,MAAO,CAAC,MAAM,OAAOE,CAAK,CAAC,CAC7B,CC1CO,SAASE,GAAkBC,EAAQ,CACxC,OAAOC,GAAU,CAEf,IAAMC,GADQF,EAAS,KAAKA,CAAM,EAAI,KAAK,OACtBC,CAAM,EAE3B,OAAOC,IAAW,EAAI,EAAIA,CAC5B,CACF,CCmBO,SAASC,GAAyBC,EAAUC,EAAW,CAC5D,MAAO,CAACC,EAAOF,CAAQ,EAAI,CAACE,EAAOD,CAAS,CAC9C,CCIO,SAASE,GAAoBC,EAAUC,EAAWC,EAAS,CAChE,IAAMC,EAAOC,GAAyBJ,EAAUC,CAAS,EAAI,IAC7D,OAAOI,GAAkBH,GAAS,cAAc,EAAEC,CAAI,CACxD,wBE/BIG,EAAA,EAAA,SAAA,CAAA,EAAsD,EAAA,UAAA,EACxCC,EAAA,EAAA,OAAA,EAAKC,EAAA,EAAW,GDmClC,IAAaC,IAAwB,IAAA,CAA/B,IAAOA,EAAP,MAAOA,CAAwB,CAejCC,YACWC,EACyBC,EACxBC,EAA4B,CAF7B,KAAAF,UAAAA,EACyB,KAAAC,KAAAA,EACxB,KAAAC,UAAAA,EAhBZ,KAAAC,kBAAoBC,EAAOC,CAAiB,EAS5C,KAAAC,KAAe,IACf,KAAAC,YAA6B,KAC7B,KAAAC,QAAkB,GAOd,KAAKC,MAAQR,GAAMS,WAAa,4BAChC,KAAKC,QAAUV,GAAMW,aAAe,GACpC,KAAKC,OAASZ,GAAMa,QAAU,KAC9B,KAAKC,WAAad,GAAMe,YAAc,SAEtC,KAAKC,QAAUhB,GAAMiB,eAAiB,KAAOjB,EAAKiB,cAAgB,IAClE,KAAKC,QAAU,KAAKF,OACxB,CAEAG,iBAAe,CAEX,KAAKb,YAAcc,OAAOC,YAAY,IAAK,CACvC,KAAKC,KAAI,CACb,EAAG,GAAI,CACX,CAEAC,eAAa,CAEL,KAAKjB,aACLc,OAAOI,cAAc,KAAKlB,WAAW,EAEzC,KAAKP,UAAU0B,MAAM,IAAI,CAC7B,CAEAC,WAAS,CAED,KAAKpB,aACLc,OAAOI,cAAc,KAAKlB,WAAW,EAEzC,KAAKP,UAAU0B,MAAM,EAAI,CAC7B,CAEQE,cAAcC,EAAe,CAMjC,OAJIC,KAAKC,MAAMF,EAAU,EAAE,EACvB,KACC,KAAOC,KAAKC,MAAMF,EAAU,EAAE,GAAGG,MAAM,EAAE,CAGlD,CAEQT,MAAI,CACR,KAAKJ,UACD,KAAKA,SAAW,GAChB,KAAKb,KAAOwB,KAAKC,MAAO,KAAKZ,QAAU,IAAO,KAAKF,OAAO,EAC1D,KAAKT,QAAU,KAAKoB,cAAc,KAAKT,OAAO,EAE9C,KAAKjB,UAAU+B,cAAa,GAG5B,KAAKT,cAAa,CAE1B,yCAxES1B,GAAwBoC,EAAAC,CAAA,EAAAD,EAiBrBE,CAAe,EAAAF,EAAAG,CAAA,CAAA,CAAA,sBAjBlBvC,EAAwBwC,UAAA,CAAA,CAAA,4BAAA,CAAA,EAAAC,WAAA,GAAAC,SAAA,CAAAC,CAAA,EAAAC,MAAA,GAAAC,KAAA,EAAAC,OAAA,CAAA,CAAA,EAAA,cAAA,EAAA,CAAA,EAAA,QAAA,EAAA,CAAA,kBAAA,GAAA,QAAA,OAAA,mBAAA,EAAA,EAAA,CAAA,EAAA,gBAAA,EAAA,CAAA,EAAA,iBAAA,EAAA,WAAA,EAAA,CAAA,OAAA,cAAA,EAAA,OAAA,EAAA,CAAA,QAAA,MAAA,EAAA,gBAAA,EAAA,UAAA,MAAA,EAAA,CAAA,qBAAA,GAAA,OAAA,SAAA,EAAA,UAAA,YAAA,EAAA,OAAA,EAAA,CAAA,kBAAA,GAAA,OAAA,SAAA,kBAAA,GAAA,EAAA,iBAAA,UAAA,QAAA,EAAA,OAAA,CAAA,EAAAC,SAAA,SAAAC,EAAAC,EAAA,CAAAD,EAAA,ICxCrCnD,EAAA,EAAA,SAAA,CAAA,EAA6B,EAAA,IAAA,EACrBC,EAAA,CAAA,EAASC,EAAA,EACbmD,EAAA,EAAA,OAAA,CAAA,EACAC,EAAA,EAAAC,GAAA,EAAA,EAAA,SAAA,CAAA,EAKJrD,EAAA,EACAmD,EAAA,EAAA,aAAA,EACArD,EAAA,EAAA,qBAAA,CAAA,EACIqD,EAAA,EAAA,MAAA,CAAA,kBACAA,EAAA,EAAA,mBAAA,CAAA,EACJnD,EAAA,EACAmD,EAAA,GAAA,aAAA,EACArD,EAAA,GAAA,qBAAA,CAAA,EAA6E,GAAA,SAAA,CAAA,EACNwD,EAAA,QAAA,UAAA,CAAA,OAASJ,EAAAvB,cAAA,CAAe,CAAA,EAAE5B,EAAA,EAAA,EAAcC,EAAA,EAC3GF,EAAA,GAAA,SAAA,CAAA,EAA2EwD,EAAA,QAAA,UAAA,CAAA,OAASJ,EAAApB,UAAA,CAAW,CAAA,EAC3F/B,EAAA,EAAA,EACJC,EAAA,EAAS,SAlBLuD,EAAA,CAAA,EAAAC,EAAAN,EAAAtC,KAAA,EAEJ2C,EAAA,CAAA,EAAAE,EAAAP,EAAA5C,kBAAAoD,WAAA,EAAAC,eAAA,GAAA,CAAA,EAQ4BJ,EAAA,CAAA,EAAAK,EAAA,YAAAC,EAAA,EAAA,EAAAX,EAAApC,OAAA,EAAAgD,CAAA,EACSP,EAAA,CAAA,EAAAK,EAAA,QAAAV,EAAAzC,IAAA,EAIwD8C,EAAA,CAAA,EAAAC,EAAAN,EAAAhC,UAAA,EAEzFqC,EAAA,CAAA,EAAAQ,EAAA,IAAAb,EAAAlC,OAAA,GAAA,kBDUAgD,GAAeC,GAAAC,GACfC,EAAeC,EAAAC,EAAAC,EACfC,GAAgBC,GAChBC,GAAaC,GACbC,GAAoBC,GACpBC,GAEAC,EAAY,EAAAC,OAAA,CAAA;mEAAA,CAAA,CAAA,EAKd,IAAO9E,EAAP+E,SAAO/E,CAAwB,GAAA,EEhCrC,IAAagF,GAAsB,IAAA,CAA7B,IAAOA,EAAP,MAAOA,CAAsB,CADnCC,aAAA,CAEY,KAAAC,UAAYC,EAAOC,CAAS,EAC5B,KAAAC,YAAcF,EAAOG,CAAiB,EAE9C,KAAAC,eAAiBC,EAAS,IAAM,KAAKH,YAAYI,WAAU,EAAGC,cAAc,EAI5EC,iBAAe,CACX,KAAKT,UAAUU,SAAQ,CAC3B,CAMAC,KAAKC,EAAgC,CACjC,IAAMC,EAAO,KACPC,EAAqC,CACvCC,aAAc,GACdC,KAAMC,EAAA,CACFC,UAAW,4BACXC,YAAa,GACbC,OAAQ,KACRC,WAAY,UACTT,GAEPU,MAAQT,EAAKR,eAAc,EAAK,OAAS,QACzCkB,OAAQ,QACRC,UAAW,QAGf,OAAIX,EAAKR,eAAc,IACnBS,EAAWQ,MAAQ,OACnBR,EAAWW,WAAa,CAAC,kBAAkB,GAG5B,KAAKzB,UAAU0B,KAA+BC,GAA0Bb,CAAU,EAEnFc,YAAW,CACjC,yCAxCS9B,EAAsB,wBAAtBA,EAAsB+B,QAAtB/B,EAAsBgC,UAAAC,WADT,MAAM,CAAA,EAC1B,IAAOjC,EAAPkC,SAAOlC,CAAsB,GAAA,ECmB7B,IAAOmC,EAAP,MAAOA,CAAW,CA4BpBC,aAAA,CA3BK,KAAAC,WAAaC,EAAOC,EAAU,EAC3B,KAAAC,oBAAsBF,EAAOG,EAA6B,EAC7D,KAAAC,WAAaJ,EAAOK,EAAyB,EAC7C,KAAAC,cAAgBN,EAAOO,EAAa,EACjC,KAAAC,uBAAyBR,EAAOS,CAAsB,EACtD,KAAAC,WAAaV,EAAOW,CAAU,EAC9B,KAAAC,aAAeZ,EAAOa,EAAY,EAClC,KAAAC,KAAOd,EAAOe,CAAU,EAC3B,KAAAC,kBAAoBhB,EAAOiB,EAAuB,EAClD,KAAAC,OAASlB,EAAOmB,CAAM,EACtB,KAAAC,cAAgBpB,EAAOqB,EAAa,EACpC,KAAAC,YAActB,EAAOuB,EAAW,EAGK,KAAAC,aAAe,GAKzD,KAAAC,iBAAqC,IAAIC,EACzC,KAAAC,oBAAmD,IAAID,EACvD,KAAAE,cAAiC,IAAIF,EAIrC,KAAAG,KAAO,KAAKP,YAAYO,KAGpB,KAAKC,oBAAsB,GAC3B,KAAKC,uBAAyB,KAC9B,KAAKC,oBAAsB,KAAKC,gBAAkB,IAAIC,KAAK,KAAKD,eAAe,EAAI,KACnF,KAAKE,aAAe,GAEpB,IAAMC,EAAQ,IAAIF,KAAKG,EAAU,EAEjC,KAAKT,cAAcU,KAAKC,CAAc,EAEtC,KAAKZ,oBAAoBW,KAAK,CAC1BE,cAAe,GACfC,OAAQ,KAAKjB,aACbkB,WAAYH,EACf,EAKH,KAAKV,KAAI,GAAIc,WAAa,CAAC,KAAKR,cACnC,KAAKS,yBAAwB,CAE5B,CAEAC,aAAW,CACP,KAAKC,0BAAyB,CAClC,CAIQC,kBAAgB,CAGpB,IAAMC,EAAO,KAAKnB,KAAI,GAAIc,UAI1B,KAAKM,eAAeD,CAAI,EAAEE,KAAKC,EAAmB,KAAKzC,UAAU,CAAC,EAAE0C,UAAU,CAC1Ed,KAAOe,GAAO,CAGNA,IAAQ,GAER,KAAKC,iBAAgB,GAMrB,KAAKR,0BAAyB,EAGjB,KAAKtC,uBAAuB+C,KAAK,CAC1CC,aAAc,GACdC,UAAW,4BACXC,YAAa,2KAEbC,OAAQ,iBACRC,WAAY,UACZC,cAAehE,EAAYiE,kBAC9B,EAEMZ,KAAKC,EAAmB,KAAKzC,UAAU,CAAC,EAAE0C,UAAWC,GAAgB,CACpEA,IAAQ,GAGR,KAAKC,iBAAgB,EAKrB,KAAKS,OAAO,GAAO,CAAC,CAE5B,CAAC,EAET,EACAC,MAAQA,GAAc,CAGlB,KAAKlB,0BAAyB,EAE9B,KAAKiB,OAAO,GAAO,CAAC,EACpB,KAAK3C,cAAc6C,cAAcD,EAAMA,MAAO,GAAK,EACnDE,QAAQF,MAAM,2BAA4BA,CAAK,CACnD,EACH,CACL,CAMAlB,2BAAyB,CAGjB,KAAKf,wBAA0B,MAC/BoC,OAAOC,aAAa,KAAKrC,sBAAsB,EAInD,KAAKC,oBAAsB,KAC3B,KAAKD,uBAAyB,KAC9B,KAAKD,oBAAsB,GAC3B,KAAKK,aAAe,GACpB,KAAKF,gBAAkB,IAC3B,CAOAgB,eAAeN,EAAiB,CAC5B,OAAO,KAAK7B,KAAKuD,IAAa,KAAK/D,cAAcgE,YAAc,sCAAuC3B,GAAa,EAAE,EAAG,CAE5H,CAMA4B,kBAAkBC,EAAeC,EAAiBC,EAAe,CAC7D,OAAO,KAAK5D,KAAK6D,KACb,KAAKrE,cAAcgE,YAAc,sBACjC,CACIM,MAAOJ,EACPK,OAAQJ,EACRK,OAAQJ,EACX,CAET,CAMAK,kBAAgB,CACZ,OAAO,KAAKjE,KAAKkE,IAAa,KAAK1E,cAAcgE,YAAc,YAAa,CAAA,CAAE,CAClF,CAMAP,OAAOkB,EAAwBC,EAAe,CAE1C,GAAID,IAAiB,GAAM,CAEvB,IAAME,EAAkC,CACpC1B,UAAW,yBACXC,YAAa,oFACbC,OAAQ,gBACRC,WAAY,uBAGH,KAAKxD,WAAWmD,KAAK4B,CAAI,EAE/BjC,KAAKC,EAAmB,KAAKzC,UAAU,CAAC,EAAE0C,UAAUgC,GAAW,CAC9DA,IAAa,KAEb,KAAKtC,0BAAyB,EAG9B,KAAKxB,YAAY+D,UAAS,GAGtBH,GAAU,MAAQA,GAAU,IAC5B,KAAK9D,cAAckE,gBAAgB,0BAA2B,GAAI,EAWtEC,WAAW,IAAK,CACZ,KAAKxF,WAAWyF,iBAAgB,EAChC,KAAKtF,oBAAoBuF,UAAS,CACtC,EAAG,GAAI,EAIP,KAAKvE,OAAOwE,SAAS,CAACC,EAAWC,OAAO,CAAC,EAGjD,CAAC,CACL,MAGI,KAAK9C,0BAAyB,EAG9B,KAAKxB,YAAY+D,UAAS,GAGtBH,GAAU,MAAQA,GAAU,IAC5B,KAAK9D,cAAckE,gBAAgB,0BAA2B,GAAI,EAWtEC,WAAW,IAAK,CACZ,KAAKxF,WAAWyF,iBAAgB,EAChC,KAAKtF,oBAAoBuF,UAAS,CACtC,EAAG,GAAI,EAIP,KAAKvE,OAAOwE,SAAS,CAACC,EAAWC,OAAO,CAAC,CAGjD,CAMAC,aAAaC,EAAqBC,EAAkB,CAEhD,KAAKzE,YAAY0E,QAAQF,CAAS,EAE9BA,GAAWG,OAAOC,OAClB,KAAK5E,YAAY6E,mBAAmBL,EAAUG,MAAM,CAAC,EAAGF,EAAWD,CAAS,EAG5E,KAAK9E,kBACAuC,KAAK,CACFE,UAAW,kBACXC,YAAa,oBAAoB0C,EAAS,kPAC7C,EACAhD,UAAWiD,GAAU,CAClB,KAAKtC,OAAOuC,OAAWA,MAAS,CACpC,CAAC,CAEb,CAMAhD,kBAAgB,CACZ,KAAKiD,qBAAoB,EAAGrD,KAAKC,EAAmB,KAAKzC,UAAU,CAAC,EAAE0C,UAAU,CAC5Ed,KAAMkE,GAAgB,CAClB,IAAIC,EAAUD,EAAc7D,UAO5B,GAJA,KAAKrB,YAAYoF,gBAAgBD,CAAQ,EAIrC,CAAC,KAAK3E,oBAAqB,CAC3B,KAAKC,uBAAyBoC,OAAOoB,WAAW,IAAK,CACjD,KAAKxC,iBAAgB,CACzB,EAAGlD,EAAY8G,cAAgB,GAAI,EAGnC,IAAMC,EAAM,IAAI1E,KAChB,KAAKF,oBAAsB6E,EAAWD,EAAK/G,EAAY8G,aAAa,EACpE,KAAK1E,gBAAkB,KAAKD,oBAAoB8E,YAAW,CAE/D,CACJ,EACA9C,MAAOA,GAAQ,CAEX,IAAI+C,EAAO/C,EAAMgD,KAAI,EACrBD,EACKA,GAAQA,EAAKE,SACdF,GACA,0GAEJ,KAAK3F,cAAc6C,cAAc8C,EAAM,GAAI,CAG/C,EACH,CACL,CAEAR,sBAAoB,CAEhB,OAAO,KAAKzF,KAAKkE,IAA4B,KAAK1E,cAAcgE,YAAc,oBAAqB,CAAA,CAAE,CACzG,CAOA4C,gBACIC,EACAC,EACAC,EACAC,EACAC,EACAC,EAAe,CAEf,OAAO,KAAK1G,KAAK6D,KAAe,KAAKrE,cAAcgE,YAAc,qBAC7D,CACI6C,UAAWA,GAAa,GACxBC,SAAUA,GAAY,GACtBC,SAAUA,GAAY,GACtBC,MAAOA,GAAS,GAChBC,SAAUA,GAAY,GACtBC,OAAQA,GAAU,GACrB,CAET,CAMAC,kBAAkBJ,EAAkBE,EAAkBG,EAA4B,CAC9E,OAAO,KAAK5G,KACPkE,IAAc,KAAK1E,cAAcgE,YAAc,uBAAwB,CACpE+C,SAAUA,GAAY,GACtBE,SAAUA,GAAY,GACtBG,qBAAsBA,GAAwB,GACjD,EACAxE,KACGyE,EAAKC,IACM,CACHC,MAAO,KACPC,SAAUF,GAEjB,CAAC,CAEd,CAMAG,sBAAsBC,EAA0B,CAC5C,KAAKxG,aAAewG,GAAQvF,QAAU,GACtC,KAAKd,oBAAoBW,KAAK0F,CAAM,CACxC,CAMApF,0BAAwB,CAUpB,KAAKd,oBAAsB,GAK3B,IAAImG,EAAgBpI,EAAY8G,cAUhC,GARI,KAAK1E,gBAEL,KAAKD,oBAAsB,IAAIE,KAAK,KAAKD,eAAe,EAGxD,KAAKD,oBAAsB6E,EAAW,IAAI3E,KAAQrC,EAAY8G,aAAa,EAG3E,KAAK3E,qBAAuBkG,GAAQ,KAAKlG,mBAAmB,EAAG,CAE/D,IAAMmG,EAAWC,GAAoB,KAAKpG,oBAAqB,IAAIE,IAAM,EAIrEiG,EAAWF,IACXA,EAAgBE,GAEhBF,GAAiB,IACjBA,EAAgB,EAExB,CAEA,KAAKlG,uBAAyBoC,OAAOoB,WAAW,IAAK,CACjD,KAAKxC,iBAAgB,CACzB,EAAGkF,EAAgB,GAAI,EAGvB,IAAMrB,EAAM,IAAI1E,KAEhB,KAAKF,oBAAsB6E,EAAWD,EAAKqB,CAAa,EACxD,KAAK9F,aAAe,GAEpB,KAAKF,gBAAkB,KAAKD,oBAAoB8E,YAAW,CAC/D,CAMAuB,gBAAc,CAGV,OAAO,KAAKvH,KAAKuD,IAAwB,KAAK/D,cAAcgE,YAAc,0BAA0B,CACxG,CAMAgE,aACIC,EACAC,EACAC,EACAC,EACAjE,EACAN,EAAc,CAGd,OAAO,KAAKrD,KAAK6D,KAAe,KAAKrE,cAAcgE,YAAc,sBAC7D,CACI+C,SAAUkB,GAAY,GACtBhB,SAAUiB,GAAY,GACtBG,aAAcD,GAAY,GAC1BhB,qBAAsBe,GAAoB,GAC1C5D,OAAQJ,GAAU,GAClBK,OAAQX,GAAU,GACrB,EACHjB,KAAK0F,EAAW,KAAKC,WAAW,CAAC,CACvC,CAIQA,YAAY7E,EAAwB,CACxC,OAAO8E,EAAW9E,CAAK,CAC3B,GApcO+E,EAAApC,cAAwB,GAAK,GAC7BoC,EAAAjF,kBAAoB,EAAI,yCAlBtBjE,EAAW,wBAAXA,EAAWmJ,QAAXnJ,EAAWoJ,UAAAC,WAFR,MAAM,CAAA,EAEhB,IAAOrJ,EAAPkJ,EAc+BI,EAAA,CAAhCC,EAAe9C,OAAW,IAAI,CAAC,EAAAzG,EAAA,UAAA,kBAAA,MAAA,EACUsJ,EAAA,CAAzCC,EAAe9C,OAAW,EAAK,CAAC,EAAAzG,EAAA,UAAA,eAAA,MAAA","names":["VERSION_NUMBER","BUILD_TIME","toDate","argument","argStr","constructFrom","date","value","addMilliseconds","date","amount","timestamp","toDate","constructFrom","addSeconds","date","amount","addMilliseconds","isDate","value","isValid","date","isDate","_date","toDate","getRoundingMethod","method","number","result","differenceInMilliseconds","dateLeft","dateRight","toDate","differenceInSeconds","dateLeft","dateRight","options","diff","differenceInMilliseconds","getRoundingMethod","ɵɵelementStart","ɵɵtext","ɵɵelementEnd","CountdownDialogComponent","constructor","dialogRef","data","changeRef","screensizeService","inject","ScreenSizeService","time","timerHandle","timeStr","title","TitleText","message","MessageText","oktext","OKText","canceltext","CancelText","maxtime","CountdownTime","curtime","ngAfterViewInit","window","setInterval","Tick","CancelHandler","clearInterval","close","OKHandler","GetTimeString","timeval","Math","floor","slice","detectChanges","ɵɵdirectiveInject","MatDialogRef","MAT_DIALOG_DATA","ChangeDetectorRef","selectors","standalone","features","ɵɵStandaloneFeature","decls","vars","consts","template","rf","ctx","ɵɵelement","ɵɵtemplate","CountdownDialogComponent_Conditional_4_Template","ɵɵlistener","ɵɵadvance","ɵɵtextInterpolate","ɵɵconditional","ScreenSize","IsSmallDisplay","ɵɵproperty","ɵɵpipeBind1","ɵɵsanitizeHtml","ɵɵtextInterpolate1","MatButtonModule","MatButton","MatIconButton","MatDialogModule","MatDialogClose","MatDialogActions","MatDialogContent","MatDividerModule","MatDivider","MatIconModule","MatIcon","MatProgressBarModule","MatProgressBar","MatToolbarModule","SafeHTMLPipe","styles","_CountdownDialogComponent","CountdownDialogService","constructor","matDialog","inject","MatDialog","mediaChange","ScreenSizeService","smallMediaSize","computed","ScreenSize","IsSmallDisplay","CloseAllDialogs","closeAll","Open","options","self","dlgoptions","disableClose","data","__spreadValues","TitleText","MessageText","OKText","CancelText","width","height","maxHeight","panelClass","open","CountdownDialogComponent","afterClosed","factory","ɵfac","providedIn","_CountdownDialogService","AuthService","constructor","appService","inject","AppService","applicationsService","AdmissionsApplicationsService","confdialog","ConfirmationDialogService","configService","ConfigService","countdownDialogService","CountdownDialogService","destroyRef","DestroyRef","errorService","ErrorService","http","HttpClient","messageBoxService","MessageBoxDialogService","router","Router","splashService","SplashService","userService","UserService","systemOnline","HasVersionUpdate","Subject","SystemOnlineSubject","VersionNumber","User","AuthTokenCancelFlag","AuthTokenRefreshHandle","AuthRefreshDeadline","nextAuthRefresh","Date","IsRefreshing","btime","BUILD_TIME","next","VERSION_NUMBER","SystemMessage","Status","HSAVersion","AuthToken","StartAuthTokenRefreshing","ngOnDestroy","CancelAuthTokenRefreshing","AuthTokenRefresh","auth","CheckRecentUse","pipe","takeUntilDestroyed","subscribe","res","RefreshAuthToken","Open","disableClose","TitleText","MessageText","OKText","CancelText","CountdownTime","LOGOUTWARNINGTIME","Logout","error","SnackbarError","console","window","clearTimeout","get","hostAddress","ClasslinkSSOLogin","token","screen","winres","post","Token","Screen","Window","LogoutFromSystem","put","confirmation","reason","opts","response","ClearUser","SnackbarSuccess","setTimeout","ClearSessionData","ClearData","navigate","RoutePaths","Landing","ProcessLogin","logininfo","returnUrl","SetUser","Roles","length","SetUserCurrentRole","SITE_NAME","_","undefined","RefreshAuthTokenCall","newAuthPacket","newAuth","UpdateAuthToken","AUTHCHECKTIME","Now","addSeconds","toISOString","body","json","Message","RegisterNewUser","Firstname","Lastname","Username","Email","Password","RoleID","RevalidateSession","ImpersonatedUsername","map","data","Error","UserInfo","SetSystemOnlineStatus","status","timeToRefresh","isValid","timediff","differenceInSeconds","TestConnection","ValidateUser","username","password","impersonatedUser","training","TrainingMode","catchError","handleError","throwError","_AuthService","factory","ɵfac","providedIn","__decorate","SessionStorage"],"x_google_ignoreList":[1,2,3,4,5,6,7,8,9]}