@tiba-spark/client-shared-lib 25.4.0-478 → 25.4.0-483

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (31) hide show
  1. package/esm2022/libraries/constants/version-constants.mjs +2 -1
  2. package/esm2022/libraries/enums/localization.enum.mjs +2 -1
  3. package/esm2022/libraries/modules/auth/session.actions.mjs +13 -2
  4. package/esm2022/libraries/modules/auth/session.state.mjs +38 -9
  5. package/esm2022/libraries/modules/login/login.state.mjs +35 -30
  6. package/esm2022/libraries/service-proxy/cloud-service-proxies.mjs +21 -21
  7. package/esm2022/libraries/service-proxy/identity-service-proxies.mjs +221 -1
  8. package/esm2022/libraries/service-proxy/service-proxy.module.mjs +1 -1
  9. package/esm2022/libraries/services/auth-token.service.mjs +28 -4
  10. package/esm2022/libraries/services/refresh-token.service.mjs +4 -4
  11. package/esm2022/libraries/services/session-storage.service.mjs +14 -2
  12. package/fesm2022/tiba-spark-client-shared-lib.mjs +363 -62
  13. package/fesm2022/tiba-spark-client-shared-lib.mjs.map +1 -1
  14. package/libraries/constants/version-constants.d.ts +1 -0
  15. package/libraries/constants/version-constants.d.ts.map +1 -1
  16. package/libraries/enums/localization.enum.d.ts +2 -1
  17. package/libraries/enums/localization.enum.d.ts.map +1 -1
  18. package/libraries/modules/auth/session.actions.d.ts +12 -1
  19. package/libraries/modules/auth/session.actions.d.ts.map +1 -1
  20. package/libraries/modules/auth/session.state.d.ts +6 -1
  21. package/libraries/modules/auth/session.state.d.ts.map +1 -1
  22. package/libraries/modules/login/login.state.d.ts.map +1 -1
  23. package/libraries/service-proxy/cloud-service-proxies.d.ts +4 -4
  24. package/libraries/service-proxy/cloud-service-proxies.d.ts.map +1 -1
  25. package/libraries/service-proxy/identity-service-proxies.d.ts +20 -0
  26. package/libraries/service-proxy/identity-service-proxies.d.ts.map +1 -1
  27. package/libraries/services/auth-token.service.d.ts +3 -0
  28. package/libraries/services/auth-token.service.d.ts.map +1 -1
  29. package/libraries/services/session-storage.service.d.ts +1 -0
  30. package/libraries/services/session-storage.service.d.ts.map +1 -1
  31. package/package.json +1 -1
@@ -7567,11 +7567,11 @@ class SelfValidationCloudServiceProxy {
7567
7567
  * @param body (optional)
7568
7568
  * @return Success
7569
7569
  */
7570
- getSelfValidations(cloudFacilityId, body) {
7571
- let url_ = this.baseUrl + "/api/services/facility/{cloudFacilityId}/selfvalidation/query";
7572
- if (cloudFacilityId === undefined || cloudFacilityId === null)
7573
- throw new Error("The parameter 'cloudFacilityId' must be defined.");
7574
- url_ = url_.replace("{cloudFacilityId}", encodeURIComponent("" + cloudFacilityId));
7570
+ getSelfValidations(facilityId, body) {
7571
+ let url_ = this.baseUrl + "/api/services/selfvalidation/facility/{facilityId}";
7572
+ if (facilityId === undefined || facilityId === null)
7573
+ throw new Error("The parameter 'facilityId' must be defined.");
7574
+ url_ = url_.replace("{facilityId}", encodeURIComponent("" + facilityId));
7575
7575
  url_ = url_.replace(/[?&]$/, "");
7576
7576
  const content_ = JSON.stringify(body);
7577
7577
  let options_ = {
@@ -7635,11 +7635,11 @@ class SelfValidationCloudServiceProxy {
7635
7635
  * @param body (optional)
7636
7636
  * @return Success
7637
7637
  */
7638
- createSelfValidation(cloudFacilityId, body) {
7639
- let url_ = this.baseUrl + "/api/services/facility/{cloudFacilityId}/selfvalidation";
7640
- if (cloudFacilityId === undefined || cloudFacilityId === null)
7641
- throw new Error("The parameter 'cloudFacilityId' must be defined.");
7642
- url_ = url_.replace("{cloudFacilityId}", encodeURIComponent("" + cloudFacilityId));
7638
+ createSelfValidation(facilityId, body) {
7639
+ let url_ = this.baseUrl + "/api/services/selfvalidation/facility/{facilityId}/create";
7640
+ if (facilityId === undefined || facilityId === null)
7641
+ throw new Error("The parameter 'facilityId' must be defined.");
7642
+ url_ = url_.replace("{facilityId}", encodeURIComponent("" + facilityId));
7643
7643
  url_ = url_.replace(/[?&]$/, "");
7644
7644
  const content_ = JSON.stringify(body);
7645
7645
  let options_ = {
@@ -7711,11 +7711,11 @@ class SelfValidationCloudServiceProxy {
7711
7711
  * @param body (optional)
7712
7712
  * @return Success
7713
7713
  */
7714
- updateSelfValidation(cloudFacilityId, body) {
7715
- let url_ = this.baseUrl + "/api/services/facility/{cloudFacilityId}/selfvalidation";
7716
- if (cloudFacilityId === undefined || cloudFacilityId === null)
7717
- throw new Error("The parameter 'cloudFacilityId' must be defined.");
7718
- url_ = url_.replace("{cloudFacilityId}", encodeURIComponent("" + cloudFacilityId));
7714
+ updateSelfValidation(facilityId, body) {
7715
+ let url_ = this.baseUrl + "/api/services/selfvalidation/facility/{facilityId}/update";
7716
+ if (facilityId === undefined || facilityId === null)
7717
+ throw new Error("The parameter 'facilityId' must be defined.");
7718
+ url_ = url_.replace("{facilityId}", encodeURIComponent("" + facilityId));
7719
7719
  url_ = url_.replace(/[?&]$/, "");
7720
7720
  const content_ = JSON.stringify(body);
7721
7721
  let options_ = {
@@ -7786,11 +7786,11 @@ class SelfValidationCloudServiceProxy {
7786
7786
  /**
7787
7787
  * @return Success
7788
7788
  */
7789
- deleteSelfValidation(cloudFacilityId, id) {
7790
- let url_ = this.baseUrl + "/api/services/facility/{cloudFacilityId}/selfvalidation/{id}";
7791
- if (cloudFacilityId === undefined || cloudFacilityId === null)
7792
- throw new Error("The parameter 'cloudFacilityId' must be defined.");
7793
- url_ = url_.replace("{cloudFacilityId}", encodeURIComponent("" + cloudFacilityId));
7789
+ deleteSelfValidation(facilityId, id) {
7790
+ let url_ = this.baseUrl + "/api/services/selfvalidation/facility/{facilityId}/delete/{id}";
7791
+ if (facilityId === undefined || facilityId === null)
7792
+ throw new Error("The parameter 'facilityId' must be defined.");
7793
+ url_ = url_.replace("{facilityId}", encodeURIComponent("" + facilityId));
7794
7794
  if (id === undefined || id === null)
7795
7795
  throw new Error("The parameter 'id' must be defined.");
7796
7796
  url_ = url_.replace("{id}", encodeURIComponent("" + id));
@@ -22806,6 +22806,7 @@ Api Versions:
22806
22806
  V1 - 1.0.4 mobile.
22807
22807
  */
22808
22808
  const VERSION_V1 = '1';
22809
+ const VERSION_V2 = '2';
22809
22810
 
22810
22811
  class ActionStatusChanged {
22811
22812
  constructor(type, action, status, error) {
@@ -26698,6 +26699,7 @@ var Localization;
26698
26699
  Localization["stereo"] = "stereo";
26699
26700
  Localization["virtual"] = "virtual";
26700
26701
  Localization["relays_on"] = "relays_on";
26702
+ Localization["enforce_single_active_session"] = "enforce_single_active_session";
26701
26703
  })(Localization || (Localization = {}));
26702
26704
 
26703
26705
  class UpdateMobileMode {
@@ -95804,6 +95806,224 @@ class UsersIdentityServiceProxy {
95804
95806
  }
95805
95807
  return of(null);
95806
95808
  }
95809
+ /**
95810
+ * @param body (optional)
95811
+ * @return Success
95812
+ */
95813
+ v2_MultiTenantsAuthenticate(version, body) {
95814
+ let url_ = this.baseUrl + "/api/services/v{version}/users/multi-tenants-authenticate";
95815
+ if (version === undefined || version === null)
95816
+ throw new Error("The parameter 'version' must be defined.");
95817
+ url_ = url_.replace("{version}", encodeURIComponent("" + version));
95818
+ url_ = url_.replace(/[?&]$/, "");
95819
+ const content_ = JSON.stringify(body);
95820
+ let options_ = {
95821
+ body: content_,
95822
+ observe: "response",
95823
+ responseType: "blob",
95824
+ headers: new HttpHeaders({
95825
+ "Content-Type": "application/json-patch+json",
95826
+ "Accept": "text/plain"
95827
+ })
95828
+ };
95829
+ return this.http.request("post", url_, options_).pipe(mergeMap((response_) => {
95830
+ return this.processV2_MultiTenantsAuthenticate(response_);
95831
+ })).pipe(catchError((response_) => {
95832
+ if (response_ instanceof HttpResponseBase) {
95833
+ try {
95834
+ return this.processV2_MultiTenantsAuthenticate(response_);
95835
+ }
95836
+ catch (e) {
95837
+ return throwError(e);
95838
+ }
95839
+ }
95840
+ else
95841
+ return throwError(response_);
95842
+ }));
95843
+ }
95844
+ processV2_MultiTenantsAuthenticate(response) {
95845
+ const status = response.status;
95846
+ const responseBlob = response instanceof HttpResponse ? response.body :
95847
+ response.error instanceof Blob ? response.error : undefined;
95848
+ let _headers = {};
95849
+ if (response.headers) {
95850
+ for (let key of response.headers.keys()) {
95851
+ _headers[key] = response.headers.get(key);
95852
+ }
95853
+ }
95854
+ if (status === 404) {
95855
+ return blobToText(responseBlob).pipe(mergeMap(_responseText => {
95856
+ let result404 = null;
95857
+ let resultData404 = _responseText === "" ? null : JSON.parse(_responseText, this.jsonParseReviver);
95858
+ result404 = ProblemDetails.fromJS(resultData404);
95859
+ return throwException("Not Found", status, _responseText, _headers, result404);
95860
+ }));
95861
+ }
95862
+ else if (status === 200) {
95863
+ return blobToText(responseBlob).pipe(mergeMap(_responseText => {
95864
+ let result200 = null;
95865
+ let resultData200 = _responseText === "" ? null : JSON.parse(_responseText, this.jsonParseReviver);
95866
+ result200 = AuthenticateResponseDtoListHttpResponseData.fromJS(resultData200);
95867
+ return of(result200);
95868
+ }));
95869
+ }
95870
+ else if (status === 401) {
95871
+ return blobToText(responseBlob).pipe(mergeMap(_responseText => {
95872
+ let result401 = null;
95873
+ let resultData401 = _responseText === "" ? null : JSON.parse(_responseText, this.jsonParseReviver);
95874
+ result401 = AuthenticateErrorResponseDtoHttpResponseData.fromJS(resultData401);
95875
+ return throwException("Unauthorized", status, _responseText, _headers, result401);
95876
+ }));
95877
+ }
95878
+ else if (status !== 200 && status !== 204) {
95879
+ return blobToText(responseBlob).pipe(mergeMap(_responseText => {
95880
+ return throwException("An unexpected server error occurred.", status, _responseText, _headers);
95881
+ }));
95882
+ }
95883
+ return of(null);
95884
+ }
95885
+ /**
95886
+ * @param body (optional)
95887
+ * @return Success
95888
+ */
95889
+ v2_Authenticate(version, body) {
95890
+ let url_ = this.baseUrl + "/api/services/v{version}/users/authenticate";
95891
+ if (version === undefined || version === null)
95892
+ throw new Error("The parameter 'version' must be defined.");
95893
+ url_ = url_.replace("{version}", encodeURIComponent("" + version));
95894
+ url_ = url_.replace(/[?&]$/, "");
95895
+ const content_ = JSON.stringify(body);
95896
+ let options_ = {
95897
+ body: content_,
95898
+ observe: "response",
95899
+ responseType: "blob",
95900
+ headers: new HttpHeaders({
95901
+ "Content-Type": "application/json-patch+json",
95902
+ "Accept": "text/plain"
95903
+ })
95904
+ };
95905
+ return this.http.request("post", url_, options_).pipe(mergeMap((response_) => {
95906
+ return this.processV2_Authenticate(response_);
95907
+ })).pipe(catchError((response_) => {
95908
+ if (response_ instanceof HttpResponseBase) {
95909
+ try {
95910
+ return this.processV2_Authenticate(response_);
95911
+ }
95912
+ catch (e) {
95913
+ return throwError(e);
95914
+ }
95915
+ }
95916
+ else
95917
+ return throwError(response_);
95918
+ }));
95919
+ }
95920
+ processV2_Authenticate(response) {
95921
+ const status = response.status;
95922
+ const responseBlob = response instanceof HttpResponse ? response.body :
95923
+ response.error instanceof Blob ? response.error : undefined;
95924
+ let _headers = {};
95925
+ if (response.headers) {
95926
+ for (let key of response.headers.keys()) {
95927
+ _headers[key] = response.headers.get(key);
95928
+ }
95929
+ }
95930
+ if (status === 404) {
95931
+ return blobToText(responseBlob).pipe(mergeMap(_responseText => {
95932
+ let result404 = null;
95933
+ let resultData404 = _responseText === "" ? null : JSON.parse(_responseText, this.jsonParseReviver);
95934
+ result404 = ProblemDetails.fromJS(resultData404);
95935
+ return throwException("Not Found", status, _responseText, _headers, result404);
95936
+ }));
95937
+ }
95938
+ else if (status === 200) {
95939
+ return blobToText(responseBlob).pipe(mergeMap(_responseText => {
95940
+ let result200 = null;
95941
+ let resultData200 = _responseText === "" ? null : JSON.parse(_responseText, this.jsonParseReviver);
95942
+ result200 = AuthenticateResponseDtoHttpResponseData.fromJS(resultData200);
95943
+ return of(result200);
95944
+ }));
95945
+ }
95946
+ else if (status === 401) {
95947
+ return blobToText(responseBlob).pipe(mergeMap(_responseText => {
95948
+ let result401 = null;
95949
+ let resultData401 = _responseText === "" ? null : JSON.parse(_responseText, this.jsonParseReviver);
95950
+ result401 = AuthenticateErrorResponseDtoHttpResponseData.fromJS(resultData401);
95951
+ return throwException("Unauthorized", status, _responseText, _headers, result401);
95952
+ }));
95953
+ }
95954
+ else if (status !== 200 && status !== 204) {
95955
+ return blobToText(responseBlob).pipe(mergeMap(_responseText => {
95956
+ return throwException("An unexpected server error occurred.", status, _responseText, _headers);
95957
+ }));
95958
+ }
95959
+ return of(null);
95960
+ }
95961
+ /**
95962
+ * @param refreshToken (optional)
95963
+ * @return Success
95964
+ */
95965
+ v2_RefreshToken(refreshToken, version) {
95966
+ let url_ = this.baseUrl + "/api/services/v{version}/users/refreshtoken";
95967
+ if (version === undefined || version === null)
95968
+ throw new Error("The parameter 'version' must be defined.");
95969
+ url_ = url_.replace("{version}", encodeURIComponent("" + version));
95970
+ url_ = url_.replace(/[?&]$/, "");
95971
+ let options_ = {
95972
+ observe: "response",
95973
+ responseType: "blob",
95974
+ headers: new HttpHeaders({
95975
+ "RefreshToken": refreshToken !== undefined && refreshToken !== null ? "" + refreshToken : "",
95976
+ "Accept": "text/plain"
95977
+ })
95978
+ };
95979
+ return this.http.request("post", url_, options_).pipe(mergeMap((response_) => {
95980
+ return this.processV2_RefreshToken(response_);
95981
+ })).pipe(catchError((response_) => {
95982
+ if (response_ instanceof HttpResponseBase) {
95983
+ try {
95984
+ return this.processV2_RefreshToken(response_);
95985
+ }
95986
+ catch (e) {
95987
+ return throwError(e);
95988
+ }
95989
+ }
95990
+ else
95991
+ return throwError(response_);
95992
+ }));
95993
+ }
95994
+ processV2_RefreshToken(response) {
95995
+ const status = response.status;
95996
+ const responseBlob = response instanceof HttpResponse ? response.body :
95997
+ response.error instanceof Blob ? response.error : undefined;
95998
+ let _headers = {};
95999
+ if (response.headers) {
96000
+ for (let key of response.headers.keys()) {
96001
+ _headers[key] = response.headers.get(key);
96002
+ }
96003
+ }
96004
+ if (status === 404) {
96005
+ return blobToText(responseBlob).pipe(mergeMap(_responseText => {
96006
+ let result404 = null;
96007
+ let resultData404 = _responseText === "" ? null : JSON.parse(_responseText, this.jsonParseReviver);
96008
+ result404 = ProblemDetails.fromJS(resultData404);
96009
+ return throwException("Not Found", status, _responseText, _headers, result404);
96010
+ }));
96011
+ }
96012
+ else if (status === 200) {
96013
+ return blobToText(responseBlob).pipe(mergeMap(_responseText => {
96014
+ let result200 = null;
96015
+ let resultData200 = _responseText === "" ? null : JSON.parse(_responseText, this.jsonParseReviver);
96016
+ result200 = RefreshTokenDtoHttpResponseData.fromJS(resultData200);
96017
+ return of(result200);
96018
+ }));
96019
+ }
96020
+ else if (status !== 200 && status !== 204) {
96021
+ return blobToText(responseBlob).pipe(mergeMap(_responseText => {
96022
+ return throwException("An unexpected server error occurred.", status, _responseText, _headers);
96023
+ }));
96024
+ }
96025
+ return of(null);
96026
+ }
95807
96027
  static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "18.2.13", ngImport: i0, type: UsersIdentityServiceProxy, deps: [{ token: HttpClient }, { token: API_BASE_URL, optional: true }], target: i0.ɵɵFactoryTarget.Injectable }); }
95808
96028
  static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "18.2.13", ngImport: i0, type: UsersIdentityServiceProxy }); }
95809
96029
  }
@@ -98247,6 +98467,7 @@ class Verify2FactorAuthResponsetDto {
98247
98467
  if (_data) {
98248
98468
  this.isSuccess = _data["isSuccess"];
98249
98469
  this.accessToken = _data["accessToken"];
98470
+ this.refreshToken = _data["refreshToken"];
98250
98471
  }
98251
98472
  }
98252
98473
  static fromJS(data) {
@@ -98259,6 +98480,7 @@ class Verify2FactorAuthResponsetDto {
98259
98480
  data = typeof data === 'object' ? data : {};
98260
98481
  data["isSuccess"] = this.isSuccess;
98261
98482
  data["accessToken"] = this.accessToken;
98483
+ data["refreshToken"] = this.refreshToken;
98262
98484
  return data;
98263
98485
  }
98264
98486
  clone() {
@@ -98678,8 +98900,9 @@ class SetStateAction {
98678
98900
  }
98679
98901
  class UpdateAuthTokenAction {
98680
98902
  static { this.type = '[Session] Update Auth Token'; }
98681
- constructor(authToken) {
98903
+ constructor(authToken, refreshToken) {
98682
98904
  this.authToken = authToken;
98905
+ this.refreshToken = refreshToken;
98683
98906
  }
98684
98907
  }
98685
98908
  class SetUserNameAction {
@@ -98743,6 +98966,16 @@ class Authenticate2FAforUser {
98743
98966
  static { this.type = '[Session] Authenticate2FAforUser'; }
98744
98967
  constructor() { }
98745
98968
  }
98969
+ class SetConflictDetected {
98970
+ static { this.type = '[Session] ConflictDetected'; }
98971
+ constructor(error) {
98972
+ this.error = error;
98973
+ }
98974
+ }
98975
+ class ClearConflictDetected {
98976
+ static { this.type = '[Session] Clear ConflictDetected'; }
98977
+ constructor() { }
98978
+ }
98746
98979
 
98747
98980
  var MessageBarPosition;
98748
98981
  (function (MessageBarPosition) {
@@ -99203,7 +99436,10 @@ class SessionStorageService {
99203
99436
  return session?.at;
99204
99437
  }
99205
99438
  set auth(auth) {
99206
- const session = JSON.parse(this.storage.getItem(this.tenant));
99439
+ let session = JSON.parse(this.storage.getItem(this.tenant));
99440
+ if (!session) {
99441
+ session = { at: '', auth: { refreshToken: '', expiration: moment(), refreshInterval: 0 } };
99442
+ }
99207
99443
  session.auth = auth;
99208
99444
  this.storage.setItem(this.tenant, JSON.stringify(session));
99209
99445
  }
@@ -99212,6 +99448,14 @@ class SessionStorageService {
99212
99448
  session.at = at;
99213
99449
  this.storage.setItem(this.tenant, JSON.stringify(session));
99214
99450
  }
99451
+ set refreshToken(refreshToken) {
99452
+ let session = JSON.parse(this.storage.getItem(this.tenant));
99453
+ if (!session) {
99454
+ session = { at: '', auth: { refreshToken: '', expiration: moment(), refreshInterval: 0 } };
99455
+ }
99456
+ session.auth.refreshToken = refreshToken;
99457
+ this.storage.setItem(this.tenant, JSON.stringify(session));
99458
+ }
99215
99459
  setAuthSession(at, auth) {
99216
99460
  const authObj = JSON.parse(this.storage.getItem(this.tenant));
99217
99461
  authObj.at = !at ? authObj.at : at;
@@ -100596,6 +100840,7 @@ var SessionState_1;
100596
100840
  const defaultSessionState = {
100597
100841
  sparkSessions: {},
100598
100842
  application: { version: null, releaseDate: null, features: {} },
100843
+ conflictDetected: null,
100599
100844
  };
100600
100845
  let SessionState = class SessionState {
100601
100846
  static { SessionState_1 = this; }
@@ -100626,6 +100871,9 @@ let SessionState = class SessionState {
100626
100871
  ctx.patchState({ sparkSessions });
100627
100872
  };
100628
100873
  }
100874
+ static isConflictDetected(state) {
100875
+ return state.conflictDetected;
100876
+ }
100629
100877
  static isUserAuthenticatedWithSSO(state) {
100630
100878
  const tenantName = sessionStorage.getItem(TENANT_KEY);
100631
100879
  return state.sparkSessions[tenantName]?.user?.ssoAuthenticated;
@@ -100712,6 +100960,8 @@ let SessionState = class SessionState {
100712
100960
  onUpdateAuthTokenAction(ctx, action) {
100713
100961
  const sparkSessions = this.getSparkSessions();
100714
100962
  sparkSessions[this.sessionStorageService.tenant].authToken = action.authToken;
100963
+ sparkSessions[this.sessionStorageService.tenant].refresh.refreshToken = action.refreshToken;
100964
+ this.setSparkSessions(ctx, sparkSessions);
100715
100965
  }
100716
100966
  setSessionState(ctx, action) {
100717
100967
  const sparkSessions = this.getSparkSessions();
@@ -100788,9 +101038,11 @@ let SessionState = class SessionState {
100788
101038
  const tenantName = tenant?.tenant?.tenantName;
100789
101039
  const provider = tenant?.tenant.props?.sso?.provider;
100790
101040
  if (provider == SingleSignOnProvider$2.Microsoft) {
100791
- this.msalService.logoutRedirect({
100792
- postLogoutRedirectUri: `/${tenantName}`
100793
- });
101041
+ if (!ctx.getState().conflictDetected) {
101042
+ this.msalService.logoutRedirect({
101043
+ postLogoutRedirectUri: `/${tenantName}`
101044
+ });
101045
+ }
100794
101046
  }
100795
101047
  else if (provider == SingleSignOnProvider$2.PingFederate) {
100796
101048
  this.openIdAuthService.signOut();
@@ -100831,9 +101083,11 @@ let SessionState = class SessionState {
100831
101083
  const tenantName = tenant?.tenant?.tenantName;
100832
101084
  const provider = tenant?.tenant.props?.sso?.provider;
100833
101085
  if (provider == SingleSignOnProvider$2.Microsoft) {
100834
- this.msalService.logoutRedirect({
100835
- postLogoutRedirectUri: logoutBackofficeAudit ? '/' : `/${tenantName}`
100836
- });
101086
+ if (!ctx.getState().conflictDetected) {
101087
+ this.msalService.logoutRedirect({
101088
+ postLogoutRedirectUri: logoutBackofficeAudit ? '/' : `/${tenantName}`
101089
+ });
101090
+ }
100837
101091
  }
100838
101092
  else if (provider == SingleSignOnProvider$2.PingFederate) {
100839
101093
  this.openIdAuthService.signOut();
@@ -100944,6 +101198,16 @@ let SessionState = class SessionState {
100944
101198
  }
100945
101199
  }));
100946
101200
  }
101201
+ setConflictDetected(ctx, action) {
101202
+ ctx.patchState({
101203
+ conflictDetected: action.error,
101204
+ });
101205
+ }
101206
+ clearConflictDetected(ctx, _) {
101207
+ ctx.patchState({
101208
+ conflictDetected: null
101209
+ });
101210
+ }
100947
101211
  static { this.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "18.2.13", ngImport: i0, type: SessionState, deps: [{ token: SessionStorageService }, { token: LocalStorageService }, { token: AppConfigService }, { token: AuthService }, { token: ConfigurationCloudServiceProxy }, { token: BackofficeCloudServiceProxy }, { token: i1$8.Router }, { token: HttpCancelService }, { token: i1$5.TranslateService }, { token: i9.MsalService }, { token: UsersCloudServiceProxy }, { token: OpenIdAuthService }, { token: MessageBarService }, { token: MobileCloudServiceProxy }, { token: MobileIdentityServiceProxy }], target: i0.ɵɵFactoryTarget.Injectable }); }
100948
101212
  static { this.ɵprov = i0.ɵɵngDeclareInjectable({ minVersion: "12.0.0", version: "18.2.13", ngImport: i0, type: SessionState }); }
100949
101213
  };
@@ -101004,6 +101268,15 @@ __decorate([
101004
101268
  __decorate([
101005
101269
  Action(LoadAppConfigurationMobileAction)
101006
101270
  ], SessionState.prototype, "onLoadAppConfigurationMobileAction", null);
101271
+ __decorate([
101272
+ Action(SetConflictDetected)
101273
+ ], SessionState.prototype, "setConflictDetected", null);
101274
+ __decorate([
101275
+ Action(ClearConflictDetected)
101276
+ ], SessionState.prototype, "clearConflictDetected", null);
101277
+ __decorate([
101278
+ Selector()
101279
+ ], SessionState, "isConflictDetected", null);
101007
101280
  __decorate([
101008
101281
  Selector()
101009
101282
  ], SessionState, "isUserAuthenticatedWithSSO", null);
@@ -101048,7 +101321,7 @@ SessionState = SessionState_1 = __decorate([
101048
101321
  ], SessionState);
101049
101322
  i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "18.2.13", ngImport: i0, type: SessionState, decorators: [{
101050
101323
  type: Injectable
101051
- }], ctorParameters: () => [{ type: SessionStorageService }, { type: LocalStorageService }, { type: AppConfigService }, { type: AuthService }, { type: ConfigurationCloudServiceProxy }, { type: BackofficeCloudServiceProxy }, { type: i1$8.Router }, { type: HttpCancelService }, { type: i1$5.TranslateService }, { type: i9.MsalService }, { type: UsersCloudServiceProxy }, { type: OpenIdAuthService }, { type: MessageBarService }, { type: MobileCloudServiceProxy }, { type: MobileIdentityServiceProxy }], propDecorators: { onLogin: [], onSetTenantUserAction: [], onUpdateAuthTokenAction: [], setSessionState: [], SetUserNameAction: [], AuditLogoutAction: [], AuditLogoutMobileAction: [], onMobileLogoutAction: [], onLogout: [], onTenantLoadAction: [], onTenantClearAction: [], onHealthActionAction: [], onUpdateUserSettings: [], onUpdateTenantInfoProps: [], onAuthenticate2FAforUser: [], onLoadSessionFromLocalStorageAction: [], onBackofficeAppConfigurationAction: [], onAppConfigurationAction: [], onLoadAppConfigurationMobileAction: [] } });
101324
+ }], ctorParameters: () => [{ type: SessionStorageService }, { type: LocalStorageService }, { type: AppConfigService }, { type: AuthService }, { type: ConfigurationCloudServiceProxy }, { type: BackofficeCloudServiceProxy }, { type: i1$8.Router }, { type: HttpCancelService }, { type: i1$5.TranslateService }, { type: i9.MsalService }, { type: UsersCloudServiceProxy }, { type: OpenIdAuthService }, { type: MessageBarService }, { type: MobileCloudServiceProxy }, { type: MobileIdentityServiceProxy }], propDecorators: { onLogin: [], onSetTenantUserAction: [], onUpdateAuthTokenAction: [], setSessionState: [], SetUserNameAction: [], AuditLogoutAction: [], AuditLogoutMobileAction: [], onMobileLogoutAction: [], onLogout: [], onTenantLoadAction: [], onTenantClearAction: [], onHealthActionAction: [], onUpdateUserSettings: [], onUpdateTenantInfoProps: [], onAuthenticate2FAforUser: [], onLoadSessionFromLocalStorageAction: [], onBackofficeAppConfigurationAction: [], onAppConfigurationAction: [], onLoadAppConfigurationMobileAction: [], setConflictDetected: [], clearConflictDetected: [] } });
101052
101325
 
101053
101326
  let UpdateUserSettingsAction = class UpdateUserSettingsAction {
101054
101327
  static { this.type = '[user-settings] Update-user-settings'; }
@@ -110154,7 +110427,7 @@ let LoginState = class LoginState {
110154
110427
  authenticateRequestDto.username = username;
110155
110428
  authenticateRequestDto.password = password;
110156
110429
  authenticateRequestDto.tenantName = '';
110157
- return this.usersIdentityServiceProxy.multiTenantsAuthenticate(authenticateRequestDto).pipe(tap$1({
110430
+ return this.usersIdentityServiceProxy.v2_MultiTenantsAuthenticate(VERSION_V2, authenticateRequestDto).pipe(tap$1({
110158
110431
  next: accountsHttpResponseData => {
110159
110432
  const accounts = accountsHttpResponseData.data;
110160
110433
  ctx.patchState({
@@ -110292,7 +110565,8 @@ let LoginState = class LoginState {
110292
110565
  return verify2FactorAuth$.pipe(tap$1({
110293
110566
  next: (verify2FactorAuthResponset) => {
110294
110567
  this.sessionStorageService.accessToken = verify2FactorAuthResponset.data.accessToken;
110295
- this.store.dispatch(new UpdateAuthTokenAction(verify2FactorAuthResponset.data.accessToken));
110568
+ this.sessionStorageService.refreshToken = verify2FactorAuthResponset.data.refreshToken;
110569
+ this.store.dispatch(new UpdateAuthTokenAction(verify2FactorAuthResponset.data.accessToken, verify2FactorAuthResponset.data.refreshToken));
110296
110570
  },
110297
110571
  error: e => {
110298
110572
  this.messageBarService.error(parseApiErrorMessage(e), this.messageOptions);
@@ -110362,33 +110636,36 @@ let LoginState = class LoginState {
110362
110636
  const authenticateRequestDto = new AuthenticateWebSsoRequestDto();
110363
110637
  authenticateRequestDto.code = action.token;
110364
110638
  authenticateRequestDto.tenantName = action.tenantInfo?.tenantName;
110365
- authenticateOidc$ = this.usersIdentityServiceProxy.openIdAuthenticate(authenticateRequestDto);
110366
- return authenticateOidc$.pipe(tap$1({
110367
- next: authResponse => {
110368
- if (authResponse.data.message === Localization.sso_pending_approval) {
110369
- const message = this.translateService.instant(Localization.sso_pending_approval);
110370
- this.messageBarService.info(message, { position: MessageBarPosition.Static });
110371
- action.isPendingApproval = true;
110372
- //this.clearSingleSingOnCache(singleSignOnProvider);
110373
- return;
110374
- }
110375
- const sparkSession = this.authService.processAuthenticate(authResponse.data);
110376
- ctx.dispatch(new SetTenantUserAction(sparkSession));
110377
- if (this.userStatusIsAwaitingAccess(authResponse)) {
110378
- this.clearSingleSingOnCache(action.singleSignOnProvider);
110379
- const message = this.translateService.instant(Localization.sso_pending_approval);
110380
- this.messageBarService.warn(message, { position: MessageBarPosition.Static });
110381
- action.isPendingApproval = true;
110382
- }
110383
- else {
110384
- // After authentication get app configuration
110385
- this.loginToSpark();
110639
+ const conflictDetected = this.store.selectSnapshot(SessionState.isConflictDetected);
110640
+ if (conflictDetected == null) {
110641
+ authenticateOidc$ = this.usersIdentityServiceProxy.openIdAuthenticate(authenticateRequestDto);
110642
+ return authenticateOidc$.pipe(tap$1({
110643
+ next: authResponse => {
110644
+ if (authResponse.data.message === Localization.sso_pending_approval) {
110645
+ const message = this.translateService.instant(Localization.sso_pending_approval);
110646
+ this.messageBarService.info(message, { position: MessageBarPosition.Static });
110647
+ action.isPendingApproval = true;
110648
+ //this.clearSingleSingOnCache(singleSignOnProvider);
110649
+ return;
110650
+ }
110651
+ const sparkSession = this.authService.processAuthenticate(authResponse.data);
110652
+ ctx.dispatch(new SetTenantUserAction(sparkSession));
110653
+ if (this.userStatusIsAwaitingAccess(authResponse)) {
110654
+ this.clearSingleSingOnCache(action.singleSignOnProvider);
110655
+ const message = this.translateService.instant(Localization.sso_pending_approval);
110656
+ this.messageBarService.warn(message, { position: MessageBarPosition.Static });
110657
+ action.isPendingApproval = true;
110658
+ }
110659
+ else {
110660
+ // After authentication get app configuration
110661
+ this.loginToSpark();
110662
+ }
110663
+ },
110664
+ error: e => {
110665
+ this.singleSingOnErrorHandling(e);
110386
110666
  }
110387
- },
110388
- error: e => {
110389
- this.singleSingOnErrorHandling(e);
110390
- }
110391
- }));
110667
+ }));
110668
+ }
110392
110669
  }
110393
110670
  singleSingOnErrorHandling(e) {
110394
110671
  if (e.errorMessage == Localization.sso_pending_approval) {
@@ -110904,7 +111181,7 @@ class RefreshTokenService {
110904
111181
  const subscription = this.listenToLogoutAction();
110905
111182
  this.isRefreshing = true;
110906
111183
  const refreshInfo = this.sessionStorageService.getAuth;
110907
- return this.usersServiceProxyIdentity.refreshToken(refreshInfo?.refreshToken).pipe(switchMap$1(tokenResult => {
111184
+ return this.usersServiceProxyIdentity.v2_RefreshToken(refreshInfo?.refreshToken, VERSION_V2).pipe(switchMap$1(tokenResult => {
110908
111185
  this.setAuthSession(tokenResult.data);
110909
111186
  return next.handle(this.addToken(request, tokenResult.data.accessToken));
110910
111187
  }), catchError((error) => throwError(() => error)), finalize(() => {
@@ -110945,7 +111222,7 @@ class RefreshTokenService {
110945
111222
  }
110946
111223
  getRefreshToken() {
110947
111224
  const refreshInfo = this.sessionStorageService.getAuth;
110948
- return this.usersServiceProxyIdentity.refreshToken(refreshInfo?.refreshToken).pipe(tap({
111225
+ return this.usersServiceProxyIdentity.v2_RefreshToken(refreshInfo?.refreshToken, VERSION_V2).pipe(tap({
110949
111226
  next: tokenResult => this.setAuthSession(tokenResult.data)
110950
111227
  }));
110951
111228
  }
@@ -111081,7 +111358,7 @@ const AUTHENTICATE_APIS = [
111081
111358
  'api/services/backofficeuser/authenticate'
111082
111359
  ];
111083
111360
  const EDGE_PREFIX_API = '/api/services/sp';
111084
- const REFRESH_TOKEN_API = 'api/services/users/refreshtoken';
111361
+ const REFRESH_TOKEN_API = 'api/services/v2/users/refreshtoken';
111085
111362
  const REFRESH_MOBILE_TOKEN_API = 'api/services/v1/mobile/users/refresh-token';
111086
111363
  const EXTERNAL_APIS = [
111087
111364
  'api/services/selfvalidation/details',
@@ -111089,6 +111366,8 @@ const EXTERNAL_APIS = [
111089
111366
  ];
111090
111367
  const ANONYMOUS_APIS = [
111091
111368
  REFRESH_TOKEN_API,
111369
+ 'api/services/v2/users/multi-tenants-authenticate',
111370
+ 'api/services/v2/users/authenticate',
111092
111371
  'api/services/users/authenticate',
111093
111372
  'api/services/users/multi-tenants-authenticate',
111094
111373
  'api/services/asset/logo',
@@ -111123,6 +111402,8 @@ class AuthTokenService {
111123
111402
  this.getSparkSessions = () => JSON.parse(this.localStorageService.getItem(SESSION))?.sparkSessions ?? {};
111124
111403
  this.logout = (logoutAudit, logoutBackofficeAudit) => new LogoutAction(logoutAudit, logoutBackofficeAudit); // when 401 do not invoke in the logout action the logout Audit
111125
111404
  this.servicesRunningStatusChanged = (servicesRunningStatus, guid) => new ServicesRunningStatusChangedAction(servicesRunningStatus, guid);
111405
+ this.setConflictDetected = (error) => new SetConflictDetected(error);
111406
+ this.clearConflictDetected = () => new ClearConflictDetected();
111126
111407
  }
111127
111408
  handleRequest(req, next) {
111128
111409
  req = this.setRequestHeaders(req);
@@ -111286,12 +111567,26 @@ class AuthTokenService {
111286
111567
  this.logout(false, false);
111287
111568
  }
111288
111569
  }
111570
+ if (e.status === HttpStatusCode$4.Conflict) {
111571
+ this.setConflictDetected(e);
111572
+ this.logout(false, false);
111573
+ setTimeout(() => {
111574
+ this.clearConflictDetected();
111575
+ }, 3000); // Delay the reset to ensure the UI reacts first
111576
+ }
111289
111577
  return throwError(() => e);
111290
111578
  }
111291
111579
  handleBackofficeErrorResponse(e) {
111292
111580
  if (e.status === HttpStatusCode$4.Unauthorized && !AUTHENTICATE_APIS.some(api => e.url.includes(api)) && !EXTERNAL_APIS.some(api => e.url.includes(api))) {
111293
111581
  this.navigateToLogin();
111294
111582
  }
111583
+ if (e.status === HttpStatusCode$4.Conflict) {
111584
+ this.setConflictDetected(e);
111585
+ this.navigateToLogin();
111586
+ setTimeout(() => {
111587
+ this.clearConflictDetected();
111588
+ }, 3000); // Delay the reset to ensure the UI reacts first
111589
+ }
111295
111590
  return throwError(() => e);
111296
111591
  }
111297
111592
  navigateToLogin(tenantName) {
@@ -111314,9 +111609,15 @@ __decorate([
111314
111609
  __decorate([
111315
111610
  Dispatch()
111316
111611
  ], AuthTokenService.prototype, "servicesRunningStatusChanged", void 0);
111612
+ __decorate([
111613
+ Dispatch()
111614
+ ], AuthTokenService.prototype, "setConflictDetected", void 0);
111615
+ __decorate([
111616
+ Dispatch()
111617
+ ], AuthTokenService.prototype, "clearConflictDetected", void 0);
111317
111618
  i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "18.2.13", ngImport: i0, type: AuthTokenService, decorators: [{
111318
111619
  type: Injectable
111319
- }], ctorParameters: () => [{ type: SessionStorageService }, { type: i1$2.Store }, { type: i1$8.Router }, { type: AppConfigService }, { type: RefreshTokenService }, { type: LocalStorageService }], propDecorators: { logout: [], servicesRunningStatusChanged: [] } });
111620
+ }], ctorParameters: () => [{ type: SessionStorageService }, { type: i1$2.Store }, { type: i1$8.Router }, { type: AppConfigService }, { type: RefreshTokenService }, { type: LocalStorageService }], propDecorators: { logout: [], servicesRunningStatusChanged: [], setConflictDetected: [], clearConflictDetected: [] } });
111320
111621
 
111321
111622
  class CompanyService {
111322
111623
  constructor(store, messageBarService, translateService, smartparkService, accountRpcServiceProxy) {
@@ -118117,5 +118418,5 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "18.2.13", ngImpo
118117
118418
  * Generated bundle index. Do not edit.
118118
118419
  */
118119
118420
 
118120
- export { ACCESS_PROFILE_DAT_TYPES_SP, ACTIVE_BYTE, ADVANCED_OPTIONS_VALUE, AES_DEFAULT_IV, ALERT_NOTIFICATION_CONTAINER, ALLOWED_FILES_FORMATS, ALLOWED_FILES_MAX_SIZE_MB, ALLOWED_FILES__SIZE_200_KB, ALLOWED_FILES__SIZE_2_MB, ALLOWED_NUMBER_OF_DAYS, ALLOWED_UPLOAD_FILES_QUANTITY, ALL_DAYS_IN_BINARY, ALL_DAYS_IN_BYTE, AccessProfileChangeValidTypesText, AccessProfileDayTypesText, AccessProfileRestrictionTypesText, AccessProfileShortDayTypesText, AccessProfileSpecialDaysMap, AccessProfileTypesText, AccountFrameMessageBarComponent, AccountLinkedEntitiesText, AccountLinkedEntityText, AccountSetPasswordAction, AccountSetPasswordErrorAction, AccountSetPasswordInitAction, ActionStatusService, AddSmartparkAction, AddUserAction, AdministrativeNotificationEntityType, AdministrativeNotificationsModule, AdministrativeNotificationsState, AggregatedStatusText, AlertChangedAction, AlertNotificationBorderClass, AlertNotificationClassificationMap, AlertNotificationComponent, AlertNotificationService, AlertsAndNotificationsService, AlertsAndNotificationsState, AlertsDeviceTypeLabel, AlertsDeviceTypeOptions, AlertsDeviceTypeOptionsMapping, AmountStepSurchargeMinLimit, AnalyticsCommandsText, AnalyticsEventsText, AnalyticsService, AnalyticsSourceComponent, AnalyticsSourceProps, AppConfigService, AppModuleService, AppModuleToMainPermissionTypeMap, AppSectionLabel, AppSectionModuleMenu, AppSectionRoute, AppSettingsService, AppType, AuditActionTypeText, AuditLogoutAction, AuditLogoutMobileAction, AuthModule, AuthRouteGuard, AuthService, AuthTokenService, Authenticate2FAforUser, AuthenticateMultipleTenantsAction, AutofocusDirective, BOM_UNICODE, BackofficeAutheticateAction, BarcodeTypeLength, BarrireStateText, BaseComponent, BaseDeviceItemComponent, BaseDeviceService, BaseFacilityCommandsService, BaseNotificationService, BillDispenserStatusText, BillTypeText, BillValidatorStatusText, ButtonStatus, CANCEL_ALL_RELAY_VALUE, CLogItPipe, COLORS, CREDIT_CARD_POSTFIX_LENGTH, CalculatorModule, CalculatorState, CanDeactivateService, CarModule, CarState, CassetteStatusText, CentToCoinPipe, ChangeLanguageAction, ChangeMobileLanguageAction, ChangePasswordAction, ChangePasswordMobileAction, ChartLayout, CleanLogoAction, ClearAdministrativeNotificationsAction, ClearAdministrativeNotificationsByEntityTypeAction, ClearAlertsAndNotificationsAction, ClearBaseZonesAction, ClearCalculatorPriceAction, ClearCategoriesAction, ClearColorsAction, ClearDeviceAction, ClearDeviceEventsExpanded, ClearDevicesAction, ClearEventActivitiesExpanded, ClearFacilityDictionaryAction, ClearGroupsAction, ClearGuestAction, ClearGuestProfilesAction, ClearGuestsListAction, ClearHandledGuest, ClearInactiveSelectedParkAction, ClearJobTitlesAction, ClearLocateTicketSearchAction, ClearLocatedTicketAction, ClearLprTransactionsExpanded, ClearMacroCommandsAction, ClearModelsAction, ClearParkerAction, ClearRateAction, ClearSearchResultsAction, ClearSearchTermAction, ClearSearchTicketAction, ClearSelectedFacilityAction, ClearSelectedParkAction, ClearSelectedRow, ClearSelectedSmartparkAction, ClearSmartparksBasicAction, ClearSpAndSparkVersionsAction, ClearSpecialTransientTablesAction, ClearSuspendedParkActivitiesAction, ClearUserSettingsByCategoryAction, ClearUsersAction, ClearValidationTypesAction, ClearZoneAction, ClearZonesAction, ClearZsAction, cloudServiceProxies as Cloud, CloudConfirmDialogComponent, CofCredentialSubTypeText, CoinStatusText, CollapsedGuestsByBatchIdAction, ComAggregatedStatus, ComAggregatedStatusText, ComStatusIconComponent, CommandCenterModuleResolver, CommandNotificationBorderClass, CommandNotificationComponent, CommandNotificationDisplayCase, CommandNotificationService, CommandNotificationType, CommandsLocalizationKey, CommonPagesModule, CompanyService, ConfigMobileResolver, ConfigResolver, ConnectSmartparkAction, ContainerRefDirective, CoreEntities, CouponSearchFieldSelectorText, CreateBasicBatchAction, CreateBasicGuestAction, CreateBatchAction, CreateColorAction, CreateGuestAction, CreateModelAction, CreateOrUpdateSMTPDetailsAction, CredentialTypeText, CreditCardTypeText, CrudOperationText, CurlyToBoldPipe, DATA_IMAGE_BASE64_PREFIX, DATA_IMAGE_BASE64_SVG_PREFIX, DEFAULT_DATE_FORMAT, DEFAULT_EXPIRATION_MONTHS_COUNT, DEFAULT_MINIMUM_LENGTH, DEFAULT_PASSWORD_HISTORY_COUNT, DEFAULT_PERMITTED_CREDENTIALS, DEFAULT_SMART_PARK_DATE_TIME, DEFAULT_SORT_MENU, DEFAULT_STICKER_NUM, DEVICE_EVENT_OPTIONS_KEY, DEVICE_NAVIGATE_KEY, DISABLED_FOCUS_ELEMENT_CLASSES, DISABLED_FOCUS_ELEMENT_TYPES, DYNAMIC_PRICING_CONDITION, DataQaAttribute, DateService, DateValidityText, DaysText, DecimalToAmountPipe, DecimalToCurrencyPipe, DefaultImageTimeout, DeleteGuestAction, DeleteLogoAction, DeleteUserAction, DetectBrowserService, DeviceActivityChangedAction, DeviceActivityLabel, DeviceActivityMode, DeviceActivityModeText, DeviceActivityStatus, DeviceActivityType, DeviceAggregatedStatus, DeviceAggregatedStatusText, DeviceEventChangedAction, DeviceIconComponent, DeviceIndicationStatus, DeviceLaneTypes, DeviceLoop, DeviceModule, DevicePipeModule, DevicePrinterStatusText, DeviceRemoteCommandsService, DeviceSortBy, DeviceStatusBaseComponent, DeviceStatusChangedAction, DeviceTypeIconName, DeviceTypeText, DeviceTypesAlertsMapping, DevicesViewMode, DialogMode, DipSwitchStatus, Disable2FAAction, DisconnectSmartParkAction, DoorSensorStatus, DoorStatusText, DurationMessageBar, DynamicContainerComponent, DynamicEllipsisTooltipDirective, ENGLISH_LANGUAGE, ENVIRONMENT, EXPIRATION_MONTHS_COUNT_OPTIONS, edgeServiceProxies as Edge, EditUserAction, ElectronicWalletPaymentMethodTypesText, EllipsisMultilineDirective, EmailServerModule, EmailServerState, EmptyResultsComponent, Enable2FAAction, EnumsToArrayPipe, EnvironmentModeText, ErrorPageComponent, ErrorPageResolver, ErrorResultsComponent, ExceedingBehaviorTypeText, ExpandGuestsByBatchIdAction, ExportFileService, ExportGuestsAction, ExportPdfSmartparksTableAction, ExportSmartparkAction, FONT_BASE64, FacilityChangedAction, FacilityMenuService, FacilityModule, FacilityRemoteCommandExecutedAction, FacilityRemoteCommandTypesIcon, FacilityRemoteCommandsLocalizationKey, FacilityRemoteCommandsMenuItems, FacilityService, FacilityState, FieldLabelComponent, FieldValidationsComponent, FileGenerateMethod, FileSanitizerService, FileService, FilterByDeviceType, FilterDevicesByTypePipe, FilterDevicesByZonePipe, FilterKeysPipe, FilterNumbersPipe, FilterPipe, FlattenedCoreEntities, FloatMessageBarService, ForgotPasswordAction, ForgotPasswordTenantlessAction, FormValidationsComponent, FormattedInputDirective, FrequentParkingActionText, FrequentParkingErrorActionText, GATE_STATE_VALUE, GeneralActionService, GenerateSearchParamsDto, GetAllLocalizationsAction, GetAllLocalizationsMobileAction, GetLogoAction, GetMobileLogoAction, GetRateByIdAction, GetSpecialTransientTablesAction, GetUserSettingsByCategoryAction, GlobalErrorService, GlobalMessageContainerComponent, GroupPermissionsPipe, GuestModule, GuestSearchFieldSelectorText, GuestState, GuestTypeCastText, GuestTypesText, HOUR_FORMAT_12, HOUR_FORMAT_24, HOUR_FORMAT_FULL_DAY, HandleAlertsAction, HandleNotificationAction, HandledNotificationAction, HasActionErrored, HealthAction, HoldRelayMode, HoldRelayModeText, HopperStatusText, HotelGuestSearchFieldSelectorText, HttpCancelBlackListUrls, HttpCancelInterceptor, HttpCancelService, HumanizePipe, INPUT_SEARCH_DEBOUNCE_TIME, INPUT_SEARCH_DEBOUNCE_TIME_LOW, INPUT_SEARCH_DEBOUNCE_TIME_MEDIUM, IconColumnComponent, IconComponent, IconModule, IconsHelper, IconsHelperText, identityServiceProxies as Identity, ImportMonthyStastusFieldSelectorText, InitAddSmartparkConnectionAction, InitSMTPDetailsAction, InitSessionFromLocalStorageAction, InitSmartparkTransportAction, IntercomComponent, InternetConnectionService, InternetConnectionStatus, IsActionExecuting, IsEllipsisDirective, LOCAL_ENGLISH_LANGUAGE, LOCATION_OPTIONS, LOGGED_TENANT_KEY, LanguageTypeKeys, LayoutModule, LayoutState, Load2FAUserAction, LoadAccessProfileBaseZonesAction, LoadAccessProfileZoneAction, LoadAccessProfileZonesAction, LoadAccountManagementGuestGroupAction, LoadAccountManagementJobTitlesAction, LoadAdministrativeNotificationsAction, LoadAlertsAndNotificationsAction, LoadAppConfigurationAction, LoadAppConfigurationMobileAction, LoadBackofficeAppConfigurationAction, LoadBackofficeSmartparksTableAction, LoadBackofficeSpAndSparkVersionsAction, LoadBackofficeVarsAction, LoadCalculatorPriceAction, LoadCategoriesAction, LoadCcMainBaseZonesAction, LoadCcMainZonesAction, LoadColorsAction, LoadColorsAction1, LoadColorsAction2, LoadColorsAction3, LoadColorsAction4, LoadColorsAction5, LoadDeviceAction, LoadDeviceEventActivitiesAction, LoadDeviceEventsAction, LoadDeviceEventsCollapse, LoadDeviceLprTransactionsAction, LoadDeviceStatusAction, LoadDevicesAction, LoadDevicesByTypeAction, LoadDynamicPricingBaseZonesAction, LoadDynamicPricingZoneAction, LoadEventActivitiesCollapse, LoadFacilityAction, LoadFacilityRemoteCommandsRefAction, LoadGuestByIdAction, LoadGuestProfilesAction, LoadGuestsAction, LoadGuestsByBatchIdAction, LoadGuestsByBatchIdCancelledAction, LoadLocateTicketSearchAction, LoadLocatedTicketAction, LoadLprTransactionsCollapse, LoadMacroCommandsAction, LoadMobileNotificationsAction, LoadMobileSmartparksBasicAction, LoadModelsAction, LoadModelsAction1, LoadModelsAction2, LoadModelsAction3, LoadModelsAction4, LoadModelsAction5, LoadOverflowPriceTableAction, LoadParkActivitiesAction, LoadParkDevicesAction, LoadParkerAction, LoadParkersAction, LoadParkingLotAction, LoadParksAction, LoadRateByIdAction, LoadRatesAction, LoadRemoteCommandsRefAction, LoadReportsBaseZonesAction, LoadReportsGuestGroupAction, LoadReportsJobTitlesAction, LoadReportsZoneAction, LoadReportsZonesAction, LoadSMTPDetailsAction, LoadSelectedDeviceAction, LoadSmartparksAction, LoadSmartparksBasicAction, LoadSmartparksDropdownAction, LoadSmartparksTableAction, LoadSpAndSparkVersionsAction, LoadStickerPriceTableAction, LoadTicketNumParkersAction, LoadTransientPriceTableAction, LoadUserPermissionsAction, LoadUsersAction, LoadUsersAdministrativeNotificationsAction, LoadValidationTypeAction, LoadVarsAction, LoadZsAction, LoadingOverlayComponent, LocalStorageMigrator, LocalStorageService, Localization, LocalizationModule, LocalizationResolver, LocalizationService, LocalizationState, LoginModule, LoginRequestAction, LoginService, LoginState, LoginSuccess, LogoComponent, LogoState, LogoutAction, LogoutMobileAction, LoopStatus, LowerCaseUrlSerializer, LprTransactionsChangedAction, LprTransactionsOptionsText, LprTransactionsSearchFieldSelectorText, MANUAL_ACTION_REASON_NAME_MAX_LENGTH, MAX_ALLOWED_BADGE_VALUE, MAX_ALLOWED_CURRENT_BALANCE, MAX_ALLOWED_DEDUCTION_VALUE, MAX_ALLOWED_GUEST_UNIT_QUANTITY, MAX_ALLOWED_IDENTIFIER_VALUE, MAX_ALLOWED_STARTING_PURSE_VALUE, MAX_CARDS, MAX_CAR_PLATES, MAX_EMAIL_CHARACTERS_LENGTH, MAX_EXPORT_RECORDS, MAX_HOTEL_ROOM_NUMBER_LENGTH, MAX_INT16_VALUE, MAX_INT32_VALUE, MAX_INTEGER_VALUE, MAX_LENGTH_BATCH_NAME, MAX_LENGTH_DESCRIPTION_50, MAX_LENGTH_DESCRIPTION_70, MAX_LENGTH_FOOTER, MAX_LENGTH_LEFT, MAX_LENGTH_LEFT_BACKWARD_COMPATIBILITY, MAX_LENGTH_MANUAL_TEXT, MAX_LENGTH_NAME_20, MAX_LENGTH_NAME_30, MAX_LENGTH_NAME_50, MAX_LENGTH_QUANTITY, MAX_LENGTH_REASON_DESCRIPTION, MAX_LENGTH_SERACH_TERM, MAX_LENGTH_SERACH_TERM_30, MAX_MOBILE_LENGTH, MAX_NUMBER_OF_NIGHTS, MAX_NUMBER_OF_ROW_IN_MENU, MAX_OCCUPANCY_VALUE, MAX_PERIOD_TIME, MAX_PLATE_ID_LENGTH, MAX_PRICE_NO_TIME_LIMIT_VALUE, MAX_PRICE_PERIOD_VALUE, MAX_REPEAT_COUNT_VALUE, MAX_RESULTS, MAX_ROLE_NAME_LENGTH, MAX_SP, MAX_TIME_RANGE_ITEMS_PER_KEY, MC_READER_ID, MESSAGE_BAR_DEFAULT_ID, MINIMUM_DROPDOWN_RESULTS_WITHOUT_SEARCH, MINIMUM_LENGTH_OPTIONS, MINUTES_PER_HOUR, MIN_ALLOWED_GUEST_UNIT_QUANTITY, MIN_LENGTH_QUANTITY, MIN_NUMBER_OF_ROW_IN_MENU, MIN_TIME_RANGE_ITEMS_PER_KEY, MOBILE_REFRESH_INFO, MSALGuardConfigFactory, MSALInstanceFactory, MSALInterceptorConfigFactory, MSLAuthService, MULTIPLE, MainModuleToSubModulesPermissionTypeMap, MatHintErrorDirective, MaxAllowedSurchargeAmount, MaxAllowedSurchargeMaxLimit, MaxAllowedSurchargeMinLimit, MaxDisplayTimeout, MaxIPV4TextLength, MaxSurchargeNameLength, MenuAppModuleLoadAction, MenuClearAction, MenuLoadAction, MenuService, MenuSubModuleClearAction, MenuSubModuleLoadAction, MessageBarComponent, MessageBarContainerComponent, MessageBarModule, MessageBarPosition, MessageBarService, MessageBarStatus, MiddayPeriod, MinAllowedSurchargeAmount, MinAllowedSurchargeMaxLimit, MinAllowedSurchargeMinLimit, MinDisplayTimeout, MobileAppSectionLabel, MobileAuthenticateMultipleTenantsAction, MobileCommandCenterModuleResolver, MobileLogoutAction, ModalButtonsWrapperComponent, ModalService, ModuleGuard, ModuleMenuBaseComponent, MonthlyRenewalSettingsActionTypesText, MonthlyRenewalSettingsActionTypesValueText, MonthlySearchFieldSelectorText, MslEventType, NONE_ACTIVE_BYTE, NONE_USER_ID, NO_RESULT, NativeElementInjectorDirective, NotSupportedBrowserGuard, NotSupportedBrowserPageComponent, NotificationChangedAction, NotificationClass, NotificationClassficationType, NotificationCloseAllButtonComponent, NotificationConfig, NotificationEventService, NotificationHPositions, NotificationModule, NotificationSeverityText, NotificationTypeLabelComponent, NotificationTypeText, NotificationVPositions, NotificationsModule, ONE_DAY_IN_MINUTES_VALUE, ONE_MINUTE_IN_MILLISECONDS, ONE_SECOND_IN_MILLISECONDS, OffScreenDirective, OpenIdAuthInitializeService, OpenIdAuthService, OpenIdAutheticateAction, Operator, OrderBy, OrderByPipe, OrderDirection$1 as OrderDirection, OrphanFacilitiesPipe, PARKER_SEARCH_AUTO_REDIRECT, PASSWORD_EXPIRED, PASSWORD_HISTORY_COUNT_OPTIONS, PREVENT_CLICK_ELEMENT_CLASSES, ParkActivitiesModule, ParkActivitiesState, ParkActivityChangedAction, ParkConnectionStatus, ParkConnectionStatusClass, ParkConnectionStatusText, ParkManagerModule, ParkManagerState, ParkService, ParkTimeService, ParkerSearchTerm, ParkerService, ParkerState, ParkerTagsText, ParkerTypesText, PasswordScore, PasswordStrengthService, PaymentSearchFieldSelectorText, PaymentServiceTypeText, PaymentsTypesText, PermissionGroupText, PermissionTypeSupportedVersionDictionary, PermissionTypeText, PermissionsService, PrintReceiptAction, ProfileTypeText, RATE_ID_WITH_VALUE_2, REDIRECT_URL, RELAY_2_VALUE, RELAY_3_VALUE, RELAY_4_VALUE, RESET_PASSWORD_EMAIL, RTL_LANGUAGES, RTObjectObject, RangeModes, RangeModesText, RateModule, RateState, RealtimeEventService, RealtimeResolver, ReceiptGeneratedAction, RefreshTokenService, RefreshTokenState, RelayStatus, ReloadParkerAction, RemoteCommandService, RemoteCommandTypesIcon, RemoteValidationModule, RemoteValidationState, RemoveExpiredAlertsAndNotificationsAction, ReportCategories, ReportCategoriesText, ReportMethodDictionary, ReportSectionMenu, ResendPendingAdminInvitationsAction, ResendUserInvitationAction, ResetRatesAction, RestartLinkComponent, RestartLinkModule, RestrictionLocationTypeText, RestrictionLocationTypeTextTable, RestrictionTypeText, RevenueService, RouteService, RowOperation, rpcServiceProxies as Rpc, SESSION, STATUS_CODE_SERVER_VALIDATION, STATUS_CODE_UNAUTHORIZED, STRING_ZERO, SUPER_PARK_ROUTE_KEY, SUPPORETD_RESTORE_TICKET_TYPES, SUPPORTED_CAR_ON_LOOP_DEVICE_TYPES, SUPPORTED_DEVICES_SCHEDULER, SUPPORTED_GATE_DEVICE_TYPES, SUPPORTED_LPR_TRANSACTIONS_DEVICE_TYPES, SUPPORTED_PAYMENT_FOR_ISF_TYPES, SUPPORTED_RESTORE_TICKET_DEVICE_TYPES, SUPPORTED_STATUS_DEVICE_TYPES, SUPPORTED_TICKET_INSIDE_DEVICE_TYPES, SYSTEM_ALERT_VALUE, SearchFacilitiesMode, SearchFieldSelectorText, SearchTicketAction, SearchValueHighlightComponent, SecurityModule, SecurityState, SelectDeviceAction, SelectParkAction, SelectSmartParkAction, SelectedRowAction, SendEmailFromEntityAction, SendEmailToGuest, SendGuestPassesToEmailAction, SendTestEmailAction, ServiceProxyModule, ServicesRunningStatusChangedAction, SessionState, SessionStorageService, SetBackofficeSmartParkVersionsAction, SetBasicMenuAction, SetDeviceEventsExpanded, SetDeviceRemoteCommandsMapAction, SetDeviceStatusAction, SetDeviceViewModeAction, SetEventActivitiesExpanded, SetFacilityRemoteCommandsMapAction, SetGuestsAction, SetLprTransactionsExpanded, SetMobileModeAction, SetParkActivitiesAction, SetRealTimeEventStatusAction, SetSearchTermAction, SetSelectedParkAction, SetSmartParkAction, SetSmartParkTableAction, SetSmartParkVersionsAction, SetSmartparkBasicAction, SetSmartparkBasicAllAction, SetStateAction, SetTFASetupAction, SetTenantUserAction, SetTicketIdentifierAction, SetUserNameAction, SetUserStatusAction, SetUsersAction, SetkeepMeLoggedInAction, SharedComponentsModule, SharedDirectivesModule, SharedModule, SharedPipesModule, SideNavSortBy, SidenavModule, SidenavState, SignalR, SignalRObject, SignalRRefreshTokenAction, SingleSignOnProviderText, SmartParkDeviceStatusChangedAction, SmartParkStatusText, SmartparkDateTimePipe, SmartparkDialogState, SmartparkModule, SmartparkService, SmartparkState, SortDevicesPipe, SortPipe, SparkNotification, SpecialDaysPipe, SpinnerDiameterSize, StaticMessageBarService, StatusIconComponent, StickerSearchFieldSelectorText, StopPropagationDirective, StringItPipe, SubModuleGuard, SubstrHightlightManyPipe, SubstrHightlightPipe, SubstrHightlightSinglePipe, SwallowUnitStatusText, SyncUsersAndRolesBySmartparkIdAction, TBFormatPipe, TBNumberDirective, TENANT_KEY, TENS_MULTIPLIER, TableRowHeightSizes, TableTypeText, TagLabelType, TenantClearAction, TenantLoadAction, TenantLogoModule, TenantService, TenantlessLoginMode, TibaDateFormat, TibaMatDialogConfig, TibaRetryPolicy, TibaValidators, TicketService, TimeAgoPipe, TimeElapsedCounterComponent, TimeElapsedFormats, TimeElapsedPipe, TimeRangeFormats, TimeRangePipe, ToggleDrawerAction, ToggleDrawerCollapseAction, TooltipPositions, TrackAction, TransientParkingActionText, TranslateLocalPipe, TreeFilterKeysPipe, TreeMode, TypeCastText, UNSAVED_DATA, USER_IS_TEMPORARY_BLOCKED, UnloadParkingLotAction, UpdateAndActivateUserAction, UpdateAuthTokenAction, UpdateBasicGuestAction, UpdateDocumentAction, UpdateGuestAction, UpdateGuestLocationAction, UpdateMobileMode, UpdateSmartparkAction, UpdateTenantInfoProps, UpdateTenantSingleSignOnAction, UpdateTicketPlateIdAction, UpdateUserAlertsPreferencesAction, UpdateUserNotificaitonsPreferencesAction, UpdateUserSettingsAction, UpdateUserSettingsInSessionAction, UpdateUserSettingsMobileAction, UploadLogoAction, UserCreationType, UserModule, UserSettingsModule, UserSettingsState, UserState, VALIDATION_TYPE_BY_HOURS_41, VALIDATION_TYPE_BY_HOURS_42, VALID_TIME_MAX_LENGTH, VERSION_10_1_0, VERSION_10_2_0, VERSION_10_2_1, VERSION_10_3_0, VERSION_10_3_9, VERSION_10_4_0, VERSION_25_1_0, VERSION_25_2_0, VERSION_25_2_1, VERSION_25_3_0, VERSION_25_3_1, VERSION_25_4_0, VERSION_7_4_0, VERSION_7_4_1, VERSION_8_1_0, VERSION_8_2_0, VERSION_8_3_0, VERSION_8_4_0, VERSION_9_1_0, VERSION_9_2_0, VERSION_9_2_2, VERSION_9_3_0, VERSION_9_4_0, VERSION_V1, VGuestWithBatchTableData, ValidateUserTokenAction, ValidationService, ValidationStickerType, ValidationTypeModule, ValidationTypeState, VarDirective, Verify2FactorAuthenticationAction, VersionMobileResolver, VirtualValidationStatusText, WrapFnPipe, ZerofyNegativePipe, ZoneChangedAction, ZoneModule, ZoneState, accountModuleAnimation, adjustForTimezone, allowSpecialKeys, alphanumericRegex, appModuleAnimation, areDatesIdentical, areVersionsCompatible, arrayEquals, arraysAreDifferent, baseReduce, blobToBase64, buildMessageInfos, buildMessages, camelize, canceled, capitalizeFirstLetter, compareValues, convert24HoursToAmPM, convertAmPmTo24Hours, convertBinaryToDecimal, convertCentToWholeCoin, convertDecimalToBinary, convertFeaturePermissionsToDictionary, convertFormatWithoutTime, convertWholeCoinToCent, createDescriptor, createMessageText, dateDiffInSeconds, days, daysTranslation, decimalNumberRegex, decimalPercentageRegex, decimalPositiveNumberRegex, decryptClientSecret, delayCancellation, deviceIndicationStatusLocalization, deviceTypeFilterOptions, diffInMillis, dispatched, distinctObjectByProperties, distinctObjectByProperty, downloadFile, ensureObjectMetadata, entryDevicesLaneTypes, errored, exitDevicesLaneTypes, extractErrorsChanges, extractNumber, extractResetChanges, extractSetValueChanges, extractToggleStatusChanges, extractTouchedChanges, extractUpdateValueAndValidityChanges, filterDevicesByTypes, filterKeyValueBaseReduce, findChildRoute, findObjectDifferences, findParentElement, findParentElementDimensions, findParentRoute, findParentRouteConfig, flattenByKey, formatMinutesToTimeNumber, formatTimeToMinutes, formatTimeToString, formatTimeWithMidnight, formatTimeWithSeparator, formatTimeWithoutMidnight, formatTimeWithoutSeparator, formatTimeWithoutSeperatorAndWithMidnight, formatTimeWithoutSeperatorAndWithoutMidnight, getActivatedRoutePathSegment, getAddress, getCurrentLang, getDateTimeInSeconds, getDateWithoutTime, getDaysFromValue, getDefaultDeviceStatus, getFormattedTime, getMomenWithTime, getMomentNullable, getMomentWithoutTime, getNavigationRoute, getObjectMetadata, getParkerTypesText, getPasswordMinimalLength, getSecondsBackoff, getTooltipTextByParkerType, getUserTimeZone, getUtcMomentNullable, hasMiddayPeriod, hasMonthName, hasRequiredField, hasValue, humanizeTimeElapsed, humanizeUtcTimeElapsed, identity, initializeMsal, initializeOpenId, integerNumberRegex, integerPositiveNumberRegex, ipv4Regex, isBoolean, isCharacterLengthValid, isDefinedAndNotEmpty, isDeviceActive, isDeviceInFilterDeviceTypes, isDeviceInFiltersDeviceTypes, isFalsy, isIOSDevice, isMaxDaysRangeValid, isNullOrEmpty, isNumber, isObjectEmpty, isSearchFieldChanged, isSingularOrPlural, isTrueInBinary, isTruthy, isVersionGreaterThanEqual, loadHTMLContent, lowerCase, lowerCaseFirstLetter, mapTransientTags, markEntitiesAsChanged, markEntityAsUnchanged, matchesDeviceCriteria, matchesDeviceParkingLotCriteria, matchesDevicesParkingLotCriteria, minutesToTime, mobileRegex, nameof, navigateToForbiddenAccessPage, navigateToNotSupportedBrowserPage, noEmojiRegex, notificationAnimation, numberWithLeadingZero, objectKeystoLowerCase, ofStatus, omitKeys, openBackgroundIframe, openCloseFiltersAnimation, parentParkBaseEventTypes, parentParkEventTypes, parkBaseEventTypes, parkEventTypes, parkerEnumToText, parseApiErrorData, parseApiErrorMessage, parseDateTimeToSparkParkTime, parseSmartParkTime, passwordRegex, percentageRegex, printSpecialDaysText, printStackTrace, readjustForTimezone, regexExp, remoteCommandLocalizationMap, replaceAll, rtEventPermissions, safeParse, searchBarPopupAnimation, setErrorMessage, shortDaysTranslation, sleep, slideFromBottom, slideFromRight, slideFromUp, slideUpDown, successful, timeToMinutes, timeToMoment, toInt, toNumberMap, toStringMap, wrapConstructor };
118421
+ export { ACCESS_PROFILE_DAT_TYPES_SP, ACTIVE_BYTE, ADVANCED_OPTIONS_VALUE, AES_DEFAULT_IV, ALERT_NOTIFICATION_CONTAINER, ALLOWED_FILES_FORMATS, ALLOWED_FILES_MAX_SIZE_MB, ALLOWED_FILES__SIZE_200_KB, ALLOWED_FILES__SIZE_2_MB, ALLOWED_NUMBER_OF_DAYS, ALLOWED_UPLOAD_FILES_QUANTITY, ALL_DAYS_IN_BINARY, ALL_DAYS_IN_BYTE, AccessProfileChangeValidTypesText, AccessProfileDayTypesText, AccessProfileRestrictionTypesText, AccessProfileShortDayTypesText, AccessProfileSpecialDaysMap, AccessProfileTypesText, AccountFrameMessageBarComponent, AccountLinkedEntitiesText, AccountLinkedEntityText, AccountSetPasswordAction, AccountSetPasswordErrorAction, AccountSetPasswordInitAction, ActionStatusService, AddSmartparkAction, AddUserAction, AdministrativeNotificationEntityType, AdministrativeNotificationsModule, AdministrativeNotificationsState, AggregatedStatusText, AlertChangedAction, AlertNotificationBorderClass, AlertNotificationClassificationMap, AlertNotificationComponent, AlertNotificationService, AlertsAndNotificationsService, AlertsAndNotificationsState, AlertsDeviceTypeLabel, AlertsDeviceTypeOptions, AlertsDeviceTypeOptionsMapping, AmountStepSurchargeMinLimit, AnalyticsCommandsText, AnalyticsEventsText, AnalyticsService, AnalyticsSourceComponent, AnalyticsSourceProps, AppConfigService, AppModuleService, AppModuleToMainPermissionTypeMap, AppSectionLabel, AppSectionModuleMenu, AppSectionRoute, AppSettingsService, AppType, AuditActionTypeText, AuditLogoutAction, AuditLogoutMobileAction, AuthModule, AuthRouteGuard, AuthService, AuthTokenService, Authenticate2FAforUser, AuthenticateMultipleTenantsAction, AutofocusDirective, BOM_UNICODE, BackofficeAutheticateAction, BarcodeTypeLength, BarrireStateText, BaseComponent, BaseDeviceItemComponent, BaseDeviceService, BaseFacilityCommandsService, BaseNotificationService, BillDispenserStatusText, BillTypeText, BillValidatorStatusText, ButtonStatus, CANCEL_ALL_RELAY_VALUE, CLogItPipe, COLORS, CREDIT_CARD_POSTFIX_LENGTH, CalculatorModule, CalculatorState, CanDeactivateService, CarModule, CarState, CassetteStatusText, CentToCoinPipe, ChangeLanguageAction, ChangeMobileLanguageAction, ChangePasswordAction, ChangePasswordMobileAction, ChartLayout, CleanLogoAction, ClearAdministrativeNotificationsAction, ClearAdministrativeNotificationsByEntityTypeAction, ClearAlertsAndNotificationsAction, ClearBaseZonesAction, ClearCalculatorPriceAction, ClearCategoriesAction, ClearColorsAction, ClearConflictDetected, ClearDeviceAction, ClearDeviceEventsExpanded, ClearDevicesAction, ClearEventActivitiesExpanded, ClearFacilityDictionaryAction, ClearGroupsAction, ClearGuestAction, ClearGuestProfilesAction, ClearGuestsListAction, ClearHandledGuest, ClearInactiveSelectedParkAction, ClearJobTitlesAction, ClearLocateTicketSearchAction, ClearLocatedTicketAction, ClearLprTransactionsExpanded, ClearMacroCommandsAction, ClearModelsAction, ClearParkerAction, ClearRateAction, ClearSearchResultsAction, ClearSearchTermAction, ClearSearchTicketAction, ClearSelectedFacilityAction, ClearSelectedParkAction, ClearSelectedRow, ClearSelectedSmartparkAction, ClearSmartparksBasicAction, ClearSpAndSparkVersionsAction, ClearSpecialTransientTablesAction, ClearSuspendedParkActivitiesAction, ClearUserSettingsByCategoryAction, ClearUsersAction, ClearValidationTypesAction, ClearZoneAction, ClearZonesAction, ClearZsAction, cloudServiceProxies as Cloud, CloudConfirmDialogComponent, CofCredentialSubTypeText, CoinStatusText, CollapsedGuestsByBatchIdAction, ComAggregatedStatus, ComAggregatedStatusText, ComStatusIconComponent, CommandCenterModuleResolver, CommandNotificationBorderClass, CommandNotificationComponent, CommandNotificationDisplayCase, CommandNotificationService, CommandNotificationType, CommandsLocalizationKey, CommonPagesModule, CompanyService, ConfigMobileResolver, ConfigResolver, ConnectSmartparkAction, ContainerRefDirective, CoreEntities, CouponSearchFieldSelectorText, CreateBasicBatchAction, CreateBasicGuestAction, CreateBatchAction, CreateColorAction, CreateGuestAction, CreateModelAction, CreateOrUpdateSMTPDetailsAction, CredentialTypeText, CreditCardTypeText, CrudOperationText, CurlyToBoldPipe, DATA_IMAGE_BASE64_PREFIX, DATA_IMAGE_BASE64_SVG_PREFIX, DEFAULT_DATE_FORMAT, DEFAULT_EXPIRATION_MONTHS_COUNT, DEFAULT_MINIMUM_LENGTH, DEFAULT_PASSWORD_HISTORY_COUNT, DEFAULT_PERMITTED_CREDENTIALS, DEFAULT_SMART_PARK_DATE_TIME, DEFAULT_SORT_MENU, DEFAULT_STICKER_NUM, DEVICE_EVENT_OPTIONS_KEY, DEVICE_NAVIGATE_KEY, DISABLED_FOCUS_ELEMENT_CLASSES, DISABLED_FOCUS_ELEMENT_TYPES, DYNAMIC_PRICING_CONDITION, DataQaAttribute, DateService, DateValidityText, DaysText, DecimalToAmountPipe, DecimalToCurrencyPipe, DefaultImageTimeout, DeleteGuestAction, DeleteLogoAction, DeleteUserAction, DetectBrowserService, DeviceActivityChangedAction, DeviceActivityLabel, DeviceActivityMode, DeviceActivityModeText, DeviceActivityStatus, DeviceActivityType, DeviceAggregatedStatus, DeviceAggregatedStatusText, DeviceEventChangedAction, DeviceIconComponent, DeviceIndicationStatus, DeviceLaneTypes, DeviceLoop, DeviceModule, DevicePipeModule, DevicePrinterStatusText, DeviceRemoteCommandsService, DeviceSortBy, DeviceStatusBaseComponent, DeviceStatusChangedAction, DeviceTypeIconName, DeviceTypeText, DeviceTypesAlertsMapping, DevicesViewMode, DialogMode, DipSwitchStatus, Disable2FAAction, DisconnectSmartParkAction, DoorSensorStatus, DoorStatusText, DurationMessageBar, DynamicContainerComponent, DynamicEllipsisTooltipDirective, ENGLISH_LANGUAGE, ENVIRONMENT, EXPIRATION_MONTHS_COUNT_OPTIONS, edgeServiceProxies as Edge, EditUserAction, ElectronicWalletPaymentMethodTypesText, EllipsisMultilineDirective, EmailServerModule, EmailServerState, EmptyResultsComponent, Enable2FAAction, EnumsToArrayPipe, EnvironmentModeText, ErrorPageComponent, ErrorPageResolver, ErrorResultsComponent, ExceedingBehaviorTypeText, ExpandGuestsByBatchIdAction, ExportFileService, ExportGuestsAction, ExportPdfSmartparksTableAction, ExportSmartparkAction, FONT_BASE64, FacilityChangedAction, FacilityMenuService, FacilityModule, FacilityRemoteCommandExecutedAction, FacilityRemoteCommandTypesIcon, FacilityRemoteCommandsLocalizationKey, FacilityRemoteCommandsMenuItems, FacilityService, FacilityState, FieldLabelComponent, FieldValidationsComponent, FileGenerateMethod, FileSanitizerService, FileService, FilterByDeviceType, FilterDevicesByTypePipe, FilterDevicesByZonePipe, FilterKeysPipe, FilterNumbersPipe, FilterPipe, FlattenedCoreEntities, FloatMessageBarService, ForgotPasswordAction, ForgotPasswordTenantlessAction, FormValidationsComponent, FormattedInputDirective, FrequentParkingActionText, FrequentParkingErrorActionText, GATE_STATE_VALUE, GeneralActionService, GenerateSearchParamsDto, GetAllLocalizationsAction, GetAllLocalizationsMobileAction, GetLogoAction, GetMobileLogoAction, GetRateByIdAction, GetSpecialTransientTablesAction, GetUserSettingsByCategoryAction, GlobalErrorService, GlobalMessageContainerComponent, GroupPermissionsPipe, GuestModule, GuestSearchFieldSelectorText, GuestState, GuestTypeCastText, GuestTypesText, HOUR_FORMAT_12, HOUR_FORMAT_24, HOUR_FORMAT_FULL_DAY, HandleAlertsAction, HandleNotificationAction, HandledNotificationAction, HasActionErrored, HealthAction, HoldRelayMode, HoldRelayModeText, HopperStatusText, HotelGuestSearchFieldSelectorText, HttpCancelBlackListUrls, HttpCancelInterceptor, HttpCancelService, HumanizePipe, INPUT_SEARCH_DEBOUNCE_TIME, INPUT_SEARCH_DEBOUNCE_TIME_LOW, INPUT_SEARCH_DEBOUNCE_TIME_MEDIUM, IconColumnComponent, IconComponent, IconModule, IconsHelper, IconsHelperText, identityServiceProxies as Identity, ImportMonthyStastusFieldSelectorText, InitAddSmartparkConnectionAction, InitSMTPDetailsAction, InitSessionFromLocalStorageAction, InitSmartparkTransportAction, IntercomComponent, InternetConnectionService, InternetConnectionStatus, IsActionExecuting, IsEllipsisDirective, LOCAL_ENGLISH_LANGUAGE, LOCATION_OPTIONS, LOGGED_TENANT_KEY, LanguageTypeKeys, LayoutModule, LayoutState, Load2FAUserAction, LoadAccessProfileBaseZonesAction, LoadAccessProfileZoneAction, LoadAccessProfileZonesAction, LoadAccountManagementGuestGroupAction, LoadAccountManagementJobTitlesAction, LoadAdministrativeNotificationsAction, LoadAlertsAndNotificationsAction, LoadAppConfigurationAction, LoadAppConfigurationMobileAction, LoadBackofficeAppConfigurationAction, LoadBackofficeSmartparksTableAction, LoadBackofficeSpAndSparkVersionsAction, LoadBackofficeVarsAction, LoadCalculatorPriceAction, LoadCategoriesAction, LoadCcMainBaseZonesAction, LoadCcMainZonesAction, LoadColorsAction, LoadColorsAction1, LoadColorsAction2, LoadColorsAction3, LoadColorsAction4, LoadColorsAction5, LoadDeviceAction, LoadDeviceEventActivitiesAction, LoadDeviceEventsAction, LoadDeviceEventsCollapse, LoadDeviceLprTransactionsAction, LoadDeviceStatusAction, LoadDevicesAction, LoadDevicesByTypeAction, LoadDynamicPricingBaseZonesAction, LoadDynamicPricingZoneAction, LoadEventActivitiesCollapse, LoadFacilityAction, LoadFacilityRemoteCommandsRefAction, LoadGuestByIdAction, LoadGuestProfilesAction, LoadGuestsAction, LoadGuestsByBatchIdAction, LoadGuestsByBatchIdCancelledAction, LoadLocateTicketSearchAction, LoadLocatedTicketAction, LoadLprTransactionsCollapse, LoadMacroCommandsAction, LoadMobileNotificationsAction, LoadMobileSmartparksBasicAction, LoadModelsAction, LoadModelsAction1, LoadModelsAction2, LoadModelsAction3, LoadModelsAction4, LoadModelsAction5, LoadOverflowPriceTableAction, LoadParkActivitiesAction, LoadParkDevicesAction, LoadParkerAction, LoadParkersAction, LoadParkingLotAction, LoadParksAction, LoadRateByIdAction, LoadRatesAction, LoadRemoteCommandsRefAction, LoadReportsBaseZonesAction, LoadReportsGuestGroupAction, LoadReportsJobTitlesAction, LoadReportsZoneAction, LoadReportsZonesAction, LoadSMTPDetailsAction, LoadSelectedDeviceAction, LoadSmartparksAction, LoadSmartparksBasicAction, LoadSmartparksDropdownAction, LoadSmartparksTableAction, LoadSpAndSparkVersionsAction, LoadStickerPriceTableAction, LoadTicketNumParkersAction, LoadTransientPriceTableAction, LoadUserPermissionsAction, LoadUsersAction, LoadUsersAdministrativeNotificationsAction, LoadValidationTypeAction, LoadVarsAction, LoadZsAction, LoadingOverlayComponent, LocalStorageMigrator, LocalStorageService, Localization, LocalizationModule, LocalizationResolver, LocalizationService, LocalizationState, LoginModule, LoginRequestAction, LoginService, LoginState, LoginSuccess, LogoComponent, LogoState, LogoutAction, LogoutMobileAction, LoopStatus, LowerCaseUrlSerializer, LprTransactionsChangedAction, LprTransactionsOptionsText, LprTransactionsSearchFieldSelectorText, MANUAL_ACTION_REASON_NAME_MAX_LENGTH, MAX_ALLOWED_BADGE_VALUE, MAX_ALLOWED_CURRENT_BALANCE, MAX_ALLOWED_DEDUCTION_VALUE, MAX_ALLOWED_GUEST_UNIT_QUANTITY, MAX_ALLOWED_IDENTIFIER_VALUE, MAX_ALLOWED_STARTING_PURSE_VALUE, MAX_CARDS, MAX_CAR_PLATES, MAX_EMAIL_CHARACTERS_LENGTH, MAX_EXPORT_RECORDS, MAX_HOTEL_ROOM_NUMBER_LENGTH, MAX_INT16_VALUE, MAX_INT32_VALUE, MAX_INTEGER_VALUE, MAX_LENGTH_BATCH_NAME, MAX_LENGTH_DESCRIPTION_50, MAX_LENGTH_DESCRIPTION_70, MAX_LENGTH_FOOTER, MAX_LENGTH_LEFT, MAX_LENGTH_LEFT_BACKWARD_COMPATIBILITY, MAX_LENGTH_MANUAL_TEXT, MAX_LENGTH_NAME_20, MAX_LENGTH_NAME_30, MAX_LENGTH_NAME_50, MAX_LENGTH_QUANTITY, MAX_LENGTH_REASON_DESCRIPTION, MAX_LENGTH_SERACH_TERM, MAX_LENGTH_SERACH_TERM_30, MAX_MOBILE_LENGTH, MAX_NUMBER_OF_NIGHTS, MAX_NUMBER_OF_ROW_IN_MENU, MAX_OCCUPANCY_VALUE, MAX_PERIOD_TIME, MAX_PLATE_ID_LENGTH, MAX_PRICE_NO_TIME_LIMIT_VALUE, MAX_PRICE_PERIOD_VALUE, MAX_REPEAT_COUNT_VALUE, MAX_RESULTS, MAX_ROLE_NAME_LENGTH, MAX_SP, MAX_TIME_RANGE_ITEMS_PER_KEY, MC_READER_ID, MESSAGE_BAR_DEFAULT_ID, MINIMUM_DROPDOWN_RESULTS_WITHOUT_SEARCH, MINIMUM_LENGTH_OPTIONS, MINUTES_PER_HOUR, MIN_ALLOWED_GUEST_UNIT_QUANTITY, MIN_LENGTH_QUANTITY, MIN_NUMBER_OF_ROW_IN_MENU, MIN_TIME_RANGE_ITEMS_PER_KEY, MOBILE_REFRESH_INFO, MSALGuardConfigFactory, MSALInstanceFactory, MSALInterceptorConfigFactory, MSLAuthService, MULTIPLE, MainModuleToSubModulesPermissionTypeMap, MatHintErrorDirective, MaxAllowedSurchargeAmount, MaxAllowedSurchargeMaxLimit, MaxAllowedSurchargeMinLimit, MaxDisplayTimeout, MaxIPV4TextLength, MaxSurchargeNameLength, MenuAppModuleLoadAction, MenuClearAction, MenuLoadAction, MenuService, MenuSubModuleClearAction, MenuSubModuleLoadAction, MessageBarComponent, MessageBarContainerComponent, MessageBarModule, MessageBarPosition, MessageBarService, MessageBarStatus, MiddayPeriod, MinAllowedSurchargeAmount, MinAllowedSurchargeMaxLimit, MinAllowedSurchargeMinLimit, MinDisplayTimeout, MobileAppSectionLabel, MobileAuthenticateMultipleTenantsAction, MobileCommandCenterModuleResolver, MobileLogoutAction, ModalButtonsWrapperComponent, ModalService, ModuleGuard, ModuleMenuBaseComponent, MonthlyRenewalSettingsActionTypesText, MonthlyRenewalSettingsActionTypesValueText, MonthlySearchFieldSelectorText, MslEventType, NONE_ACTIVE_BYTE, NONE_USER_ID, NO_RESULT, NativeElementInjectorDirective, NotSupportedBrowserGuard, NotSupportedBrowserPageComponent, NotificationChangedAction, NotificationClass, NotificationClassficationType, NotificationCloseAllButtonComponent, NotificationConfig, NotificationEventService, NotificationHPositions, NotificationModule, NotificationSeverityText, NotificationTypeLabelComponent, NotificationTypeText, NotificationVPositions, NotificationsModule, ONE_DAY_IN_MINUTES_VALUE, ONE_MINUTE_IN_MILLISECONDS, ONE_SECOND_IN_MILLISECONDS, OffScreenDirective, OpenIdAuthInitializeService, OpenIdAuthService, OpenIdAutheticateAction, Operator, OrderBy, OrderByPipe, OrderDirection$1 as OrderDirection, OrphanFacilitiesPipe, PARKER_SEARCH_AUTO_REDIRECT, PASSWORD_EXPIRED, PASSWORD_HISTORY_COUNT_OPTIONS, PREVENT_CLICK_ELEMENT_CLASSES, ParkActivitiesModule, ParkActivitiesState, ParkActivityChangedAction, ParkConnectionStatus, ParkConnectionStatusClass, ParkConnectionStatusText, ParkManagerModule, ParkManagerState, ParkService, ParkTimeService, ParkerSearchTerm, ParkerService, ParkerState, ParkerTagsText, ParkerTypesText, PasswordScore, PasswordStrengthService, PaymentSearchFieldSelectorText, PaymentServiceTypeText, PaymentsTypesText, PermissionGroupText, PermissionTypeSupportedVersionDictionary, PermissionTypeText, PermissionsService, PrintReceiptAction, ProfileTypeText, RATE_ID_WITH_VALUE_2, REDIRECT_URL, RELAY_2_VALUE, RELAY_3_VALUE, RELAY_4_VALUE, RESET_PASSWORD_EMAIL, RTL_LANGUAGES, RTObjectObject, RangeModes, RangeModesText, RateModule, RateState, RealtimeEventService, RealtimeResolver, ReceiptGeneratedAction, RefreshTokenService, RefreshTokenState, RelayStatus, ReloadParkerAction, RemoteCommandService, RemoteCommandTypesIcon, RemoteValidationModule, RemoteValidationState, RemoveExpiredAlertsAndNotificationsAction, ReportCategories, ReportCategoriesText, ReportMethodDictionary, ReportSectionMenu, ResendPendingAdminInvitationsAction, ResendUserInvitationAction, ResetRatesAction, RestartLinkComponent, RestartLinkModule, RestrictionLocationTypeText, RestrictionLocationTypeTextTable, RestrictionTypeText, RevenueService, RouteService, RowOperation, rpcServiceProxies as Rpc, SESSION, STATUS_CODE_SERVER_VALIDATION, STATUS_CODE_UNAUTHORIZED, STRING_ZERO, SUPER_PARK_ROUTE_KEY, SUPPORETD_RESTORE_TICKET_TYPES, SUPPORTED_CAR_ON_LOOP_DEVICE_TYPES, SUPPORTED_DEVICES_SCHEDULER, SUPPORTED_GATE_DEVICE_TYPES, SUPPORTED_LPR_TRANSACTIONS_DEVICE_TYPES, SUPPORTED_PAYMENT_FOR_ISF_TYPES, SUPPORTED_RESTORE_TICKET_DEVICE_TYPES, SUPPORTED_STATUS_DEVICE_TYPES, SUPPORTED_TICKET_INSIDE_DEVICE_TYPES, SYSTEM_ALERT_VALUE, SearchFacilitiesMode, SearchFieldSelectorText, SearchTicketAction, SearchValueHighlightComponent, SecurityModule, SecurityState, SelectDeviceAction, SelectParkAction, SelectSmartParkAction, SelectedRowAction, SendEmailFromEntityAction, SendEmailToGuest, SendGuestPassesToEmailAction, SendTestEmailAction, ServiceProxyModule, ServicesRunningStatusChangedAction, SessionState, SessionStorageService, SetBackofficeSmartParkVersionsAction, SetBasicMenuAction, SetConflictDetected, SetDeviceEventsExpanded, SetDeviceRemoteCommandsMapAction, SetDeviceStatusAction, SetDeviceViewModeAction, SetEventActivitiesExpanded, SetFacilityRemoteCommandsMapAction, SetGuestsAction, SetLprTransactionsExpanded, SetMobileModeAction, SetParkActivitiesAction, SetRealTimeEventStatusAction, SetSearchTermAction, SetSelectedParkAction, SetSmartParkAction, SetSmartParkTableAction, SetSmartParkVersionsAction, SetSmartparkBasicAction, SetSmartparkBasicAllAction, SetStateAction, SetTFASetupAction, SetTenantUserAction, SetTicketIdentifierAction, SetUserNameAction, SetUserStatusAction, SetUsersAction, SetkeepMeLoggedInAction, SharedComponentsModule, SharedDirectivesModule, SharedModule, SharedPipesModule, SideNavSortBy, SidenavModule, SidenavState, SignalR, SignalRObject, SignalRRefreshTokenAction, SingleSignOnProviderText, SmartParkDeviceStatusChangedAction, SmartParkStatusText, SmartparkDateTimePipe, SmartparkDialogState, SmartparkModule, SmartparkService, SmartparkState, SortDevicesPipe, SortPipe, SparkNotification, SpecialDaysPipe, SpinnerDiameterSize, StaticMessageBarService, StatusIconComponent, StickerSearchFieldSelectorText, StopPropagationDirective, StringItPipe, SubModuleGuard, SubstrHightlightManyPipe, SubstrHightlightPipe, SubstrHightlightSinglePipe, SwallowUnitStatusText, SyncUsersAndRolesBySmartparkIdAction, TBFormatPipe, TBNumberDirective, TENANT_KEY, TENS_MULTIPLIER, TableRowHeightSizes, TableTypeText, TagLabelType, TenantClearAction, TenantLoadAction, TenantLogoModule, TenantService, TenantlessLoginMode, TibaDateFormat, TibaMatDialogConfig, TibaRetryPolicy, TibaValidators, TicketService, TimeAgoPipe, TimeElapsedCounterComponent, TimeElapsedFormats, TimeElapsedPipe, TimeRangeFormats, TimeRangePipe, ToggleDrawerAction, ToggleDrawerCollapseAction, TooltipPositions, TrackAction, TransientParkingActionText, TranslateLocalPipe, TreeFilterKeysPipe, TreeMode, TypeCastText, UNSAVED_DATA, USER_IS_TEMPORARY_BLOCKED, UnloadParkingLotAction, UpdateAndActivateUserAction, UpdateAuthTokenAction, UpdateBasicGuestAction, UpdateDocumentAction, UpdateGuestAction, UpdateGuestLocationAction, UpdateMobileMode, UpdateSmartparkAction, UpdateTenantInfoProps, UpdateTenantSingleSignOnAction, UpdateTicketPlateIdAction, UpdateUserAlertsPreferencesAction, UpdateUserNotificaitonsPreferencesAction, UpdateUserSettingsAction, UpdateUserSettingsInSessionAction, UpdateUserSettingsMobileAction, UploadLogoAction, UserCreationType, UserModule, UserSettingsModule, UserSettingsState, UserState, VALIDATION_TYPE_BY_HOURS_41, VALIDATION_TYPE_BY_HOURS_42, VALID_TIME_MAX_LENGTH, VERSION_10_1_0, VERSION_10_2_0, VERSION_10_2_1, VERSION_10_3_0, VERSION_10_3_9, VERSION_10_4_0, VERSION_25_1_0, VERSION_25_2_0, VERSION_25_2_1, VERSION_25_3_0, VERSION_25_3_1, VERSION_25_4_0, VERSION_7_4_0, VERSION_7_4_1, VERSION_8_1_0, VERSION_8_2_0, VERSION_8_3_0, VERSION_8_4_0, VERSION_9_1_0, VERSION_9_2_0, VERSION_9_2_2, VERSION_9_3_0, VERSION_9_4_0, VERSION_V1, VERSION_V2, VGuestWithBatchTableData, ValidateUserTokenAction, ValidationService, ValidationStickerType, ValidationTypeModule, ValidationTypeState, VarDirective, Verify2FactorAuthenticationAction, VersionMobileResolver, VirtualValidationStatusText, WrapFnPipe, ZerofyNegativePipe, ZoneChangedAction, ZoneModule, ZoneState, accountModuleAnimation, adjustForTimezone, allowSpecialKeys, alphanumericRegex, appModuleAnimation, areDatesIdentical, areVersionsCompatible, arrayEquals, arraysAreDifferent, baseReduce, blobToBase64, buildMessageInfos, buildMessages, camelize, canceled, capitalizeFirstLetter, compareValues, convert24HoursToAmPM, convertAmPmTo24Hours, convertBinaryToDecimal, convertCentToWholeCoin, convertDecimalToBinary, convertFeaturePermissionsToDictionary, convertFormatWithoutTime, convertWholeCoinToCent, createDescriptor, createMessageText, dateDiffInSeconds, days, daysTranslation, decimalNumberRegex, decimalPercentageRegex, decimalPositiveNumberRegex, decryptClientSecret, delayCancellation, deviceIndicationStatusLocalization, deviceTypeFilterOptions, diffInMillis, dispatched, distinctObjectByProperties, distinctObjectByProperty, downloadFile, ensureObjectMetadata, entryDevicesLaneTypes, errored, exitDevicesLaneTypes, extractErrorsChanges, extractNumber, extractResetChanges, extractSetValueChanges, extractToggleStatusChanges, extractTouchedChanges, extractUpdateValueAndValidityChanges, filterDevicesByTypes, filterKeyValueBaseReduce, findChildRoute, findObjectDifferences, findParentElement, findParentElementDimensions, findParentRoute, findParentRouteConfig, flattenByKey, formatMinutesToTimeNumber, formatTimeToMinutes, formatTimeToString, formatTimeWithMidnight, formatTimeWithSeparator, formatTimeWithoutMidnight, formatTimeWithoutSeparator, formatTimeWithoutSeperatorAndWithMidnight, formatTimeWithoutSeperatorAndWithoutMidnight, getActivatedRoutePathSegment, getAddress, getCurrentLang, getDateTimeInSeconds, getDateWithoutTime, getDaysFromValue, getDefaultDeviceStatus, getFormattedTime, getMomenWithTime, getMomentNullable, getMomentWithoutTime, getNavigationRoute, getObjectMetadata, getParkerTypesText, getPasswordMinimalLength, getSecondsBackoff, getTooltipTextByParkerType, getUserTimeZone, getUtcMomentNullable, hasMiddayPeriod, hasMonthName, hasRequiredField, hasValue, humanizeTimeElapsed, humanizeUtcTimeElapsed, identity, initializeMsal, initializeOpenId, integerNumberRegex, integerPositiveNumberRegex, ipv4Regex, isBoolean, isCharacterLengthValid, isDefinedAndNotEmpty, isDeviceActive, isDeviceInFilterDeviceTypes, isDeviceInFiltersDeviceTypes, isFalsy, isIOSDevice, isMaxDaysRangeValid, isNullOrEmpty, isNumber, isObjectEmpty, isSearchFieldChanged, isSingularOrPlural, isTrueInBinary, isTruthy, isVersionGreaterThanEqual, loadHTMLContent, lowerCase, lowerCaseFirstLetter, mapTransientTags, markEntitiesAsChanged, markEntityAsUnchanged, matchesDeviceCriteria, matchesDeviceParkingLotCriteria, matchesDevicesParkingLotCriteria, minutesToTime, mobileRegex, nameof, navigateToForbiddenAccessPage, navigateToNotSupportedBrowserPage, noEmojiRegex, notificationAnimation, numberWithLeadingZero, objectKeystoLowerCase, ofStatus, omitKeys, openBackgroundIframe, openCloseFiltersAnimation, parentParkBaseEventTypes, parentParkEventTypes, parkBaseEventTypes, parkEventTypes, parkerEnumToText, parseApiErrorData, parseApiErrorMessage, parseDateTimeToSparkParkTime, parseSmartParkTime, passwordRegex, percentageRegex, printSpecialDaysText, printStackTrace, readjustForTimezone, regexExp, remoteCommandLocalizationMap, replaceAll, rtEventPermissions, safeParse, searchBarPopupAnimation, setErrorMessage, shortDaysTranslation, sleep, slideFromBottom, slideFromRight, slideFromUp, slideUpDown, successful, timeToMinutes, timeToMoment, toInt, toNumberMap, toStringMap, wrapConstructor };
118121
118422
  //# sourceMappingURL=tiba-spark-client-shared-lib.mjs.map