@commercengine/storefront-sdk 0.9.2 → 0.9.3
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.ts +330 -3
- package/dist/index.iife.js.map +1 -1
- package/dist/index.js.map +1 -1
- package/package.json +1 -1
package/dist/index.d.ts
CHANGED
|
@@ -1,5 +1,4 @@
|
|
|
1
|
-
import "openapi-fetch";
|
|
2
|
-
import { ApiResult, BaseAPIClient, BaseSDKOptions, DebugLoggerFn, ResponseUtils } from "@commercengine/sdk-core";
|
|
1
|
+
import createClient, { Middleware } from "openapi-fetch";
|
|
3
2
|
|
|
4
3
|
//#region src/types/storefront.d.ts
|
|
5
4
|
|
|
@@ -10870,6 +10869,334 @@ interface operations {
|
|
|
10870
10869
|
};
|
|
10871
10870
|
}
|
|
10872
10871
|
//#endregion
|
|
10872
|
+
//#region ../sdk-core/dist/index.d.ts
|
|
10873
|
+
//#region src/types/api.d.ts
|
|
10874
|
+
|
|
10875
|
+
/**
|
|
10876
|
+
* Core API response types shared across Commerce Engine SDKs
|
|
10877
|
+
*/
|
|
10878
|
+
/**
|
|
10879
|
+
* Standard API error response structure
|
|
10880
|
+
*/
|
|
10881
|
+
interface ApiErrorResponse {
|
|
10882
|
+
success?: boolean;
|
|
10883
|
+
error?: any;
|
|
10884
|
+
code?: string;
|
|
10885
|
+
message?: string;
|
|
10886
|
+
}
|
|
10887
|
+
/**
|
|
10888
|
+
* Generic API result type that wraps all SDK responses
|
|
10889
|
+
* Provides consistent error handling and response structure
|
|
10890
|
+
*/
|
|
10891
|
+
type ApiResult<T> = {
|
|
10892
|
+
data: T;
|
|
10893
|
+
error: null;
|
|
10894
|
+
response: Response;
|
|
10895
|
+
} | {
|
|
10896
|
+
data: null;
|
|
10897
|
+
error: ApiErrorResponse;
|
|
10898
|
+
response: Response;
|
|
10899
|
+
};
|
|
10900
|
+
//#endregion
|
|
10901
|
+
//#region src/types/logger.d.ts
|
|
10902
|
+
/**
|
|
10903
|
+
* Logger-related types for Commerce Engine SDKs
|
|
10904
|
+
*/
|
|
10905
|
+
/**
|
|
10906
|
+
* Debug logger function interface
|
|
10907
|
+
*/
|
|
10908
|
+
interface DebugLoggerFn {
|
|
10909
|
+
(level: "info" | "warn" | "error", message: string, data?: any): void;
|
|
10910
|
+
}
|
|
10911
|
+
//#endregion
|
|
10912
|
+
//#region src/types/config.d.ts
|
|
10913
|
+
/**
|
|
10914
|
+
* Base SDK configuration options for any OpenAPI-based SDK
|
|
10915
|
+
* Completely generic - no assumptions about the underlying API
|
|
10916
|
+
*/
|
|
10917
|
+
interface BaseSDKOptions<TDefaultHeaders extends Record<string, any> = Record<string, any>> {
|
|
10918
|
+
/**
|
|
10919
|
+
* Base URL for the API
|
|
10920
|
+
*/
|
|
10921
|
+
baseUrl?: string;
|
|
10922
|
+
/**
|
|
10923
|
+
* Optional timeout in milliseconds
|
|
10924
|
+
*/
|
|
10925
|
+
timeout?: number;
|
|
10926
|
+
/**
|
|
10927
|
+
* Default headers to include with API requests
|
|
10928
|
+
* These can be overridden at the method level
|
|
10929
|
+
* Generic type allows each SDK to define its supported headers
|
|
10930
|
+
*/
|
|
10931
|
+
defaultHeaders?: TDefaultHeaders;
|
|
10932
|
+
/**
|
|
10933
|
+
* Enable debug mode for detailed request/response logging
|
|
10934
|
+
*/
|
|
10935
|
+
debug?: boolean;
|
|
10936
|
+
/**
|
|
10937
|
+
* Custom logger function for debug information
|
|
10938
|
+
*/
|
|
10939
|
+
logger?: DebugLoggerFn;
|
|
10940
|
+
}
|
|
10941
|
+
/**
|
|
10942
|
+
* Header configuration for SDK clients
|
|
10943
|
+
* Defines supported headers and optional transformations
|
|
10944
|
+
*/
|
|
10945
|
+
interface HeaderConfig<T extends Record<string, any>> {
|
|
10946
|
+
/**
|
|
10947
|
+
* Default headers from SDK configuration
|
|
10948
|
+
*/
|
|
10949
|
+
defaultHeaders?: T;
|
|
10950
|
+
/**
|
|
10951
|
+
* Optional transformations to apply to header names
|
|
10952
|
+
* Maps SDK parameter names to HTTP header names
|
|
10953
|
+
*/
|
|
10954
|
+
transformations?: Record<keyof T, string>;
|
|
10955
|
+
}
|
|
10956
|
+
//#endregion
|
|
10957
|
+
//#region src/base-client.d.ts
|
|
10958
|
+
/**
|
|
10959
|
+
* Generic base API client that all Commerce Engine SDKs can extend
|
|
10960
|
+
* Handles common functionality like middleware setup, request execution, and header management
|
|
10961
|
+
* Does NOT include token management - that's SDK-specific
|
|
10962
|
+
*
|
|
10963
|
+
* @template TPaths - OpenAPI paths type
|
|
10964
|
+
* @template THeaders - Supported default headers type
|
|
10965
|
+
*/
|
|
10966
|
+
declare class BaseAPIClient<TPaths extends Record<string, any>, THeaders extends Record<string, any> = Record<string, any>> {
|
|
10967
|
+
protected client: ReturnType<typeof createClient<TPaths>>;
|
|
10968
|
+
protected config: BaseSDKOptions<THeaders>;
|
|
10969
|
+
protected readonly baseUrl: string;
|
|
10970
|
+
private readonly headerTransformations;
|
|
10971
|
+
/**
|
|
10972
|
+
* Create a new BaseAPIClient
|
|
10973
|
+
*
|
|
10974
|
+
* @param config - Configuration for the API client
|
|
10975
|
+
* @param baseUrl - The base URL for the API (must be provided by subclass)
|
|
10976
|
+
* @param headerTransformations - Header name transformations for this SDK
|
|
10977
|
+
*/
|
|
10978
|
+
constructor(config: BaseSDKOptions<THeaders>, baseUrl: string, headerTransformations?: Record<keyof THeaders, string>);
|
|
10979
|
+
/**
|
|
10980
|
+
* Set up all middleware for the client
|
|
10981
|
+
*/
|
|
10982
|
+
private setupMiddleware;
|
|
10983
|
+
/**
|
|
10984
|
+
* Get the base URL of the API
|
|
10985
|
+
*
|
|
10986
|
+
* @returns The base URL of the API
|
|
10987
|
+
*/
|
|
10988
|
+
getBaseUrl(): string;
|
|
10989
|
+
/**
|
|
10990
|
+
* Execute a request and handle the response consistently
|
|
10991
|
+
* This provides unified error handling and response processing
|
|
10992
|
+
*
|
|
10993
|
+
* @param apiCall - Function that executes the API request
|
|
10994
|
+
* @returns Promise with the API response in standardized format
|
|
10995
|
+
*/
|
|
10996
|
+
protected executeRequest<T>(apiCall: () => Promise<{
|
|
10997
|
+
data?: {
|
|
10998
|
+
message?: string;
|
|
10999
|
+
success?: boolean;
|
|
11000
|
+
content?: T;
|
|
11001
|
+
};
|
|
11002
|
+
error?: any;
|
|
11003
|
+
response: Response;
|
|
11004
|
+
}>): Promise<ApiResult<T>>;
|
|
11005
|
+
/**
|
|
11006
|
+
* Merge default headers with method-level headers
|
|
11007
|
+
* Method-level headers take precedence over default headers
|
|
11008
|
+
* Automatically applies SDK-specific header transformations
|
|
11009
|
+
*
|
|
11010
|
+
* @param methodHeaders - Headers passed to the specific method call
|
|
11011
|
+
* @returns Merged headers object with proper HTTP header names
|
|
11012
|
+
*/
|
|
11013
|
+
protected mergeHeaders<T extends Record<string, any> = Record<string, any>>(methodHeaders?: T): T;
|
|
11014
|
+
/**
|
|
11015
|
+
* Set default headers for the client
|
|
11016
|
+
*
|
|
11017
|
+
* @param headers - Default headers to set
|
|
11018
|
+
*/
|
|
11019
|
+
setDefaultHeaders(headers: THeaders): void;
|
|
11020
|
+
/**
|
|
11021
|
+
* Get current default headers
|
|
11022
|
+
*
|
|
11023
|
+
* @returns Current default headers
|
|
11024
|
+
*/
|
|
11025
|
+
getDefaultHeaders(): THeaders | undefined;
|
|
11026
|
+
}
|
|
11027
|
+
//#endregion
|
|
11028
|
+
//#region src/utils/url.d.ts
|
|
11029
|
+
/**
|
|
11030
|
+
* Generic URL utility functions for any SDK
|
|
11031
|
+
*/
|
|
11032
|
+
/**
|
|
11033
|
+
* Extract pathname from URL
|
|
11034
|
+
* Useful for middleware that needs to inspect request paths
|
|
11035
|
+
*/
|
|
11036
|
+
declare function getPathnameFromUrl(url: string): string;
|
|
11037
|
+
//#endregion
|
|
11038
|
+
//#region src/utils/response.d.ts
|
|
11039
|
+
/**
|
|
11040
|
+
* Execute a request and handle the response consistently
|
|
11041
|
+
* This provides unified error handling and response processing across all SDKs
|
|
11042
|
+
*
|
|
11043
|
+
* @param apiCall - Function that executes the API request
|
|
11044
|
+
* @returns Promise with the API response in standardized format
|
|
11045
|
+
*/
|
|
11046
|
+
declare function executeRequest<T>(apiCall: () => Promise<{
|
|
11047
|
+
data?: {
|
|
11048
|
+
message?: string;
|
|
11049
|
+
success?: boolean;
|
|
11050
|
+
content?: T;
|
|
11051
|
+
};
|
|
11052
|
+
error?: ApiErrorResponse;
|
|
11053
|
+
response: Response;
|
|
11054
|
+
}>): Promise<ApiResult<T>>;
|
|
11055
|
+
//#endregion
|
|
11056
|
+
//#region src/middleware/debug.d.ts
|
|
11057
|
+
/**
|
|
11058
|
+
* Response utilities for debugging and working with Response objects
|
|
11059
|
+
*/
|
|
11060
|
+
declare class ResponseUtils {
|
|
11061
|
+
/**
|
|
11062
|
+
* Get response headers as a plain object
|
|
11063
|
+
*/
|
|
11064
|
+
static getHeaders(response: Response): Record<string, string>;
|
|
11065
|
+
/**
|
|
11066
|
+
* Get specific header value
|
|
11067
|
+
*/
|
|
11068
|
+
static getHeader(response: Response, name: string): string | null;
|
|
11069
|
+
/**
|
|
11070
|
+
* Check if response was successful
|
|
11071
|
+
*/
|
|
11072
|
+
static isSuccess(response: Response): boolean;
|
|
11073
|
+
/**
|
|
11074
|
+
* Get response metadata
|
|
11075
|
+
*/
|
|
11076
|
+
static getMetadata(response: Response): {
|
|
11077
|
+
status: number;
|
|
11078
|
+
statusText: string;
|
|
11079
|
+
ok: boolean;
|
|
11080
|
+
url: string;
|
|
11081
|
+
redirected: boolean;
|
|
11082
|
+
type: ResponseType;
|
|
11083
|
+
headers: {
|
|
11084
|
+
[k: string]: string;
|
|
11085
|
+
};
|
|
11086
|
+
};
|
|
11087
|
+
/**
|
|
11088
|
+
* Clone and read response as text (useful for debugging)
|
|
11089
|
+
* Note: This can only be called once per response
|
|
11090
|
+
*/
|
|
11091
|
+
static getText(response: Response): Promise<string>;
|
|
11092
|
+
/**
|
|
11093
|
+
* Clone and read response as JSON (useful for debugging)
|
|
11094
|
+
* Note: This can only be called once per response
|
|
11095
|
+
*/
|
|
11096
|
+
static getJSON(response: Response): Promise<any>;
|
|
11097
|
+
/**
|
|
11098
|
+
* Format response information for debugging
|
|
11099
|
+
*/
|
|
11100
|
+
static format(response: Response): string;
|
|
11101
|
+
/**
|
|
11102
|
+
* Format response for logging purposes (enhanced version)
|
|
11103
|
+
*/
|
|
11104
|
+
static formatResponse(response: Response): Record<string, any>;
|
|
11105
|
+
}
|
|
11106
|
+
/**
|
|
11107
|
+
* Debug logging utilities
|
|
11108
|
+
*/
|
|
11109
|
+
declare class DebugLogger {
|
|
11110
|
+
private logger;
|
|
11111
|
+
private responseTextCache;
|
|
11112
|
+
constructor(logger?: DebugLoggerFn);
|
|
11113
|
+
/**
|
|
11114
|
+
* Log debug information about API request
|
|
11115
|
+
*/
|
|
11116
|
+
logRequest(request: Request, requestBody?: any): void;
|
|
11117
|
+
/**
|
|
11118
|
+
* Log debug information about API response
|
|
11119
|
+
*/
|
|
11120
|
+
logResponse(response: Response, responseBody?: any): Promise<void>;
|
|
11121
|
+
/**
|
|
11122
|
+
* Log error information
|
|
11123
|
+
*/
|
|
11124
|
+
logError(message: string, error: any): void;
|
|
11125
|
+
/**
|
|
11126
|
+
* Get cached response text for a URL (if available)
|
|
11127
|
+
*/
|
|
11128
|
+
getCachedResponseText(url: string): string | null;
|
|
11129
|
+
/**
|
|
11130
|
+
* Clear cached response texts
|
|
11131
|
+
*/
|
|
11132
|
+
clearCache(): void;
|
|
11133
|
+
info(message: string, data?: any): void;
|
|
11134
|
+
warn(message: string, data?: any): void;
|
|
11135
|
+
error(message: string, data?: any): void;
|
|
11136
|
+
}
|
|
11137
|
+
/**
|
|
11138
|
+
* Extract request body for logging
|
|
11139
|
+
*/
|
|
11140
|
+
declare function extractRequestBody(request: Request): Promise<any>;
|
|
11141
|
+
/**
|
|
11142
|
+
* Create debug middleware for openapi-fetch (internal use)
|
|
11143
|
+
* Enhanced version that combines original functionality with duration tracking
|
|
11144
|
+
*/
|
|
11145
|
+
declare function createDebugMiddleware(logger?: DebugLoggerFn): Middleware;
|
|
11146
|
+
//#endregion
|
|
11147
|
+
//#region src/middleware/timeout.d.ts
|
|
11148
|
+
/**
|
|
11149
|
+
* Timeout middleware for Commerce Engine SDKs
|
|
11150
|
+
*/
|
|
11151
|
+
/**
|
|
11152
|
+
* Create timeout middleware for openapi-fetch
|
|
11153
|
+
* Adds configurable request timeout functionality
|
|
11154
|
+
*
|
|
11155
|
+
* @param timeoutMs - Timeout duration in milliseconds
|
|
11156
|
+
* @returns Middleware object with onRequest handler
|
|
11157
|
+
*/
|
|
11158
|
+
declare function createTimeoutMiddleware(timeoutMs: number): {
|
|
11159
|
+
onRequest: ({
|
|
11160
|
+
request
|
|
11161
|
+
}: {
|
|
11162
|
+
request: Request;
|
|
11163
|
+
}) => Promise<Request>;
|
|
11164
|
+
};
|
|
11165
|
+
//#endregion
|
|
11166
|
+
//#region src/middleware/headers.d.ts
|
|
11167
|
+
/**
|
|
11168
|
+
* Header transformation and merging utilities for Commerce Engine SDKs
|
|
11169
|
+
*/
|
|
11170
|
+
/**
|
|
11171
|
+
* Merge two header objects
|
|
11172
|
+
* Method-level headers take precedence over default headers
|
|
11173
|
+
*
|
|
11174
|
+
* @param defaultHeaders - Default headers from SDK configuration
|
|
11175
|
+
* @param methodHeaders - Headers passed to the specific method call
|
|
11176
|
+
* @returns Merged headers object
|
|
11177
|
+
*/
|
|
11178
|
+
declare function mergeHeaders<T extends Record<string, any> = Record<string, any>>(defaultHeaders?: Record<string, any>, methodHeaders?: T): T;
|
|
11179
|
+
/**
|
|
11180
|
+
* Transform headers using a transformation mapping
|
|
11181
|
+
* Headers not in the transformation map are passed through unchanged
|
|
11182
|
+
*
|
|
11183
|
+
* @param headers - Headers object with original names
|
|
11184
|
+
* @param transformations - Mapping of original names to transformed names
|
|
11185
|
+
* @returns Headers object with transformed names
|
|
11186
|
+
*/
|
|
11187
|
+
declare function transformHeaders(headers: Record<string, any>, transformations: Record<string, string>): Record<string, string>;
|
|
11188
|
+
/**
|
|
11189
|
+
* Merge headers with transformation support
|
|
11190
|
+
* Transforms default headers, then merges with method headers
|
|
11191
|
+
*
|
|
11192
|
+
* @param defaultHeaders - Default headers from SDK configuration
|
|
11193
|
+
* @param methodHeaders - Headers passed to the specific method call
|
|
11194
|
+
* @param transformations - Mapping for header name transformations
|
|
11195
|
+
* @returns Merged headers object with transformations applied
|
|
11196
|
+
*/
|
|
11197
|
+
declare function mergeAndTransformHeaders<T extends Record<string, any> = Record<string, any>>(defaultHeaders?: Record<string, any>, methodHeaders?: T, transformations?: Record<string, string>): T;
|
|
11198
|
+
//#endregion
|
|
11199
|
+
//#endregion
|
|
10873
11200
|
//#region src/lib/client.d.ts
|
|
10874
11201
|
/**
|
|
10875
11202
|
* Storefront API client that extends the generic BaseAPIClient
|
|
@@ -14303,5 +14630,5 @@ declare class StorefrontSDK {
|
|
|
14303
14630
|
getDefaultHeaders(): SupportedDefaultHeaders | undefined;
|
|
14304
14631
|
}
|
|
14305
14632
|
//#endregion
|
|
14306
|
-
export { AcceleratedRewardCouponPromotion, AcceleratedRewardRule, AddCardBody, AddCardContent, AddCardResponse, AddProfileImageContent, AddProfileImageFormData, AddProfileImagePathParams, AddProfileImageResponse, AddToWishlistBody, AddToWishlistContent, AddToWishlistPathParams, AddToWishlistResponse, AdditionalProductDetails, AnalyticsEvent, AnonymousUser, ApplicableCoupon, ApplicablePromotion, AppliedCoupon, AppliedPromotion, ApplyCouponBody, ApplyCouponContent, ApplyCouponPathParams, ApplyCouponResponse, AssociatedOption, AuthClient, AutoScaleBasedOnAmount, AutoScaleBasedOnQuantity, BankTransfer, BooleanAttribute, Brand, BrowserTokenStorage, Business, BuyXGetYCouponPromotion, BuyXGetYRule, BuyXGetYRuleBasedOnAmount, BuyXGetYRuleBasedOnQuantity, CancelOrderBody, CancelOrderContent, CancelOrderPathParams, CancelOrderResponse, CardPayment, Cart, CartBasedServiceabilityCheck, CartClient, CartItem, CatalogClient, Category, ChangePasswordBody, ChangePasswordContent, ChangePasswordResponse, CheckPincodeServiceabilityContent, CheckPincodeServiceabilityPathParams, CheckPincodeServiceabilityResponse, CheckVerificationStatusBody, CheckVerificationStatusContent, CheckVerificationStatusResponse, CollectInStore, CollectInStoreFulfillment, ColorAttribute, ColorOption, CookieTokenStorage, type CookieTokenStorageOptions, Country, CountryState, Coupon, CouponPromotionCommonDetail, CouponType, CreateAddressBody, CreateAddressContent, CreateAddressPathParams, CreateAddressResponse, CreateCartAddressBody, CreateCartAddressContent, CreateCartAddressPathParams, CreateCartAddressResponse, CreateCartBody, CreateCartContent, CreateCartResponse, CreateCustomSubscription, CreateCustomer, CreateCustomerBody, CreateCustomerContent, CreateCustomerResponse, CreateDocumentContent, CreateDocumentFormData, CreateDocumentPathParams, CreateDocumentResponse, CreateJuspayCustomerBody, CreateJuspayCustomerContent, CreateJuspayCustomerResponse, CreateJuspayOrderBody, CreateJuspayOrderContent, CreateJuspayOrderResponse, CreateNotificationPreferencesBody, CreateNotificationPreferencesContent, CreateNotificationPreferencesPathParams, CreateNotificationPreferencesResponse, CreateOrderBody, CreateOrderContent, CreateOrderResponse, CreateOrderReturn, CreateOrderReturnBody, CreateOrderReturnContent, CreateOrderReturnPathParams, CreateOrderReturnResponse, CreatePosOrderBody, CreatePosOrderContent, CreatePosOrderResponse, CreateProductReviewFormData, CreateProductReviewPathParams, CreateProductReviewResponse, CreateReview, CreateStandardSubscription, CreateSubscription, CreateSubscriptionBody, CreateSubscriptionContent, CreateSubscriptionResponse, Currency, CustomSlabsBasedOnAmount, CustomSlabsBasedOnQuantity, CustomerAddress, CustomerClient, CustomerDetail, CustomerGroup, CustomerLoyalty, CustomerReadyForReview, CustomerReview, DateAttribute, DeactivateUserPathParams, DeactivateUserResponse, type DebugLoggerFn, DeleteAddressPathParams, DeleteAddressResponse, DeleteCartPathParams, DeleteCartResponse, DeleteDocumentPathParams, DeleteDocumentResponse, DeleteFromWishlistBody, DeleteFromWishlistContent, DeleteFromWishlistPathParams, DeleteFromWishlistResponse, DeleteUserCartPathParams, DeleteUserCartResponse, DeliveryFulfillment, DiscountBasedPromotion, DiscountCouponPromotion, DiscountRule, Document, Environment, EvaluateCouponsContent, EvaluateCouponsPathParams, EvaluateCouponsResponse, EvaluatePromotionsContent, EvaluatePromotionsPathParams, EvaluatePromotionsResponse, FixedAmountDiscountRule, FixedPriceCouponPromotion, FixedPricePromotion, FixedPriceRule, FixedPriceRuleBasedAmount, FixedPriceRuleBasedQuantity, ForgotPasswordBody, ForgotPasswordContent, ForgotPasswordResponse, FreeGoodCouponPromotion, FreeGoodsPromotion, FreeGoodsRule, FreeShipingCouponPromotion, FulfillmentPreference, GenerateHashBody, GenerateHashContent, GenerateHashResponse, GenerateOtpBody, GenerateOtpContent, GenerateOtpResponse, GenerateOtpWithEmail, GenerateOtpWithPhone, GetAddressDetailContent, GetAddressDetailPathParams, GetAddressDetailResponse, GetAnonymousTokenContent, GetAnonymousTokenResponse, GetCartContent, GetCartPathParams, GetCartResponse, GetConfigContent, GetConfigResponse, GetCustomerDetailContent, GetCustomerDetailPathParams, GetCustomerDetailResponse, GetDocumentContent, GetDocumentPathParams, GetDocumentResponse, GetFulfillmentOptionsBody, GetFulfillmentOptionsContent, GetFulfillmentOptionsResponse, GetJuspayCustomerContent, GetJuspayCustomerPathParams, GetJuspayCustomerResponse, GetLoyaltyDetailsContent, GetLoyaltyDetailsPathParams, GetLoyaltyDetailsResponse, GetNotificationPreferencesContent, GetNotificationPreferencesPathParams, GetNotificationPreferencesResponse, GetOrderDetailContent, GetOrderDetailPathParams, GetOrderDetailResponse, GetOrderReturnDetailContent, GetOrderReturnDetailPathParams, GetOrderReturnDetailResponse, GetPaymentStatusContent, GetPaymentStatusPathParams, GetPaymentStatusResponse, GetPosFulfillmentOptionsBody, GetPosFulfillmentOptionsContent, GetPosFulfillmentOptionsResponse, GetProductDetailContent, GetProductDetailHeaderParams, GetProductDetailPathParams, GetProductDetailResponse, GetProfileImageContent, GetProfileImagePathParams, GetProfileImageResponse, GetShippingMethodsBody, GetShippingMethodsContent, GetShippingMethodsResponse, GetSubscriptionContent, GetSubscriptionPathParams, GetSubscriptionResponse, GetUserCartContent, GetUserCartPathParams, GetUserCartResponse, GetUserDetailContent, GetUserDetailPathParams, GetUserDetailResponse, GetVariantDetailContent, GetVariantDetailHeaderParams, GetVariantDetailPathParams, GetVariantDetailResponse, GetWishlistContent, GetWishlistPathParams, GetWishlistResponse, GstinDetail, HelpersClient, InapplicableCoupon, InapplicablePromotion, Item, JuspayCardPayload, JuspayCreateCardResponse, JuspayCreateCustomerPayload, JuspayCreateOrderPayload, JuspayCustomer, JuspayOrder, JuspayPaymentGatewayParams, JuspayPaymentInfo, JuspayPaymentMethod, JuspaySavedCard, KycDocument, KycDocumentConfig, ListAddressesContent, ListAddressesPathParams, ListAddressesQuery, ListAddressesResponse, ListCategoriesContent, ListCategoriesQuery, ListCategoriesResponse, ListCountriesContent, ListCountriesResponse, ListCountryPincodesContent, ListCountryPincodesPathParams, ListCountryPincodesQuery, ListCountryPincodesResponse, ListCountryStatesContent, ListCountryStatesPathParams, ListCountryStatesResponse, ListCouponsContent, ListCouponsHeaderParams, ListCouponsResponse, ListCrosssellProductsContent, ListCrosssellProductsHeaderParams, ListCrosssellProductsQuery, ListCrosssellProductsResponse, ListDocumentsContent, ListDocumentsPathParams, ListDocumentsResponse, ListKycDocumentContent, ListKycDocumentResponse, ListLoyaltyActivitiesContent, ListLoyaltyActivitiesPathParams, ListLoyaltyActivitiesQuery, ListLoyaltyActivitiesResponse, ListOrderPaymentsContent, ListOrderPaymentsPathParams, ListOrderPaymentsResponse, ListOrderRefundsContent, ListOrderRefundsPathParams, ListOrderRefundsResponse, ListOrderShipmentsContent, ListOrderShipmentsPathParams, ListOrderShipmentsResponse, ListOrdersContent, ListOrdersQuery, ListOrdersResponse, ListPaymentMethodsContent, ListPaymentMethodsQuery, ListPaymentMethodsResponse, ListProductReviewsContent, ListProductReviewsPathParams, ListProductReviewsQuery, ListProductReviewsResponse, ListProductVariantsContent, ListProductVariantsHeaderParams, ListProductVariantsPathParams, ListProductVariantsResponse, ListProductsContent, ListProductsHeaderParams, ListProductsQuery, ListProductsResponse, ListPromotionsContent, ListPromotionsHeaderParams, ListPromotionsResponse, ListReturnsContent, ListReturnsResponse, ListSavedCardsContent, ListSavedCardsQuery, ListSavedCardsResponse, ListSimilarProductsContent, ListSimilarProductsHeaderParams, ListSimilarProductsQuery, ListSimilarProductsResponse, ListSkusContent, ListSkusHeaderParams, ListSkusQuery, ListSkusResponse, ListSubscriptionsContent, ListSubscriptionsResponse, ListUpsellProductsContent, ListUpsellProductsHeaderParams, ListUpsellProductsQuery, ListUpsellProductsResponse, ListUserReviewsContent, ListUserReviewsPathParams, ListUserReviewsResponse, LoginPosDeviceWithEmailBody, LoginPosDeviceWithEmailContent, LoginPosDeviceWithEmailResponse, LoginPosDeviceWithPhoneBody, LoginPosDeviceWithPhoneContent, LoginPosDeviceWithPhoneResponse, LoginPosDeviceWithWhatsappBody, LoginPosDeviceWithWhatsappContent, LoginPosDeviceWithWhatsappResponse, LoginWithEmailBody, LoginWithEmailContent, LoginWithEmailResponse, LoginWithPasswordBody, LoginWithPasswordContent, LoginWithPasswordResponse, LoginWithPhoneBody, LoginWithPhoneContent, LoginWithPhoneResponse, LoginWithWhatsappBody, LoginWithWhatsappContent, LoginWithWhatsappResponse, LogoutContent, LogoutResponse, LoyaltyPointActivity, MeasurementUnit, MemoryTokenStorage, MultiSelectAttribute, NetbankingPayment, NotificationChannelPreferences, NotificationPreferences, NumberAttribute, Order, OrderClient, OrderDetail, OrderItem, OrderList, OrderPayment, OrderRefund, OrderReturn, OrderReturnItem, OrderShipment, Pagination, PairPosDeviceBody, PairPosDeviceContent, PairPosDeviceResponse, PanDetail, PauseSubscription, PaymentGateway, PaymentGatewayParams, PaymentInfo, PayuCardPayload, PayuCreateCardResponse, PayuPaymentGatewayParams, PayuPaymentInfo, PayuPaymentMethod, PayuSavedCard, PercentageDiscountRule, Pincode, PincodeServiceability, PosApplyCouponBody, PosApplyCouponContent, PosApplyCouponPathParams, PosApplyCouponResponse, PosCreateCartAddressBody, PosCreateCartAddressContent, PosCreateCartAddressPathParams, PosCreateCartAddressResponse, PosCreateCartBody, PosCreateCartContent, PosCreateCartResponse, PosDeleteCartPathParams, PosDeleteCartResponse, PosDevice, PosEvaluateCouponsContent, PosEvaluateCouponsPathParams, PosEvaluateCouponsResponse, PosEvaluatePromotionsContent, PosEvaluatePromotionsPathParams, PosEvaluatePromotionsResponse, PosGetCartContent, PosGetCartPathParams, PosGetCartResponse, PosListCouponsContent, PosListCouponsHeaderParams, PosListCouponsResponse, PosListPromotionsContent, PosListPromotionsHeaderParams, PosListPromotionsResponse, PosRedeemCreditBalanceBody, PosRedeemCreditBalanceContent, PosRedeemCreditBalancePathParams, PosRedeemCreditBalanceResponse, PosRedeemGiftCardBody, PosRedeemGiftCardContent, PosRedeemGiftCardPathParams, PosRedeemGiftCardResponse, PosRedeemLoyaltyPointsBody, PosRedeemLoyaltyPointsContent, PosRedeemLoyaltyPointsPathParams, PosRedeemLoyaltyPointsResponse, PosRemoveCouponContent, PosRemoveCouponPathParams, PosRemoveCouponResponse, PosRemoveCreditBalanceContent, PosRemoveCreditBalancePathParams, PosRemoveCreditBalanceResponse, PosRemoveGiftCardContent, PosRemoveGiftCardPathParams, PosRemoveGiftCardResponse, PosRemoveLoyaltyPointsContent, PosRemoveLoyaltyPointsPathParams, PosRemoveLoyaltyPointsResponse, PosUpdateCartBody, PosUpdateCartContent, PosUpdateCartPathParams, PosUpdateCartResponse, PosUpdateCustomerWithEmail, PosUpdateCustomerWithId, PosUpdateCustomerWithPhone, PosUpdateFulfillmentPreferenceBody, PosUpdateFulfillmentPreferencePathParams, PosUpdateFulfillmentPreferenceResponse, PosUser, Product, ProductAttribute, ProductBundleItem, ProductCategory, ProductDetail, ProductImage, ProductPricing, ProductPromotion, ProductReview, ProductShipping, ProductSubscription, ProductVideo, Promotion, PromotionType, RedeemCreditBalanceBody, RedeemCreditBalanceContent, RedeemCreditBalancePathParams, RedeemCreditBalanceResponse, RedeemGiftCardBody, RedeemGiftCardContent, RedeemGiftCardPathParams, RedeemGiftCardResponse, RedeemLoyaltyPointsBody, RedeemLoyaltyPointsContent, RedeemLoyaltyPointsPathParams, RedeemLoyaltyPointsResponse, RefreshPosAccessTokenBody, RefreshPosAccessTokenContent, RefreshPosAccessTokenResponse, RefreshTokenBody, RefreshTokenContent, RefreshTokenResponse, RegisterWithEmailBody, RegisterWithEmailContent, RegisterWithEmailPassword, RegisterWithEmailResponse, RegisterWithPasswordBody, RegisterWithPasswordContent, RegisterWithPasswordResponse, RegisterWithPhoneBody, RegisterWithPhoneContent, RegisterWithPhonePassword, RegisterWithPhoneResponse, RegisterWithWhatsappBody, RegisterWithWhatsappContent, RegisterWithWhatsappResponse, RemoveCouponContent, RemoveCouponPathParams, RemoveCouponResponse, RemoveCreditBalanceContent, RemoveCreditBalancePathParams, RemoveCreditBalanceResponse, RemoveGiftCardContent, RemoveGiftCardPathParams, RemoveGiftCardResponse, RemoveLoyaltyPointsContent, RemoveLoyaltyPointsPathParams, RemoveLoyaltyPointsResponse, RemoveProfileImagePathParams, RemoveProfileImageResponse, ResetPasswordBody, ResetPasswordContent, ResetPasswordResponse, ResponseUtils, RetryOrderPaymentBody, RetryOrderPaymentContent, RetryOrderPaymentPathParams, RetryOrderPaymentResponse, RevokeSubscription, SearchProduct, SearchProductsBody, SearchProductsContent, SearchProductsHeaderParams, SearchProductsResponse, Seo, ShipmentItem, ShippingClient, SingleSelectAttribute, SingleSelectOption, StoreConfig, StoreConfigClient, StoreTemplate, StorefrontAPIClient, StorefrontSDK, StorefrontSDK as default, StorefrontSDKOptions, SubscribeNewsletterBody, SubscribeNewsletterResponse, Subscription, SubscriptionBehaviour, SubscriptionDetail, SubscriptionInvoiceItem, SupportedDefaultHeaders, TextAttribute, type TokenStorage, TrackAnalyticsEventBody, TrackAnalyticsEventResponse, UpdateAddressDetailBody, UpdateAddressDetailContent, UpdateAddressDetailPathParams, UpdateAddressDetailResponse, UpdateCartBody, UpdateCartContent, UpdateCartItem, UpdateCartPathParams, UpdateCartResponse, UpdateCustomer, UpdateCustomerBody, UpdateCustomerContent, UpdateCustomerPathParams, UpdateCustomerResponse, UpdateDigitalProductSubscription, UpdateDocument, UpdateDocumentContent, UpdateDocumentFormData, UpdateDocumentPathParams, UpdateDocumentResponse, UpdateFulfillmentPreferenceBody, UpdateFulfillmentPreferencePathParams, UpdateFulfillmentPreferenceResponse, UpdateNotificationPreferencesBody, UpdateNotificationPreferencesContent, UpdateNotificationPreferencesPathParams, UpdateNotificationPreferencesResponse, UpdatePhysicalProductSubscription, UpdatePosCartCustomerBody, UpdatePosCartCustomerContent, UpdatePosCartCustomerPathParams, UpdatePosCartCustomerResponse, UpdateProfileImageContent, UpdateProfileImageFormData, UpdateProfileImagePathParams, UpdateProfileImageResponse, UpdateShippingMethodBody, UpdateShippingMethodContent, UpdateShippingMethodPathParams, UpdateShippingMethodResponse, UpdateSubscriptionBody, UpdateSubscriptionContent, UpdateSubscriptionPathParams, UpdateSubscriptionResponse, UpdateUserBody, UpdateUserContent, UpdateUserPathParams, UpdateUserResponse, UpiPayment, User, type UserInfo, Variant, VariantDetail, VariantOption, VerifyDocumentBody, VerifyDocumentContent, VerifyDocumentPathParams, VerifyDocumentResponse, VerifyOtpBody, VerifyOtpContent, VerifyOtpResponse, VerifyPosLoginOtpBody, VerifyPosLoginOtpContent, VerifyPosLoginOtpResponse, VerifyVpaContent, VerifyVpaQuery, VerifyVpaResponse, VolumeBasedCouponPromotion, VolumeBasedPromotion, VolumeBasedRule, WalletPayment, type components, type operations, type paths };
|
|
14633
|
+
export { AcceleratedRewardCouponPromotion, AcceleratedRewardRule, AddCardBody, AddCardContent, AddCardResponse, AddProfileImageContent, AddProfileImageFormData, AddProfileImagePathParams, AddProfileImageResponse, AddToWishlistBody, AddToWishlistContent, AddToWishlistPathParams, AddToWishlistResponse, AdditionalProductDetails, AnalyticsEvent, AnonymousUser, ApiErrorResponse, ApiResult, ApplicableCoupon, ApplicablePromotion, AppliedCoupon, AppliedPromotion, ApplyCouponBody, ApplyCouponContent, ApplyCouponPathParams, ApplyCouponResponse, AssociatedOption, AuthClient, AutoScaleBasedOnAmount, AutoScaleBasedOnQuantity, BankTransfer, BaseAPIClient, BaseSDKOptions, BooleanAttribute, Brand, BrowserTokenStorage, Business, BuyXGetYCouponPromotion, BuyXGetYRule, BuyXGetYRuleBasedOnAmount, BuyXGetYRuleBasedOnQuantity, CancelOrderBody, CancelOrderContent, CancelOrderPathParams, CancelOrderResponse, CardPayment, Cart, CartBasedServiceabilityCheck, CartClient, CartItem, CatalogClient, Category, ChangePasswordBody, ChangePasswordContent, ChangePasswordResponse, CheckPincodeServiceabilityContent, CheckPincodeServiceabilityPathParams, CheckPincodeServiceabilityResponse, CheckVerificationStatusBody, CheckVerificationStatusContent, CheckVerificationStatusResponse, CollectInStore, CollectInStoreFulfillment, ColorAttribute, ColorOption, CookieTokenStorage, type CookieTokenStorageOptions, Country, CountryState, Coupon, CouponPromotionCommonDetail, CouponType, CreateAddressBody, CreateAddressContent, CreateAddressPathParams, CreateAddressResponse, CreateCartAddressBody, CreateCartAddressContent, CreateCartAddressPathParams, CreateCartAddressResponse, CreateCartBody, CreateCartContent, CreateCartResponse, CreateCustomSubscription, CreateCustomer, CreateCustomerBody, CreateCustomerContent, CreateCustomerResponse, CreateDocumentContent, CreateDocumentFormData, CreateDocumentPathParams, CreateDocumentResponse, CreateJuspayCustomerBody, CreateJuspayCustomerContent, CreateJuspayCustomerResponse, CreateJuspayOrderBody, CreateJuspayOrderContent, CreateJuspayOrderResponse, CreateNotificationPreferencesBody, CreateNotificationPreferencesContent, CreateNotificationPreferencesPathParams, CreateNotificationPreferencesResponse, CreateOrderBody, CreateOrderContent, CreateOrderResponse, CreateOrderReturn, CreateOrderReturnBody, CreateOrderReturnContent, CreateOrderReturnPathParams, CreateOrderReturnResponse, CreatePosOrderBody, CreatePosOrderContent, CreatePosOrderResponse, CreateProductReviewFormData, CreateProductReviewPathParams, CreateProductReviewResponse, CreateReview, CreateStandardSubscription, CreateSubscription, CreateSubscriptionBody, CreateSubscriptionContent, CreateSubscriptionResponse, Currency, CustomSlabsBasedOnAmount, CustomSlabsBasedOnQuantity, CustomerAddress, CustomerClient, CustomerDetail, CustomerGroup, CustomerLoyalty, CustomerReadyForReview, CustomerReview, DateAttribute, DeactivateUserPathParams, DeactivateUserResponse, DebugLogger, DebugLoggerFn, DeleteAddressPathParams, DeleteAddressResponse, DeleteCartPathParams, DeleteCartResponse, DeleteDocumentPathParams, DeleteDocumentResponse, DeleteFromWishlistBody, DeleteFromWishlistContent, DeleteFromWishlistPathParams, DeleteFromWishlistResponse, DeleteUserCartPathParams, DeleteUserCartResponse, DeliveryFulfillment, DiscountBasedPromotion, DiscountCouponPromotion, DiscountRule, Document, Environment, EvaluateCouponsContent, EvaluateCouponsPathParams, EvaluateCouponsResponse, EvaluatePromotionsContent, EvaluatePromotionsPathParams, EvaluatePromotionsResponse, FixedAmountDiscountRule, FixedPriceCouponPromotion, FixedPricePromotion, FixedPriceRule, FixedPriceRuleBasedAmount, FixedPriceRuleBasedQuantity, ForgotPasswordBody, ForgotPasswordContent, ForgotPasswordResponse, FreeGoodCouponPromotion, FreeGoodsPromotion, FreeGoodsRule, FreeShipingCouponPromotion, FulfillmentPreference, GenerateHashBody, GenerateHashContent, GenerateHashResponse, GenerateOtpBody, GenerateOtpContent, GenerateOtpResponse, GenerateOtpWithEmail, GenerateOtpWithPhone, GetAddressDetailContent, GetAddressDetailPathParams, GetAddressDetailResponse, GetAnonymousTokenContent, GetAnonymousTokenResponse, GetCartContent, GetCartPathParams, GetCartResponse, GetConfigContent, GetConfigResponse, GetCustomerDetailContent, GetCustomerDetailPathParams, GetCustomerDetailResponse, GetDocumentContent, GetDocumentPathParams, GetDocumentResponse, GetFulfillmentOptionsBody, GetFulfillmentOptionsContent, GetFulfillmentOptionsResponse, GetJuspayCustomerContent, GetJuspayCustomerPathParams, GetJuspayCustomerResponse, GetLoyaltyDetailsContent, GetLoyaltyDetailsPathParams, GetLoyaltyDetailsResponse, GetNotificationPreferencesContent, GetNotificationPreferencesPathParams, GetNotificationPreferencesResponse, GetOrderDetailContent, GetOrderDetailPathParams, GetOrderDetailResponse, GetOrderReturnDetailContent, GetOrderReturnDetailPathParams, GetOrderReturnDetailResponse, GetPaymentStatusContent, GetPaymentStatusPathParams, GetPaymentStatusResponse, GetPosFulfillmentOptionsBody, GetPosFulfillmentOptionsContent, GetPosFulfillmentOptionsResponse, GetProductDetailContent, GetProductDetailHeaderParams, GetProductDetailPathParams, GetProductDetailResponse, GetProfileImageContent, GetProfileImagePathParams, GetProfileImageResponse, GetShippingMethodsBody, GetShippingMethodsContent, GetShippingMethodsResponse, GetSubscriptionContent, GetSubscriptionPathParams, GetSubscriptionResponse, GetUserCartContent, GetUserCartPathParams, GetUserCartResponse, GetUserDetailContent, GetUserDetailPathParams, GetUserDetailResponse, GetVariantDetailContent, GetVariantDetailHeaderParams, GetVariantDetailPathParams, GetVariantDetailResponse, GetWishlistContent, GetWishlistPathParams, GetWishlistResponse, GstinDetail, HeaderConfig, HelpersClient, InapplicableCoupon, InapplicablePromotion, Item, JuspayCardPayload, JuspayCreateCardResponse, JuspayCreateCustomerPayload, JuspayCreateOrderPayload, JuspayCustomer, JuspayOrder, JuspayPaymentGatewayParams, JuspayPaymentInfo, JuspayPaymentMethod, JuspaySavedCard, KycDocument, KycDocumentConfig, ListAddressesContent, ListAddressesPathParams, ListAddressesQuery, ListAddressesResponse, ListCategoriesContent, ListCategoriesQuery, ListCategoriesResponse, ListCountriesContent, ListCountriesResponse, ListCountryPincodesContent, ListCountryPincodesPathParams, ListCountryPincodesQuery, ListCountryPincodesResponse, ListCountryStatesContent, ListCountryStatesPathParams, ListCountryStatesResponse, ListCouponsContent, ListCouponsHeaderParams, ListCouponsResponse, ListCrosssellProductsContent, ListCrosssellProductsHeaderParams, ListCrosssellProductsQuery, ListCrosssellProductsResponse, ListDocumentsContent, ListDocumentsPathParams, ListDocumentsResponse, ListKycDocumentContent, ListKycDocumentResponse, ListLoyaltyActivitiesContent, ListLoyaltyActivitiesPathParams, ListLoyaltyActivitiesQuery, ListLoyaltyActivitiesResponse, ListOrderPaymentsContent, ListOrderPaymentsPathParams, ListOrderPaymentsResponse, ListOrderRefundsContent, ListOrderRefundsPathParams, ListOrderRefundsResponse, ListOrderShipmentsContent, ListOrderShipmentsPathParams, ListOrderShipmentsResponse, ListOrdersContent, ListOrdersQuery, ListOrdersResponse, ListPaymentMethodsContent, ListPaymentMethodsQuery, ListPaymentMethodsResponse, ListProductReviewsContent, ListProductReviewsPathParams, ListProductReviewsQuery, ListProductReviewsResponse, ListProductVariantsContent, ListProductVariantsHeaderParams, ListProductVariantsPathParams, ListProductVariantsResponse, ListProductsContent, ListProductsHeaderParams, ListProductsQuery, ListProductsResponse, ListPromotionsContent, ListPromotionsHeaderParams, ListPromotionsResponse, ListReturnsContent, ListReturnsResponse, ListSavedCardsContent, ListSavedCardsQuery, ListSavedCardsResponse, ListSimilarProductsContent, ListSimilarProductsHeaderParams, ListSimilarProductsQuery, ListSimilarProductsResponse, ListSkusContent, ListSkusHeaderParams, ListSkusQuery, ListSkusResponse, ListSubscriptionsContent, ListSubscriptionsResponse, ListUpsellProductsContent, ListUpsellProductsHeaderParams, ListUpsellProductsQuery, ListUpsellProductsResponse, ListUserReviewsContent, ListUserReviewsPathParams, ListUserReviewsResponse, LoginPosDeviceWithEmailBody, LoginPosDeviceWithEmailContent, LoginPosDeviceWithEmailResponse, LoginPosDeviceWithPhoneBody, LoginPosDeviceWithPhoneContent, LoginPosDeviceWithPhoneResponse, LoginPosDeviceWithWhatsappBody, LoginPosDeviceWithWhatsappContent, LoginPosDeviceWithWhatsappResponse, LoginWithEmailBody, LoginWithEmailContent, LoginWithEmailResponse, LoginWithPasswordBody, LoginWithPasswordContent, LoginWithPasswordResponse, LoginWithPhoneBody, LoginWithPhoneContent, LoginWithPhoneResponse, LoginWithWhatsappBody, LoginWithWhatsappContent, LoginWithWhatsappResponse, LogoutContent, LogoutResponse, LoyaltyPointActivity, MeasurementUnit, MemoryTokenStorage, MultiSelectAttribute, NetbankingPayment, NotificationChannelPreferences, NotificationPreferences, NumberAttribute, Order, OrderClient, OrderDetail, OrderItem, OrderList, OrderPayment, OrderRefund, OrderReturn, OrderReturnItem, OrderShipment, Pagination, PairPosDeviceBody, PairPosDeviceContent, PairPosDeviceResponse, PanDetail, PauseSubscription, PaymentGateway, PaymentGatewayParams, PaymentInfo, PayuCardPayload, PayuCreateCardResponse, PayuPaymentGatewayParams, PayuPaymentInfo, PayuPaymentMethod, PayuSavedCard, PercentageDiscountRule, Pincode, PincodeServiceability, PosApplyCouponBody, PosApplyCouponContent, PosApplyCouponPathParams, PosApplyCouponResponse, PosCreateCartAddressBody, PosCreateCartAddressContent, PosCreateCartAddressPathParams, PosCreateCartAddressResponse, PosCreateCartBody, PosCreateCartContent, PosCreateCartResponse, PosDeleteCartPathParams, PosDeleteCartResponse, PosDevice, PosEvaluateCouponsContent, PosEvaluateCouponsPathParams, PosEvaluateCouponsResponse, PosEvaluatePromotionsContent, PosEvaluatePromotionsPathParams, PosEvaluatePromotionsResponse, PosGetCartContent, PosGetCartPathParams, PosGetCartResponse, PosListCouponsContent, PosListCouponsHeaderParams, PosListCouponsResponse, PosListPromotionsContent, PosListPromotionsHeaderParams, PosListPromotionsResponse, PosRedeemCreditBalanceBody, PosRedeemCreditBalanceContent, PosRedeemCreditBalancePathParams, PosRedeemCreditBalanceResponse, PosRedeemGiftCardBody, PosRedeemGiftCardContent, PosRedeemGiftCardPathParams, PosRedeemGiftCardResponse, PosRedeemLoyaltyPointsBody, PosRedeemLoyaltyPointsContent, PosRedeemLoyaltyPointsPathParams, PosRedeemLoyaltyPointsResponse, PosRemoveCouponContent, PosRemoveCouponPathParams, PosRemoveCouponResponse, PosRemoveCreditBalanceContent, PosRemoveCreditBalancePathParams, PosRemoveCreditBalanceResponse, PosRemoveGiftCardContent, PosRemoveGiftCardPathParams, PosRemoveGiftCardResponse, PosRemoveLoyaltyPointsContent, PosRemoveLoyaltyPointsPathParams, PosRemoveLoyaltyPointsResponse, PosUpdateCartBody, PosUpdateCartContent, PosUpdateCartPathParams, PosUpdateCartResponse, PosUpdateCustomerWithEmail, PosUpdateCustomerWithId, PosUpdateCustomerWithPhone, PosUpdateFulfillmentPreferenceBody, PosUpdateFulfillmentPreferencePathParams, PosUpdateFulfillmentPreferenceResponse, PosUser, Product, ProductAttribute, ProductBundleItem, ProductCategory, ProductDetail, ProductImage, ProductPricing, ProductPromotion, ProductReview, ProductShipping, ProductSubscription, ProductVideo, Promotion, PromotionType, RedeemCreditBalanceBody, RedeemCreditBalanceContent, RedeemCreditBalancePathParams, RedeemCreditBalanceResponse, RedeemGiftCardBody, RedeemGiftCardContent, RedeemGiftCardPathParams, RedeemGiftCardResponse, RedeemLoyaltyPointsBody, RedeemLoyaltyPointsContent, RedeemLoyaltyPointsPathParams, RedeemLoyaltyPointsResponse, RefreshPosAccessTokenBody, RefreshPosAccessTokenContent, RefreshPosAccessTokenResponse, RefreshTokenBody, RefreshTokenContent, RefreshTokenResponse, RegisterWithEmailBody, RegisterWithEmailContent, RegisterWithEmailPassword, RegisterWithEmailResponse, RegisterWithPasswordBody, RegisterWithPasswordContent, RegisterWithPasswordResponse, RegisterWithPhoneBody, RegisterWithPhoneContent, RegisterWithPhonePassword, RegisterWithPhoneResponse, RegisterWithWhatsappBody, RegisterWithWhatsappContent, RegisterWithWhatsappResponse, RemoveCouponContent, RemoveCouponPathParams, RemoveCouponResponse, RemoveCreditBalanceContent, RemoveCreditBalancePathParams, RemoveCreditBalanceResponse, RemoveGiftCardContent, RemoveGiftCardPathParams, RemoveGiftCardResponse, RemoveLoyaltyPointsContent, RemoveLoyaltyPointsPathParams, RemoveLoyaltyPointsResponse, RemoveProfileImagePathParams, RemoveProfileImageResponse, ResetPasswordBody, ResetPasswordContent, ResetPasswordResponse, ResponseUtils, RetryOrderPaymentBody, RetryOrderPaymentContent, RetryOrderPaymentPathParams, RetryOrderPaymentResponse, RevokeSubscription, SearchProduct, SearchProductsBody, SearchProductsContent, SearchProductsHeaderParams, SearchProductsResponse, Seo, ShipmentItem, ShippingClient, SingleSelectAttribute, SingleSelectOption, StoreConfig, StoreConfigClient, StoreTemplate, StorefrontAPIClient, StorefrontSDK, StorefrontSDK as default, StorefrontSDKOptions, SubscribeNewsletterBody, SubscribeNewsletterResponse, Subscription, SubscriptionBehaviour, SubscriptionDetail, SubscriptionInvoiceItem, SupportedDefaultHeaders, TextAttribute, type TokenStorage, TrackAnalyticsEventBody, TrackAnalyticsEventResponse, UpdateAddressDetailBody, UpdateAddressDetailContent, UpdateAddressDetailPathParams, UpdateAddressDetailResponse, UpdateCartBody, UpdateCartContent, UpdateCartItem, UpdateCartPathParams, UpdateCartResponse, UpdateCustomer, UpdateCustomerBody, UpdateCustomerContent, UpdateCustomerPathParams, UpdateCustomerResponse, UpdateDigitalProductSubscription, UpdateDocument, UpdateDocumentContent, UpdateDocumentFormData, UpdateDocumentPathParams, UpdateDocumentResponse, UpdateFulfillmentPreferenceBody, UpdateFulfillmentPreferencePathParams, UpdateFulfillmentPreferenceResponse, UpdateNotificationPreferencesBody, UpdateNotificationPreferencesContent, UpdateNotificationPreferencesPathParams, UpdateNotificationPreferencesResponse, UpdatePhysicalProductSubscription, UpdatePosCartCustomerBody, UpdatePosCartCustomerContent, UpdatePosCartCustomerPathParams, UpdatePosCartCustomerResponse, UpdateProfileImageContent, UpdateProfileImageFormData, UpdateProfileImagePathParams, UpdateProfileImageResponse, UpdateShippingMethodBody, UpdateShippingMethodContent, UpdateShippingMethodPathParams, UpdateShippingMethodResponse, UpdateSubscriptionBody, UpdateSubscriptionContent, UpdateSubscriptionPathParams, UpdateSubscriptionResponse, UpdateUserBody, UpdateUserContent, UpdateUserPathParams, UpdateUserResponse, UpiPayment, User, type UserInfo, Variant, VariantDetail, VariantOption, VerifyDocumentBody, VerifyDocumentContent, VerifyDocumentPathParams, VerifyDocumentResponse, VerifyOtpBody, VerifyOtpContent, VerifyOtpResponse, VerifyPosLoginOtpBody, VerifyPosLoginOtpContent, VerifyPosLoginOtpResponse, VerifyVpaContent, VerifyVpaQuery, VerifyVpaResponse, VolumeBasedCouponPromotion, VolumeBasedPromotion, VolumeBasedRule, WalletPayment, type components, createDebugMiddleware, createTimeoutMiddleware, executeRequest, extractRequestBody, getPathnameFromUrl, mergeAndTransformHeaders, mergeHeaders, type operations, type paths, transformHeaders };
|
|
14307
14634
|
//# sourceMappingURL=index.d.ts.map
|