{"version":3,"sources":["src/app/api/spinner.context.ts","node_modules/date-fns/toDate.mjs","node_modules/date-fns/startOfDay.mjs","node_modules/date-fns/constants.mjs","node_modules/date-fns/_lib/getTimezoneOffsetInMilliseconds.mjs","node_modules/date-fns/differenceInCalendarDays.mjs","node_modules/date-fns/constructFrom.mjs","node_modules/date-fns/startOfYear.mjs","node_modules/date-fns/getDayOfYear.mjs","src/app/api/tokens.ts","src/app/api/ssr-cache.ts","src/app/api/re-captcha.context.ts","src/app/api/api.client.ts"],"sourcesContent":["import { HttpContext, HttpContextToken } from '@angular/common/http'\n\nexport const SPINNER_ENABLED = new HttpContextToken(() => true)\n\nexport function withSpinner(context?: HttpContext): HttpContext {\n return (context ?? new HttpContext()).set(SPINNER_ENABLED, true)\n}\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;","import { toDate } from \"./toDate.mjs\";\n\n/**\n * @name startOfDay\n * @category Day Helpers\n * @summary Return the start of a day for the given date.\n *\n * @description\n * Return the start of a day for the given date.\n * The result will be in the local timezone.\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 original date\n *\n * @returns The start of a day\n *\n * @example\n * // The start of a day for 2 September 2014 11:55:00:\n * const result = startOfDay(new Date(2014, 8, 2, 11, 55, 0))\n * //=> Tue Sep 02 2014 00:00:00\n */\nexport function startOfDay(date) {\n const _date = toDate(date);\n _date.setHours(0, 0, 0, 0);\n return _date;\n}\n\n// Fallback for modularized imports:\nexport default startOfDay;","/**\n * @module constants\n * @summary Useful constants\n * @description\n * Collection of useful date constants.\n *\n * The constants could be imported from `date-fns/constants`:\n *\n * ```ts\n * import { maxTime, minTime } from \"./constants/date-fns/constants\";\n *\n * function isAllowedTime(time) {\n * return time <= maxTime && time >= minTime;\n * }\n * ```\n */\n\n/**\n * @constant\n * @name daysInWeek\n * @summary Days in 1 week.\n */\nexport const daysInWeek = 7;\n\n/**\n * @constant\n * @name daysInYear\n * @summary Days in 1 year.\n *\n * @description\n * How many days in a year.\n *\n * One years equals 365.2425 days according to the formula:\n *\n * > Leap year occures every 4 years, except for years that are divisable by 100 and not divisable by 400.\n * > 1 mean year = (365+1/4-1/100+1/400) days = 365.2425 days\n */\nexport const daysInYear = 365.2425;\n\n/**\n * @constant\n * @name maxTime\n * @summary Maximum allowed time.\n *\n * @example\n * import { maxTime } from \"./constants/date-fns/constants\";\n *\n * const isValid = 8640000000000001 <= maxTime;\n * //=> false\n *\n * new Date(8640000000000001);\n * //=> Invalid Date\n */\nexport const maxTime = Math.pow(10, 8) * 24 * 60 * 60 * 1000;\n\n/**\n * @constant\n * @name minTime\n * @summary Minimum allowed time.\n *\n * @example\n * import { minTime } from \"./constants/date-fns/constants\";\n *\n * const isValid = -8640000000000001 >= minTime;\n * //=> false\n *\n * new Date(-8640000000000001)\n * //=> Invalid Date\n */\nexport const minTime = -maxTime;\n\n/**\n * @constant\n * @name millisecondsInWeek\n * @summary Milliseconds in 1 week.\n */\nexport const millisecondsInWeek = 604800000;\n\n/**\n * @constant\n * @name millisecondsInDay\n * @summary Milliseconds in 1 day.\n */\nexport const millisecondsInDay = 86400000;\n\n/**\n * @constant\n * @name millisecondsInMinute\n * @summary Milliseconds in 1 minute\n */\nexport const millisecondsInMinute = 60000;\n\n/**\n * @constant\n * @name millisecondsInHour\n * @summary Milliseconds in 1 hour\n */\nexport const millisecondsInHour = 3600000;\n\n/**\n * @constant\n * @name millisecondsInSecond\n * @summary Milliseconds in 1 second\n */\nexport const millisecondsInSecond = 1000;\n\n/**\n * @constant\n * @name minutesInYear\n * @summary Minutes in 1 year.\n */\nexport const minutesInYear = 525600;\n\n/**\n * @constant\n * @name minutesInMonth\n * @summary Minutes in 1 month.\n */\nexport const minutesInMonth = 43200;\n\n/**\n * @constant\n * @name minutesInDay\n * @summary Minutes in 1 day.\n */\nexport const minutesInDay = 1440;\n\n/**\n * @constant\n * @name minutesInHour\n * @summary Minutes in 1 hour.\n */\nexport const minutesInHour = 60;\n\n/**\n * @constant\n * @name monthsInQuarter\n * @summary Months in 1 quarter.\n */\nexport const monthsInQuarter = 3;\n\n/**\n * @constant\n * @name monthsInYear\n * @summary Months in 1 year.\n */\nexport const monthsInYear = 12;\n\n/**\n * @constant\n * @name quartersInYear\n * @summary Quarters in 1 year\n */\nexport const quartersInYear = 4;\n\n/**\n * @constant\n * @name secondsInHour\n * @summary Seconds in 1 hour.\n */\nexport const secondsInHour = 3600;\n\n/**\n * @constant\n * @name secondsInMinute\n * @summary Seconds in 1 minute.\n */\nexport const secondsInMinute = 60;\n\n/**\n * @constant\n * @name secondsInDay\n * @summary Seconds in 1 day.\n */\nexport const secondsInDay = secondsInHour * 24;\n\n/**\n * @constant\n * @name secondsInWeek\n * @summary Seconds in 1 week.\n */\nexport const secondsInWeek = secondsInDay * 7;\n\n/**\n * @constant\n * @name secondsInYear\n * @summary Seconds in 1 year.\n */\nexport const secondsInYear = secondsInDay * daysInYear;\n\n/**\n * @constant\n * @name secondsInMonth\n * @summary Seconds in 1 month\n */\nexport const secondsInMonth = secondsInYear / 12;\n\n/**\n * @constant\n * @name secondsInQuarter\n * @summary Seconds in 1 quarter.\n */\nexport const secondsInQuarter = secondsInMonth * 3;","import { toDate } from \"../toDate.mjs\";\n\n/**\n * Google Chrome as of 67.0.3396.87 introduced timezones with offset that includes seconds.\n * They usually appear for dates that denote time before the timezones were introduced\n * (e.g. for 'Europe/Prague' timezone the offset is GMT+00:57:44 before 1 October 1891\n * and GMT+01:00:00 after that date)\n *\n * Date#getTimezoneOffset returns the offset in minutes and would return 57 for the example above,\n * which would lead to incorrect calculations.\n *\n * This function returns the timezone offset in milliseconds that takes seconds in account.\n */\nexport function getTimezoneOffsetInMilliseconds(date) {\n const _date = toDate(date);\n const utcDate = new Date(Date.UTC(_date.getFullYear(), _date.getMonth(), _date.getDate(), _date.getHours(), _date.getMinutes(), _date.getSeconds(), _date.getMilliseconds()));\n utcDate.setUTCFullYear(_date.getFullYear());\n return +date - +utcDate;\n}","import { millisecondsInDay } from \"./constants.mjs\";\nimport { startOfDay } from \"./startOfDay.mjs\";\nimport { getTimezoneOffsetInMilliseconds } from \"./_lib/getTimezoneOffsetInMilliseconds.mjs\";\n\n/**\n * @name differenceInCalendarDays\n * @category Day Helpers\n * @summary Get the number of calendar days between the given dates.\n *\n * @description\n * Get the number of calendar days between the given dates. This means that the times are removed\n * from the dates and then the difference in days is calculated.\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 calendar days\n *\n * @example\n * // How many calendar days are between\n * // 2 July 2011 23:00:00 and 2 July 2012 00:00:00?\n * const result = differenceInCalendarDays(\n * new Date(2012, 6, 2, 0, 0),\n * new Date(2011, 6, 2, 23, 0)\n * )\n * //=> 366\n * // How many calendar days are between\n * // 2 July 2011 23:59:00 and 3 July 2011 00:01:00?\n * const result = differenceInCalendarDays(\n * new Date(2011, 6, 3, 0, 1),\n * new Date(2011, 6, 2, 23, 59)\n * )\n * //=> 1\n */\nexport function differenceInCalendarDays(dateLeft, dateRight) {\n const startOfDayLeft = startOfDay(dateLeft);\n const startOfDayRight = startOfDay(dateRight);\n const timestampLeft = +startOfDayLeft - getTimezoneOffsetInMilliseconds(startOfDayLeft);\n const timestampRight = +startOfDayRight - getTimezoneOffsetInMilliseconds(startOfDayRight);\n\n // Round the number of days to the nearest integer because the number of\n // milliseconds in a day is not constant (e.g. it's different in the week of\n // the daylight saving time clock shift).\n return Math.round((timestampLeft - timestampRight) / millisecondsInDay);\n}\n\n// Fallback for modularized imports:\nexport default differenceInCalendarDays;","/**\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 Wed Jan 01 2014 00:00:00\n */\nexport function startOfYear(date) {\n const cleanDate = toDate(date);\n const _date = constructFrom(date, 0);\n _date.setFullYear(cleanDate.getFullYear(), 0, 1);\n _date.setHours(0, 0, 0, 0);\n return _date;\n}\n\n// Fallback for modularized imports:\nexport default startOfYear;","import { differenceInCalendarDays } from \"./differenceInCalendarDays.mjs\";\nimport { startOfYear } from \"./startOfYear.mjs\";\nimport { toDate } from \"./toDate.mjs\";\n\n/**\n * @name getDayOfYear\n * @category Day Helpers\n * @summary Get the day of the year of the given date.\n *\n * @description\n * Get the day of the year of 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 given date\n *\n * @returns The day of year\n *\n * @example\n * // Which day of the year is 2 July 2014?\n * const result = getDayOfYear(new Date(2014, 6, 2))\n * //=> 183\n */\nexport function getDayOfYear(date) {\n const _date = toDate(date);\n const diff = differenceInCalendarDays(_date, startOfYear(_date));\n const dayOfYear = diff + 1;\n return dayOfYear;\n}\n\n// Fallback for modularized imports:\nexport default getDayOfYear;"," import { InjectionToken } from '@angular/core'\n\nexport const BASE_PATH = new InjectionToken('basePath')\nexport const APP_PATH = new InjectionToken('AppPath')\nexport const SERVER_BASE_PATH = new InjectionToken('SsrBasePath')\nexport const CLINICA_WEB_COOKIE_VALUE = new InjectionToken('')\n","import { HttpContext, HttpContextToken } from '@angular/common/http'\n\nexport interface ISSRCacheContext {\n enabled: boolean\n}\n\nexport interface SsrCacheContext {\n context?: HttpContext\n enabled: boolean\n}\nexport const IS_SSR_CACHE_ENABLED = new HttpContextToken(() => ({\n enabled: false,\n key: '',\n}))\n\nexport function withSSrCache(options: SsrCacheContext = { enabled: true }) {\n const { context, ...data } = options\n return (context ?? new HttpContext()).set(IS_SSR_CACHE_ENABLED, {\n ...data,\n })\n}\n","import { HttpContext, HttpContextToken } from '@angular/common/http'\n\nexport interface IRecaptureContext {\n key?: string\n}\n\nexport interface RecaptureContext {\n context?: HttpContext\n enabled: boolean\n}\nexport const RECAPTURE_ENABLED = new HttpContextToken(() => ({\n key: undefined,\n}))\n\nexport function withRecapture(key: string, context?: HttpContext): HttpContext {\n return (context ?? new HttpContext()).set(RECAPTURE_ENABLED, {\n key: key,\n })\n}\n","import { HttpClient, HttpContext, HttpParams } from '@angular/common/http'\nimport { Inject, Injectable, Optional } from '@angular/core'\nimport { Observable } from 'rxjs'\nimport { map } from 'rxjs/operators'\nimport type {\n IChangePatientPhoneModel,\n ICity,\n IClinic,\n IConfirmResetPasswordRequest,\n ICreatePrerecordModel,\n IFamilyMember,\n IInitializeRegisterRequest,\n ILoginRequest,\n IOnlineAnalysisFile,\n IOnlinePrerecord,\n IPatientHistory,\n IRegisterFamilyMemberModel,\n IRegisterRequest,\n IResetPatientPasswordRequest,\n ISpecialization,\n ISpecializationCategory,\n IUpdateUserInformationModel,\n IPatientProfile,\n IValidationResult,\n IUserInformationModel,\n OnlineProtocolInformation,\n OnlineAnalysisInformation,\n IOrderLoginRequest,\n IOrderInformation,\n IFileSharingModel,\n OnlineSchedulerIntervals,\n PatientDiscountDto,\n IOnlineDoctorSlim,\n IOnlineDoctorFull,\n InitializeLoginResponse,\n IAccountContextData,\n IPackageCategorie,\n IPackageSlim,\n IPackageFull,\n ExtendedOnlineSchedules,\n OnlineSchedules,\n} from './api.models'\nimport { APP_PATH, BASE_PATH } from './tokens'\nimport { withSSrCache } from './ssr-cache'\nimport { withRecapture } from './re-captcha.context'\nimport { withSpinner } from './spinner.context'\nimport { getDayOfYear } from 'date-fns'\n\nexport type AppRequestData = {\n context?: HttpContext\n params?:\n | HttpParams\n | {\n [param: string]: string | string[]\n }\n}\n\n@Injectable({\n providedIn: 'root',\n})\nexport class ApiService {\n constructor(\n @Inject(BASE_PATH) private baseUrl: string,\n @Inject(APP_PATH) @Optional() private appUrl: string,\n private client: HttpClient\n ) {}\n\n public getUri(uri: string) {\n const prefix = !!this.baseUrl ? `${this.appUrl ?? ''}/${this.baseUrl}/` : `${this.appUrl ?? ''}/`\n if (uri.startsWith(prefix)) {\n return uri\n }\n\n if (uri.startsWith('/')) {\n uri = uri.substring(1)\n }\n\n if (this.baseUrl) {\n return `${this.appUrl ?? ''}/${this.baseUrl}/${uri}`\n } else {\n return `${this.appUrl ?? ''}/${uri}`\n }\n }\n\n private get(uri: string, headers?: AppRequestData) {\n return this.client.get(this.getUri(uri), headers)\n }\n\n public download(uri: string, context?: HttpContext) {\n return this.client.get(this.getUri(uri), {\n responseType: 'blob',\n context: context,\n })\n }\n\n private post(uri: string, body: T, options?: AppRequestData) {\n return this.client.post(this.getUri(uri), body, {\n ...options,\n })\n }\n\n private delete(uri: string) {\n return this.client.delete(this.getUri(uri))\n }\n\n private patch(uri: string, body: T) {\n return this.client.patch(this.getUri(uri), body)\n }\n\n public getAppContext() {\n return this.get('api/configurations', {\n context: withSSrCache(),\n })\n }\n\n public clinics(doctorId: number) {\n return this.get(`api/clinics/${doctorId}`, {\n context: withSSrCache(),\n })\n }\n\n public allClinics() {\n return this.get(`api/clinics`, {\n context: withSSrCache(),\n })\n }\n\n public findSchedulers(\n from: Date,\n to: Date,\n clinicId?: number,\n doctorId?: number,\n searchExpr?: string\n ): Observable {\n let q = new HttpParams()\n q = q.set('from', from.toISOString())\n q = q.set('to', to.toISOString())\n\n if (clinicId) {\n q = q.set('clinicId', clinicId)\n }\n if (doctorId) {\n q = q.set('doctorId', doctorId)\n }\n\n if (searchExpr) {\n q = q.set('searchExpr', searchExpr)\n }\n\n return this.get[]>('api/schedulers', {\n params: q,\n context: withSSrCache(),\n }).pipe(\n map((x) => {\n //in our case we can get two schedules for one day\n //online app does not care about it, but we should merge them\n //we have to add more data to interval (taken from origin interval`s scheduler)\n //then we can only consider interval object (scheduler object will be only for day aggregation)\n //in each we will have all required information, roomId, clinicId, scheduleId and time intervals\n //theoretically we can have two itervals overlapping each other, but it is exeptional case\n\n for (const d of x) {\n for (const s of d.schedules) {\n for (const i of s.freeIntervals) {\n i.from = new Date(i.from)\n i.to = new Date(i.to)\n i.date = new Date(i.date ?? s.date)\n i.clinicId ??= s.clinicId\n i.scheduleId ??= s.scheduleId\n i.roomId ??= s.roomId\n }\n }\n\n //compare schedulers by day and merge if there are two or more schedulers for one day\n //merge its intervals into one array (all intervals from different schedulers for one day in one array)\n d.schedules = d.schedules.reduce((acc, current) => {\n const x = acc.find((item) => getDayOfYear(item.date) === getDayOfYear(current.date))\n if (!x) {\n return acc.concat([current])\n } else {\n x.freeIntervals = [...x.freeIntervals, ...current.freeIntervals]\n return acc\n }\n }, [] as OnlineSchedules[]) as any[]\n\n //sort intervals by time\n for (const iterator of d.schedules) {\n iterator.freeIntervals.sort((a, b) => a.from.getTime() - b.from.getTime())\n }\n }\n\n return x\n })\n )\n }\n\n public specializations() {\n return this.get('api/specializations', {\n context: withSSrCache(),\n })\n }\n\n public specializationCategories() {\n return this.get('api/specializations/categories', {\n context: withSSrCache(),\n })\n }\n\n public me() {\n return this.get('api/me', {\n context: withSSrCache(),\n })\n }\n\n public countOfPlanned() {\n return this.get('api/me/countOfPlanned', {\n context: withSSrCache(),\n })\n }\n\n public generateTelegramBotLink() {\n return this.post('api/me/connect/telegram', {})\n }\n\n public isTelegramBotConnected() {\n return this.get('api/me/connect/telegram')\n }\n\n public relogin() {\n return this.post('api/account/relogin', {})\n }\n\n public login(body: ILoginRequest) {\n return this.post('api/account/login', body, {\n context: withRecapture('login'),\n })\n }\n\n public initializeOtp(body: ILoginRequest) {\n return this.post('api/account/initialize_otp', body, {\n context: withRecapture('initializeOtp'),\n })\n }\n\n public orderLogin(body: IOrderLoginRequest, context?: HttpContext) {\n return this.post('api/order/login', body, {\n context: context,\n })\n }\n\n public shareLogin(body: IOrderLoginRequest) {\n return this.post('api/file-sharing/login', body, {\n context: withRecapture('fileSharingLogin'),\n })\n }\n public getShareLinks() {\n return this.get('api/file-sharing/get-study-download-url')\n }\n\n public logoff() {\n return this.post('api/account/logoff', {})\n }\n\n public resetPassword(body: IResetPatientPasswordRequest) {\n return this.post('api/account/reset', body, {\n context: withRecapture('resetPassword'),\n })\n }\n\n public confirmResetPassword(body: IConfirmResetPasswordRequest) {\n return this.post('api/account/reset/confirm', body)\n }\n\n public initializeRegister(body: IInitializeRegisterRequest) {\n return this.post('api/account/register/initialize', body, {\n context: withRecapture('initializeRegister'),\n })\n }\n\n public register(body: IRegisterRequest) {\n return this.post('api/account/register', body, {\n context: withRecapture('register'),\n })\n }\n\n public cities(city: string) {\n return this.get('api/cities', {\n params: {\n query: city,\n },\n })\n }\n\n public city(cityId: number) {\n return this.get(`api/cities/${cityId}`, {\n context: withSSrCache(),\n })\n }\n\n public sendOpt(request: IInitializeRegisterRequest) {\n return this.post(`api/me/initialize_otp`, request, {\n context: withRecapture('sendOpt'),\n })\n }\n\n public updateInformation(model: IUpdateUserInformationModel) {\n return this.post('api/me/update', model)\n }\n\n public changePhone(model: IChangePatientPhoneModel) {\n return this.post('api/me/changePhone', model)\n }\n\n public prerecordsHistory(patientId: number | null) {\n if (patientId && patientId > 0) {\n return this.get(`api/me/prerecords?patientId=${patientId}`, {\n context: withSSrCache(),\n })\n } else {\n return this.get(`api/me/prerecords`, {\n context: withSSrCache(),\n })\n }\n }\n\n public createPrerecords(prerecord: ICreatePrerecordModel) {\n return this.post('api/me/prerecords', prerecord, {\n // context: withRecapture('createPrerecords'),\n })\n }\n\n public cancelPrerecord(prerecordId: number) {\n return this.delete(`api/me/prerecords/${prerecordId}`)\n }\n\n public getPrerecordCalendarUri(prerecordId: number) {\n return this.getUri(`api/me/prerecords/${prerecordId}/calendar`)\n }\n\n public history() {\n return this.get('api/history')\n }\n\n public historyByPatient(patientId: number) {\n return this.get(`api/history/${patientId}`)\n }\n\n public analysisFiles(analysisId: number) {\n return this.get(`api/history/analysisFiles/${analysisId}`)\n }\n\n public getPrintOrderAnalysisUri() {\n return this.getUri(`api/order/print/analysis/conclusion.pdf`)\n }\n\n public getPrintOrderProtocolUri(protocolId: number) {\n return this.getUri(`api/order/print/protocol/${protocolId}/conclusion.pdf`)\n }\n\n public getPrintAnalysisUri(analysisId: number, context?: HttpContext) {\n return this.getUri(`api/history/print/analysis/${analysisId}/conclusion.pdf`)\n }\n\n public getprintProtocolUri(protocolId: number) {\n return this.getUri(`api/history/print/protocol/${protocolId}/conclusion.pdf`)\n }\n\n public getFamily() {\n return this.get('api/family', {\n context: withSSrCache(),\n })\n }\n\n public getFamilyMember(patientId: number) {\n return this.get(`api/family/${patientId}`)\n }\n\n public updateFamilyMember(patientId: number, model: IUpdateUserInformationModel) {\n return this.post(`api/family/${patientId}`, model)\n }\n\n public registerFamilyMember(model: IRegisterFamilyMemberModel) {\n return this.post('api/family/register', model)\n }\n\n public removeFamilyMember(patientId: number) {\n return this.delete(`api/family/${patientId}`)\n }\n\n public getProtocolInformation(protocolId: number) {\n return this.get(`api/history/protocols/${protocolId}/information`)\n }\n\n public getAnalysisInformation(analysisId: number) {\n return this.get(`api/history/analysis/${analysisId}/information`)\n }\n\n public getOrderInformation() {\n return this.get('api/order/information')\n }\n\n public ordeLogOff() {\n return this.post('api/order/logoff', {})\n }\n\n public orderMe() {\n return this.get('api/order/me', {})\n }\n\n public printOrderAnalysis(context?: HttpContext) {\n return this.download(`api/order/print/analysis`, withSpinner(context))\n }\n\n public downloadOrderAnalysisFile(analysisFileId: number, context?: HttpContext) {\n return this.download(`api/order/print/analysisFiles/${analysisFileId}`, withSpinner(context))\n }\n public printOrderProtocol(protocolId: number, context?: HttpContext) {\n return this.download(`api/order/print/protocol/${protocolId}`, withSpinner(context))\n }\n\n public meDiscount(): Observable {\n return this.get('api/me/discounts')\n }\n public onlineDoctors(): Observable {\n return this.get('api/v2/doctors', {\n context: withSSrCache(),\n }).pipe(map((results) => results.sort((x) => x.orderIndex)))\n }\n public onlineDoctor(id: number, context?: HttpContext): Observable {\n return this.get(`api/v2/doctors/${id}`, {\n context: withSSrCache({\n context: context,\n enabled: true,\n }),\n })\n }\n\n public packageCategories(\n parentId: number | null = null,\n searchExpr: string | null = ''\n ): Observable {\n let q = new HttpParams()\n\n if (parentId) {\n q = q.set('parentId', parentId)\n }\n if (searchExpr) {\n q = q.set('searchExpr', searchExpr)\n }\n\n return this.get('api/price/categories', {\n params: q,\n })\n }\n\n public packages(categoryId: number | null = null, searchExpr: string | null = ''): Observable {\n let q = new HttpParams()\n\n if (categoryId) {\n q = q.set('categoryId', categoryId)\n }\n if (searchExpr) {\n q = q.set('searchExpr', searchExpr)\n }\n\n return this.get('api/price/packages', {\n params: q,\n context: withSSrCache(),\n })\n }\n public package(id: number): Observable {\n return this.get(`api/price/packages/${id}`)\n }\n}\n"],"mappings":"qKAEO,IAAMA,EAAkB,IAAIC,EAA0B,IAAM,EAAI,EAEjE,SAAUC,EAAYC,EAAqB,CAC7C,OAAQA,GAAAA,KAAAA,EAAW,IAAIC,GAAeC,IAAIL,EAAiB,EAAI,CACnE,CC0BO,SAASM,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,CCxBO,SAASE,EAAWC,EAAM,CAC/B,IAAMC,EAAQC,EAAOF,CAAI,EACzB,OAAAC,EAAM,SAAS,EAAG,EAAG,EAAG,CAAC,EAClBA,CACT,CC2BO,IAAME,EAAU,KAAK,IAAI,GAAI,CAAC,EAAI,GAAK,GAAK,GAAK,IAgB3CC,GAAU,CAACD,EAOXE,GAAqB,OAOrBC,EAAoB,MAOpBC,GAAuB,IAOvBC,GAAqB,KAOrBC,GAAuB,IAOvBC,GAAgB,OAOhBC,GAAiB,MAOjBC,GAAe,KAmCrB,IAAMC,EAAgB,KActB,IAAMC,EAAeC,EAAgB,GAO/BC,GAAgBF,EAAe,EAO/BG,EAAgBH,EAAe,SAO/BI,EAAiBD,EAAgB,GAOjCE,GAAmBD,EAAiB,EC7L1C,SAASE,EAAgCC,EAAM,CACpD,IAAMC,EAAQC,EAAOF,CAAI,EACnBG,EAAU,IAAI,KAAK,KAAK,IAAIF,EAAM,YAAY,EAAGA,EAAM,SAAS,EAAGA,EAAM,QAAQ,EAAGA,EAAM,SAAS,EAAGA,EAAM,WAAW,EAAGA,EAAM,WAAW,EAAGA,EAAM,gBAAgB,CAAC,CAAC,EAC5K,OAAAE,EAAQ,eAAeF,EAAM,YAAY,CAAC,EACnC,CAACD,EAAO,CAACG,CAClB,CCkBO,SAASC,EAAyBC,EAAUC,EAAW,CAC5D,IAAMC,EAAiBC,EAAWH,CAAQ,EACpCI,EAAkBD,EAAWF,CAAS,EACtCI,EAAgB,CAACH,EAAiBI,EAAgCJ,CAAc,EAChFK,EAAiB,CAACH,EAAkBE,EAAgCF,CAAe,EAKzF,OAAO,KAAK,OAAOC,EAAgBE,GAAkBC,CAAiB,CACxE,CChBO,SAASC,EAAcC,EAAMC,EAAO,CACzC,OAAID,aAAgB,KACX,IAAIA,EAAK,YAAYC,CAAK,EAE1B,IAAI,KAAKA,CAAK,CAEzB,CCbO,SAASC,EAAYC,EAAM,CAChC,IAAMC,EAAYC,EAAOF,CAAI,EACvBG,EAAQC,EAAcJ,EAAM,CAAC,EACnC,OAAAG,EAAM,YAAYF,EAAU,YAAY,EAAG,EAAG,CAAC,EAC/CE,EAAM,SAAS,EAAG,EAAG,EAAG,CAAC,EAClBA,CACT,CCNO,SAASE,EAAaC,EAAM,CACjC,IAAMC,EAAQC,EAAOF,CAAI,EAGzB,OAFaG,EAAyBF,EAAOG,EAAYH,CAAK,CAAC,EACtC,CAE3B,CC1BO,IAAMI,EAAY,IAAIC,EAAuB,UAAU,EACjDC,EAAW,IAAID,EAAuB,SAAS,EAC/CE,GAAmB,IAAIF,EAAuB,aAAa,EAC3DG,GAA2B,IAAIH,EAAuB,EAAE,ECK9D,IAAMI,EAAuB,IAAIC,EAAmC,KAAO,CAC9EC,QAAS,GACTC,IAAK,IACP,EAEI,SAAUC,EAAaC,EAA2B,CAAEH,QAAS,EAAI,EAAE,CACrE,IAA6BG,EAAAA,EAArBC,SAAAA,CAhBZ,EAgBiCD,EAATE,EAAAA,EAASF,EAATE,CAAZD,YACR,OAAQA,GAAAA,KAAAA,EAAW,IAAIE,GAAeC,IAAIT,EAAsBU,EAAA,GACzDH,EACN,CACL,CCVO,IAAMI,EAAoB,IAAIC,EAAoC,KAAO,CAC5EC,IAAKC,QACP,EAEI,SAAUC,EAAcF,EAAaG,EAAqB,CAC5D,OAAQA,GAAAA,KAAAA,EAAW,IAAIC,GAAeC,IAAIP,EAAmB,CACzDE,IAAKA,EACR,CACL,CC0CA,IAAaM,IAAU,IAAA,CAAjB,IAAOA,EAAP,MAAOA,CAAU,CACnBC,YAC+BC,EACWC,EAC9BC,EAAkB,CAFC,KAAAF,QAAAA,EACW,KAAAC,OAAAA,EAC9B,KAAAC,OAAAA,CACT,CAEIC,OAAOC,EAAW,CAnE7B,IAAAC,EAAAC,EAAAC,EAAAC,EAoEQ,IAAMC,EAAW,KAAKT,QAAU,GAAG,QAAAK,EAAA,KAAKJ,SAAL,KAAAI,EAAe,GAAE,KAAI,YAAKL,QAAO,KAAM,GAAG,QAAAM,EAAA,KAAKL,SAAL,KAAAK,EAAe,GAAE,KAC9F,OAAIF,EAAIM,WAAWD,CAAM,EACdL,GAGPA,EAAIM,WAAW,GAAG,IAClBN,EAAMA,EAAIO,UAAU,CAAC,GAGrB,KAAKX,QACE,GAAG,QAAAO,EAAA,KAAKN,SAAL,KAAAM,EAAe,GAAE,KAAI,YAAKP,QAAO,KAAII,OAAAA,GAExC,GAAG,QAAAI,EAAA,KAAKP,SAAL,KAAAO,EAAe,GAAE,KAAIJ,OAAAA,GAEvC,CAEQQ,IAAaR,EAAaS,EAAwB,CACtD,OAAO,KAAKX,OAAOU,IAAO,KAAKT,OAAOC,CAAG,EAAGS,CAAO,CACvD,CAEOC,SAASV,EAAaW,EAAqB,CAC9C,OAAO,KAAKb,OAAOU,IAAI,KAAKT,OAAOC,CAAG,EAAG,CACrCY,aAAc,OACdD,QAASA,EACZ,CACL,CAEQE,KAA+Bb,EAAac,EAASC,EAAwB,CACjF,OAAO,KAAKjB,OAAOe,KAAgB,KAAKd,OAAOC,CAAG,EAAGc,EAAME,EAAA,GACpDD,EACN,CACL,CAEQE,OAAwBjB,EAAW,CACvC,OAAO,KAAKF,OAAOmB,OAAkB,KAAKlB,OAAOC,CAAG,CAAC,CACzD,CAEQkB,MAAgClB,EAAac,EAAO,CACxD,OAAO,KAAKhB,OAAOoB,MAAiB,KAAKnB,OAAOC,CAAG,EAAGc,CAAI,CAC9D,CAEOK,eAAa,CAChB,OAAO,KAAKX,IAAyB,qBAAsB,CACvDG,QAASS,EAAY,EACxB,CACL,CAEOC,QAAQC,EAAgB,CAC3B,OAAO,KAAKd,IAAe,eAAec,OAAAA,GAAY,CAClDX,QAASS,EAAY,EACxB,CACL,CAEOG,YAAU,CACb,OAAO,KAAKf,IAAe,cAAe,CACtCG,QAASS,EAAY,EACxB,CACL,CAEOI,eACHC,EACAC,EACAC,EACAL,EACAM,EAAmB,CAEnB,IAAIC,EAAI,IAAIC,EACZD,OAAAA,EAAIA,EAAEE,IAAI,OAAQN,EAAKO,YAAW,CAAE,EACpCH,EAAIA,EAAEE,IAAI,KAAML,EAAGM,YAAW,CAAE,EAE5BL,IACAE,EAAIA,EAAEE,IAAI,WAAYJ,CAAQ,GAE9BL,IACAO,EAAIA,EAAEE,IAAI,WAAYT,CAAQ,GAG9BM,IACAC,EAAIA,EAAEE,IAAI,aAAcH,CAAU,GAG/B,KAAKpB,IAAyD,iBAAkB,CACnFyB,OAAQJ,EACRlB,QAASS,EAAY,EACxB,EAAEc,KACCC,EAAKC,GAAK,CAzJtB,IAAAnC,EAAAC,EAAAC,EAAAC,EAiKgB,QAAWiC,KAAKD,EAAG,CACf,QAAWE,KAAKD,EAAEE,UACd,QAAWC,KAAKF,EAAEG,cACdD,EAAEf,KAAO,IAAIiB,KAAKF,EAAEf,IAAI,EACxBe,EAAEd,GAAK,IAAIgB,KAAKF,EAAEd,EAAE,EACpBc,EAAEG,KAAO,IAAID,MAAKF,EAAAA,EAAEG,OAAFH,KAAAA,EAAUF,EAAEK,IAAI,GAClCH,EAAAA,EAAEb,WAAFa,SAAEb,SAAaW,EAAEX,WACjBa,EAAAA,EAAEI,aAAFJ,SAAEI,WAAeN,EAAEM,aACnBJ,EAAAA,EAAEK,SAAFL,SAAEK,OAAWP,EAAEO,QAMvBR,EAAEE,UAAYF,EAAEE,UAAUO,OAAO,CAACC,EAAKC,IAAW,CAC9C,IAAMZ,EAAIW,EAAIE,KAAMC,GAASC,EAAaD,EAAKP,IAAI,IAAMQ,EAAaH,EAAQL,IAAI,CAAC,EACnF,OAAKP,GAGDA,EAAEK,cAAgB,CAAC,GAAGL,EAAEK,cAAe,GAAGO,EAAQP,aAAa,EACxDM,GAHAA,EAAIK,OAAO,CAACJ,CAAO,CAAC,CAKnC,EAAG,CAAA,CAAuB,EAG1B,QAAWK,KAAYhB,EAAEE,UACrBc,EAASZ,cAAca,KAAK,CAACC,EAAGC,IAAMD,EAAE9B,KAAKgC,QAAO,EAAKD,EAAE/B,KAAKgC,QAAO,CAAE,CAEjF,CAEA,OAAOrB,CACX,CAAC,CAAC,CAEV,CAEOsB,iBAAe,CAClB,OAAO,KAAKlD,IAAuB,sBAAuB,CACtDG,QAASS,EAAY,EACxB,CACL,CAEOuC,0BAAwB,CAC3B,OAAO,KAAKnD,IAA+B,iCAAkC,CACzEG,QAASS,EAAY,EACxB,CACL,CAEOwC,IAAE,CACL,OAAO,KAAKpD,IAA4B,SAAU,CAC9CG,QAASS,EAAY,EACxB,CACL,CAEOyC,gBAAc,CACjB,OAAO,KAAKrD,IAAmB,wBAAyB,CACpDG,QAASS,EAAY,EACxB,CACL,CAEO0C,yBAAuB,CAC1B,OAAO,KAAKjD,KAAkB,0BAA2B,CAAA,CAAE,CAC/D,CAEOkD,wBAAsB,CACzB,OAAO,KAAKvD,IAAa,yBAAyB,CACtD,CAEOwD,SAAO,CACV,OAAO,KAAKnD,KAAK,sBAAuB,CAAA,CAAE,CAC9C,CAEOoD,MAAMnD,EAAmB,CAC5B,OAAO,KAAKD,KAAK,oBAAqBC,EAAM,CACxCH,QAASuD,EAAc,OAAO,EACjC,CACL,CAEOC,cAAcrD,EAAmB,CACpC,OAAO,KAAKD,KAA6C,6BAA8BC,EAAM,CACzFH,QAASuD,EAAc,eAAe,EACzC,CACL,CAEOE,WAAWtD,EAA0BH,EAAqB,CAC7D,OAAO,KAAKE,KAAK,kBAAmBC,EAAM,CACtCH,QAASA,EACZ,CACL,CAEO0D,WAAWvD,EAAwB,CACtC,OAAO,KAAKD,KAAK,yBAA0BC,EAAM,CAC7CH,QAASuD,EAAc,kBAAkB,EAC5C,CACL,CACOI,eAAa,CAChB,OAAO,KAAK9D,IAAyB,yCAAyC,CAClF,CAEO+D,QAAM,CACT,OAAO,KAAK1D,KAAK,qBAAsB,CAAA,CAAE,CAC7C,CAEO2D,cAAc1D,EAAkC,CACnD,OAAO,KAAKD,KAAK,oBAAqBC,EAAM,CACxCH,QAASuD,EAAc,eAAe,EACzC,CACL,CAEOO,qBAAqB3D,EAAkC,CAC1D,OAAO,KAAKD,KAAK,4BAA6BC,CAAI,CACtD,CAEO4D,mBAAmB5D,EAAgC,CACtD,OAAO,KAAKD,KAAK,kCAAmCC,EAAM,CACtDH,QAASuD,EAAc,oBAAoB,EAC9C,CACL,CAEOS,SAAS7D,EAAsB,CAClC,OAAO,KAAKD,KAAK,uBAAwBC,EAAM,CAC3CH,QAASuD,EAAc,UAAU,EACpC,CACL,CAEOU,OAAOC,EAAY,CACtB,OAAO,KAAKrE,IAAa,aAAc,CACnCyB,OAAQ,CACJ6C,MAAOD,GAEd,CACL,CAEOA,KAAKE,EAAc,CACtB,OAAO,KAAKvE,IAAW,cAAcuE,OAAAA,GAAU,CAC3CpE,QAASS,EAAY,EACxB,CACL,CAEO4D,QAAQC,EAAmC,CAC9C,OAAO,KAAKpE,KAAK,wBAAyBoE,EAAS,CAC/CtE,QAASuD,EAAc,SAAS,EACnC,CACL,CAEOgB,kBAAkBC,EAAkC,CACvD,OAAO,KAAKtE,KAAK,gBAAiBsE,CAAK,CAC3C,CAEOC,YAAYD,EAA+B,CAC9C,OAAO,KAAKtE,KAAK,qBAAsBsE,CAAK,CAChD,CAEOE,kBAAkBC,EAAwB,CAC7C,OAAIA,GAAaA,EAAY,EAClB,KAAK9E,IAAwB,+BAA+B8E,OAAAA,GAAa,CAC5E3E,QAASS,EAAY,EACxB,EAEM,KAAKZ,IAAwB,oBAAqB,CACrDG,QAASS,EAAY,EACxB,CAET,CAEOmE,iBAAiBC,EAAgC,CACpD,OAAO,KAAK3E,KAA+C,oBAAqB2E,EAAW,CACvF,CACH,CACL,CAEOC,gBAAgBC,EAAmB,CACtC,OAAO,KAAKzE,OAAO,qBAAqByE,OAAAA,EAAa,CACzD,CAEOC,wBAAwBD,EAAmB,CAC9C,OAAO,KAAK3F,OAAO,qBAAqB2F,OAAAA,EAAW,YAAW,CAClE,CAEOE,SAAO,CACV,OAAO,KAAKpF,IAAuB,aAAa,CACpD,CAEOqF,iBAAiBP,EAAiB,CACrC,OAAO,KAAK9E,IAAuB,eAAe8E,OAAAA,EAAW,CACjE,CAEOQ,cAAcC,EAAkB,CACnC,OAAO,KAAKvF,IAA2B,6BAA6BuF,OAAAA,EAAY,CACpF,CAEOC,0BAAwB,CAC3B,OAAO,KAAKjG,OAAO,yCAAyC,CAChE,CAEOkG,yBAAyBC,EAAkB,CAC9C,OAAO,KAAKnG,OAAO,4BAA4BmG,OAAAA,EAAU,kBAAiB,CAC9E,CAEOC,oBAAoBJ,EAAoBpF,EAAqB,CAChE,OAAO,KAAKZ,OAAO,8BAA8BgG,OAAAA,EAAU,kBAAiB,CAChF,CAEOK,oBAAoBF,EAAkB,CACzC,OAAO,KAAKnG,OAAO,8BAA8BmG,OAAAA,EAAU,kBAAiB,CAChF,CAEOG,WAAS,CACZ,OAAO,KAAK7F,IAAqB,aAAc,CAC3CG,QAASS,EAAY,EACxB,CACL,CAEOkF,gBAAgBhB,EAAiB,CACpC,OAAO,KAAK9E,IAA2B,cAAc8E,OAAAA,EAAW,CACpE,CAEOiB,mBAAmBjB,EAAmBH,EAAkC,CAC3E,OAAO,KAAKtE,KAAK,cAAcyE,OAAAA,GAAaH,CAAK,CACrD,CAEOqB,qBAAqBrB,EAAiC,CACzD,OAAO,KAAKtE,KAAK,sBAAuBsE,CAAK,CACjD,CAEOsB,mBAAmBnB,EAAiB,CACvC,OAAO,KAAKrE,OAAO,cAAcqE,OAAAA,EAAW,CAChD,CAEOoB,uBAAuBR,EAAkB,CAC5C,OAAO,KAAK1F,IAA+B,yBAAyB0F,OAAAA,EAAU,eAAc,CAChG,CAEOS,uBAAuBZ,EAAkB,CAC5C,OAAO,KAAKvF,IAA+B,wBAAwBuF,OAAAA,EAAU,eAAc,CAC/F,CAEOa,qBAAmB,CACtB,OAAO,KAAKpG,IAAuB,uBAAuB,CAC9D,CAEOqG,YAAU,CACb,OAAO,KAAKhG,KAAK,mBAAoB,CAAA,CAAE,CAC3C,CAEOiG,SAAO,CACV,OAAO,KAAKtG,IAAqB,eAAgB,CAAA,CAAE,CACvD,CAEOuG,mBAAmBpG,EAAqB,CAC3C,OAAO,KAAKD,SAAS,2BAA4BsG,EAAYrG,CAAO,CAAC,CACzE,CAEOsG,0BAA0BC,EAAwBvG,EAAqB,CAC1E,OAAO,KAAKD,SAAS,iCAAiCwG,OAAAA,GAAkBF,EAAYrG,CAAO,CAAC,CAChG,CACOwG,mBAAmBjB,EAAoBvF,EAAqB,CAC/D,OAAO,KAAKD,SAAS,4BAA4BwF,OAAAA,GAAcc,EAAYrG,CAAO,CAAC,CACvF,CAEOyG,YAAU,CACb,OAAO,KAAK5G,IAA0B,kBAAkB,CAC5D,CACO6G,eAAa,CAChB,OAAO,KAAK7G,IAAyB,iBAAkB,CACnDG,QAASS,EAAY,EACxB,EAAEc,KAAKC,EAAKmF,GAAYA,EAAQhE,KAAMlB,GAAMA,EAAEmF,UAAU,CAAC,CAAC,CAC/D,CACOC,aAAaC,EAAY9G,EAAqB,CACjD,OAAO,KAAKH,IAAuB,kBAAkBiH,OAAAA,GAAM,CACvD9G,QAASS,EAAa,CAClBT,QAASA,EACT+G,QAAS,GACZ,EACJ,CACL,CAEOC,kBACHC,EAA0B,KAC1BhG,EAA4B,GAAE,CAE9B,IAAIC,EAAI,IAAIC,EAEZ,OAAI8F,IACA/F,EAAIA,EAAEE,IAAI,WAAY6F,CAAQ,GAE9BhG,IACAC,EAAIA,EAAEE,IAAI,aAAcH,CAAU,GAG/B,KAAKpB,IAAyB,uBAAwB,CACzDyB,OAAQJ,EACX,CACL,CAEOgG,SAASC,EAA4B,KAAMlG,EAA4B,GAAE,CAC5E,IAAIC,EAAI,IAAIC,EAEZ,OAAIgG,IACAjG,EAAIA,EAAEE,IAAI,aAAc+F,CAAU,GAElClG,IACAC,EAAIA,EAAEE,IAAI,aAAcH,CAAU,GAG/B,KAAKpB,IAAoB,qBAAsB,CAClDyB,OAAQJ,EACRlB,QAASS,EAAY,EACxB,CACL,CACO2G,QAAQN,EAAU,CACrB,OAAO,KAAKjH,IAAkB,sBAAsBiH,OAAAA,EAAI,CAC5D,yCA5ZS/H,GAAUsI,EAEPC,CAAS,EAAAD,EACTE,EAAQ,CAAA,EAAAF,EAAAG,CAAA,CAAA,CAAA,wBAHXzI,EAAU0I,QAAV1I,EAAU2I,UAAAC,WAFP,MAAM,CAAA,EAEhB,IAAO5I,EAAP6I,SAAO7I,CAAU,GAAA","names":["SPINNER_ENABLED","HttpContextToken","withSpinner","context","HttpContext","set","toDate","argument","argStr","startOfDay","date","_date","toDate","maxTime","minTime","millisecondsInWeek","millisecondsInDay","millisecondsInMinute","millisecondsInHour","millisecondsInSecond","minutesInYear","minutesInMonth","minutesInDay","secondsInHour","secondsInDay","secondsInHour","secondsInWeek","secondsInYear","secondsInMonth","secondsInQuarter","getTimezoneOffsetInMilliseconds","date","_date","toDate","utcDate","differenceInCalendarDays","dateLeft","dateRight","startOfDayLeft","startOfDay","startOfDayRight","timestampLeft","getTimezoneOffsetInMilliseconds","timestampRight","millisecondsInDay","constructFrom","date","value","startOfYear","date","cleanDate","toDate","_date","constructFrom","getDayOfYear","date","_date","toDate","differenceInCalendarDays","startOfYear","BASE_PATH","InjectionToken","APP_PATH","SERVER_BASE_PATH","CLINICA_WEB_COOKIE_VALUE","IS_SSR_CACHE_ENABLED","HttpContextToken","enabled","key","withSSrCache","options","context","data","HttpContext","set","__spreadValues","RECAPTURE_ENABLED","HttpContextToken","key","undefined","withRecapture","context","HttpContext","set","ApiService","constructor","baseUrl","appUrl","client","getUri","uri","_a","_b","_c","_d","prefix","startsWith","substring","get","headers","download","context","responseType","post","body","options","__spreadValues","delete","patch","getAppContext","withSSrCache","clinics","doctorId","allClinics","findSchedulers","from","to","clinicId","searchExpr","q","HttpParams","set","toISOString","params","pipe","map","x","d","s","schedules","i","freeIntervals","Date","date","scheduleId","roomId","reduce","acc","current","find","item","getDayOfYear","concat","iterator","sort","a","b","getTime","specializations","specializationCategories","me","countOfPlanned","generateTelegramBotLink","isTelegramBotConnected","relogin","login","withRecapture","initializeOtp","orderLogin","shareLogin","getShareLinks","logoff","resetPassword","confirmResetPassword","initializeRegister","register","cities","city","query","cityId","sendOpt","request","updateInformation","model","changePhone","prerecordsHistory","patientId","createPrerecords","prerecord","cancelPrerecord","prerecordId","getPrerecordCalendarUri","history","historyByPatient","analysisFiles","analysisId","getPrintOrderAnalysisUri","getPrintOrderProtocolUri","protocolId","getPrintAnalysisUri","getprintProtocolUri","getFamily","getFamilyMember","updateFamilyMember","registerFamilyMember","removeFamilyMember","getProtocolInformation","getAnalysisInformation","getOrderInformation","ordeLogOff","orderMe","printOrderAnalysis","withSpinner","downloadOrderAnalysisFile","analysisFileId","printOrderProtocol","meDiscount","onlineDoctors","results","orderIndex","onlineDoctor","id","enabled","packageCategories","parentId","packages","categoryId","package","ɵɵinject","BASE_PATH","APP_PATH","HttpClient","factory","ɵfac","providedIn","_ApiService"],"x_google_ignoreList":[1,2,3,4,5,6,7,8]}