@marqeta/ux-toolkit-sdk-javascript 0.28.3 → 1.1.0

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.
package/dist/index.d.mts CHANGED
@@ -110,6 +110,7 @@ declare class CardEntity extends BaseEntity {
110
110
  private _network?;
111
111
  private _productType?;
112
112
  private _fulfillmentState?;
113
+ private _createdTime;
113
114
  constructor(input: CardEntityJsonType);
114
115
  get token(): string;
115
116
  get state(): string;
@@ -126,6 +127,7 @@ declare class CardEntity extends BaseEntity {
126
127
  get network(): string | undefined;
127
128
  get productType(): string | undefined;
128
129
  get fulfillmentState(): string | undefined;
130
+ get createdTime(): string;
129
131
  }
130
132
  interface CardEntityJsonType {
131
133
  token: string;
@@ -143,6 +145,7 @@ interface CardEntityJsonType {
143
145
  productType?: string;
144
146
  fulfillmentState?: string;
145
147
  instrumentType?: string;
148
+ createdTime: string;
146
149
  }
147
150
  interface CardActionEntity {
148
151
  id: string;
@@ -274,6 +277,7 @@ declare const TEST_CARD: {
274
277
  cardProductToken: string;
275
278
  expiration: string;
276
279
  userToken: string;
280
+ createdTime: string;
277
281
  };
278
282
  declare const TEST_ACTIVE_CARD: {
279
283
  state: CardStates;
@@ -291,6 +295,7 @@ declare const TEST_ACTIVE_CARD: {
291
295
  cardProductToken: string;
292
296
  expiration: string;
293
297
  userToken: string;
298
+ createdTime: string;
294
299
  };
295
300
  declare const TEST_ACTIVE_CARD_VIRTUAL: {
296
301
  state: CardStates;
@@ -308,6 +313,7 @@ declare const TEST_ACTIVE_CARD_VIRTUAL: {
308
313
  cardProductToken: string;
309
314
  expiration: string;
310
315
  userToken: string;
316
+ createdTime: string;
311
317
  };
312
318
  declare const TEST_SUSPENDED_CARD_VIRTUAL: {
313
319
  state: CardStates;
@@ -324,6 +330,7 @@ declare const TEST_SUSPENDED_CARD_VIRTUAL: {
324
330
  cardProductToken: string;
325
331
  expiration: string;
326
332
  userToken: string;
333
+ createdTime: string;
327
334
  };
328
335
  declare const TEST_WEAK_PINS: string[];
329
336
  declare class MockCardRepository implements iCardRepository {
@@ -486,11 +493,17 @@ declare const mockAccountHolderGroup: {
486
493
  };
487
494
  user: {
488
495
  active: boolean;
489
- status: string;
496
+ status: UserStatus;
490
497
  token: string;
491
498
  firstName: string;
492
499
  middleName: string;
493
500
  lastName: string;
501
+ address1: string;
502
+ city: string;
503
+ state: string;
504
+ postalCode: string;
505
+ createdTime: string;
506
+ country: string;
494
507
  };
495
508
  };
496
509
  declare const mockDepositAccountJson: DepositAccountEntityJsonType;
@@ -603,6 +616,42 @@ declare class GaMeasurementAnalyticsService extends iAnalyticsService {
603
616
 
604
617
  declare const mswAnalyticsHandlers: msw.HttpHandler[];
605
618
 
619
+ type AuthKeyPair = {
620
+ publicJwk: JsonWebKey;
621
+ privateJwk: JsonWebKey;
622
+ };
623
+ declare abstract class iAuthCredentialService {
624
+ abstract getCachedAuthToken(): string | undefined;
625
+ abstract getCachedAuthTokenExpiration(): number | undefined;
626
+ abstract setCachedAuthToken(authToken: string, expiresAt: number): Promise<void>;
627
+ abstract getCachedAuthApiEndpoint(): string;
628
+ abstract setCachedAuthApiEndpoint(apiEndpoint: string): void;
629
+ abstract getAuthKeyPair(): AuthKeyPair;
630
+ abstract setAuthKeyPair(keys: AuthKeyPair): void;
631
+ abstract generateAuthKeyPair(): Promise<void>;
632
+ abstract createProofToken(method: string, resourceUrl: string): Promise<string>;
633
+ }
634
+
635
+ type RequestNewAuthTokenMessageService = {
636
+ accessToken: string;
637
+ expiresAt: number;
638
+ };
639
+ declare abstract class iAuthCredsMessageService {
640
+ abstract requestNewAuthTokenByMessage(): Promise<RequestNewAuthTokenMessageService>;
641
+ }
642
+
643
+ declare abstract class iHttpClient {
644
+ abstract get(path: string, params?: RequestInit): Promise<unknown>;
645
+ abstract post(path: string, params?: RequestInit): Promise<unknown>;
646
+ abstract put(path: string, params?: RequestInit): Promise<unknown>;
647
+ abstract delete(path: string, params?: RequestInit): Promise<unknown>;
648
+ abstract patch(path: string, params?: RequestInit): Promise<unknown>;
649
+ }
650
+
651
+ declare abstract class iAuthenticatedHttpClient extends iHttpClient {
652
+ abstract postFileForUpload(path: string, params?: RequestInit): Promise<unknown>;
653
+ }
654
+
606
655
  declare class CardholderContextEntity extends BaseEntity {
607
656
  private _currency;
608
657
  private _programShortCode;
@@ -618,60 +667,137 @@ interface CardholderContextEntityJsonType {
618
667
  userTokenHash: string;
619
668
  }
620
669
 
670
+ type RequestNewAuthTokenResponse = {
671
+ accessToken: string;
672
+ expiresIn: number;
673
+ };
621
674
  declare abstract class iAuthService {
622
- abstract getCachedAuthToken(): string;
623
- abstract getCardholderContext(): Promise<CardholderContextEntity>;
624
675
  abstract getUserProgram(): Promise<string>;
676
+ abstract requestNewAuthTokenByEndpoint(apiEndpoint: string): Promise<RequestNewAuthTokenResponse>;
677
+ abstract getCardholderContext(): Promise<CardholderContextEntity>;
625
678
  abstract getUserTokenHash(): Promise<string>;
626
- abstract setCachedAuthToken(token: string): void;
627
- abstract setRefreshAuthToken(): void;
679
+ }
680
+
681
+ type SsoAccessTokenHandler = () => Promise<{
682
+ accessToken: string;
683
+ }>;
684
+ declare abstract class iSsoAccessTokenService {
685
+ /**
686
+ * Get the current SSO access token handler
687
+ * @returns The current SSO access token handler
688
+ */
689
+ abstract getHandler(): SsoAccessTokenHandler | undefined;
690
+ /**
691
+ * Set the SSO access token handler
692
+ * @param handler The handler to set for retrieving SSO access token
693
+ */
694
+ abstract setHandler(handler: SsoAccessTokenHandler): Promise<void>;
695
+ }
696
+
697
+ declare class MockAuthCredentialService implements iAuthCredentialService {
698
+ private authApiEndpoint;
699
+ private authKeyPair;
700
+ private authToken;
701
+ private expiresAt;
702
+ generateAuthKeyPair(): Promise<void>;
703
+ setAuthKeyPair(authKeys: AuthKeyPair): void;
704
+ getAuthKeyPair(): AuthKeyPair;
705
+ setCachedAuthToken(authToken: string, expiresAt: number): Promise<void>;
706
+ getCachedAuthToken(): string | undefined;
707
+ getCachedAuthTokenExpiration(): number | undefined;
708
+ createProofToken(method: string, resourceUrl: string): Promise<string>;
709
+ getCachedAuthApiEndpoint(): string;
710
+ setCachedAuthApiEndpoint(apiEndpoint: string): void;
628
711
  }
629
712
 
630
713
  declare class MockAuthService implements iAuthService {
631
- private authtoken;
632
714
  private cardholderContext;
633
- private programShortCode;
634
- private refreshToken;
635
715
  private userTokenHash;
636
- setCachedAuthToken(token: string): void;
637
- getCachedAuthToken(): string;
716
+ private programShortCode;
638
717
  getCardholderContext(): Promise<CardholderContextEntity>;
639
- setRefreshAuthToken(): void;
640
718
  getUserProgram(): Promise<string>;
641
719
  setUserProgram(programShortCode: string): void;
720
+ requestNewAuthTokenByEndpoint(_: string): Promise<RequestNewAuthTokenResponse>;
642
721
  getUserTokenHash(): Promise<string>;
643
722
  setCardholderContext(cardholderContext: CardholderContextEntity): void;
644
723
  setUserTokenHash(userTokenHash: string): void;
645
- setMockAuthToken(token: string): void;
646
- setMockRefreshToken(token: string): void;
724
+ }
725
+
726
+ declare class BrowserMessageService implements iAuthCredsMessageService {
727
+ requestNewAuthTokenByMessage(): Promise<RequestNewAuthTokenMessageService>;
647
728
  }
648
729
 
649
730
  declare const AUTH_REFRESH_INTERVAL_ID = "authRefreshIntervalId";
650
731
 
651
- declare class GetCachedAuthToken {
652
- authService: iAuthService;
653
- execute(): string;
654
- }
732
+ declare function checkAndRefreshAuthToken(): Promise<void>;
733
+
734
+ declare function createProofToken(method: string, resourceUrl: string): Promise<string>;
735
+
736
+ declare function generateAuthKeyPair(): Promise<void>;
737
+
738
+ declare function getAuthKeyPair(): AuthKeyPair;
739
+
740
+ declare function getCachedAuthApiEndpoint(): string;
741
+
742
+ declare function getCachedAuthToken(): string | undefined;
743
+
744
+ declare function getCachedAuthTokenExpiration(): number | undefined;
655
745
 
656
746
  declare function getCardholderContext(): Promise<CardholderContextEntity>;
657
747
 
748
+ declare function getSsoAccessTokenHandler(): Promise<SsoAccessTokenHandler>;
749
+
658
750
  declare function getUserProgram(): Promise<string>;
659
751
 
660
752
  declare function getUserTokenHash(): Promise<string>;
661
753
 
662
- declare function setCachedAuthToken(authToken: string): void;
754
+ declare function setAuthKeyPair(keyPair: AuthKeyPair): void;
755
+
756
+ type ExistingAuth = {
757
+ keyPair: AuthKeyPair;
758
+ token: string;
759
+ expiresAt: number;
760
+ };
761
+ type AuthParams = {
762
+ apiEndpoint?: string;
763
+ existingAuth?: ExistingAuth;
764
+ };
765
+ declare function setAuthParams(authParams: AuthParams): Promise<void>;
766
+
767
+ declare function setCachedAuthApiEndpoint(apiEndpoint: string): void;
663
768
 
664
- declare function startAuthTokenRefreshPolling(pollingIntervalInMillis: number): Promise<void>;
769
+ declare function setCachedAuthToken(authToken: string, expiresAt: number): Promise<void>;
770
+
771
+ declare function setSsoAccessTokenHandler(handler: SsoAccessTokenHandler): Promise<void>;
772
+
773
+ declare class DpopAuthCredentialService implements iAuthCredentialService {
774
+ private cacheService;
775
+ setCachedAuthToken(authToken: string, expiresAt: number): Promise<void>;
776
+ getCachedAuthToken(): string | undefined;
777
+ getCachedAuthTokenExpiration(): number | undefined;
778
+ generateAuthKeyPair(): Promise<void>;
779
+ setAuthKeyPair(keyPair: AuthKeyPair): void;
780
+ getAuthKeyPair(): AuthKeyPair;
781
+ createProofToken(method: string, resourceUrl: string): Promise<string>;
782
+ private getAth;
783
+ private generateAth;
784
+ private signJwt;
785
+ private importJwk;
786
+ private signProofData;
787
+ private base64UrlEncode;
788
+ getCachedAuthApiEndpoint(): string;
789
+ setCachedAuthApiEndpoint(apiEndpoint: string): void;
790
+ }
665
791
 
666
792
  declare class RestAuthService implements iAuthService {
667
793
  private cacheService;
794
+ private authenticatedHttpClient;
795
+ private httpClient;
668
796
  private getEnvConfigValueByName;
669
797
  getUserProgram(): Promise<string>;
798
+ requestNewAuthTokenByEndpoint(apiEndpoint: string): Promise<RequestNewAuthTokenResponse>;
670
799
  getCardholderContext(): Promise<CardholderContextEntity>;
671
- setCachedAuthToken(token: string): void;
672
- getCachedAuthToken(): string;
673
800
  getUserTokenHash(): Promise<string>;
674
- setRefreshAuthToken(): Promise<void>;
675
801
  }
676
802
 
677
803
  declare const INVALID_CUI_AUTH_TOKEN = "INVALID_CUI_AUTH_TOKEN";
@@ -680,6 +806,10 @@ declare const NOT_OK_CUI_AUTH_TOKEN = "NOT_OK_CUI_AUTH_TOKEN";
680
806
  declare const REFRESHED_CUI_AUTH_TOKEN = "REFRESHED_CUI_AUTH_TOKEN";
681
807
  declare const VALID_CUI_AUTH_TOKEN = "VALID_CUI_AUTH_TOKEN";
682
808
  declare const VALID_PROGRAM_SHORT_CODE = "VALID_PROGRAM_SHORT_CODE";
809
+ declare const VALID_OAUTH_TOKEN = "VALID_OAUTH_TOKEN";
810
+ declare const VALID_DPOP_TOKEN = "VALID_DPOP_TOKEN";
811
+ declare const NOT_OK_DPOP_TOKEN = "NOT_OK_DPOP_TOKEN";
812
+ declare const MOCK_CUSTOMER_ENDPOINT = "https://example.com/api/v1/customer";
683
813
  declare const VALID_USER_TOKEN_HASH = "VALID_USER_TOKEN_HASH";
684
814
 
685
815
  declare const mswAuthHandlers: msw.HttpHandler[];
@@ -688,8 +818,11 @@ declare const authIOCModule: ContainerModule;
688
818
 
689
819
  declare const mockAuthIOCModule: ContainerModule;
690
820
 
821
+ declare const ITF_AUTH_CREDENTIAL_SERVICE: unique symbol;
822
+ declare const ITF_AUTH_CREDS_MESSAGE_SERVICE: unique symbol;
691
823
  declare const ITF_AUTH_SERVICE: unique symbol;
692
- declare const INTR_GET_CACHED_AUTH_TOKEN: unique symbol;
824
+ declare const ITF_AUTHENTICATED_HTTP_CLIENT: unique symbol;
825
+ declare const ITF_SSO_ACCESS_TOKEN_SERVICE: unique symbol;
693
826
 
694
827
  declare abstract class iCacheService {
695
828
  abstract get(key: string): any;
@@ -701,11 +834,18 @@ declare abstract class iPersistedCacheService {
701
834
  abstract set(key: string, value: any): Promise<void>;
702
835
  }
703
836
 
704
- type Dictionary$1 = {
705
- [x: string]: unknown;
837
+ type ApiResponse<T> = {
838
+ status: number;
839
+ ok: boolean;
840
+ result: T;
706
841
  };
842
+
843
+ type Dictionary = {
844
+ [x: string]: unknown | Dictionary;
845
+ };
846
+
707
847
  declare abstract class iRegistryService extends iCacheService {
708
- abstract getAll(): Dictionary$1;
848
+ abstract getAll(): Dictionary;
709
849
  }
710
850
 
711
851
  declare class MockCacheService implements iCacheService {
@@ -780,6 +920,18 @@ declare class StandardizedError extends Error {
780
920
  constructor(msg: string, debug: Array<DebugItem>, details?: any);
781
921
  }
782
922
 
923
+ declare class WlaSdkError extends Error {
924
+ statusCode: number;
925
+ source: string;
926
+ constructor(mess: string, err: StandardizedError);
927
+ toJSON(): {
928
+ name: string;
929
+ message: string;
930
+ statusCode: number;
931
+ source: string;
932
+ };
933
+ }
934
+
783
935
  declare const commonIOCModule: ContainerModule;
784
936
 
785
937
  declare const mockCommonIOCModule: ContainerModule;
@@ -792,11 +944,8 @@ declare const INTR_REGISTER_CLEANUP_HANDLER: unique symbol;
792
944
  declare const INTR_CLEANUP_ON_UNLOAD: unique symbol;
793
945
  declare const ITF_REGISTRY_SERVICE: unique symbol;
794
946
 
795
- type ApiResponse<T> = {
796
- status: number;
797
- ok: boolean;
798
- result: T;
799
- };
947
+ declare function convertObjKeysToCamelCase(inputObj: Dictionary, recursive?: boolean): Dictionary;
948
+ declare function convertObjKeysToLowerCamelCase(inputObj: Dictionary): Dictionary;
800
949
 
801
950
  declare function loadEnabledComponentsByShortCode(): Promise<void>;
802
951
 
@@ -1145,66 +1294,78 @@ declare const MOCK_RETRIEVE_DOCUMENTS_RESPONSE: DisputeGetDocseResponse;
1145
1294
  declare const MOCK_UPLOAD_DOCUMENTS_RESPONSE: DisputeDocUploadResponse;
1146
1295
  declare const MOCK_DELETE_DOCUMENTS_RESPONSE: SuccessBaseResponse;
1147
1296
 
1148
- declare const CUI_API_BASE_URL$4 = "https://ux-toolkit-api.qa.marqeta.com";
1149
- declare const CUI_IFRAME_BASE_URL$3 = "https://web.ux-toolkit.dev.marqeta.com";
1150
- declare const CDN_ICONS_BASE_URL$4 = "https://web.ux-toolkit.dev.marqeta.com";
1151
- declare const CDN_CARD_ART_BASE_URL$3 = "https://web.ux-toolkit.dev.marqeta.com";
1152
- declare const I18N_BASE_URL$3 = "https://web.ux-toolkit.dev.marqeta.com";
1153
- declare const GA_MAX_QUEUE_TTL$3 = 5000;
1154
- declare const GA_MAX_REQUEST_EVENT_LIMIT$3 = 3;
1297
+ declare const CUI_API_BASE_URL$5 = "https://ux-toolkit-api.qa.marqeta.com";
1298
+ declare const CUI_IFRAME_BASE_URL$4 = "https://web.ux-toolkit.dev.marqeta.com";
1299
+ declare const CDN_ICONS_BASE_URL$5 = "https://web.ux-toolkit.dev.marqeta.com";
1300
+ declare const CDN_CARD_ART_BASE_URL$4 = "https://web.ux-toolkit.dev.marqeta.com";
1301
+ declare const I18N_BASE_URL$4 = "https://web.ux-toolkit.dev.marqeta.com";
1302
+ declare const GA_MAX_QUEUE_TTL$4 = 5000;
1303
+ declare const GA_MAX_REQUEST_EVENT_LIMIT$4 = 3;
1155
1304
 
1156
1305
  declare namespace development {
1157
- export { CDN_CARD_ART_BASE_URL$3 as CDN_CARD_ART_BASE_URL, CDN_ICONS_BASE_URL$4 as CDN_ICONS_BASE_URL, CUI_API_BASE_URL$4 as CUI_API_BASE_URL, CUI_IFRAME_BASE_URL$3 as CUI_IFRAME_BASE_URL, GA_MAX_QUEUE_TTL$3 as GA_MAX_QUEUE_TTL, GA_MAX_REQUEST_EVENT_LIMIT$3 as GA_MAX_REQUEST_EVENT_LIMIT, I18N_BASE_URL$3 as I18N_BASE_URL };
1306
+ export { CDN_CARD_ART_BASE_URL$4 as CDN_CARD_ART_BASE_URL, CDN_ICONS_BASE_URL$5 as CDN_ICONS_BASE_URL, CUI_API_BASE_URL$5 as CUI_API_BASE_URL, CUI_IFRAME_BASE_URL$4 as CUI_IFRAME_BASE_URL, GA_MAX_QUEUE_TTL$4 as GA_MAX_QUEUE_TTL, GA_MAX_REQUEST_EVENT_LIMIT$4 as GA_MAX_REQUEST_EVENT_LIMIT, I18N_BASE_URL$4 as I18N_BASE_URL };
1158
1307
  }
1159
1308
 
1160
- declare const CUI_API_BASE_URL$3 = "http://localhost:4001";
1161
- declare const CUI_IFRAME_BASE_URL$2 = "http://localhost:4001";
1162
- declare const CDN_ICONS_BASE_URL$3 = "http://localhost:4001/static";
1163
- declare const CDN_CARD_ART_BASE_URL$2 = "https://web.ux-toolkit.qa.marqeta.com";
1164
- declare const I18N_BASE_URL$2 = "http://localhost:4001/static";
1165
- declare const GA_MAX_QUEUE_TTL$2 = 5000;
1166
- declare const GA_MAX_REQUEST_EVENT_LIMIT$2 = 3;
1309
+ declare const CUI_API_BASE_URL$4 = "http://localhost:4001";
1310
+ declare const CUI_IFRAME_BASE_URL$3 = "http://localhost:4001";
1311
+ declare const CDN_ICONS_BASE_URL$4 = "http://localhost:4001/static";
1312
+ declare const CDN_CARD_ART_BASE_URL$3 = "https://web.ux-toolkit.qa.marqeta.com";
1313
+ declare const I18N_BASE_URL$3 = "http://localhost:4001/static";
1314
+ declare const GA_MAX_QUEUE_TTL$3 = 5000;
1315
+ declare const GA_MAX_REQUEST_EVENT_LIMIT$3 = 3;
1167
1316
 
1168
1317
  declare namespace localhost {
1169
- export { CDN_CARD_ART_BASE_URL$2 as CDN_CARD_ART_BASE_URL, CDN_ICONS_BASE_URL$3 as CDN_ICONS_BASE_URL, CUI_API_BASE_URL$3 as CUI_API_BASE_URL, CUI_IFRAME_BASE_URL$2 as CUI_IFRAME_BASE_URL, GA_MAX_QUEUE_TTL$2 as GA_MAX_QUEUE_TTL, GA_MAX_REQUEST_EVENT_LIMIT$2 as GA_MAX_REQUEST_EVENT_LIMIT, I18N_BASE_URL$2 as I18N_BASE_URL };
1318
+ export { CDN_CARD_ART_BASE_URL$3 as CDN_CARD_ART_BASE_URL, CDN_ICONS_BASE_URL$4 as CDN_ICONS_BASE_URL, CUI_API_BASE_URL$4 as CUI_API_BASE_URL, CUI_IFRAME_BASE_URL$3 as CUI_IFRAME_BASE_URL, GA_MAX_QUEUE_TTL$3 as GA_MAX_QUEUE_TTL, GA_MAX_REQUEST_EVENT_LIMIT$3 as GA_MAX_REQUEST_EVENT_LIMIT, I18N_BASE_URL$3 as I18N_BASE_URL };
1170
1319
  }
1171
1320
 
1172
- declare const CUI_API_BASE_URL$2 = "https://cui-service-mock";
1173
- declare const CDN_ICONS_BASE_URL$2 = "https://cui-sdk-web-mock";
1321
+ declare const CUI_API_BASE_URL$3 = "https://cui-service-mock";
1322
+ declare const CDN_ICONS_BASE_URL$3 = "https://cui-sdk-web-mock";
1174
1323
 
1175
1324
  declare namespace mockMode {
1176
- export { CDN_ICONS_BASE_URL$2 as CDN_ICONS_BASE_URL, CUI_API_BASE_URL$2 as CUI_API_BASE_URL };
1325
+ export { CDN_ICONS_BASE_URL$3 as CDN_ICONS_BASE_URL, CUI_API_BASE_URL$3 as CUI_API_BASE_URL };
1177
1326
  }
1178
1327
 
1179
- declare const CUI_API_BASE_URL$1 = "https://ux-toolkit-api.marqeta.com";
1180
- declare const CUI_IFRAME_BASE_URL$1 = "https://web.ux-toolkit.marqeta.com";
1181
- declare const CDN_ICONS_BASE_URL$1 = "https://web.ux-toolkit.marqeta.com";
1182
- declare const CDN_CARD_ART_BASE_URL$1 = "https://web.ux-toolkit.marqeta.com";
1183
- declare const I18N_BASE_URL$1 = "https://web.ux-toolkit.marqeta.com";
1328
+ declare const CUI_API_BASE_URL$2 = "https://ux-toolkit-api.marqeta.com";
1329
+ declare const CUI_IFRAME_BASE_URL$2 = "https://web.ux-toolkit.marqeta.com";
1330
+ declare const CDN_ICONS_BASE_URL$2 = "https://web.ux-toolkit.marqeta.com";
1331
+ declare const CDN_CARD_ART_BASE_URL$2 = "https://web.ux-toolkit.marqeta.com";
1332
+ declare const I18N_BASE_URL$2 = "https://web.ux-toolkit.marqeta.com";
1333
+ declare const GA_MAX_QUEUE_TTL$2 = 5000;
1334
+ declare const GA_MAX_REQUEST_EVENT_LIMIT$2 = 25;
1335
+
1336
+ declare namespace production {
1337
+ export { CDN_CARD_ART_BASE_URL$2 as CDN_CARD_ART_BASE_URL, CDN_ICONS_BASE_URL$2 as CDN_ICONS_BASE_URL, CUI_API_BASE_URL$2 as CUI_API_BASE_URL, CUI_IFRAME_BASE_URL$2 as CUI_IFRAME_BASE_URL, GA_MAX_QUEUE_TTL$2 as GA_MAX_QUEUE_TTL, GA_MAX_REQUEST_EVENT_LIMIT$2 as GA_MAX_REQUEST_EVENT_LIMIT, I18N_BASE_URL$2 as I18N_BASE_URL };
1338
+ }
1339
+
1340
+ declare const CUI_API_BASE_URL$1 = "https://ux-toolkit-api.qa.marqeta.com";
1341
+ declare const CUI_IFRAME_BASE_URL$1 = "https://web.ux-toolkit.qa.marqeta.com";
1342
+ declare const CDN_ICONS_BASE_URL$1 = "https://web.ux-toolkit.qa.marqeta.com";
1343
+ declare const CDN_CARD_ART_BASE_URL$1 = "https://web.ux-toolkit.qa.marqeta.com";
1344
+ declare const I18N_BASE_URL$1 = "https://web.ux-toolkit.qa.marqeta.com";
1184
1345
  declare const GA_MAX_QUEUE_TTL$1 = 5000;
1185
1346
  declare const GA_MAX_REQUEST_EVENT_LIMIT$1 = 25;
1186
1347
 
1187
- declare namespace production {
1348
+ declare namespace qa {
1188
1349
  export { CDN_CARD_ART_BASE_URL$1 as CDN_CARD_ART_BASE_URL, CDN_ICONS_BASE_URL$1 as CDN_ICONS_BASE_URL, CUI_API_BASE_URL$1 as CUI_API_BASE_URL, CUI_IFRAME_BASE_URL$1 as CUI_IFRAME_BASE_URL, GA_MAX_QUEUE_TTL$1 as GA_MAX_QUEUE_TTL, GA_MAX_REQUEST_EVENT_LIMIT$1 as GA_MAX_REQUEST_EVENT_LIMIT, I18N_BASE_URL$1 as I18N_BASE_URL };
1189
1350
  }
1190
1351
 
1191
- declare const CUI_API_BASE_URL = "https://ux-toolkit-api.qa.marqeta.com";
1192
- declare const CUI_IFRAME_BASE_URL = "https://web.ux-toolkit.qa.marqeta.com";
1193
- declare const CDN_ICONS_BASE_URL = "https://web.ux-toolkit.qa.marqeta.com";
1194
- declare const CDN_CARD_ART_BASE_URL = "https://web.ux-toolkit.qa.marqeta.com";
1195
- declare const I18N_BASE_URL = "https://web.ux-toolkit.qa.marqeta.com";
1352
+ declare const CUI_API_BASE_URL = "https://ux-toolkit-api.marqeta.com";
1353
+ declare const CUI_IFRAME_BASE_URL = "https://web.ux-toolkit.marqeta.com";
1354
+ declare const CDN_ICONS_BASE_URL = "https://web.ux-toolkit.marqeta.com";
1355
+ declare const CDN_CARD_ART_BASE_URL = "https://web.ux-toolkit.marqeta.com";
1356
+ declare const I18N_BASE_URL = "https://web.ux-toolkit.marqeta.com";
1196
1357
  declare const GA_MAX_QUEUE_TTL = 5000;
1197
1358
  declare const GA_MAX_REQUEST_EVENT_LIMIT = 25;
1198
1359
 
1199
- declare const qa_CDN_CARD_ART_BASE_URL: typeof CDN_CARD_ART_BASE_URL;
1200
- declare const qa_CDN_ICONS_BASE_URL: typeof CDN_ICONS_BASE_URL;
1201
- declare const qa_CUI_API_BASE_URL: typeof CUI_API_BASE_URL;
1202
- declare const qa_CUI_IFRAME_BASE_URL: typeof CUI_IFRAME_BASE_URL;
1203
- declare const qa_GA_MAX_QUEUE_TTL: typeof GA_MAX_QUEUE_TTL;
1204
- declare const qa_GA_MAX_REQUEST_EVENT_LIMIT: typeof GA_MAX_REQUEST_EVENT_LIMIT;
1205
- declare const qa_I18N_BASE_URL: typeof I18N_BASE_URL;
1206
- declare namespace qa {
1207
- export { qa_CDN_CARD_ART_BASE_URL as CDN_CARD_ART_BASE_URL, qa_CDN_ICONS_BASE_URL as CDN_ICONS_BASE_URL, qa_CUI_API_BASE_URL as CUI_API_BASE_URL, qa_CUI_IFRAME_BASE_URL as CUI_IFRAME_BASE_URL, qa_GA_MAX_QUEUE_TTL as GA_MAX_QUEUE_TTL, qa_GA_MAX_REQUEST_EVENT_LIMIT as GA_MAX_REQUEST_EVENT_LIMIT, qa_I18N_BASE_URL as I18N_BASE_URL };
1360
+ declare const sandbox_CDN_CARD_ART_BASE_URL: typeof CDN_CARD_ART_BASE_URL;
1361
+ declare const sandbox_CDN_ICONS_BASE_URL: typeof CDN_ICONS_BASE_URL;
1362
+ declare const sandbox_CUI_API_BASE_URL: typeof CUI_API_BASE_URL;
1363
+ declare const sandbox_CUI_IFRAME_BASE_URL: typeof CUI_IFRAME_BASE_URL;
1364
+ declare const sandbox_GA_MAX_QUEUE_TTL: typeof GA_MAX_QUEUE_TTL;
1365
+ declare const sandbox_GA_MAX_REQUEST_EVENT_LIMIT: typeof GA_MAX_REQUEST_EVENT_LIMIT;
1366
+ declare const sandbox_I18N_BASE_URL: typeof I18N_BASE_URL;
1367
+ declare namespace sandbox {
1368
+ export { sandbox_CDN_CARD_ART_BASE_URL as CDN_CARD_ART_BASE_URL, sandbox_CDN_ICONS_BASE_URL as CDN_ICONS_BASE_URL, sandbox_CUI_API_BASE_URL as CUI_API_BASE_URL, sandbox_CUI_IFRAME_BASE_URL as CUI_IFRAME_BASE_URL, sandbox_GA_MAX_QUEUE_TTL as GA_MAX_QUEUE_TTL, sandbox_GA_MAX_REQUEST_EVENT_LIMIT as GA_MAX_REQUEST_EVENT_LIMIT, sandbox_I18N_BASE_URL as I18N_BASE_URL };
1208
1369
  }
1209
1370
 
1210
1371
  declare class GetActiveEnvName {
@@ -1212,9 +1373,6 @@ declare class GetActiveEnvName {
1212
1373
  execute(): string;
1213
1374
  }
1214
1375
 
1215
- type Dictionary = {
1216
- [x: string]: number | string;
1217
- };
1218
1376
  type EnvType = {
1219
1377
  [key: string]: Dictionary;
1220
1378
  };
@@ -1222,7 +1380,7 @@ declare class GetEnvConfigValueByName {
1222
1380
  private cacheService;
1223
1381
  private isMockModeEnabled;
1224
1382
  private readonly defaultActiveEnv;
1225
- execute(configName: string): string | number;
1383
+ execute(configName: string): unknown;
1226
1384
  private validateConfigs;
1227
1385
  }
1228
1386
 
@@ -1251,7 +1409,7 @@ declare abstract class iGetEnvConfigValueByName {
1251
1409
  }
1252
1410
 
1253
1411
  declare class MockGetEnvConfigValueByName implements iGetEnvConfigValueByName {
1254
- execute(configName: string): string | number;
1412
+ execute(configName: string): unknown;
1255
1413
  }
1256
1414
 
1257
1415
  declare const envConfigIOCModule: ContainerModule;
@@ -2626,6 +2784,8 @@ type TransactionResponse = {
2626
2784
  merchant_name?: string;
2627
2785
  status: TransactionStatus;
2628
2786
  type: TransactionType;
2787
+ icon_type?: TransactionDetailResponseIconTypeEnum;
2788
+ merchant_category?: string;
2629
2789
  };
2630
2790
  declare enum TransactionType {
2631
2791
  PURCHASE = "PURCHASE",
@@ -3231,6 +3391,92 @@ type Address = {
3231
3391
  zip?: string;
3232
3392
  };
3233
3393
 
3394
+ interface AtmSearch {
3395
+ addressLine1?: string;
3396
+ addressLine2?: string;
3397
+ city?: string;
3398
+ countryCode?: string;
3399
+ countrySubdivisionCode?: string;
3400
+ latitude?: string;
3401
+ longitude?: string;
3402
+ postalCode?: string;
3403
+ }
3404
+ interface AtmsResponse {
3405
+ atms: Array<AtmLocation>;
3406
+ count?: number;
3407
+ limit?: number;
3408
+ offset?: number;
3409
+ total?: number;
3410
+ }
3411
+ interface AtmLocation {
3412
+ access_fees?: AtmLocationAccessFeesEnum;
3413
+ address_line1?: string;
3414
+ address_line2?: string;
3415
+ availability?: AtmLocationAvailabilityEnum;
3416
+ city?: string;
3417
+ country_code?: string;
3418
+ country_name?: string;
3419
+ distance?: number;
3420
+ distance_unit?: AtmLocationDistanceUnitEnum;
3421
+ handicap_accessible?: AtmLocationHandicapAccessibleEnum;
3422
+ has_shared_deposit?: AtmLocationHasSharedDepositEnum;
3423
+ is_surcharge_free_alliance?: AtmLocationIsSurchargeFreeAllianceEnum;
3424
+ latitude?: string;
3425
+ location_name?: string;
3426
+ location_type?: AtmLocationLocationTypeEnum;
3427
+ longitude?: string;
3428
+ postal_code?: string;
3429
+ supports_contactLess?: AtmLocationSupportsContactLessEnum;
3430
+ surcharge_free_alliance_network?: AtmLocationSurchargeFreeAllianceNetworkEnum;
3431
+ }
3432
+ declare enum AtmLocationAccessFeesEnum {
3433
+ Unknown = "UNKNOWN",
3434
+ Domestic = "DOMESTIC",
3435
+ International = "INTERNATIONAL",
3436
+ DomesticAndInternational = "DOMESTIC_AND_INTERNATIONAL",
3437
+ NoFee = "NO_FEE"
3438
+ }
3439
+ declare enum AtmLocationAvailabilityEnum {
3440
+ Unknown = "UNKNOWN",
3441
+ AlwaysAvailable = "ALWAYS_AVAILABLE",
3442
+ BusinessHours = "BUSINESS_HOURS",
3443
+ IrregularHours = "IRREGULAR_HOURS"
3444
+ }
3445
+ declare enum AtmLocationDistanceUnitEnum {
3446
+ Km = "KM",
3447
+ Mile = "MILE"
3448
+ }
3449
+ declare enum AtmLocationHandicapAccessibleEnum {
3450
+ Unknown = "UNKNOWN",
3451
+ IsHandicapAccessible = "IS_HANDICAP_ACCESSIBLE",
3452
+ NotHandicapAccessible = "NOT_HANDICAP_ACCESSIBLE"
3453
+ }
3454
+ declare enum AtmLocationHasSharedDepositEnum {
3455
+ True = "true",
3456
+ False = "false"
3457
+ }
3458
+ declare enum AtmLocationIsSurchargeFreeAllianceEnum {
3459
+ True = "true",
3460
+ False = "false"
3461
+ }
3462
+ declare enum AtmLocationLocationTypeEnum {
3463
+ Other = "OTHER",
3464
+ Airport = "AIRPORT",
3465
+ Hospital = "HOSPITAL",
3466
+ FinancialInstitution = "FINANCIAL_INSTITUTION"
3467
+ }
3468
+ declare enum AtmLocationSupportsContactLessEnum {
3469
+ SupportsContactless = "SUPPORTS_CONTACTLESS",
3470
+ DoesNotSupportContactless = "DOES_NOT_SUPPORT_CONTACTLESS",
3471
+ Unknown = "UNKNOWN"
3472
+ }
3473
+ declare enum AtmLocationSurchargeFreeAllianceNetworkEnum {
3474
+ DoesNotParticipateInSfa = "DOES_NOT_PARTICIPATE_IN_SFA",
3475
+ AllpointPrepaid = "ALLPOINT_PREPAID",
3476
+ MoneypassDebit = "MONEYPASS_DEBIT",
3477
+ AllSurchargeFree = "ALL_SURCHARGE_FREE"
3478
+ }
3479
+
3234
3480
  declare abstract class iWlaService {
3235
3481
  abstract bookTransfer(requestBody: BookTransferRequest): Promise<BookTransferResponse>;
3236
3482
  abstract createCard(requestBody: CardRequest): Promise<CreateCardResponse>;
@@ -3252,6 +3498,9 @@ declare abstract class iWlaService {
3252
3498
  abstract markAccountVerified(): Promise<{
3253
3499
  data: UserResponse;
3254
3500
  }>;
3501
+ abstract markAccountActivated(): Promise<{
3502
+ data: UserResponse;
3503
+ }>;
3255
3504
  abstract registerDeviceForPushNotifications(requestBody: PushRegistrationRequest): Promise<void>;
3256
3505
  abstract setAppConfig(appVersion: string, deviceId: string, clientIp: string): void;
3257
3506
  abstract setPin(cardToken: string, pin: string): Promise<{
@@ -3259,6 +3508,7 @@ declare abstract class iWlaService {
3259
3508
  }>;
3260
3509
  abstract updateExternalAccount(token: string, requestBody: UpdateExternalAccountRequest): Promise<ExternalAccountResponse>;
3261
3510
  abstract verifyExternalAccount(requestBody: ExternalAccountVerificationRequest): Promise<ExternalAccountVerificationResponse>;
3511
+ abstract searchAtms(requestBody: AtmSearch): Promise<AtmsResponse>;
3262
3512
  }
3263
3513
 
3264
3514
  declare class RestWlaService implements iWlaService {
@@ -3276,6 +3526,9 @@ declare class RestWlaService implements iWlaService {
3276
3526
  markAccountVerified(): Promise<{
3277
3527
  data: UserResponse;
3278
3528
  }>;
3529
+ markAccountActivated(): Promise<{
3530
+ data: UserResponse;
3531
+ }>;
3279
3532
  registerDeviceForPushNotifications(requestBody: PushRegistrationRequest): Promise<void>;
3280
3533
  deleteRegistrationForPushNotifications(): Promise<void>;
3281
3534
  getOffers(): Promise<OfferListResponse>;
@@ -3294,6 +3547,7 @@ declare class RestWlaService implements iWlaService {
3294
3547
  ytd?: AccountInterestResponse | undefined;
3295
3548
  }>;
3296
3549
  getRewardSummaries(startIndex?: number, count?: number): Promise<RewardSummary>;
3550
+ searchAtms(requestBody: AtmSearch): Promise<AtmsResponse>;
3297
3551
  }
3298
3552
 
3299
3553
  declare function bookTransfer(payload: BookTransferRequest): Promise<BookTransferResponse>;
@@ -3332,6 +3586,10 @@ declare function markAccountVerified(): Promise<{
3332
3586
  data: UserResponse;
3333
3587
  }>;
3334
3588
 
3589
+ declare function markAccountActivated(): Promise<{
3590
+ data: UserResponse;
3591
+ }>;
3592
+
3335
3593
  declare function registerDeviceForPushNotifications(requestBody: PushRegistrationRequest): Promise<void>;
3336
3594
 
3337
3595
  declare function setWlaCardPin(cardToken: string, pin: string): Promise<{
@@ -3344,6 +3602,8 @@ declare function updateExternalAccount(token: string, payload: UpdateExternalAcc
3344
3602
 
3345
3603
  declare function verifyExternalAccount(payload: ExternalAccountVerificationRequest): Promise<ExternalAccountVerificationResponse>;
3346
3604
 
3605
+ declare function searchAtms(requestBody: AtmSearch): Promise<AtmsResponse>;
3606
+
3347
3607
  declare const WlaIocModule: ContainerModule;
3348
3608
 
3349
3609
  declare const ITF_WLA_SERVICE: unique symbol;
@@ -3352,4 +3612,6 @@ declare const container: Container;
3352
3612
 
3353
3613
  declare const reactNativeContainer: Container;
3354
3614
 
3355
- export { ACCOUNT_CLOSED_CUI_AUTH_TOKEN, ACCOUNT_LIMITED_CUI_AUTH_TOKEN, ACCOUNT_LOADING_CUI_AUTH_TOKEN, ACCOUNT_SUSPENDED_CUI_AUTH_TOKEN, ACCOUNT_UNVERIFIED_CUI_AUTH_TOKEN, ACTIVE_CARD_ACTIONS, ACTIVE_IOC_CONTAINER, ADDRESS_ISSUE_SSN, AUTH_REFRESH_INTERVAL_ID, AccountBalancesEntity, type AccountBalancesEntityJsonType, AccountHolderGroupEntity, type AccountHolderGroupEntityJsonType, type AccountInterestResponse, type AccountResponse, AccountType, ActivateCardByTokenOrPan, type ActivationActions, type ActivationActionsModel, AddSourceCard, type Address, type AllStepsResponse, type ApiResponse, BAD_GENERAL_SSN, BannerTypeEnum, type BookTransferRequest, type BookTransferResponse, BookTransferResponseStatusEnum, CUI_ENABLED_SHORT_CODE, type CardActionEntity, type CardActionsListEntity, CardEntity, type CardEntityJsonType, type CardFulfillmentRequest, CardFulfillmentRequestCardFulfillmentReasonEnum, type CardFulfillmentResponse, type CardFulfillmentResponseCardFulfillmentReasonEnum, type CardRequest, type CardResponse, type CardResponseCardArt, type CardResponseFulfillmentStatusEnum, type CardResponseInstrumentTypeEnum, type CardResponseStateEnum, CardStates, CardholderContextEntity, type CardholderContextEntityJsonType, CardholderVerificationMethods, CleanupOnUnload, type CreateCardResponse, type CreateUserRequest, type CreateUserRequestIdentificationsInner, CreateUserRequestIdentificationsInnerTypeEnum, type CreateUserResponse, CreateUserResponseStatusEnum, Currency, DEFAULT_THEME, DEPOSIT_ACCOUNTS_TERMINATED_CUI_AUTH_TOKEN, DOB_ISSUE_SSN, type DebugItem, DeleteDocumentForDispute, DepositAccountEntity, type DepositAccountEntityJsonType, type Dictionary, type Dispute, type DisputeSuccessResponse, DownloadDocumentForDispute, EMPTY_DEPOSIT_ACCOUNTS_CUI_AUTH_TOKEN, type EnvType, type ExternalAccountListRequest, type ExternalAccountListResponse, type ExternalAccountRequest, type ExternalAccountResponse, ExternalAccountStatus, type ExternalAccountVerificationRequest, type ExternalAccountVerificationResponse, FFLAGS_SESSION_STORAGE_KEY, FormField, type FulfillmentAddressRequest, type FulfillmentAddressResponse, GaMeasurementAnalyticsService, GetAccountBalances, GetAccountHolderGroup, type GetAccountTransactionsRequest, GetActiveEnvName, GetActiveTheme, GetAllStepsOfDispute, GetCachedAuthToken, GetCardByToken, GetCardsByUserToken, GetDepositAccounts, GetEnvConfigValueByName, GetIconsByName, GetLanguageCode, GetPinByCardToken, GetShowpanByCardToken, GetSourceCards, GetStatementAsset, GetStatements, GetStepOfDisputeByStepId, GetTransactionDetails, type GetTransactionDetailsByTokenJsonResponseTxnsDetailsBannerData, GetTransactions, type GetTransactionsResponse, GetUser, INTR_ACTIVATE_CARD_BY_TOKEN_OR_PAN, INTR_ADD_SOURCE_CARD, INTR_CLEANUP_ON_UNLOAD, INTR_DELETE_DOCUMENT_FOR_DISPUTE, INTR_DOWNLOAD_DOCUMENT_FOR_DISPUTE, INTR_GET_ACCT_BALANCE_BY_TOKEN, INTR_GET_ACCT_HOLDER_GRP_BY_TOKEN, INTR_GET_ACTIVE_ENV_NAME, INTR_GET_ACTIVE_THEME, INTR_GET_ALL_STEPS_OF_DISPUTE, INTR_GET_CACHED_AUTH_TOKEN, INTR_GET_CARDS_BY_USER_TOKEN, INTR_GET_CARD_BY_TOKEN, INTR_GET_CLIENT_ID, INTR_GET_DEPOSIT_ACCT_BY_TOKEN, INTR_GET_ENV_CONFIG_VALUE_BY_NAME, INTR_GET_ICONS, INTR_GET_LANGUAGE_CODE, INTR_GET_PIN_BY_CARD_TOKEN, INTR_GET_SESSION_ID, INTR_GET_SHOWPAN_BY_CARD_TOKEN, INTR_GET_SOURCE_CARDS, INTR_GET_STATEMENTS, INTR_GET_STATEMENT_ASSET, INTR_GET_STEP_OF_DISPUTE_BY_STEP_ID, INTR_GET_TRANSACTIONS, INTR_GET_TRANSACTIONS_V2, INTR_GET_TRANSACTION_DETAILS, INTR_GET_USER, INTR_INITIATE_FUNDING, INTR_IS_MOCK_MODE_ENABLED, INTR_LOCK_CARD_BY_TOKEN, INTR_POST_CREATE_USER, INTR_PUT_UPDATE_USER, INTR_REGISTER_CLEANUP_HANDLER, INTR_REMOVE_SOURCE_CARD, INTR_REPLACE_CARD_BY_TOKEN, INTR_RETRIEVE_DOCUMENT_FOR_DISPUTE, INTR_SET_ACTIVE_ENV_NAME, INTR_SET_ACTIVE_THEME_BY_NAME, INTR_SET_MOCK_MODE, INTR_START_DISPUTE, INTR_SUBMIT_ANS_DISPUTE, INTR_SUBMIT_DISPUTE, INTR_UNLOCK_CARD_BY_TOKEN, INTR_UPDATE_PIN_BY_CARD_TOKEN, INTR_UPLOAD_DOCUMENT_FOR_DISPUTE, INVALID_ACCOUNT_HOLDER, INVALID_CARD_DETAILS_CUI_AUTH_TOKEN, INVALID_CUI_AUTH_TOKEN, ITF_ACCOUNT_REPOSITORY, ITF_ANALYTICS_SERVICE, ITF_AUTH_SERVICE, ITF_CACHE_SERVICE, ITF_CARD_REPOSITORY, ITF_DISPUTES_REPOSITORY, ITF_ICONS_REPOSITORY, ITF_KYC, ITF_MONEY_MOVEMENT, ITF_PERSISTED_CACHE_SERVICE, ITF_REGISTRY_SERVICE, ITF_SESSION_SERVICE, ITF_STATEMENTS, ITF_STATEMENT_ASSET, ITF_THEME_REPOSITORY, ITF_TRANSACTIONS, ITF_USERS, ITF_WLA_SERVICE, type IconsObject, InitiateFunding, IsMockModeEnabled, type KycVerificationRequest, KycVerificationRequestIdentifierTypeEnum, type KycVerificationResponse, LIST_OF_ENABLED_COMPONENTS, LOADING_SSN, LocalStorageCacheService, LockCardByToken, LoyaltyTier, MOCK_AMOUNT_STEP_RESPONSE, MOCK_DELETE_DOCUMENTS_RESPONSE, MOCK_DISPUTE_ID, MOCK_DOCUMENT1, MOCK_DOCUMENT2, MOCK_DOCUMENT_ID1, MOCK_DOCUMENT_ID2, MOCK_FRAUD_STEP_RESPONSE, MOCK_GET_ALL_STEPS_RESPONSE, MOCK_INVALID_TRANSACTION_TOKEN, MOCK_RECOGNIZED_TRANSACTION_RESPONSE, MOCK_RETRIEVE_DOCUMENTS_RESPONSE, MOCK_START_DISPUTE_RESPONSE, MOCK_STATEMENT_ASSET_SIGNED_URL_PDF, MOCK_STEP1_RESPONSE, MOCK_STEP_COMPLETION_RESPONSE, MOCK_SUBMIT_DISPUTE_RESPONSE, MOCK_TRANSFORMED_ERROR_RESPONSE, MOCK_UPLOAD_DOCUMENTS_RESPONSE, type MetaProperties, MockAccountRepository, MockAnalyticsService, MockAuthService, MockCacheService, MockCardRepository, MockComponentsRepository, MockDisputesRepository, MockFeatureFlagService, MockGetEnvConfigValueByName, MockMoneyMovementRepository, MockPersistedCacheService, MockRegistryService, MockSessionService, MockThemeRepository, MockTransactionsRepository, MockiUsersRepository, MqSDKError, NAME_ISSUE_SSN, NOT_OK_CUI_AUTH_TOKEN, OBAC_ISSUE_SSN, type OfferListResponse, type OfferResponse, OnboardingStatus, OriginationDirection, OriginationTransferReasonCode, type OriginationTransferRequest, type OriginationTransferResponse, OriginationTransferScheme, type PinResponse, type PushRegistrationRequest, PushRegistrationRequestDevicePlatformEnum, PutUpdateUser, REFRESHED_CUI_AUTH_TOKEN, REPOSITORY_METHOD_FAILING_SHORT_CODE, ReactNativeAsyncStorageCacheService, RegisterCleanupHandler, RemoveSourceCard, ReplaceCardByToken, RestAuthService, RestComponentsRepository, RestKycRepository, RestUsersRepository, RestWlaService, RetrieveDocumentForDispute, type RewardCategory, type RewardPeriod, type RewardSummary, SESSION_TTL, MOCK_USER as STATEMENTS_MOCK_USER, SUSPENDED_CARD_ACTIONS, type SecondaryIdentification, SessionStorageFeatureFlagService, SetActiveEnvName, SetActiveThemeByName, SetMockMode, type Shipping, type ShippingInformationResponse, type ShippingInformationResponseMethodEnum, ShippingMethodEnum, type SourceCardsListEntity, type SourceCardsRecordEntity, type SourceCardsResponseEntity, type StandardOkResponse, StandardizedError, StartDispute, type StatementAssetResponse, StatementAssetStateEnum, type StatementSummary, type StatementsPaginationParams, type StatementsResponse, type StepResponse, StubFeatureFlagService, SubmitAnswerForDisputeQuestion, type SubmitAnswerPayload, SubmitDispute, type SubmitDisputeSuccessResponse, type SuccessBaseResponse, TERMINATED_CARD_ACTIONS, TEST_ACTIVE_CARD, TEST_ACTIVE_CARD_VIRTUAL, TEST_CARD, TEST_CARDHOLDER_VERIFICATION_METHOD, TEST_CARD_ACTIONS, TEST_CARD_PRODUCT_TOKEN, TEST_CARD_TOKEN, TEST_CARD_TOKEN_INVALID, TEST_CARD_TOKEN_IS_ACTIVE, TEST_CARD_TOKEN_IS_ACTIVE_VIRTUAL, TEST_CARD_TOKEN_IS_EXPIRED, TEST_CARD_TOKEN_IS_SUSPENDED, TEST_CARD_TOKEN_IS_SUSPENDED_VIRTUAL, TEST_CARD_TOKEN_IS_TERMINATED, TEST_CARD_TOKEN_IS_UNACTIVATED, TEST_CARD_TOKEN_IS_VIRTUAL, TEST_CARD_TOKEN_LIMIT_EXCEEDED, TEST_CARD_TOKEN_LOADING, TEST_CLIENT_ID, TEST_CVV_NUMBER, TEST_DEPOSIT_ACCOUNT, TEST_EXPIRATION, TEST_OK_RESPONSE, TEST_PIN, TEST_SESSION_ID, TEST_SOURCE_CARD, TEST_SOURCE_CARDS_RESPONSE, TEST_SUSPENDED_CARD_VIRTUAL, TEST_THEME_NAME, TEST_THEME_OBJECT, TEST_USER_TOKEN, TEST_WEAK_PINS, type ThemeObject, TransactionDetailResponseIconTypeEnum, type TransactionDetailsBannerData, TransactionDetailsBannerType, type TransactionDetailsRecord, type TransactionDetailsResponse, TransactionDirection, type TransactionListResponse, type TransactionRecord, TransactionRecordStatus, type TransactionResponse, TransactionStatus, TransactionType, type TransactionsPaginationParams, type TransactionsResponse, TransferStatus, type UnlinkSourceCardResponse, UnlockCardByToken, type UpdateExternalAccountRequest, UpdatePinByCardToken, type UpdatePinResponse, UploadDocumentForDispute, type UserAddressEntity, type UserConfigResponse, UserEntity, type UserEntityJsonType, type UserProfileResponse, type UserResponse, UserRole, type UserStatus, VALID_CUI_AUTH_TOKEN, VALID_CUI_USER_RESPONSE, VALID_PROGRAM_SHORT_CODE, VALID_USER_TOKEN_HASH, VanillaSessionService, WindowCacheService, WlaIocModule, type WlaTransactionDetailsResponse, WlaUserStatus, accountsIOCModule, authIOCModule, bookTransfer, cardsIOCModule, commonIOCModule, componentsIOCModule, createOriginationTransfer, createWlaCard, createWlaExternalAccount, deepMergeThemeObject, deleteRegistrationForPushNotifications, development, disputesIOCModule, envConfigIOCModule, featureFlagIsEnabled, featureFlagsIOCModule, formatDateForApi, generateStatementsDateQueries, getAccountTransactions, getActiveIocContainer, getCardholderContext, getClientId, getExternalAccount, getExternalAccountList, getMockUpdatedUserRequestToCreateResponse, getMockUserRequestToCreateResponse, getOfferDetails, getOffers, getSessionId, getUserProgram, getUserTokenHash, getWlaAccountDetails, getWlaCardByToken, getWlaRewardSummaries, getWlaTransactionByToken, getWlaUserProfile, handleGetStatementAsset, handleGetStatements, iAccountRepository, iAnalyticsService, iAuthService, iCacheService, iCardRepository, iComponentsRepository, iDisputesRepository, iFeatureFlagService, iGetEnvConfigValueByName, iIconsRepository, iKycRepository, iMoneyMovementRepository, iPersistedCacheService, iRegistryService, iSessionService, iStatementsRepository, iThemeRepository, iTransactionsRepository, iUsersRepository, iconsIOCModule, isComponentEnabled, kycIOCModule, loadEnabledComponentsByShortCode, loadFeatureFlags, localhost, markAccountVerified, mockAccountBalances, mockAccountHolderGroup, mockAccountsIOCModule, mockAnalyticsIOCModule, mockAuthIOCModule, mockCardsIOCModule, mockCommonIOCModule, mockCreateUserRequest, mockCreatedUserResponse, mockDepositAccountJson, mockDisputesIOCModule, mockEnvConfigIOCModule, mockFeatureFlagIOCModule, mockInvalidCreateUserRequest, mockInvalidKycVerificationRequest, mockKycVerificationRequest, mockKycVerificationResponse, mockMode, mockMoneyMovementIOCModule, mockSourceCards, mockThemesIOCModule, mockUpdateUserResponse, mockUsersIOCModule, moneyMovementIOCModule, mswAccountHandlers, mswAnalyticsHandlers, mswAuthHandlers, mswCardsHandlers, mswComponentsHandlers, mswDisputesHandlers, mswKycHandlers, mswSourceCardsHandler, mswStatementsHandlers, mswTransactionsHandlers, mswUsersHandlers, postCreateUser, postVerifyKyc, production, qa, reactNativeCommonIOCModule, reactNativeFeatureFlagsIOCModule, reactNativeContainer as reactNativeSdkJsContainer, registerDeviceForPushNotifications, container as sdkJsContainer, setActiveIocContainer, setCachedAuthToken, setWlaCardPin, setWlaConfig, startAuthTokenRefreshPolling, statementsIOCModule, themesIOCModule, toDateType, trackEvent, transactionsIOCModule, updateExternalAccount, usersIOCModule, verifyExternalAccount };
3615
+ declare const wlaReactNativeContainer: Container;
3616
+
3617
+ export { ACCOUNT_CLOSED_CUI_AUTH_TOKEN, ACCOUNT_LIMITED_CUI_AUTH_TOKEN, ACCOUNT_LOADING_CUI_AUTH_TOKEN, ACCOUNT_SUSPENDED_CUI_AUTH_TOKEN, ACCOUNT_UNVERIFIED_CUI_AUTH_TOKEN, ACTIVE_CARD_ACTIONS, ACTIVE_IOC_CONTAINER, ADDRESS_ISSUE_SSN, AUTH_REFRESH_INTERVAL_ID, AccountBalancesEntity, type AccountBalancesEntityJsonType, AccountHolderGroupEntity, type AccountHolderGroupEntityJsonType, type AccountInterestResponse, type AccountResponse, AccountType, ActivateCardByTokenOrPan, type ActivationActions, type ActivationActionsModel, AddSourceCard, type Address, type AllStepsResponse, type ApiResponse, type AuthKeyPair, type AuthParams, BAD_GENERAL_SSN, BannerTypeEnum, type BookTransferRequest, type BookTransferResponse, BookTransferResponseStatusEnum, BrowserMessageService, CUI_ENABLED_SHORT_CODE, type CardActionEntity, type CardActionsListEntity, CardEntity, type CardEntityJsonType, type CardFulfillmentRequest, CardFulfillmentRequestCardFulfillmentReasonEnum, type CardFulfillmentResponse, type CardFulfillmentResponseCardFulfillmentReasonEnum, type CardRequest, type CardResponse, type CardResponseCardArt, type CardResponseFulfillmentStatusEnum, type CardResponseInstrumentTypeEnum, type CardResponseStateEnum, CardStates, CardholderContextEntity, type CardholderContextEntityJsonType, CardholderVerificationMethods, CleanupOnUnload, type CreateCardResponse, type CreateUserRequest, type CreateUserRequestIdentificationsInner, CreateUserRequestIdentificationsInnerTypeEnum, type CreateUserResponse, CreateUserResponseStatusEnum, Currency, DEFAULT_THEME, DEPOSIT_ACCOUNTS_TERMINATED_CUI_AUTH_TOKEN, DOB_ISSUE_SSN, type DebugItem, DeleteDocumentForDispute, DepositAccountEntity, type DepositAccountEntityJsonType, type Dictionary, type Dispute, type DisputeSuccessResponse, DownloadDocumentForDispute, DpopAuthCredentialService, EMPTY_DEPOSIT_ACCOUNTS_CUI_AUTH_TOKEN, type EnvType, type ExistingAuth, type ExternalAccountListRequest, type ExternalAccountListResponse, type ExternalAccountRequest, type ExternalAccountResponse, ExternalAccountStatus, type ExternalAccountVerificationRequest, type ExternalAccountVerificationResponse, FFLAGS_SESSION_STORAGE_KEY, FormField, type FulfillmentAddressRequest, type FulfillmentAddressResponse, GaMeasurementAnalyticsService, GetAccountBalances, GetAccountHolderGroup, type GetAccountTransactionsRequest, GetActiveEnvName, GetActiveTheme, GetAllStepsOfDispute, GetCardByToken, GetCardsByUserToken, GetDepositAccounts, GetEnvConfigValueByName, GetIconsByName, GetLanguageCode, GetPinByCardToken, GetShowpanByCardToken, GetSourceCards, GetStatementAsset, GetStatements, GetStepOfDisputeByStepId, GetTransactionDetails, type GetTransactionDetailsByTokenJsonResponseTxnsDetailsBannerData, GetTransactions, type GetTransactionsResponse, GetUser, INTR_ACTIVATE_CARD_BY_TOKEN_OR_PAN, INTR_ADD_SOURCE_CARD, INTR_CLEANUP_ON_UNLOAD, INTR_DELETE_DOCUMENT_FOR_DISPUTE, INTR_DOWNLOAD_DOCUMENT_FOR_DISPUTE, INTR_GET_ACCT_BALANCE_BY_TOKEN, INTR_GET_ACCT_HOLDER_GRP_BY_TOKEN, INTR_GET_ACTIVE_ENV_NAME, INTR_GET_ACTIVE_THEME, INTR_GET_ALL_STEPS_OF_DISPUTE, INTR_GET_CARDS_BY_USER_TOKEN, INTR_GET_CARD_BY_TOKEN, INTR_GET_CLIENT_ID, INTR_GET_DEPOSIT_ACCT_BY_TOKEN, INTR_GET_ENV_CONFIG_VALUE_BY_NAME, INTR_GET_ICONS, INTR_GET_LANGUAGE_CODE, INTR_GET_PIN_BY_CARD_TOKEN, INTR_GET_SESSION_ID, INTR_GET_SHOWPAN_BY_CARD_TOKEN, INTR_GET_SOURCE_CARDS, INTR_GET_STATEMENTS, INTR_GET_STATEMENT_ASSET, INTR_GET_STEP_OF_DISPUTE_BY_STEP_ID, INTR_GET_TRANSACTIONS, INTR_GET_TRANSACTIONS_V2, INTR_GET_TRANSACTION_DETAILS, INTR_GET_USER, INTR_INITIATE_FUNDING, INTR_IS_MOCK_MODE_ENABLED, INTR_LOCK_CARD_BY_TOKEN, INTR_POST_CREATE_USER, INTR_PUT_UPDATE_USER, INTR_REGISTER_CLEANUP_HANDLER, INTR_REMOVE_SOURCE_CARD, INTR_REPLACE_CARD_BY_TOKEN, INTR_RETRIEVE_DOCUMENT_FOR_DISPUTE, INTR_SET_ACTIVE_ENV_NAME, INTR_SET_ACTIVE_THEME_BY_NAME, INTR_SET_MOCK_MODE, INTR_START_DISPUTE, INTR_SUBMIT_ANS_DISPUTE, INTR_SUBMIT_DISPUTE, INTR_UNLOCK_CARD_BY_TOKEN, INTR_UPDATE_PIN_BY_CARD_TOKEN, INTR_UPLOAD_DOCUMENT_FOR_DISPUTE, INVALID_ACCOUNT_HOLDER, INVALID_CARD_DETAILS_CUI_AUTH_TOKEN, INVALID_CUI_AUTH_TOKEN, ITF_ACCOUNT_REPOSITORY, ITF_ANALYTICS_SERVICE, ITF_AUTHENTICATED_HTTP_CLIENT, ITF_AUTH_CREDENTIAL_SERVICE, ITF_AUTH_CREDS_MESSAGE_SERVICE, ITF_AUTH_SERVICE, ITF_CACHE_SERVICE, ITF_CARD_REPOSITORY, ITF_DISPUTES_REPOSITORY, ITF_ICONS_REPOSITORY, ITF_KYC, ITF_MONEY_MOVEMENT, ITF_PERSISTED_CACHE_SERVICE, ITF_REGISTRY_SERVICE, ITF_SESSION_SERVICE, ITF_SSO_ACCESS_TOKEN_SERVICE, ITF_STATEMENTS, ITF_STATEMENT_ASSET, ITF_THEME_REPOSITORY, ITF_TRANSACTIONS, ITF_USERS, ITF_WLA_SERVICE, type IconsObject, InitiateFunding, IsMockModeEnabled, type KycVerificationRequest, KycVerificationRequestIdentifierTypeEnum, type KycVerificationResponse, LIST_OF_ENABLED_COMPONENTS, LOADING_SSN, LocalStorageCacheService, LockCardByToken, LoyaltyTier, MOCK_AMOUNT_STEP_RESPONSE, MOCK_CUSTOMER_ENDPOINT, MOCK_DELETE_DOCUMENTS_RESPONSE, MOCK_DISPUTE_ID, MOCK_DOCUMENT1, MOCK_DOCUMENT2, MOCK_DOCUMENT_ID1, MOCK_DOCUMENT_ID2, MOCK_FRAUD_STEP_RESPONSE, MOCK_GET_ALL_STEPS_RESPONSE, MOCK_INVALID_TRANSACTION_TOKEN, MOCK_RECOGNIZED_TRANSACTION_RESPONSE, MOCK_RETRIEVE_DOCUMENTS_RESPONSE, MOCK_START_DISPUTE_RESPONSE, MOCK_STATEMENT_ASSET_SIGNED_URL_PDF, MOCK_STEP1_RESPONSE, MOCK_STEP_COMPLETION_RESPONSE, MOCK_SUBMIT_DISPUTE_RESPONSE, MOCK_TRANSFORMED_ERROR_RESPONSE, MOCK_UPLOAD_DOCUMENTS_RESPONSE, type MetaProperties, MockAccountRepository, MockAnalyticsService, MockAuthCredentialService, MockAuthService, MockCacheService, MockCardRepository, MockComponentsRepository, MockDisputesRepository, MockFeatureFlagService, MockGetEnvConfigValueByName, MockMoneyMovementRepository, MockPersistedCacheService, MockRegistryService, MockSessionService, MockThemeRepository, MockTransactionsRepository, MockiUsersRepository, MqSDKError, NAME_ISSUE_SSN, NOT_OK_CUI_AUTH_TOKEN, NOT_OK_DPOP_TOKEN, OBAC_ISSUE_SSN, type OfferListResponse, type OfferResponse, OnboardingStatus, OriginationDirection, OriginationTransferReasonCode, type OriginationTransferRequest, type OriginationTransferResponse, OriginationTransferScheme, type PinResponse, type PushRegistrationRequest, PushRegistrationRequestDevicePlatformEnum, PutUpdateUser, REFRESHED_CUI_AUTH_TOKEN, REPOSITORY_METHOD_FAILING_SHORT_CODE, ReactNativeAsyncStorageCacheService, RegisterCleanupHandler, RemoveSourceCard, ReplaceCardByToken, type RequestNewAuthTokenMessageService, type RequestNewAuthTokenResponse, RestAuthService, RestComponentsRepository, RestKycRepository, RestUsersRepository, RestWlaService, RetrieveDocumentForDispute, type RewardCategory, type RewardPeriod, type RewardSummary, SESSION_TTL, MOCK_USER as STATEMENTS_MOCK_USER, SUSPENDED_CARD_ACTIONS, type SecondaryIdentification, SessionStorageFeatureFlagService, SetActiveEnvName, SetActiveThemeByName, SetMockMode, type Shipping, type ShippingInformationResponse, type ShippingInformationResponseMethodEnum, ShippingMethodEnum, type SourceCardsListEntity, type SourceCardsRecordEntity, type SourceCardsResponseEntity, type SsoAccessTokenHandler, type StandardOkResponse, StandardizedError, StartDispute, type StatementAssetResponse, StatementAssetStateEnum, type StatementSummary, type StatementsPaginationParams, type StatementsResponse, type StepResponse, StubFeatureFlagService, SubmitAnswerForDisputeQuestion, type SubmitAnswerPayload, SubmitDispute, type SubmitDisputeSuccessResponse, type SuccessBaseResponse, TERMINATED_CARD_ACTIONS, TEST_ACTIVE_CARD, TEST_ACTIVE_CARD_VIRTUAL, TEST_CARD, TEST_CARDHOLDER_VERIFICATION_METHOD, TEST_CARD_ACTIONS, TEST_CARD_PRODUCT_TOKEN, TEST_CARD_TOKEN, TEST_CARD_TOKEN_INVALID, TEST_CARD_TOKEN_IS_ACTIVE, TEST_CARD_TOKEN_IS_ACTIVE_VIRTUAL, TEST_CARD_TOKEN_IS_EXPIRED, TEST_CARD_TOKEN_IS_SUSPENDED, TEST_CARD_TOKEN_IS_SUSPENDED_VIRTUAL, TEST_CARD_TOKEN_IS_TERMINATED, TEST_CARD_TOKEN_IS_UNACTIVATED, TEST_CARD_TOKEN_IS_VIRTUAL, TEST_CARD_TOKEN_LIMIT_EXCEEDED, TEST_CARD_TOKEN_LOADING, TEST_CLIENT_ID, TEST_CVV_NUMBER, TEST_DEPOSIT_ACCOUNT, TEST_EXPIRATION, TEST_OK_RESPONSE, TEST_PIN, TEST_SESSION_ID, TEST_SOURCE_CARD, TEST_SOURCE_CARDS_RESPONSE, TEST_SUSPENDED_CARD_VIRTUAL, TEST_THEME_NAME, TEST_THEME_OBJECT, TEST_USER_TOKEN, TEST_WEAK_PINS, type ThemeObject, TransactionDetailResponseIconTypeEnum, type TransactionDetailsBannerData, TransactionDetailsBannerType, type TransactionDetailsRecord, type TransactionDetailsResponse, TransactionDirection, type TransactionListResponse, type TransactionRecord, TransactionRecordStatus, type TransactionResponse, TransactionStatus, TransactionType, type TransactionsPaginationParams, type TransactionsResponse, TransferStatus, type UnlinkSourceCardResponse, UnlockCardByToken, type UpdateExternalAccountRequest, UpdatePinByCardToken, type UpdatePinResponse, UploadDocumentForDispute, type UserAddressEntity, type UserConfigResponse, UserEntity, type UserEntityJsonType, type UserProfileResponse, type UserResponse, UserRole, type UserStatus, VALID_CUI_AUTH_TOKEN, VALID_CUI_USER_RESPONSE, VALID_DPOP_TOKEN, VALID_OAUTH_TOKEN, VALID_PROGRAM_SHORT_CODE, VALID_USER_TOKEN_HASH, VanillaSessionService, WindowCacheService, WlaIocModule, WlaSdkError, type WlaTransactionDetailsResponse, WlaUserStatus, accountsIOCModule, authIOCModule, bookTransfer, cardsIOCModule, checkAndRefreshAuthToken, commonIOCModule, componentsIOCModule, convertObjKeysToCamelCase, convertObjKeysToLowerCamelCase, createOriginationTransfer, createProofToken, createWlaCard, createWlaExternalAccount, deepMergeThemeObject, deleteRegistrationForPushNotifications, development, disputesIOCModule, envConfigIOCModule, featureFlagIsEnabled, featureFlagsIOCModule, formatDateForApi, generateAuthKeyPair, generateStatementsDateQueries, getAccountTransactions, getActiveIocContainer, getAuthKeyPair, getCachedAuthApiEndpoint, getCachedAuthToken, getCachedAuthTokenExpiration, getCardholderContext, getClientId, getExternalAccount, getExternalAccountList, getMockUpdatedUserRequestToCreateResponse, getMockUserRequestToCreateResponse, getOfferDetails, getOffers, getSessionId, getSsoAccessTokenHandler, getUserProgram, getUserTokenHash, getWlaAccountDetails, getWlaCardByToken, getWlaRewardSummaries, getWlaTransactionByToken, getWlaUserProfile, handleGetStatementAsset, handleGetStatements, iAccountRepository, iAnalyticsService, iAuthCredentialService, iAuthCredsMessageService, iAuthService, iAuthenticatedHttpClient, iCacheService, iCardRepository, iComponentsRepository, iDisputesRepository, iFeatureFlagService, iGetEnvConfigValueByName, iIconsRepository, iKycRepository, iMoneyMovementRepository, iPersistedCacheService, iRegistryService, iSessionService, iSsoAccessTokenService, iStatementsRepository, iThemeRepository, iTransactionsRepository, iUsersRepository, iconsIOCModule, isComponentEnabled, kycIOCModule, loadEnabledComponentsByShortCode, loadFeatureFlags, localhost, markAccountActivated, markAccountVerified, mockAccountBalances, mockAccountHolderGroup, mockAccountsIOCModule, mockAnalyticsIOCModule, mockAuthIOCModule, mockCardsIOCModule, mockCommonIOCModule, mockCreateUserRequest, mockCreatedUserResponse, mockDepositAccountJson, mockDisputesIOCModule, mockEnvConfigIOCModule, mockFeatureFlagIOCModule, mockInvalidCreateUserRequest, mockInvalidKycVerificationRequest, mockKycVerificationRequest, mockKycVerificationResponse, mockMode, mockMoneyMovementIOCModule, mockSourceCards, mockThemesIOCModule, mockUpdateUserResponse, mockUsersIOCModule, moneyMovementIOCModule, mswAccountHandlers, mswAnalyticsHandlers, mswAuthHandlers, mswCardsHandlers, mswComponentsHandlers, mswDisputesHandlers, mswKycHandlers, mswSourceCardsHandler, mswStatementsHandlers, mswTransactionsHandlers, mswUsersHandlers, postCreateUser, postVerifyKyc, production, qa, reactNativeCommonIOCModule, reactNativeFeatureFlagsIOCModule, reactNativeContainer as reactNativeSdkJsContainer, registerDeviceForPushNotifications, sandbox, container as sdkJsContainer, searchAtms, setActiveIocContainer, setAuthKeyPair, setAuthParams, setCachedAuthApiEndpoint, setCachedAuthToken, setSsoAccessTokenHandler, setWlaCardPin, setWlaConfig, statementsIOCModule, themesIOCModule, toDateType, trackEvent, transactionsIOCModule, updateExternalAccount, usersIOCModule, verifyExternalAccount, wlaReactNativeContainer as wlaReactNativeSdkJsContainer };