`.\r\n * @returns {Function} A `useDispatch` hook bound to the specified context.\r\n */\n\nexport function createDispatchHook(context = ReactReduxContext) {\n const useStore = // @ts-ignore\n context === ReactReduxContext ? useDefaultStore : createStoreHook(context);\n return function useDispatch() {\n const store = useStore(); // @ts-ignore\n\n return store.dispatch;\n };\n}\n/**\r\n * A hook to access the redux `dispatch` function.\r\n *\r\n * @returns {any|function} redux store's `dispatch` function\r\n *\r\n * @example\r\n *\r\n * import React, { useCallback } from 'react'\r\n * import { useDispatch } from 'react-redux'\r\n *\r\n * export const CounterComponent = ({ value }) => {\r\n * const dispatch = useDispatch()\r\n * const increaseCounter = useCallback(() => dispatch({ type: 'increase-counter' }), [])\r\n * return (\r\n * \r\n * {value}\r\n * \r\n *
\r\n * )\r\n * }\r\n */\n\nexport const useDispatch = /*#__PURE__*/createDispatchHook();","export default function _setPrototypeOf(o, p) {\n _setPrototypeOf = Object.setPrototypeOf ? Object.setPrototypeOf.bind() : function _setPrototypeOf(o, p) {\n o.__proto__ = p;\n return o;\n };\n return _setPrototypeOf(o, p);\n}","import setPrototypeOf from \"./setPrototypeOf.js\";\nexport default function _inheritsLoose(subClass, superClass) {\n subClass.prototype = Object.create(superClass.prototype);\n subClass.prototype.constructor = subClass;\n setPrototypeOf(subClass, superClass);\n}","// The primary entry point assumes we're working with standard ReactDOM/RN, but\n// older versions that do not include `useSyncExternalStore` (React 16.9 - 17.x).\n// Because of that, the useSyncExternalStore compat shim is needed.\nimport { useSyncExternalStore } from 'use-sync-external-store/shim';\nimport { useSyncExternalStoreWithSelector } from 'use-sync-external-store/shim/with-selector';\nimport { unstable_batchedUpdates as batch } from './utils/reactBatchedUpdates';\nimport { setBatch } from './utils/batch';\nimport { initializeUseSelector } from './hooks/useSelector';\nimport { initializeConnect } from './components/connect';\ninitializeUseSelector(useSyncExternalStoreWithSelector);\ninitializeConnect(useSyncExternalStore); // Enable batched updates in our subscriptions for use\n// with standard React renderers (ReactDOM, React Native)\n\nsetBatch(batch);\nexport { batch };\nexport * from './exports';","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutPropertiesLoose from \"@babel/runtime/helpers/esm/objectWithoutPropertiesLoose\";\nconst _excluded = [\"reactReduxForwardedRef\"];\n\n/* eslint-disable valid-jsdoc, @typescript-eslint/no-unused-vars */\nimport hoistStatics from 'hoist-non-react-statics';\nimport React, { useContext, useMemo, useRef } from 'react';\nimport { isValidElementType, isContextConsumer } from 'react-is';\nimport defaultSelectorFactory from '../connect/selectorFactory';\nimport { mapDispatchToPropsFactory } from '../connect/mapDispatchToProps';\nimport { mapStateToPropsFactory } from '../connect/mapStateToProps';\nimport { mergePropsFactory } from '../connect/mergeProps';\nimport { createSubscription } from '../utils/Subscription';\nimport { useIsomorphicLayoutEffect } from '../utils/useIsomorphicLayoutEffect';\nimport shallowEqual from '../utils/shallowEqual';\nimport warning from '../utils/warning';\nimport { ReactReduxContext } from './Context';\nimport { notInitialized } from '../utils/useSyncExternalStore';\nlet useSyncExternalStore = notInitialized;\nexport const initializeConnect = fn => {\n useSyncExternalStore = fn;\n}; // Define some constant arrays just to avoid re-creating these\n\nconst EMPTY_ARRAY = [null, 0];\nconst NO_SUBSCRIPTION_ARRAY = [null, null]; // Attempts to stringify whatever not-really-a-component value we were given\n// for logging in an error message\n\nconst stringifyComponent = Comp => {\n try {\n return JSON.stringify(Comp);\n } catch (err) {\n return String(Comp);\n }\n};\n\n// This is \"just\" a `useLayoutEffect`, but with two modifications:\n// - we need to fall back to `useEffect` in SSR to avoid annoying warnings\n// - we extract this to a separate function to avoid closing over values\n// and causing memory leaks\nfunction useIsomorphicLayoutEffectWithArgs(effectFunc, effectArgs, dependencies) {\n useIsomorphicLayoutEffect(() => effectFunc(...effectArgs), dependencies);\n} // Effect callback, extracted: assign the latest props values to refs for later usage\n\n\nfunction captureWrapperProps(lastWrapperProps, lastChildProps, renderIsScheduled, wrapperProps, // actualChildProps: unknown,\nchildPropsFromStoreUpdate, notifyNestedSubs) {\n // We want to capture the wrapper props and child props we used for later comparisons\n lastWrapperProps.current = wrapperProps;\n renderIsScheduled.current = false; // If the render was from a store update, clear out that reference and cascade the subscriber update\n\n if (childPropsFromStoreUpdate.current) {\n childPropsFromStoreUpdate.current = null;\n notifyNestedSubs();\n }\n} // Effect callback, extracted: subscribe to the Redux store or nearest connected ancestor,\n// check for updates after dispatched actions, and trigger re-renders.\n\n\nfunction subscribeUpdates(shouldHandleStateChanges, store, subscription, childPropsSelector, lastWrapperProps, lastChildProps, renderIsScheduled, isMounted, childPropsFromStoreUpdate, notifyNestedSubs, // forceComponentUpdateDispatch: React.Dispatch,\nadditionalSubscribeListener) {\n // If we're not subscribed to the store, nothing to do here\n if (!shouldHandleStateChanges) return () => {}; // Capture values for checking if and when this component unmounts\n\n let didUnsubscribe = false;\n let lastThrownError = null; // We'll run this callback every time a store subscription update propagates to this component\n\n const checkForUpdates = () => {\n if (didUnsubscribe || !isMounted.current) {\n // Don't run stale listeners.\n // Redux doesn't guarantee unsubscriptions happen until next dispatch.\n return;\n } // TODO We're currently calling getState ourselves here, rather than letting `uSES` do it\n\n\n const latestStoreState = store.getState();\n let newChildProps, error;\n\n try {\n // Actually run the selector with the most recent store state and wrapper props\n // to determine what the child props should be\n newChildProps = childPropsSelector(latestStoreState, lastWrapperProps.current);\n } catch (e) {\n error = e;\n lastThrownError = e;\n }\n\n if (!error) {\n lastThrownError = null;\n } // If the child props haven't changed, nothing to do here - cascade the subscription update\n\n\n if (newChildProps === lastChildProps.current) {\n if (!renderIsScheduled.current) {\n notifyNestedSubs();\n }\n } else {\n // Save references to the new child props. Note that we track the \"child props from store update\"\n // as a ref instead of a useState/useReducer because we need a way to determine if that value has\n // been processed. If this went into useState/useReducer, we couldn't clear out the value without\n // forcing another re-render, which we don't want.\n lastChildProps.current = newChildProps;\n childPropsFromStoreUpdate.current = newChildProps;\n renderIsScheduled.current = true; // TODO This is hacky and not how `uSES` is meant to be used\n // Trigger the React `useSyncExternalStore` subscriber\n\n additionalSubscribeListener();\n }\n }; // Actually subscribe to the nearest connected ancestor (or store)\n\n\n subscription.onStateChange = checkForUpdates;\n subscription.trySubscribe(); // Pull data from the store after first render in case the store has\n // changed since we began.\n\n checkForUpdates();\n\n const unsubscribeWrapper = () => {\n didUnsubscribe = true;\n subscription.tryUnsubscribe();\n subscription.onStateChange = null;\n\n if (lastThrownError) {\n // It's possible that we caught an error due to a bad mapState function, but the\n // parent re-rendered without this component and we're about to unmount.\n // This shouldn't happen as long as we do top-down subscriptions correctly, but\n // if we ever do those wrong, this throw will surface the error in our tests.\n // In that case, throw the error from here so it doesn't get lost.\n throw lastThrownError;\n }\n };\n\n return unsubscribeWrapper;\n} // Reducer initial state creation for our update reducer\n\n\nconst initStateUpdates = () => EMPTY_ARRAY;\n\nfunction strictEqual(a, b) {\n return a === b;\n}\n/**\r\n * Infers the type of props that a connector will inject into a component.\r\n */\n\n\nlet hasWarnedAboutDeprecatedPureOption = false;\n/**\r\n * Connects a React component to a Redux store.\r\n *\r\n * - Without arguments, just wraps the component, without changing the behavior / props\r\n *\r\n * - If 2 params are passed (3rd param, mergeProps, is skipped), default behavior\r\n * is to override ownProps (as stated in the docs), so what remains is everything that's\r\n * not a state or dispatch prop\r\n *\r\n * - When 3rd param is passed, we don't know if ownProps propagate and whether they\r\n * should be valid component props, because it depends on mergeProps implementation.\r\n * As such, it is the user's responsibility to extend ownProps interface from state or\r\n * dispatch props or both when applicable\r\n *\r\n * @param mapStateToProps A function that extracts values from state\r\n * @param mapDispatchToProps Setup for dispatching actions\r\n * @param mergeProps Optional callback to merge state and dispatch props together\r\n * @param options Options for configuring the connection\r\n *\r\n */\n\nfunction connect(mapStateToProps, mapDispatchToProps, mergeProps, {\n // The `pure` option has been removed, so TS doesn't like us destructuring this to check its existence.\n // @ts-ignore\n pure,\n areStatesEqual = strictEqual,\n areOwnPropsEqual = shallowEqual,\n areStatePropsEqual = shallowEqual,\n areMergedPropsEqual = shallowEqual,\n // use React's forwardRef to expose a ref of the wrapped component\n forwardRef = false,\n // the context consumer to use\n context = ReactReduxContext\n} = {}) {\n if (process.env.NODE_ENV !== 'production') {\n if (pure !== undefined && !hasWarnedAboutDeprecatedPureOption) {\n hasWarnedAboutDeprecatedPureOption = true;\n warning('The `pure` option has been removed. `connect` is now always a \"pure/memoized\" component');\n }\n }\n\n const Context = context;\n const initMapStateToProps = mapStateToPropsFactory(mapStateToProps);\n const initMapDispatchToProps = mapDispatchToPropsFactory(mapDispatchToProps);\n const initMergeProps = mergePropsFactory(mergeProps);\n const shouldHandleStateChanges = Boolean(mapStateToProps);\n\n const wrapWithConnect = WrappedComponent => {\n if (process.env.NODE_ENV !== 'production' && !isValidElementType(WrappedComponent)) {\n throw new Error(`You must pass a component to the function returned by connect. Instead received ${stringifyComponent(WrappedComponent)}`);\n }\n\n const wrappedComponentName = WrappedComponent.displayName || WrappedComponent.name || 'Component';\n const displayName = `Connect(${wrappedComponentName})`;\n const selectorFactoryOptions = {\n shouldHandleStateChanges,\n displayName,\n wrappedComponentName,\n WrappedComponent,\n // @ts-ignore\n initMapStateToProps,\n // @ts-ignore\n initMapDispatchToProps,\n initMergeProps,\n areStatesEqual,\n areStatePropsEqual,\n areOwnPropsEqual,\n areMergedPropsEqual\n };\n\n function ConnectFunction(props) {\n const [propsContext, reactReduxForwardedRef, wrapperProps] = useMemo(() => {\n // Distinguish between actual \"data\" props that were passed to the wrapper component,\n // and values needed to control behavior (forwarded refs, alternate context instances).\n // To maintain the wrapperProps object reference, memoize this destructuring.\n const {\n reactReduxForwardedRef\n } = props,\n wrapperProps = _objectWithoutPropertiesLoose(props, _excluded);\n\n return [props.context, reactReduxForwardedRef, wrapperProps];\n }, [props]);\n const ContextToUse = useMemo(() => {\n // Users may optionally pass in a custom context instance to use instead of our ReactReduxContext.\n // Memoize the check that determines which context instance we should use.\n return propsContext && propsContext.Consumer && // @ts-ignore\n isContextConsumer( /*#__PURE__*/React.createElement(propsContext.Consumer, null)) ? propsContext : Context;\n }, [propsContext, Context]); // Retrieve the store and ancestor subscription via context, if available\n\n const contextValue = useContext(ContextToUse); // The store _must_ exist as either a prop or in context.\n // We'll check to see if it _looks_ like a Redux store first.\n // This allows us to pass through a `store` prop that is just a plain value.\n\n const didStoreComeFromProps = Boolean(props.store) && Boolean(props.store.getState) && Boolean(props.store.dispatch);\n const didStoreComeFromContext = Boolean(contextValue) && Boolean(contextValue.store);\n\n if (process.env.NODE_ENV !== 'production' && !didStoreComeFromProps && !didStoreComeFromContext) {\n throw new Error(`Could not find \"store\" in the context of ` + `\"${displayName}\". Either wrap the root component in a , ` + `or pass a custom React context provider to and the corresponding ` + `React context consumer to ${displayName} in connect options.`);\n } // Based on the previous check, one of these must be true\n\n\n const store = didStoreComeFromProps ? props.store : contextValue.store;\n const getServerState = didStoreComeFromContext ? contextValue.getServerState : store.getState;\n const childPropsSelector = useMemo(() => {\n // The child props selector needs the store reference as an input.\n // Re-create this selector whenever the store changes.\n return defaultSelectorFactory(store.dispatch, selectorFactoryOptions);\n }, [store]);\n const [subscription, notifyNestedSubs] = useMemo(() => {\n if (!shouldHandleStateChanges) return NO_SUBSCRIPTION_ARRAY; // This Subscription's source should match where store came from: props vs. context. A component\n // connected to the store via props shouldn't use subscription from context, or vice versa.\n\n const subscription = createSubscription(store, didStoreComeFromProps ? undefined : contextValue.subscription); // `notifyNestedSubs` is duplicated to handle the case where the component is unmounted in\n // the middle of the notification loop, where `subscription` will then be null. This can\n // probably be avoided if Subscription's listeners logic is changed to not call listeners\n // that have been unsubscribed in the middle of the notification loop.\n\n const notifyNestedSubs = subscription.notifyNestedSubs.bind(subscription);\n return [subscription, notifyNestedSubs];\n }, [store, didStoreComeFromProps, contextValue]); // Determine what {store, subscription} value should be put into nested context, if necessary,\n // and memoize that value to avoid unnecessary context updates.\n\n const overriddenContextValue = useMemo(() => {\n if (didStoreComeFromProps) {\n // This component is directly subscribed to a store from props.\n // We don't want descendants reading from this store - pass down whatever\n // the existing context value is from the nearest connected ancestor.\n return contextValue;\n } // Otherwise, put this component's subscription instance into context, so that\n // connected descendants won't update until after this component is done\n\n\n return _extends({}, contextValue, {\n subscription\n });\n }, [didStoreComeFromProps, contextValue, subscription]); // Set up refs to coordinate values between the subscription effect and the render logic\n\n const lastChildProps = useRef();\n const lastWrapperProps = useRef(wrapperProps);\n const childPropsFromStoreUpdate = useRef();\n const renderIsScheduled = useRef(false);\n const isProcessingDispatch = useRef(false);\n const isMounted = useRef(false);\n const latestSubscriptionCallbackError = useRef();\n useIsomorphicLayoutEffect(() => {\n isMounted.current = true;\n return () => {\n isMounted.current = false;\n };\n }, []);\n const actualChildPropsSelector = useMemo(() => {\n const selector = () => {\n // Tricky logic here:\n // - This render may have been triggered by a Redux store update that produced new child props\n // - However, we may have gotten new wrapper props after that\n // If we have new child props, and the same wrapper props, we know we should use the new child props as-is.\n // But, if we have new wrapper props, those might change the child props, so we have to recalculate things.\n // So, we'll use the child props from store update only if the wrapper props are the same as last time.\n if (childPropsFromStoreUpdate.current && wrapperProps === lastWrapperProps.current) {\n return childPropsFromStoreUpdate.current;\n } // TODO We're reading the store directly in render() here. Bad idea?\n // This will likely cause Bad Things (TM) to happen in Concurrent Mode.\n // Note that we do this because on renders _not_ caused by store updates, we need the latest store state\n // to determine what the child props should be.\n\n\n return childPropsSelector(store.getState(), wrapperProps);\n };\n\n return selector;\n }, [store, wrapperProps]); // We need this to execute synchronously every time we re-render. However, React warns\n // about useLayoutEffect in SSR, so we try to detect environment and fall back to\n // just useEffect instead to avoid the warning, since neither will run anyway.\n\n const subscribeForReact = useMemo(() => {\n const subscribe = reactListener => {\n if (!subscription) {\n return () => {};\n }\n\n return subscribeUpdates(shouldHandleStateChanges, store, subscription, // @ts-ignore\n childPropsSelector, lastWrapperProps, lastChildProps, renderIsScheduled, isMounted, childPropsFromStoreUpdate, notifyNestedSubs, reactListener);\n };\n\n return subscribe;\n }, [subscription]);\n useIsomorphicLayoutEffectWithArgs(captureWrapperProps, [lastWrapperProps, lastChildProps, renderIsScheduled, wrapperProps, childPropsFromStoreUpdate, notifyNestedSubs]);\n let actualChildProps;\n\n try {\n actualChildProps = useSyncExternalStore( // TODO We're passing through a big wrapper that does a bunch of extra side effects besides subscribing\n subscribeForReact, // TODO This is incredibly hacky. We've already processed the store update and calculated new child props,\n // TODO and we're just passing that through so it triggers a re-render for us rather than relying on `uSES`.\n actualChildPropsSelector, getServerState ? () => childPropsSelector(getServerState(), wrapperProps) : actualChildPropsSelector);\n } catch (err) {\n if (latestSubscriptionCallbackError.current) {\n ;\n err.message += `\\nThe error may be correlated with this previous error:\\n${latestSubscriptionCallbackError.current.stack}\\n\\n`;\n }\n\n throw err;\n }\n\n useIsomorphicLayoutEffect(() => {\n latestSubscriptionCallbackError.current = undefined;\n childPropsFromStoreUpdate.current = undefined;\n lastChildProps.current = actualChildProps;\n }); // Now that all that's done, we can finally try to actually render the child component.\n // We memoize the elements for the rendered child component as an optimization.\n\n const renderedWrappedComponent = useMemo(() => {\n return (\n /*#__PURE__*/\n // @ts-ignore\n React.createElement(WrappedComponent, _extends({}, actualChildProps, {\n ref: reactReduxForwardedRef\n }))\n );\n }, [reactReduxForwardedRef, WrappedComponent, actualChildProps]); // If React sees the exact same element reference as last time, it bails out of re-rendering\n // that child, same as if it was wrapped in React.memo() or returned false from shouldComponentUpdate.\n\n const renderedChild = useMemo(() => {\n if (shouldHandleStateChanges) {\n // If this component is subscribed to store updates, we need to pass its own\n // subscription instance down to our descendants. That means rendering the same\n // Context instance, and putting a different value into the context.\n return /*#__PURE__*/React.createElement(ContextToUse.Provider, {\n value: overriddenContextValue\n }, renderedWrappedComponent);\n }\n\n return renderedWrappedComponent;\n }, [ContextToUse, renderedWrappedComponent, overriddenContextValue]);\n return renderedChild;\n }\n\n const _Connect = React.memo(ConnectFunction);\n\n // Add a hacky cast to get the right output type\n const Connect = _Connect;\n Connect.WrappedComponent = WrappedComponent;\n Connect.displayName = ConnectFunction.displayName = displayName;\n\n if (forwardRef) {\n const _forwarded = React.forwardRef(function forwardConnectRef(props, ref) {\n // @ts-ignore\n return /*#__PURE__*/React.createElement(Connect, _extends({}, props, {\n reactReduxForwardedRef: ref\n }));\n });\n\n const forwarded = _forwarded;\n forwarded.displayName = displayName;\n forwarded.WrappedComponent = WrappedComponent;\n return hoistStatics(forwarded, WrappedComponent);\n }\n\n return hoistStatics(Connect, WrappedComponent);\n };\n\n return wrapWithConnect;\n}\n\nexport default connect;","export default function _extends() {\n _extends = Object.assign ? Object.assign.bind() : function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n return target;\n };\n return _extends.apply(this, arguments);\n}","function isAbsolute(pathname) {\n return pathname.charAt(0) === '/';\n}\n\n// About 1.5x faster than the two-arg version of Array#splice()\nfunction spliceOne(list, index) {\n for (var i = index, k = i + 1, n = list.length; k < n; i += 1, k += 1) {\n list[i] = list[k];\n }\n\n list.pop();\n}\n\n// This implementation is based heavily on node's url.parse\nfunction resolvePathname(to, from) {\n if (from === undefined) from = '';\n\n var toParts = (to && to.split('/')) || [];\n var fromParts = (from && from.split('/')) || [];\n\n var isToAbs = to && isAbsolute(to);\n var isFromAbs = from && isAbsolute(from);\n var mustEndAbs = isToAbs || isFromAbs;\n\n if (to && isAbsolute(to)) {\n // to is absolute\n fromParts = toParts;\n } else if (toParts.length) {\n // to is relative, drop the filename\n fromParts.pop();\n fromParts = fromParts.concat(toParts);\n }\n\n if (!fromParts.length) return '/';\n\n var hasTrailingSlash;\n if (fromParts.length) {\n var last = fromParts[fromParts.length - 1];\n hasTrailingSlash = last === '.' || last === '..' || last === '';\n } else {\n hasTrailingSlash = false;\n }\n\n var up = 0;\n for (var i = fromParts.length; i >= 0; i--) {\n var part = fromParts[i];\n\n if (part === '.') {\n spliceOne(fromParts, i);\n } else if (part === '..') {\n spliceOne(fromParts, i);\n up++;\n } else if (up) {\n spliceOne(fromParts, i);\n up--;\n }\n }\n\n if (!mustEndAbs) for (; up--; up) fromParts.unshift('..');\n\n if (\n mustEndAbs &&\n fromParts[0] !== '' &&\n (!fromParts[0] || !isAbsolute(fromParts[0]))\n )\n fromParts.unshift('');\n\n var result = fromParts.join('/');\n\n if (hasTrailingSlash && result.substr(-1) !== '/') result += '/';\n\n return result;\n}\n\nexport default resolvePathname;\n","var isProduction = process.env.NODE_ENV === 'production';\nvar prefix = 'Invariant failed';\nfunction invariant(condition, message) {\n if (condition) {\n return;\n }\n if (isProduction) {\n throw new Error(prefix);\n }\n var provided = typeof message === 'function' ? message() : message;\n var value = provided ? \"\".concat(prefix, \": \").concat(provided) : prefix;\n throw new Error(value);\n}\n\nexport { invariant as default };\n","import _extends from '@babel/runtime/helpers/esm/extends';\nimport resolvePathname from 'resolve-pathname';\nimport valueEqual from 'value-equal';\nimport warning from 'tiny-warning';\nimport invariant from 'tiny-invariant';\n\nfunction addLeadingSlash(path) {\n return path.charAt(0) === '/' ? path : '/' + path;\n}\nfunction stripLeadingSlash(path) {\n return path.charAt(0) === '/' ? path.substr(1) : path;\n}\nfunction hasBasename(path, prefix) {\n return path.toLowerCase().indexOf(prefix.toLowerCase()) === 0 && '/?#'.indexOf(path.charAt(prefix.length)) !== -1;\n}\nfunction stripBasename(path, prefix) {\n return hasBasename(path, prefix) ? path.substr(prefix.length) : path;\n}\nfunction stripTrailingSlash(path) {\n return path.charAt(path.length - 1) === '/' ? path.slice(0, -1) : path;\n}\nfunction parsePath(path) {\n var pathname = path || '/';\n var search = '';\n var hash = '';\n var hashIndex = pathname.indexOf('#');\n\n if (hashIndex !== -1) {\n hash = pathname.substr(hashIndex);\n pathname = pathname.substr(0, hashIndex);\n }\n\n var searchIndex = pathname.indexOf('?');\n\n if (searchIndex !== -1) {\n search = pathname.substr(searchIndex);\n pathname = pathname.substr(0, searchIndex);\n }\n\n return {\n pathname: pathname,\n search: search === '?' ? '' : search,\n hash: hash === '#' ? '' : hash\n };\n}\nfunction createPath(location) {\n var pathname = location.pathname,\n search = location.search,\n hash = location.hash;\n var path = pathname || '/';\n if (search && search !== '?') path += search.charAt(0) === '?' ? search : \"?\" + search;\n if (hash && hash !== '#') path += hash.charAt(0) === '#' ? hash : \"#\" + hash;\n return path;\n}\n\nfunction createLocation(path, state, key, currentLocation) {\n var location;\n\n if (typeof path === 'string') {\n // Two-arg form: push(path, state)\n location = parsePath(path);\n location.state = state;\n } else {\n // One-arg form: push(location)\n location = _extends({}, path);\n if (location.pathname === undefined) location.pathname = '';\n\n if (location.search) {\n if (location.search.charAt(0) !== '?') location.search = '?' + location.search;\n } else {\n location.search = '';\n }\n\n if (location.hash) {\n if (location.hash.charAt(0) !== '#') location.hash = '#' + location.hash;\n } else {\n location.hash = '';\n }\n\n if (state !== undefined && location.state === undefined) location.state = state;\n }\n\n try {\n location.pathname = decodeURI(location.pathname);\n } catch (e) {\n if (e instanceof URIError) {\n throw new URIError('Pathname \"' + location.pathname + '\" could not be decoded. ' + 'This is likely caused by an invalid percent-encoding.');\n } else {\n throw e;\n }\n }\n\n if (key) location.key = key;\n\n if (currentLocation) {\n // Resolve incomplete/relative pathname relative to current location.\n if (!location.pathname) {\n location.pathname = currentLocation.pathname;\n } else if (location.pathname.charAt(0) !== '/') {\n location.pathname = resolvePathname(location.pathname, currentLocation.pathname);\n }\n } else {\n // When there is no prior location and pathname is empty, set it to /\n if (!location.pathname) {\n location.pathname = '/';\n }\n }\n\n return location;\n}\nfunction locationsAreEqual(a, b) {\n return a.pathname === b.pathname && a.search === b.search && a.hash === b.hash && a.key === b.key && valueEqual(a.state, b.state);\n}\n\nfunction createTransitionManager() {\n var prompt = null;\n\n function setPrompt(nextPrompt) {\n process.env.NODE_ENV !== \"production\" ? warning(prompt == null, 'A history supports only one prompt at a time') : void 0;\n prompt = nextPrompt;\n return function () {\n if (prompt === nextPrompt) prompt = null;\n };\n }\n\n function confirmTransitionTo(location, action, getUserConfirmation, callback) {\n // TODO: If another transition starts while we're still confirming\n // the previous one, we may end up in a weird state. Figure out the\n // best way to handle this.\n if (prompt != null) {\n var result = typeof prompt === 'function' ? prompt(location, action) : prompt;\n\n if (typeof result === 'string') {\n if (typeof getUserConfirmation === 'function') {\n getUserConfirmation(result, callback);\n } else {\n process.env.NODE_ENV !== \"production\" ? warning(false, 'A history needs a getUserConfirmation function in order to use a prompt message') : void 0;\n callback(true);\n }\n } else {\n // Return false from a transition hook to cancel the transition.\n callback(result !== false);\n }\n } else {\n callback(true);\n }\n }\n\n var listeners = [];\n\n function appendListener(fn) {\n var isActive = true;\n\n function listener() {\n if (isActive) fn.apply(void 0, arguments);\n }\n\n listeners.push(listener);\n return function () {\n isActive = false;\n listeners = listeners.filter(function (item) {\n return item !== listener;\n });\n };\n }\n\n function notifyListeners() {\n for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n listeners.forEach(function (listener) {\n return listener.apply(void 0, args);\n });\n }\n\n return {\n setPrompt: setPrompt,\n confirmTransitionTo: confirmTransitionTo,\n appendListener: appendListener,\n notifyListeners: notifyListeners\n };\n}\n\nvar canUseDOM = !!(typeof window !== 'undefined' && window.document && window.document.createElement);\nfunction getConfirmation(message, callback) {\n callback(window.confirm(message)); // eslint-disable-line no-alert\n}\n/**\n * Returns true if the HTML5 history API is supported. Taken from Modernizr.\n *\n * https://github.com/Modernizr/Modernizr/blob/master/LICENSE\n * https://github.com/Modernizr/Modernizr/blob/master/feature-detects/history.js\n * changed to avoid false negatives for Windows Phones: https://github.com/reactjs/react-router/issues/586\n */\n\nfunction supportsHistory() {\n var ua = window.navigator.userAgent;\n if ((ua.indexOf('Android 2.') !== -1 || ua.indexOf('Android 4.0') !== -1) && ua.indexOf('Mobile Safari') !== -1 && ua.indexOf('Chrome') === -1 && ua.indexOf('Windows Phone') === -1) return false;\n return window.history && 'pushState' in window.history;\n}\n/**\n * Returns true if browser fires popstate on hash change.\n * IE10 and IE11 do not.\n */\n\nfunction supportsPopStateOnHashChange() {\n return window.navigator.userAgent.indexOf('Trident') === -1;\n}\n/**\n * Returns false if using go(n) with hash history causes a full page reload.\n */\n\nfunction supportsGoWithoutReloadUsingHash() {\n return window.navigator.userAgent.indexOf('Firefox') === -1;\n}\n/**\n * Returns true if a given popstate event is an extraneous WebKit event.\n * Accounts for the fact that Chrome on iOS fires real popstate events\n * containing undefined state when pressing the back button.\n */\n\nfunction isExtraneousPopstateEvent(event) {\n return event.state === undefined && navigator.userAgent.indexOf('CriOS') === -1;\n}\n\nvar PopStateEvent = 'popstate';\nvar HashChangeEvent = 'hashchange';\n\nfunction getHistoryState() {\n try {\n return window.history.state || {};\n } catch (e) {\n // IE 11 sometimes throws when accessing window.history.state\n // See https://github.com/ReactTraining/history/pull/289\n return {};\n }\n}\n/**\n * Creates a history object that uses the HTML5 history API including\n * pushState, replaceState, and the popstate event.\n */\n\n\nfunction createBrowserHistory(props) {\n if (props === void 0) {\n props = {};\n }\n\n !canUseDOM ? process.env.NODE_ENV !== \"production\" ? invariant(false, 'Browser history needs a DOM') : invariant(false) : void 0;\n var globalHistory = window.history;\n var canUseHistory = supportsHistory();\n var needsHashChangeListener = !supportsPopStateOnHashChange();\n var _props = props,\n _props$forceRefresh = _props.forceRefresh,\n forceRefresh = _props$forceRefresh === void 0 ? false : _props$forceRefresh,\n _props$getUserConfirm = _props.getUserConfirmation,\n getUserConfirmation = _props$getUserConfirm === void 0 ? getConfirmation : _props$getUserConfirm,\n _props$keyLength = _props.keyLength,\n keyLength = _props$keyLength === void 0 ? 6 : _props$keyLength;\n var basename = props.basename ? stripTrailingSlash(addLeadingSlash(props.basename)) : '';\n\n function getDOMLocation(historyState) {\n var _ref = historyState || {},\n key = _ref.key,\n state = _ref.state;\n\n var _window$location = window.location,\n pathname = _window$location.pathname,\n search = _window$location.search,\n hash = _window$location.hash;\n var path = pathname + search + hash;\n process.env.NODE_ENV !== \"production\" ? warning(!basename || hasBasename(path, basename), 'You are attempting to use a basename on a page whose URL path does not begin ' + 'with the basename. Expected path \"' + path + '\" to begin with \"' + basename + '\".') : void 0;\n if (basename) path = stripBasename(path, basename);\n return createLocation(path, state, key);\n }\n\n function createKey() {\n return Math.random().toString(36).substr(2, keyLength);\n }\n\n var transitionManager = createTransitionManager();\n\n function setState(nextState) {\n _extends(history, nextState);\n\n history.length = globalHistory.length;\n transitionManager.notifyListeners(history.location, history.action);\n }\n\n function handlePopState(event) {\n // Ignore extraneous popstate events in WebKit.\n if (isExtraneousPopstateEvent(event)) return;\n handlePop(getDOMLocation(event.state));\n }\n\n function handleHashChange() {\n handlePop(getDOMLocation(getHistoryState()));\n }\n\n var forceNextPop = false;\n\n function handlePop(location) {\n if (forceNextPop) {\n forceNextPop = false;\n setState();\n } else {\n var action = 'POP';\n transitionManager.confirmTransitionTo(location, action, getUserConfirmation, function (ok) {\n if (ok) {\n setState({\n action: action,\n location: location\n });\n } else {\n revertPop(location);\n }\n });\n }\n }\n\n function revertPop(fromLocation) {\n var toLocation = history.location; // TODO: We could probably make this more reliable by\n // keeping a list of keys we've seen in sessionStorage.\n // Instead, we just default to 0 for keys we don't know.\n\n var toIndex = allKeys.indexOf(toLocation.key);\n if (toIndex === -1) toIndex = 0;\n var fromIndex = allKeys.indexOf(fromLocation.key);\n if (fromIndex === -1) fromIndex = 0;\n var delta = toIndex - fromIndex;\n\n if (delta) {\n forceNextPop = true;\n go(delta);\n }\n }\n\n var initialLocation = getDOMLocation(getHistoryState());\n var allKeys = [initialLocation.key]; // Public interface\n\n function createHref(location) {\n return basename + createPath(location);\n }\n\n function push(path, state) {\n process.env.NODE_ENV !== \"production\" ? warning(!(typeof path === 'object' && path.state !== undefined && state !== undefined), 'You should avoid providing a 2nd state argument to push when the 1st ' + 'argument is a location-like object that already has state; it is ignored') : void 0;\n var action = 'PUSH';\n var location = createLocation(path, state, createKey(), history.location);\n transitionManager.confirmTransitionTo(location, action, getUserConfirmation, function (ok) {\n if (!ok) return;\n var href = createHref(location);\n var key = location.key,\n state = location.state;\n\n if (canUseHistory) {\n globalHistory.pushState({\n key: key,\n state: state\n }, null, href);\n\n if (forceRefresh) {\n window.location.href = href;\n } else {\n var prevIndex = allKeys.indexOf(history.location.key);\n var nextKeys = allKeys.slice(0, prevIndex + 1);\n nextKeys.push(location.key);\n allKeys = nextKeys;\n setState({\n action: action,\n location: location\n });\n }\n } else {\n process.env.NODE_ENV !== \"production\" ? warning(state === undefined, 'Browser history cannot push state in browsers that do not support HTML5 history') : void 0;\n window.location.href = href;\n }\n });\n }\n\n function replace(path, state) {\n process.env.NODE_ENV !== \"production\" ? warning(!(typeof path === 'object' && path.state !== undefined && state !== undefined), 'You should avoid providing a 2nd state argument to replace when the 1st ' + 'argument is a location-like object that already has state; it is ignored') : void 0;\n var action = 'REPLACE';\n var location = createLocation(path, state, createKey(), history.location);\n transitionManager.confirmTransitionTo(location, action, getUserConfirmation, function (ok) {\n if (!ok) return;\n var href = createHref(location);\n var key = location.key,\n state = location.state;\n\n if (canUseHistory) {\n globalHistory.replaceState({\n key: key,\n state: state\n }, null, href);\n\n if (forceRefresh) {\n window.location.replace(href);\n } else {\n var prevIndex = allKeys.indexOf(history.location.key);\n if (prevIndex !== -1) allKeys[prevIndex] = location.key;\n setState({\n action: action,\n location: location\n });\n }\n } else {\n process.env.NODE_ENV !== \"production\" ? warning(state === undefined, 'Browser history cannot replace state in browsers that do not support HTML5 history') : void 0;\n window.location.replace(href);\n }\n });\n }\n\n function go(n) {\n globalHistory.go(n);\n }\n\n function goBack() {\n go(-1);\n }\n\n function goForward() {\n go(1);\n }\n\n var listenerCount = 0;\n\n function checkDOMListeners(delta) {\n listenerCount += delta;\n\n if (listenerCount === 1 && delta === 1) {\n window.addEventListener(PopStateEvent, handlePopState);\n if (needsHashChangeListener) window.addEventListener(HashChangeEvent, handleHashChange);\n } else if (listenerCount === 0) {\n window.removeEventListener(PopStateEvent, handlePopState);\n if (needsHashChangeListener) window.removeEventListener(HashChangeEvent, handleHashChange);\n }\n }\n\n var isBlocked = false;\n\n function block(prompt) {\n if (prompt === void 0) {\n prompt = false;\n }\n\n var unblock = transitionManager.setPrompt(prompt);\n\n if (!isBlocked) {\n checkDOMListeners(1);\n isBlocked = true;\n }\n\n return function () {\n if (isBlocked) {\n isBlocked = false;\n checkDOMListeners(-1);\n }\n\n return unblock();\n };\n }\n\n function listen(listener) {\n var unlisten = transitionManager.appendListener(listener);\n checkDOMListeners(1);\n return function () {\n checkDOMListeners(-1);\n unlisten();\n };\n }\n\n var history = {\n length: globalHistory.length,\n action: 'POP',\n location: initialLocation,\n createHref: createHref,\n push: push,\n replace: replace,\n go: go,\n goBack: goBack,\n goForward: goForward,\n block: block,\n listen: listen\n };\n return history;\n}\n\nvar HashChangeEvent$1 = 'hashchange';\nvar HashPathCoders = {\n hashbang: {\n encodePath: function encodePath(path) {\n return path.charAt(0) === '!' ? path : '!/' + stripLeadingSlash(path);\n },\n decodePath: function decodePath(path) {\n return path.charAt(0) === '!' ? path.substr(1) : path;\n }\n },\n noslash: {\n encodePath: stripLeadingSlash,\n decodePath: addLeadingSlash\n },\n slash: {\n encodePath: addLeadingSlash,\n decodePath: addLeadingSlash\n }\n};\n\nfunction stripHash(url) {\n var hashIndex = url.indexOf('#');\n return hashIndex === -1 ? url : url.slice(0, hashIndex);\n}\n\nfunction getHashPath() {\n // We can't use window.location.hash here because it's not\n // consistent across browsers - Firefox will pre-decode it!\n var href = window.location.href;\n var hashIndex = href.indexOf('#');\n return hashIndex === -1 ? '' : href.substring(hashIndex + 1);\n}\n\nfunction pushHashPath(path) {\n window.location.hash = path;\n}\n\nfunction replaceHashPath(path) {\n window.location.replace(stripHash(window.location.href) + '#' + path);\n}\n\nfunction createHashHistory(props) {\n if (props === void 0) {\n props = {};\n }\n\n !canUseDOM ? process.env.NODE_ENV !== \"production\" ? invariant(false, 'Hash history needs a DOM') : invariant(false) : void 0;\n var globalHistory = window.history;\n var canGoWithoutReload = supportsGoWithoutReloadUsingHash();\n var _props = props,\n _props$getUserConfirm = _props.getUserConfirmation,\n getUserConfirmation = _props$getUserConfirm === void 0 ? getConfirmation : _props$getUserConfirm,\n _props$hashType = _props.hashType,\n hashType = _props$hashType === void 0 ? 'slash' : _props$hashType;\n var basename = props.basename ? stripTrailingSlash(addLeadingSlash(props.basename)) : '';\n var _HashPathCoders$hashT = HashPathCoders[hashType],\n encodePath = _HashPathCoders$hashT.encodePath,\n decodePath = _HashPathCoders$hashT.decodePath;\n\n function getDOMLocation() {\n var path = decodePath(getHashPath());\n process.env.NODE_ENV !== \"production\" ? warning(!basename || hasBasename(path, basename), 'You are attempting to use a basename on a page whose URL path does not begin ' + 'with the basename. Expected path \"' + path + '\" to begin with \"' + basename + '\".') : void 0;\n if (basename) path = stripBasename(path, basename);\n return createLocation(path);\n }\n\n var transitionManager = createTransitionManager();\n\n function setState(nextState) {\n _extends(history, nextState);\n\n history.length = globalHistory.length;\n transitionManager.notifyListeners(history.location, history.action);\n }\n\n var forceNextPop = false;\n var ignorePath = null;\n\n function locationsAreEqual$$1(a, b) {\n return a.pathname === b.pathname && a.search === b.search && a.hash === b.hash;\n }\n\n function handleHashChange() {\n var path = getHashPath();\n var encodedPath = encodePath(path);\n\n if (path !== encodedPath) {\n // Ensure we always have a properly-encoded hash.\n replaceHashPath(encodedPath);\n } else {\n var location = getDOMLocation();\n var prevLocation = history.location;\n if (!forceNextPop && locationsAreEqual$$1(prevLocation, location)) return; // A hashchange doesn't always == location change.\n\n if (ignorePath === createPath(location)) return; // Ignore this change; we already setState in push/replace.\n\n ignorePath = null;\n handlePop(location);\n }\n }\n\n function handlePop(location) {\n if (forceNextPop) {\n forceNextPop = false;\n setState();\n } else {\n var action = 'POP';\n transitionManager.confirmTransitionTo(location, action, getUserConfirmation, function (ok) {\n if (ok) {\n setState({\n action: action,\n location: location\n });\n } else {\n revertPop(location);\n }\n });\n }\n }\n\n function revertPop(fromLocation) {\n var toLocation = history.location; // TODO: We could probably make this more reliable by\n // keeping a list of paths we've seen in sessionStorage.\n // Instead, we just default to 0 for paths we don't know.\n\n var toIndex = allPaths.lastIndexOf(createPath(toLocation));\n if (toIndex === -1) toIndex = 0;\n var fromIndex = allPaths.lastIndexOf(createPath(fromLocation));\n if (fromIndex === -1) fromIndex = 0;\n var delta = toIndex - fromIndex;\n\n if (delta) {\n forceNextPop = true;\n go(delta);\n }\n } // Ensure the hash is encoded properly before doing anything else.\n\n\n var path = getHashPath();\n var encodedPath = encodePath(path);\n if (path !== encodedPath) replaceHashPath(encodedPath);\n var initialLocation = getDOMLocation();\n var allPaths = [createPath(initialLocation)]; // Public interface\n\n function createHref(location) {\n var baseTag = document.querySelector('base');\n var href = '';\n\n if (baseTag && baseTag.getAttribute('href')) {\n href = stripHash(window.location.href);\n }\n\n return href + '#' + encodePath(basename + createPath(location));\n }\n\n function push(path, state) {\n process.env.NODE_ENV !== \"production\" ? warning(state === undefined, 'Hash history cannot push state; it is ignored') : void 0;\n var action = 'PUSH';\n var location = createLocation(path, undefined, undefined, history.location);\n transitionManager.confirmTransitionTo(location, action, getUserConfirmation, function (ok) {\n if (!ok) return;\n var path = createPath(location);\n var encodedPath = encodePath(basename + path);\n var hashChanged = getHashPath() !== encodedPath;\n\n if (hashChanged) {\n // We cannot tell if a hashchange was caused by a PUSH, so we'd\n // rather setState here and ignore the hashchange. The caveat here\n // is that other hash histories in the page will consider it a POP.\n ignorePath = path;\n pushHashPath(encodedPath);\n var prevIndex = allPaths.lastIndexOf(createPath(history.location));\n var nextPaths = allPaths.slice(0, prevIndex + 1);\n nextPaths.push(path);\n allPaths = nextPaths;\n setState({\n action: action,\n location: location\n });\n } else {\n process.env.NODE_ENV !== \"production\" ? warning(false, 'Hash history cannot PUSH the same path; a new entry will not be added to the history stack') : void 0;\n setState();\n }\n });\n }\n\n function replace(path, state) {\n process.env.NODE_ENV !== \"production\" ? warning(state === undefined, 'Hash history cannot replace state; it is ignored') : void 0;\n var action = 'REPLACE';\n var location = createLocation(path, undefined, undefined, history.location);\n transitionManager.confirmTransitionTo(location, action, getUserConfirmation, function (ok) {\n if (!ok) return;\n var path = createPath(location);\n var encodedPath = encodePath(basename + path);\n var hashChanged = getHashPath() !== encodedPath;\n\n if (hashChanged) {\n // We cannot tell if a hashchange was caused by a REPLACE, so we'd\n // rather setState here and ignore the hashchange. The caveat here\n // is that other hash histories in the page will consider it a POP.\n ignorePath = path;\n replaceHashPath(encodedPath);\n }\n\n var prevIndex = allPaths.indexOf(createPath(history.location));\n if (prevIndex !== -1) allPaths[prevIndex] = path;\n setState({\n action: action,\n location: location\n });\n });\n }\n\n function go(n) {\n process.env.NODE_ENV !== \"production\" ? warning(canGoWithoutReload, 'Hash history go(n) causes a full page reload in this browser') : void 0;\n globalHistory.go(n);\n }\n\n function goBack() {\n go(-1);\n }\n\n function goForward() {\n go(1);\n }\n\n var listenerCount = 0;\n\n function checkDOMListeners(delta) {\n listenerCount += delta;\n\n if (listenerCount === 1 && delta === 1) {\n window.addEventListener(HashChangeEvent$1, handleHashChange);\n } else if (listenerCount === 0) {\n window.removeEventListener(HashChangeEvent$1, handleHashChange);\n }\n }\n\n var isBlocked = false;\n\n function block(prompt) {\n if (prompt === void 0) {\n prompt = false;\n }\n\n var unblock = transitionManager.setPrompt(prompt);\n\n if (!isBlocked) {\n checkDOMListeners(1);\n isBlocked = true;\n }\n\n return function () {\n if (isBlocked) {\n isBlocked = false;\n checkDOMListeners(-1);\n }\n\n return unblock();\n };\n }\n\n function listen(listener) {\n var unlisten = transitionManager.appendListener(listener);\n checkDOMListeners(1);\n return function () {\n checkDOMListeners(-1);\n unlisten();\n };\n }\n\n var history = {\n length: globalHistory.length,\n action: 'POP',\n location: initialLocation,\n createHref: createHref,\n push: push,\n replace: replace,\n go: go,\n goBack: goBack,\n goForward: goForward,\n block: block,\n listen: listen\n };\n return history;\n}\n\nfunction clamp(n, lowerBound, upperBound) {\n return Math.min(Math.max(n, lowerBound), upperBound);\n}\n/**\n * Creates a history object that stores locations in memory.\n */\n\n\nfunction createMemoryHistory(props) {\n if (props === void 0) {\n props = {};\n }\n\n var _props = props,\n getUserConfirmation = _props.getUserConfirmation,\n _props$initialEntries = _props.initialEntries,\n initialEntries = _props$initialEntries === void 0 ? ['/'] : _props$initialEntries,\n _props$initialIndex = _props.initialIndex,\n initialIndex = _props$initialIndex === void 0 ? 0 : _props$initialIndex,\n _props$keyLength = _props.keyLength,\n keyLength = _props$keyLength === void 0 ? 6 : _props$keyLength;\n var transitionManager = createTransitionManager();\n\n function setState(nextState) {\n _extends(history, nextState);\n\n history.length = history.entries.length;\n transitionManager.notifyListeners(history.location, history.action);\n }\n\n function createKey() {\n return Math.random().toString(36).substr(2, keyLength);\n }\n\n var index = clamp(initialIndex, 0, initialEntries.length - 1);\n var entries = initialEntries.map(function (entry) {\n return typeof entry === 'string' ? createLocation(entry, undefined, createKey()) : createLocation(entry, undefined, entry.key || createKey());\n }); // Public interface\n\n var createHref = createPath;\n\n function push(path, state) {\n process.env.NODE_ENV !== \"production\" ? warning(!(typeof path === 'object' && path.state !== undefined && state !== undefined), 'You should avoid providing a 2nd state argument to push when the 1st ' + 'argument is a location-like object that already has state; it is ignored') : void 0;\n var action = 'PUSH';\n var location = createLocation(path, state, createKey(), history.location);\n transitionManager.confirmTransitionTo(location, action, getUserConfirmation, function (ok) {\n if (!ok) return;\n var prevIndex = history.index;\n var nextIndex = prevIndex + 1;\n var nextEntries = history.entries.slice(0);\n\n if (nextEntries.length > nextIndex) {\n nextEntries.splice(nextIndex, nextEntries.length - nextIndex, location);\n } else {\n nextEntries.push(location);\n }\n\n setState({\n action: action,\n location: location,\n index: nextIndex,\n entries: nextEntries\n });\n });\n }\n\n function replace(path, state) {\n process.env.NODE_ENV !== \"production\" ? warning(!(typeof path === 'object' && path.state !== undefined && state !== undefined), 'You should avoid providing a 2nd state argument to replace when the 1st ' + 'argument is a location-like object that already has state; it is ignored') : void 0;\n var action = 'REPLACE';\n var location = createLocation(path, state, createKey(), history.location);\n transitionManager.confirmTransitionTo(location, action, getUserConfirmation, function (ok) {\n if (!ok) return;\n history.entries[history.index] = location;\n setState({\n action: action,\n location: location\n });\n });\n }\n\n function go(n) {\n var nextIndex = clamp(history.index + n, 0, history.entries.length - 1);\n var action = 'POP';\n var location = history.entries[nextIndex];\n transitionManager.confirmTransitionTo(location, action, getUserConfirmation, function (ok) {\n if (ok) {\n setState({\n action: action,\n location: location,\n index: nextIndex\n });\n } else {\n // Mimic the behavior of DOM histories by\n // causing a render after a cancelled POP.\n setState();\n }\n });\n }\n\n function goBack() {\n go(-1);\n }\n\n function goForward() {\n go(1);\n }\n\n function canGo(n) {\n var nextIndex = history.index + n;\n return nextIndex >= 0 && nextIndex < history.entries.length;\n }\n\n function block(prompt) {\n if (prompt === void 0) {\n prompt = false;\n }\n\n return transitionManager.setPrompt(prompt);\n }\n\n function listen(listener) {\n return transitionManager.appendListener(listener);\n }\n\n var history = {\n length: entries.length,\n action: 'POP',\n location: entries[index],\n index: index,\n entries: entries,\n createHref: createHref,\n push: push,\n replace: replace,\n go: go,\n goBack: goBack,\n goForward: goForward,\n canGo: canGo,\n block: block,\n listen: listen\n };\n return history;\n}\n\nexport { createBrowserHistory, createHashHistory, createMemoryHistory, createLocation, locationsAreEqual, parsePath, createPath };\n","// MIT License\n// Copyright (c) 2019-present StringEpsilon \n// Copyright (c) 2017-2019 James Kyle \n// https://github.com/StringEpsilon/mini-create-react-context\nimport React from \"react\";\nimport PropTypes from \"prop-types\";\nimport warning from \"tiny-warning\";\n\nconst MAX_SIGNED_31_BIT_INT = 1073741823;\n\nconst commonjsGlobal =\n typeof globalThis !== \"undefined\" // 'global proper'\n ? // eslint-disable-next-line no-undef\n globalThis\n : typeof window !== \"undefined\"\n ? window // Browser\n : typeof global !== \"undefined\"\n ? global // node.js\n : {};\n\nfunction getUniqueId() {\n let key = \"__global_unique_id__\";\n return (commonjsGlobal[key] = (commonjsGlobal[key] || 0) + 1);\n}\n\n// Inlined Object.is polyfill.\n// https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/is\nfunction objectIs(x, y) {\n if (x === y) {\n return x !== 0 || 1 / x === 1 / y;\n } else {\n // eslint-disable-next-line no-self-compare\n return x !== x && y !== y;\n }\n}\n\nfunction createEventEmitter(value) {\n let handlers = [];\n return {\n on(handler) {\n handlers.push(handler);\n },\n\n off(handler) {\n handlers = handlers.filter(h => h !== handler);\n },\n\n get() {\n return value;\n },\n\n set(newValue, changedBits) {\n value = newValue;\n handlers.forEach(handler => handler(value, changedBits));\n }\n };\n}\n\nfunction onlyChild(children) {\n return Array.isArray(children) ? children[0] : children;\n}\n\nexport default function createReactContext(defaultValue, calculateChangedBits) {\n const contextProp = \"__create-react-context-\" + getUniqueId() + \"__\";\n\n class Provider extends React.Component {\n emitter = createEventEmitter(this.props.value);\n\n static childContextTypes = {\n [contextProp]: PropTypes.object.isRequired\n };\n\n getChildContext() {\n return {\n [contextProp]: this.emitter\n };\n }\n\n componentWillReceiveProps(nextProps) {\n if (this.props.value !== nextProps.value) {\n let oldValue = this.props.value;\n let newValue = nextProps.value;\n let changedBits;\n\n if (objectIs(oldValue, newValue)) {\n changedBits = 0; // No change\n } else {\n changedBits =\n typeof calculateChangedBits === \"function\"\n ? calculateChangedBits(oldValue, newValue)\n : MAX_SIGNED_31_BIT_INT;\n if (process.env.NODE_ENV !== \"production\") {\n warning(\n (changedBits & MAX_SIGNED_31_BIT_INT) === changedBits,\n \"calculateChangedBits: Expected the return value to be a \" +\n \"31-bit integer. Instead received: \" +\n changedBits\n );\n }\n\n changedBits |= 0;\n\n if (changedBits !== 0) {\n this.emitter.set(nextProps.value, changedBits);\n }\n }\n }\n }\n\n render() {\n return this.props.children;\n }\n }\n\n class Consumer extends React.Component {\n static contextTypes = {\n [contextProp]: PropTypes.object\n };\n\n observedBits;\n\n state = {\n value: this.getValue()\n };\n\n componentWillReceiveProps(nextProps) {\n let { observedBits } = nextProps;\n this.observedBits =\n observedBits === undefined || observedBits === null\n ? MAX_SIGNED_31_BIT_INT // Subscribe to all changes by default\n : observedBits;\n }\n\n componentDidMount() {\n if (this.context[contextProp]) {\n this.context[contextProp].on(this.onUpdate);\n }\n let { observedBits } = this.props;\n this.observedBits =\n observedBits === undefined || observedBits === null\n ? MAX_SIGNED_31_BIT_INT // Subscribe to all changes by default\n : observedBits;\n }\n\n componentWillUnmount() {\n if (this.context[contextProp]) {\n this.context[contextProp].off(this.onUpdate);\n }\n }\n\n getValue() {\n if (this.context[contextProp]) {\n return this.context[contextProp].get();\n } else {\n return defaultValue;\n }\n }\n\n onUpdate = (newValue, changedBits) => {\n const observedBits = this.observedBits | 0;\n if ((observedBits & changedBits) !== 0) {\n this.setState({ value: this.getValue() });\n }\n };\n\n render() {\n return onlyChild(this.props.children)(this.state.value);\n }\n }\n\n return {\n Provider,\n Consumer\n };\n}\n","// MIT License\n// Copyright (c) 2019-present StringEpsilon \n// Copyright (c) 2017-2019 James Kyle \n// https://github.com/StringEpsilon/mini-create-react-context\nimport React from \"react\";\nimport createReactContext from \"./miniCreateReactContext\";\n\nexport default React.createContext || createReactContext;\n","// TODO: Replace with React.createContext once we can assume React 16+\nimport createContext from \"./createContext\";\n\nconst createNamedContext = name => {\n const context = createContext();\n context.displayName = name;\n\n return context;\n};\n\nexport default createNamedContext;\n","import createNamedContext from \"./createNamedContext\";\n\nconst historyContext = /*#__PURE__*/ createNamedContext(\"Router-History\");\nexport default historyContext;\n","import createNamedContext from \"./createNamedContext\";\n\nconst context = /*#__PURE__*/ createNamedContext(\"Router\");\nexport default context;\n","import React from \"react\";\nimport PropTypes from \"prop-types\";\nimport warning from \"tiny-warning\";\n\nimport HistoryContext from \"./HistoryContext.js\";\nimport RouterContext from \"./RouterContext.js\";\n\n/**\n * The public API for putting history on context.\n */\nclass Router extends React.Component {\n static computeRootMatch(pathname) {\n return { path: \"/\", url: \"/\", params: {}, isExact: pathname === \"/\" };\n }\n\n constructor(props) {\n super(props);\n\n this.state = {\n location: props.history.location\n };\n\n // This is a bit of a hack. We have to start listening for location\n // changes here in the constructor in case there are any s\n // on the initial render. If there are, they will replace/push when\n // they mount and since cDM fires in children before parents, we may\n // get a new location before the is mounted.\n this._isMounted = false;\n this._pendingLocation = null;\n\n if (!props.staticContext) {\n this.unlisten = props.history.listen(location => {\n this._pendingLocation = location;\n });\n }\n }\n\n componentDidMount() {\n this._isMounted = true;\n\n if (this.unlisten) {\n // Any pre-mount location changes have been captured at\n // this point, so unregister the listener.\n this.unlisten();\n }\n if (!this.props.staticContext) {\n this.unlisten = this.props.history.listen(location => {\n if (this._isMounted) {\n this.setState({ location });\n }\n });\n }\n if (this._pendingLocation) {\n this.setState({ location: this._pendingLocation });\n }\n }\n\n componentWillUnmount() {\n if (this.unlisten) {\n this.unlisten();\n this._isMounted = false;\n this._pendingLocation = null;\n }\n }\n\n render() {\n return (\n \n \n \n );\n }\n}\n\nif (__DEV__) {\n Router.propTypes = {\n children: PropTypes.node,\n history: PropTypes.object.isRequired,\n staticContext: PropTypes.object\n };\n\n Router.prototype.componentDidUpdate = function(prevProps) {\n warning(\n prevProps.history === this.props.history,\n \"You cannot change \"\n );\n };\n}\n\nexport default Router;\n","import React from \"react\";\nimport PropTypes from \"prop-types\";\nimport { createMemoryHistory as createHistory } from \"history\";\nimport warning from \"tiny-warning\";\n\nimport Router from \"./Router.js\";\n\n/**\n * The public API for a that stores location in memory.\n */\nclass MemoryRouter extends React.Component {\n history = createHistory(this.props);\n\n render() {\n return ;\n }\n}\n\nif (__DEV__) {\n MemoryRouter.propTypes = {\n initialEntries: PropTypes.array,\n initialIndex: PropTypes.number,\n getUserConfirmation: PropTypes.func,\n keyLength: PropTypes.number,\n children: PropTypes.node\n };\n\n MemoryRouter.prototype.componentDidMount = function() {\n warning(\n !this.props.history,\n \" ignores the history prop. To use a custom history, \" +\n \"use `import { Router }` instead of `import { MemoryRouter as Router }`.\"\n );\n };\n}\n\nexport default MemoryRouter;\n","import React from \"react\";\n\nclass Lifecycle extends React.Component {\n componentDidMount() {\n if (this.props.onMount) this.props.onMount.call(this, this);\n }\n\n componentDidUpdate(prevProps) {\n if (this.props.onUpdate) this.props.onUpdate.call(this, this, prevProps);\n }\n\n componentWillUnmount() {\n if (this.props.onUnmount) this.props.onUnmount.call(this, this);\n }\n\n render() {\n return null;\n }\n}\n\nexport default Lifecycle;\n","import pathToRegexp from \"path-to-regexp\";\n\nconst cache = {};\nconst cacheLimit = 10000;\nlet cacheCount = 0;\n\nfunction compilePath(path, options) {\n const cacheKey = `${options.end}${options.strict}${options.sensitive}`;\n const pathCache = cache[cacheKey] || (cache[cacheKey] = {});\n\n if (pathCache[path]) return pathCache[path];\n\n const keys = [];\n const regexp = pathToRegexp(path, keys, options);\n const result = { regexp, keys };\n\n if (cacheCount < cacheLimit) {\n pathCache[path] = result;\n cacheCount++;\n }\n\n return result;\n}\n\n/**\n * Public API for matching a URL pathname to a path.\n */\nfunction matchPath(pathname, options = {}) {\n if (typeof options === \"string\" || Array.isArray(options)) {\n options = { path: options };\n }\n\n const { path, exact = false, strict = false, sensitive = false } = options;\n\n const paths = [].concat(path);\n\n return paths.reduce((matched, path) => {\n if (!path && path !== \"\") return null;\n if (matched) return matched;\n\n const { regexp, keys } = compilePath(path, {\n end: exact,\n strict,\n sensitive\n });\n const match = regexp.exec(pathname);\n\n if (!match) return null;\n\n const [url, ...values] = match;\n const isExact = pathname === url;\n\n if (exact && !isExact) return null;\n\n return {\n path, // the path used to match\n url: path === \"/\" && url === \"\" ? \"/\" : url, // the matched portion of the URL\n isExact, // whether or not we matched exactly\n params: keys.reduce((memo, key, index) => {\n memo[key.name] = values[index];\n return memo;\n }, {})\n };\n }, null);\n}\n\nexport default matchPath;\n","import React from \"react\";\nimport { isValidElementType } from \"react-is\";\nimport PropTypes from \"prop-types\";\nimport invariant from \"tiny-invariant\";\nimport warning from \"tiny-warning\";\n\nimport RouterContext from \"./RouterContext.js\";\nimport matchPath from \"./matchPath.js\";\n\nfunction isEmptyChildren(children) {\n return React.Children.count(children) === 0;\n}\n\nfunction evalChildrenDev(children, props, path) {\n const value = children(props);\n\n warning(\n value !== undefined,\n \"You returned `undefined` from the `children` function of \" +\n `, but you ` +\n \"should have returned a React element or `null`\"\n );\n\n return value || null;\n}\n\n/**\n * The public API for matching a single path and rendering.\n */\nclass Route extends React.Component {\n render() {\n return (\n \n {context => {\n invariant(context, \"You should not use outside a \");\n\n const location = this.props.location || context.location;\n const match = this.props.computedMatch\n ? this.props.computedMatch // already computed the match for us\n : this.props.path\n ? matchPath(location.pathname, this.props)\n : context.match;\n\n const props = { ...context, location, match };\n\n let { children, component, render } = this.props;\n\n // Preact uses an empty array as children by\n // default, so use null if that's the case.\n if (Array.isArray(children) && isEmptyChildren(children)) {\n children = null;\n }\n\n return (\n \n {props.match\n ? children\n ? typeof children === \"function\"\n ? __DEV__\n ? evalChildrenDev(children, props, this.props.path)\n : children(props)\n : children\n : component\n ? React.createElement(component, props)\n : render\n ? render(props)\n : null\n : typeof children === \"function\"\n ? __DEV__\n ? evalChildrenDev(children, props, this.props.path)\n : children(props)\n : null}\n \n );\n }}\n \n );\n }\n}\n\nif (__DEV__) {\n Route.propTypes = {\n children: PropTypes.oneOfType([PropTypes.func, PropTypes.node]),\n component: (props, propName) => {\n if (props[propName] && !isValidElementType(props[propName])) {\n return new Error(\n `Invalid prop 'component' supplied to 'Route': the prop is not a valid React component`\n );\n }\n },\n exact: PropTypes.bool,\n location: PropTypes.object,\n path: PropTypes.oneOfType([\n PropTypes.string,\n PropTypes.arrayOf(PropTypes.string)\n ]),\n render: PropTypes.func,\n sensitive: PropTypes.bool,\n strict: PropTypes.bool\n };\n\n Route.prototype.componentDidMount = function() {\n warning(\n !(\n this.props.children &&\n !isEmptyChildren(this.props.children) &&\n this.props.component\n ),\n \"You should not use and in the same route; will be ignored\"\n );\n\n warning(\n !(\n this.props.children &&\n !isEmptyChildren(this.props.children) &&\n this.props.render\n ),\n \"You should not use and in the same route; will be ignored\"\n );\n\n warning(\n !(this.props.component && this.props.render),\n \"You should not use and in the same route; will be ignored\"\n );\n };\n\n Route.prototype.componentDidUpdate = function(prevProps) {\n warning(\n !(this.props.location && !prevProps.location),\n ' elements should not change from uncontrolled to controlled (or vice versa). You initially used no \"location\" prop and then provided one on a subsequent render.'\n );\n\n warning(\n !(!this.props.location && prevProps.location),\n ' elements should not change from controlled to uncontrolled (or vice versa). You provided a \"location\" prop initially but omitted it on a subsequent render.'\n );\n };\n}\n\nexport default Route;\n","import React from \"react\";\nimport PropTypes from \"prop-types\";\nimport { createLocation, createPath } from \"history\";\nimport invariant from \"tiny-invariant\";\nimport warning from \"tiny-warning\";\n\nimport Router from \"./Router.js\";\n\nfunction addLeadingSlash(path) {\n return path.charAt(0) === \"/\" ? path : \"/\" + path;\n}\n\nfunction addBasename(basename, location) {\n if (!basename) return location;\n\n return {\n ...location,\n pathname: addLeadingSlash(basename) + location.pathname\n };\n}\n\nfunction stripBasename(basename, location) {\n if (!basename) return location;\n\n const base = addLeadingSlash(basename);\n\n if (location.pathname.indexOf(base) !== 0) return location;\n\n return {\n ...location,\n pathname: location.pathname.substr(base.length)\n };\n}\n\nfunction createURL(location) {\n return typeof location === \"string\" ? location : createPath(location);\n}\n\nfunction staticHandler(methodName) {\n return () => {\n invariant(false, \"You cannot %s with \", methodName);\n };\n}\n\nfunction noop() {}\n\n/**\n * The public top-level API for a \"static\" , so-called because it\n * can't actually change the current location. Instead, it just records\n * location changes in a context object. Useful mainly in testing and\n * server-rendering scenarios.\n */\nclass StaticRouter extends React.Component {\n navigateTo(location, action) {\n const { basename = \"\", context = {} } = this.props;\n context.action = action;\n context.location = addBasename(basename, createLocation(location));\n context.url = createURL(context.location);\n }\n\n handlePush = location => this.navigateTo(location, \"PUSH\");\n handleReplace = location => this.navigateTo(location, \"REPLACE\");\n handleListen = () => noop;\n handleBlock = () => noop;\n\n render() {\n const { basename = \"\", context = {}, location = \"/\", ...rest } = this.props;\n\n const history = {\n createHref: path => addLeadingSlash(basename + createURL(path)),\n action: \"POP\",\n location: stripBasename(basename, createLocation(location)),\n push: this.handlePush,\n replace: this.handleReplace,\n go: staticHandler(\"go\"),\n goBack: staticHandler(\"goBack\"),\n goForward: staticHandler(\"goForward\"),\n listen: this.handleListen,\n block: this.handleBlock\n };\n\n return ;\n }\n}\n\nif (__DEV__) {\n StaticRouter.propTypes = {\n basename: PropTypes.string,\n context: PropTypes.object,\n location: PropTypes.oneOfType([PropTypes.string, PropTypes.object])\n };\n\n StaticRouter.prototype.componentDidMount = function() {\n warning(\n !this.props.history,\n \" ignores the history prop. To use a custom history, \" +\n \"use `import { Router }` instead of `import { StaticRouter as Router }`.\"\n );\n };\n}\n\nexport default StaticRouter;\n","import React from \"react\";\nimport PropTypes from \"prop-types\";\nimport invariant from \"tiny-invariant\";\nimport warning from \"tiny-warning\";\n\nimport RouterContext from \"./RouterContext.js\";\nimport matchPath from \"./matchPath.js\";\n\n/**\n * The public API for rendering the first that matches.\n */\nclass Switch extends React.Component {\n render() {\n return (\n \n {context => {\n invariant(context, \"You should not use outside a \");\n\n const location = this.props.location || context.location;\n\n let element, match;\n\n // We use React.Children.forEach instead of React.Children.toArray().find()\n // here because toArray adds keys to all child elements and we do not want\n // to trigger an unmount/remount for two s that render the same\n // component at different URLs.\n React.Children.forEach(this.props.children, child => {\n if (match == null && React.isValidElement(child)) {\n element = child;\n\n const path = child.props.path || child.props.from;\n\n match = path\n ? matchPath(location.pathname, { ...child.props, path })\n : context.match;\n }\n });\n\n return match\n ? React.cloneElement(element, { location, computedMatch: match })\n : null;\n }}\n \n );\n }\n}\n\nif (__DEV__) {\n Switch.propTypes = {\n children: PropTypes.node,\n location: PropTypes.object\n };\n\n Switch.prototype.componentDidUpdate = function(prevProps) {\n warning(\n !(this.props.location && !prevProps.location),\n ' elements should not change from uncontrolled to controlled (or vice versa). You initially used no \"location\" prop and then provided one on a subsequent render.'\n );\n\n warning(\n !(!this.props.location && prevProps.location),\n ' elements should not change from controlled to uncontrolled (or vice versa). You provided a \"location\" prop initially but omitted it on a subsequent render.'\n );\n };\n}\n\nexport default Switch;\n","import React from \"react\";\nimport invariant from \"tiny-invariant\";\n\nimport RouterContext from \"./RouterContext.js\";\nimport HistoryContext from \"./HistoryContext.js\";\nimport matchPath from \"./matchPath.js\";\n\nconst useContext = React.useContext;\n\nexport function useHistory() {\n if (__DEV__) {\n invariant(\n typeof useContext === \"function\",\n \"You must use React >= 16.8 in order to use useHistory()\"\n );\n }\n\n return useContext(HistoryContext);\n}\n\nexport function useLocation() {\n if (__DEV__) {\n invariant(\n typeof useContext === \"function\",\n \"You must use React >= 16.8 in order to use useLocation()\"\n );\n }\n\n return useContext(RouterContext).location;\n}\n\nexport function useParams() {\n if (__DEV__) {\n invariant(\n typeof useContext === \"function\",\n \"You must use React >= 16.8 in order to use useParams()\"\n );\n }\n\n const match = useContext(RouterContext).match;\n return match ? match.params : {};\n}\n\nexport function useRouteMatch(path) {\n if (__DEV__) {\n invariant(\n typeof useContext === \"function\",\n \"You must use React >= 16.8 in order to use useRouteMatch()\"\n );\n }\n\n const location = useLocation();\n const match = useContext(RouterContext).match;\n return path ? matchPath(location.pathname, path) : match;\n}\n","import React from \"react\";\nimport { Router } from \"react-router\";\nimport { createBrowserHistory as createHistory } from \"history\";\nimport PropTypes from \"prop-types\";\nimport warning from \"tiny-warning\";\n\n/**\n * The public API for a that uses HTML5 history.\n */\nclass BrowserRouter extends React.Component {\n history = createHistory(this.props);\n\n render() {\n return ;\n }\n}\n\nif (__DEV__) {\n BrowserRouter.propTypes = {\n basename: PropTypes.string,\n children: PropTypes.node,\n forceRefresh: PropTypes.bool,\n getUserConfirmation: PropTypes.func,\n keyLength: PropTypes.number\n };\n\n BrowserRouter.prototype.componentDidMount = function() {\n warning(\n !this.props.history,\n \" ignores the history prop. To use a custom history, \" +\n \"use `import { Router }` instead of `import { BrowserRouter as Router }`.\"\n );\n };\n}\n\nexport default BrowserRouter;\n","import React from \"react\";\nimport { Router } from \"react-router\";\nimport { createHashHistory as createHistory } from \"history\";\nimport PropTypes from \"prop-types\";\nimport warning from \"tiny-warning\";\n\n/**\n * The public API for a that uses window.location.hash.\n */\nclass HashRouter extends React.Component {\n history = createHistory(this.props);\n\n render() {\n return ;\n }\n}\n\nif (__DEV__) {\n HashRouter.propTypes = {\n basename: PropTypes.string,\n children: PropTypes.node,\n getUserConfirmation: PropTypes.func,\n hashType: PropTypes.oneOf([\"hashbang\", \"noslash\", \"slash\"])\n };\n\n HashRouter.prototype.componentDidMount = function() {\n warning(\n !this.props.history,\n \" ignores the history prop. To use a custom history, \" +\n \"use `import { Router }` instead of `import { HashRouter as Router }`.\"\n );\n };\n}\n\nexport default HashRouter;\n","import { createLocation } from \"history\";\n\nexport const resolveToLocation = (to, currentLocation) =>\n typeof to === \"function\" ? to(currentLocation) : to;\n\nexport const normalizeToLocation = (to, currentLocation) => {\n return typeof to === \"string\"\n ? createLocation(to, null, null, currentLocation)\n : to;\n};\n","import React from \"react\";\nimport { __RouterContext as RouterContext } from \"react-router\";\nimport { createPath } from 'history';\nimport PropTypes from \"prop-types\";\nimport invariant from \"tiny-invariant\";\nimport {\n resolveToLocation,\n normalizeToLocation\n} from \"./utils/locationUtils.js\";\n\n// React 15 compat\nconst forwardRefShim = C => C;\nlet { forwardRef } = React;\nif (typeof forwardRef === \"undefined\") {\n forwardRef = forwardRefShim;\n}\n\nfunction isModifiedEvent(event) {\n return !!(event.metaKey || event.altKey || event.ctrlKey || event.shiftKey);\n}\n\nconst LinkAnchor = forwardRef(\n (\n {\n innerRef, // TODO: deprecate\n navigate,\n onClick,\n ...rest\n },\n forwardedRef\n ) => {\n const { target } = rest;\n\n let props = {\n ...rest,\n onClick: event => {\n try {\n if (onClick) onClick(event);\n } catch (ex) {\n event.preventDefault();\n throw ex;\n }\n\n if (\n !event.defaultPrevented && // onClick prevented default\n event.button === 0 && // ignore everything but left clicks\n (!target || target === \"_self\") && // let browser handle \"target=_blank\" etc.\n !isModifiedEvent(event) // ignore clicks with modifier keys\n ) {\n event.preventDefault();\n navigate();\n }\n }\n };\n\n // React 15 compat\n if (forwardRefShim !== forwardRef) {\n props.ref = forwardedRef || innerRef;\n } else {\n props.ref = innerRef;\n }\n\n /* eslint-disable-next-line jsx-a11y/anchor-has-content */\n return ;\n }\n);\n\nif (__DEV__) {\n LinkAnchor.displayName = \"LinkAnchor\";\n}\n\n/**\n * The public API for rendering a history-aware .\n */\nconst Link = forwardRef(\n (\n {\n component = LinkAnchor,\n replace,\n to,\n innerRef, // TODO: deprecate\n ...rest\n },\n forwardedRef\n ) => {\n return (\n \n {context => {\n invariant(context, \"You should not use outside a \");\n\n const { history } = context;\n\n const location = normalizeToLocation(\n resolveToLocation(to, context.location),\n context.location\n );\n\n const href = location ? history.createHref(location) : \"\";\n const props = {\n ...rest,\n href,\n navigate() {\n const location = resolveToLocation(to, context.location);\n const isDuplicateNavigation = createPath(context.location) === createPath(normalizeToLocation(location));\n const method = (replace || isDuplicateNavigation) ? history.replace : history.push;\n\n method(location);\n }\n };\n\n // React 15 compat\n if (forwardRefShim !== forwardRef) {\n props.ref = forwardedRef || innerRef;\n } else {\n props.innerRef = innerRef;\n }\n\n return React.createElement(component, props);\n }}\n \n );\n }\n);\n\nif (__DEV__) {\n const toType = PropTypes.oneOfType([\n PropTypes.string,\n PropTypes.object,\n PropTypes.func\n ]);\n const refType = PropTypes.oneOfType([\n PropTypes.string,\n PropTypes.func,\n PropTypes.shape({ current: PropTypes.any })\n ]);\n\n Link.displayName = \"Link\";\n\n Link.propTypes = {\n innerRef: refType,\n onClick: PropTypes.func,\n replace: PropTypes.bool,\n target: PropTypes.string,\n to: toType.isRequired\n };\n}\n\nexport default Link;\n","import React from \"react\";\nimport { __RouterContext as RouterContext, matchPath } from \"react-router\";\nimport PropTypes from \"prop-types\";\nimport invariant from \"tiny-invariant\";\nimport Link from \"./Link.js\";\nimport {\n resolveToLocation,\n normalizeToLocation\n} from \"./utils/locationUtils.js\";\n\n// React 15 compat\nconst forwardRefShim = C => C;\nlet { forwardRef } = React;\nif (typeof forwardRef === \"undefined\") {\n forwardRef = forwardRefShim;\n}\n\nfunction joinClassnames(...classnames) {\n return classnames.filter(i => i).join(\" \");\n}\n\n/**\n * A wrapper that knows if it's \"active\" or not.\n */\nconst NavLink = forwardRef(\n (\n {\n \"aria-current\": ariaCurrent = \"page\",\n activeClassName = \"active\", // TODO: deprecate\n activeStyle, // TODO: deprecate\n className: classNameProp,\n exact,\n isActive: isActiveProp,\n location: locationProp,\n sensitive,\n strict,\n style: styleProp,\n to,\n innerRef, // TODO: deprecate\n ...rest\n },\n forwardedRef\n ) => {\n return (\n \n {context => {\n invariant(context, \"You should not use outside a \");\n\n const currentLocation = locationProp || context.location;\n const toLocation = normalizeToLocation(\n resolveToLocation(to, currentLocation),\n currentLocation\n );\n const { pathname: path } = toLocation;\n // Regex taken from: https://github.com/pillarjs/path-to-regexp/blob/master/index.js#L202\n const escapedPath =\n path && path.replace(/([.+*?=^!:${}()[\\]|/\\\\])/g, \"\\\\$1\");\n\n const match = escapedPath\n ? matchPath(currentLocation.pathname, {\n path: escapedPath,\n exact,\n sensitive,\n strict\n })\n : null;\n const isActive = !!(isActiveProp\n ? isActiveProp(match, currentLocation)\n : match);\n\n let className =\n typeof classNameProp === \"function\"\n ? classNameProp(isActive)\n : classNameProp;\n\n let style =\n typeof styleProp === \"function\" ? styleProp(isActive) : styleProp;\n\n if (isActive) {\n className = joinClassnames(className, activeClassName);\n style = { ...style, ...activeStyle };\n }\n\n const props = {\n \"aria-current\": (isActive && ariaCurrent) || null,\n className,\n style,\n to: toLocation,\n ...rest\n };\n\n // React 15 compat\n if (forwardRefShim !== forwardRef) {\n props.ref = forwardedRef || innerRef;\n } else {\n props.innerRef = innerRef;\n }\n\n return ;\n }}\n \n );\n }\n);\n\nif (__DEV__) {\n NavLink.displayName = \"NavLink\";\n\n const ariaCurrentType = PropTypes.oneOf([\n \"page\",\n \"step\",\n \"location\",\n \"date\",\n \"time\",\n \"true\",\n \"false\"\n ]);\n\n NavLink.propTypes = {\n ...Link.propTypes,\n \"aria-current\": ariaCurrentType,\n activeClassName: PropTypes.string,\n activeStyle: PropTypes.object,\n className: PropTypes.oneOfType([PropTypes.string, PropTypes.func]),\n exact: PropTypes.bool,\n isActive: PropTypes.func,\n location: PropTypes.object,\n sensitive: PropTypes.bool,\n strict: PropTypes.bool,\n style: PropTypes.oneOfType([PropTypes.object, PropTypes.func])\n };\n}\n\nexport default NavLink;\n","function _typeof(obj) { if (typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\") { _typeof = function _typeof(obj) { return typeof obj; }; } else { _typeof = function _typeof(obj) { return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }; } return _typeof(obj); }\n\nfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\nfunction _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } }\n\nfunction _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); return Constructor; }\n\nfunction _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === \"object\" || typeof call === \"function\")) { return call; } return _assertThisInitialized(self); }\n\nfunction _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); }\n\nfunction _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\"); } return self; }\n\nfunction _inherits(subClass, superClass) { if (typeof superClass !== \"function\" && superClass !== null) { throw new TypeError(\"Super expression must either be null or a function\"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); if (superClass) _setPrototypeOf(subClass, superClass); }\n\nfunction _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }\n\nfunction _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }\n\nimport React, { PureComponent } from 'react'; // eslint-disable-line import/no-unresolved\n\nexport var PersistGate =\n/*#__PURE__*/\nfunction (_PureComponent) {\n _inherits(PersistGate, _PureComponent);\n\n function PersistGate() {\n var _getPrototypeOf2;\n\n var _this;\n\n _classCallCheck(this, PersistGate);\n\n for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n _this = _possibleConstructorReturn(this, (_getPrototypeOf2 = _getPrototypeOf(PersistGate)).call.apply(_getPrototypeOf2, [this].concat(args)));\n\n _defineProperty(_assertThisInitialized(_this), \"state\", {\n bootstrapped: false\n });\n\n _defineProperty(_assertThisInitialized(_this), \"_unsubscribe\", void 0);\n\n _defineProperty(_assertThisInitialized(_this), \"handlePersistorState\", function () {\n var persistor = _this.props.persistor;\n\n var _persistor$getState = persistor.getState(),\n bootstrapped = _persistor$getState.bootstrapped;\n\n if (bootstrapped) {\n if (_this.props.onBeforeLift) {\n Promise.resolve(_this.props.onBeforeLift()).finally(function () {\n return _this.setState({\n bootstrapped: true\n });\n });\n } else {\n _this.setState({\n bootstrapped: true\n });\n }\n\n _this._unsubscribe && _this._unsubscribe();\n }\n });\n\n return _this;\n }\n\n _createClass(PersistGate, [{\n key: \"componentDidMount\",\n value: function componentDidMount() {\n this._unsubscribe = this.props.persistor.subscribe(this.handlePersistorState);\n this.handlePersistorState();\n }\n }, {\n key: \"componentWillUnmount\",\n value: function componentWillUnmount() {\n this._unsubscribe && this._unsubscribe();\n }\n }, {\n key: \"render\",\n value: function render() {\n if (process.env.NODE_ENV !== 'production') {\n if (typeof this.props.children === 'function' && this.props.loading) console.error('redux-persist: PersistGate expects either a function child or loading prop, but not both. The loading prop will be ignored.');\n }\n\n if (typeof this.props.children === 'function') {\n return this.props.children(this.state.bootstrapped);\n }\n\n return this.state.bootstrapped ? this.props.children : this.props.loading;\n }\n }]);\n\n return PersistGate;\n}(PureComponent);\n\n_defineProperty(PersistGate, \"defaultProps\", {\n children: null,\n loading: null\n});","// tslint:disable\n/**\n * سرویسهای پلتفرم مالی پیپینگ\n * مستندات سرویسهای عمومی پلتفرم مالی پیپینگ لینکهای پشتیبانی: تلگرام: [t.me/payping](t.me/payping) | ایمیل: [info@payping.ir]() | تلفن: 02175038797 # مقدمه تمامی وب سرویسهای توضیح داده شده در این مستندات به صورت [RESTful](https://en.wikipedia.org/wiki/Representational_state_transfer) هستند و طبق همین چهارچوب باید با آنها ارتباط برقرار کرد. توضیحات تکمیلیتر هر سرویس در آدرس زیر به صورت کامل قرار داده شده است. جهت رفع هرگونه مشکل و یا پرسش با پشتیبانی در تماس باشید. [راهنمای تکمیلی وبسرویسها](https://help.payping.ir/fa/category/api--qspohi/) # POSTMAN برای راحتی کار، فایل postman سرویس ها برای شما آماده شده است که می توانید از لینک زیر روند استفاده از آن را مطالعه بفرمایین و قالب مربوطه را دانلود نمایید. [راهنمای postman](https://help.payping.ir/fa/article/postman-2sojme/) # توضیحات تکمیلی برای تمام سرویسها برای فراخوانی سرویسهای صفحهبندی (pagination) اگر پارامتر ورودی ارسال نشود، حداکثر ۱۰ آیتم نمایش داده میشود و همچنین حداکثر تعداد دریافت آیتم به ازای هر درخواست ۵۰ عدد میباشد و بیشتر از آن را سرویس پشتیبانی نمیکند و در صورت نیاز به بارگزاری تمام آیتمهای یک سرویس به صورت یکجا با ایمیل به بخش پشتیبانی در تماس باشید. همینطور توجه داشته باشین واحد پول در تمام سرویسها تومان میباشد و منطقه زمانی تمامی تاریخ و ساعتها برابر با ساعت جهانی یا UTC میباشد. # نکاتی برای آپلود فایلها برای آپلود هرگونه فایل اعم از عکس پروفایل کاربران و یا گزارشات پرداختها و ... میبایست که از [سرویس بارگذاری فایل](#tag/Upload) استفاده کنید. پس از انجام عملیات آپلود توسط سرویس بارگذاری فایل، تنها کافیست نام فایل آپلود شده که در خروجی سرویس به شما برگردانده میشود را ذخیره نمایید. # جدول کدهای دریافتی از هر سرویس بعد از ارسال هر درخواست به سمت سرور، از سمت ما طبق قواعد وبسرویسهای RESTful یک کدی به شما بازگرداننده میشود. هر کد معنایی دارد که در جدول زیر توضیحات مربوطه را میبینید |شماره کد|توضیحات| |-------|--------| |`200`| عملیات با موفقیت انجام شد | |`400`| مشکلی در ارسال درخواست وجود دارد | |`500`| مشکلی در سرور رخ داده است | |`503`| سرور در حال حاضر قادر به پاسخگویی نمیباشد | |`401`| عدم دسترسی| |`403`| دسترسی غیر مجاز | |`404`| آیتم درخواستی مورد نظر موجود نمیباشد |\n *\n * OpenAPI spec version: v1\n *\n *\n * NOTE: This class is auto generated by the swagger code generator program.\n * https://github.com/swagger-api/swagger-codegen.git\n * Do not edit the class manually.\n */\n\nimport { CurrentPathType, LocaleType, StatusHandlersTypes } from \"./types\";\n\nexport const TIME_OUT = 15 * 1000;\n\nexport const defaultDomain = \"payping.ir\";\n\nexport const getBasePath = (domain = defaultDomain) => `https://api.${domain}`;\nexport const getOauthPath = (domain = defaultDomain) => `https://oauth.${domain}`;\n\n/* eslint-disable */\nexport let statusHandlers: StatusHandlersTypes | undefined;\nexport let networkChecker: Promise | undefined;\nexport let TIMEOUT: number;\nexport let BASE_PATH = `https://api.${defaultDomain}`.replace(/\\/+$/, \"\");\nexport let OAUTH_PATH = `https://oauth.${defaultDomain}`.replace(/\\/+$/, \"\");\nexport let LOCALE: LocaleType = \"fa\";\n/* eslint-enable */\n\nexport function getCurrentPath(): CurrentPathType {\n return { basePath: BASE_PATH, oauthPath: OAUTH_PATH };\n}\n\nexport interface ConfigurationParameters {\n apiKey?: string | ((name: string) => string);\n username?: string;\n password?: string;\n accessToken?: string | ((name: string, scopes?: string[]) => string);\n domain?: string;\n statusHandlers?: StatusHandlersTypes;\n networkChecker?: Promise;\n /**\n * Currently we don't use any timeout in front (because timeout in front does not stop the method from executing in backend).\n * We should uncomment this timeout when we can cancel the method in backend and also product team agrees.\n * @default 15 * 1000 milliseconds\n */\n timeout?: number;\n locale?: LocaleType;\n}\n\nexport class Configuration {\n /**\n * parameter for apiKey security\n * @param name security name\n * @memberof Configuration\n */\n apiKey?: string | ((name: string) => string);\n\n /**\n * parameter for basic security\n *\n * @type {string}\n * @memberof Configuration\n */\n username?: string;\n\n /**\n * parameter for basic security\n *\n * @type {string}\n * @memberof Configuration\n */\n password?: string;\n\n /**\n * parameter for oauth2 security\n * @param name security name\n * @param scopes oauth2 scope\n * @memberof Configuration\n */\n accessToken?: string | ((name: string, scopes?: string[]) => string);\n\n /**\n * override base path\n *\n * @type {string}\n * @memberof Configuration\n */\n basePath?: string;\n\n /**\n * override oauth path\n *\n * @type {string}\n * @memberof Configuration\n */\n domain = defaultDomain;\n\n updateConfig(param: ConfigurationParameters = {}): void {\n this.apiKey = param.apiKey || this.apiKey;\n this.username = param.username || this.username;\n this.password = param.password || this.password;\n this.accessToken = param.accessToken || this.accessToken;\n this.domain = param.domain || this.domain;\n BASE_PATH = getBasePath(this.domain) || BASE_PATH;\n OAUTH_PATH = getOauthPath(this.domain) || OAUTH_PATH;\n this.basePath = BASE_PATH;\n statusHandlers = param.statusHandlers || statusHandlers;\n networkChecker = param.networkChecker || networkChecker;\n // TIMEOUT = param.timeout ?? TIMEOUT ?? TIME_OUT;\n TIMEOUT = 0;\n LOCALE = param.locale || LOCALE;\n }\n\n constructor(param: ConfigurationParameters = {}) {\n this.updateConfig(param);\n }\n}\n","export default function _assertThisInitialized(self) {\n if (self === void 0) {\n throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n }\n return self;\n}","import setPrototypeOf from \"./setPrototypeOf.js\";\nexport default function _inherits(subClass, superClass) {\n if (typeof superClass !== \"function\" && superClass !== null) {\n throw new TypeError(\"Super expression must either be null or a function\");\n }\n subClass.prototype = Object.create(superClass && superClass.prototype, {\n constructor: {\n value: subClass,\n writable: true,\n configurable: true\n }\n });\n Object.defineProperty(subClass, \"prototype\", {\n writable: false\n });\n if (superClass) setPrototypeOf(subClass, superClass);\n}","export default function _getPrototypeOf(o) {\n _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf.bind() : function _getPrototypeOf(o) {\n return o.__proto__ || Object.getPrototypeOf(o);\n };\n return _getPrototypeOf(o);\n}","export default function _isNativeReflectConstruct() {\n if (typeof Reflect === \"undefined\" || !Reflect.construct) return false;\n if (Reflect.construct.sham) return false;\n if (typeof Proxy === \"function\") return true;\n try {\n Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {}));\n return true;\n } catch (e) {\n return false;\n }\n}","import _typeof from \"./typeof.js\";\nimport assertThisInitialized from \"./assertThisInitialized.js\";\nexport default function _possibleConstructorReturn(self, call) {\n if (call && (_typeof(call) === \"object\" || typeof call === \"function\")) {\n return call;\n } else if (call !== void 0) {\n throw new TypeError(\"Derived constructors may only return object or undefined\");\n }\n return assertThisInitialized(self);\n}","import getPrototypeOf from \"./getPrototypeOf.js\";\nimport isNativeReflectConstruct from \"./isNativeReflectConstruct.js\";\nimport possibleConstructorReturn from \"./possibleConstructorReturn.js\";\nexport default function _createSuper(Derived) {\n var hasNativeReflectConstruct = isNativeReflectConstruct();\n return function _createSuperInternal() {\n var Super = getPrototypeOf(Derived),\n result;\n if (hasNativeReflectConstruct) {\n var NewTarget = getPrototypeOf(this).constructor;\n result = Reflect.construct(Super, arguments, NewTarget);\n } else {\n result = Super.apply(this, arguments);\n }\n return possibleConstructorReturn(this, result);\n };\n}","import setPrototypeOf from \"./setPrototypeOf.js\";\nimport isNativeReflectConstruct from \"./isNativeReflectConstruct.js\";\nexport default function _construct(Parent, args, Class) {\n if (isNativeReflectConstruct()) {\n _construct = Reflect.construct.bind();\n } else {\n _construct = function _construct(Parent, args, Class) {\n var a = [null];\n a.push.apply(a, args);\n var Constructor = Function.bind.apply(Parent, a);\n var instance = new Constructor();\n if (Class) setPrototypeOf(instance, Class.prototype);\n return instance;\n };\n }\n return _construct.apply(null, arguments);\n}","import getPrototypeOf from \"./getPrototypeOf.js\";\nimport setPrototypeOf from \"./setPrototypeOf.js\";\nimport isNativeFunction from \"./isNativeFunction.js\";\nimport construct from \"./construct.js\";\nexport default function _wrapNativeSuper(Class) {\n var _cache = typeof Map === \"function\" ? new Map() : undefined;\n _wrapNativeSuper = function _wrapNativeSuper(Class) {\n if (Class === null || !isNativeFunction(Class)) return Class;\n if (typeof Class !== \"function\") {\n throw new TypeError(\"Super expression must either be null or a function\");\n }\n if (typeof _cache !== \"undefined\") {\n if (_cache.has(Class)) return _cache.get(Class);\n _cache.set(Class, Wrapper);\n }\n function Wrapper() {\n return construct(Class, arguments, getPrototypeOf(this).constructor);\n }\n Wrapper.prototype = Object.create(Class.prototype, {\n constructor: {\n value: Wrapper,\n enumerable: false,\n writable: true,\n configurable: true\n }\n });\n return setPrototypeOf(Wrapper, Class);\n };\n return _wrapNativeSuper(Class);\n}","export default function _isNativeFunction(fn) {\n return Function.toString.call(fn).indexOf(\"[native code]\") !== -1;\n}","// eslint-disable-next-line max-classes-per-file\nimport { requestIdType } from \"./types\";\n\nexport class SDKError extends Error {\n name: string;\n\n requestId?: requestIdType;\n\n constructor(name: string, msg?: string, requestId?: requestIdType) {\n super(msg);\n this.requestId = requestId;\n this.name = name;\n }\n}\n\n/**\n *\n * @export\n * @class NetworkError\n * @extends {SDKError}\n */\nexport class NetworkError extends SDKError {\n constructor(msg?: string, requestId?: requestIdType) {\n super(\"NetworkError\", msg, requestId);\n }\n}\n\n/**\n *\n * @export\n * @class TimeoutError\n * @extends {SDKError}\n */\nexport class TimeoutError extends SDKError {\n constructor(msg?: string, requestId?: requestIdType) {\n super(\"TimeoutError\", msg, requestId);\n }\n}\n\n/**\n *\n * @export\n * @class BadRequestError\n * @extends {SDKError}\n */\nexport class BadRequestError extends SDKError {\n constructor(msg?: string, requestId?: requestIdType) {\n super(\"BadRequestError\", msg, requestId);\n }\n}\n\n/**\n *\n * @export\n * @class AuthError\n * @extends {SDKError}\n */\nexport class AuthError extends SDKError {\n constructor(msg?: string, requestId?: requestIdType) {\n super(\"AuthError\", msg, requestId);\n }\n}\n\n/**\n *\n * @export\n * @class ForbiddenError\n * @extends {SDKError}\n */\nexport class ForbiddenError extends SDKError {\n constructor(msg?: string, requestId?: requestIdType) {\n super(\"ForbiddenError\", msg, requestId);\n }\n}\n\n/**\n *\n * @export\n * @class NotFoundError\n * @extends {SDKError}\n */\nexport class NotFoundError extends SDKError {\n constructor(msg?: string, requestId?: requestIdType) {\n super(\"NotFoundError\", msg, requestId);\n }\n}\n\n/**\n *\n * @export\n * @class ServerError\n * @extends {SDKError}\n */\nexport class ServerError extends SDKError {\n constructor(msg?: string, requestId?: requestIdType) {\n super(\"ServerError\", msg, requestId);\n }\n}\n\n/**\n *\n * @export\n * @class UnknownError\n * @extends {SDKError}\n */\nexport class UnknownError extends SDKError {\n constructor(msg?: string, requestId?: requestIdType) {\n super(\"UnknownError\", msg, requestId);\n }\n}\n\n/**\n *\n * @export\n * @class AbortError\n * @extends {SDKError}\n */\nexport class AbortError extends SDKError {\n constructor(msg?: string, requestId?: requestIdType) {\n super(\"AbortError\", msg, requestId);\n }\n}\n\n/**\n *\n * @export\n * @class RequiredError\n * @extends {Error}\n */\nexport class RequiredError extends Error {\n name = \"RequiredError\";\n\n constructor(_field: string, msg?: string) {\n super(msg);\n }\n}\n","// tslint:disable\n/**\n * سرویسهای پلتفرم مالی پیپینگ\n * مستندات سرویسهای عمومی پلتفرم مالی پیپینگ لینکهای پشتیبانی: تلگرام: [t.me/payping](t.me/payping) | ایمیل: [info@payping.ir]() | تلفن: 02175038797 # مقدمه تمامی وب سرویسهای توضیح داده شده در این مستندات به صورت [RESTful](https://en.wikipedia.org/wiki/Representational_state_transfer) هستند و طبق همین چهارچوب باید با آنها ارتباط برقرار کرد. توضیحات تکمیلیتر هر سرویس در آدرس زیر به صورت کامل قرار داده شده است. جهت رفع هرگونه مشکل و یا پرسش با پشتیبانی در تماس باشید. [راهنمای تکمیلی وبسرویسها](https://help.payping.ir/fa/category/api--qspohi/) # POSTMAN برای راحتی کار، فایل postman سرویس ها برای شما آماده شده است که می توانید از لینک زیر روند استفاده از آن را مطالعه بفرمایین و قالب مربوطه را دانلود نمایید. [راهنمای postman](https://help.payping.ir/fa/article/postman-2sojme/) # توضیحات تکمیلی برای تمام سرویسها برای فراخوانی سرویسهای صفحهبندی (pagination) اگر پارامتر ورودی ارسال نشود، حداکثر ۱۰ آیتم نمایش داده میشود و همچنین حداکثر تعداد دریافت آیتم به ازای هر درخواست ۵۰ عدد میباشد و بیشتر از آن را سرویس پشتیبانی نمیکند و در صورت نیاز به بارگزاری تمام آیتمهای یک سرویس به صورت یکجا با ایمیل به بخش پشتیبانی در تماس باشید. همینطور توجه داشته باشین واحد پول در تمام سرویسها تومان میباشد و منطقه زمانی تمامی تاریخ و ساعتها برابر با ساعت جهانی یا UTC میباشد. # نکاتی برای آپلود فایلها برای آپلود هرگونه فایل اعم از عکس پروفایل کاربران و یا گزارشات پرداختها و ... میبایست که از [سرویس بارگذاری فایل](#tag/Upload) استفاده کنید. پس از انجام عملیات آپلود توسط سرویس بارگذاری فایل، تنها کافیست نام فایل آپلود شده که در خروجی سرویس به شما برگردانده میشود را ذخیره نمایید. # جدول کدهای دریافتی از هر سرویس بعد از ارسال هر درخواست به سمت سرور، از سمت ما طبق قواعد وبسرویسهای RESTful یک کدی به شما بازگرداننده میشود. هر کد معنایی دارد که در جدول زیر توضیحات مربوطه را میبینید |شماره کد|توضیحات| |-------|--------| |`200`| عملیات با موفقیت انجام شد | |`400`| مشکلی در ارسال درخواست وجود دارد | |`500`| مشکلی در سرور رخ داده است | |`503`| سرور در حال حاضر قادر به پاسخگویی نمیباشد | |`401`| عدم دسترسی| |`403`| دسترسی غیر مجاز | |`404`| آیتم درخواستی مورد نظر موجود نمیباشد |\n *\n * OpenAPI spec version: v1\n *\n *\n * NOTE: This class is auto generated by the swagger code generator program.\n * https://github.com/swagger-api/swagger-codegen.git\n * Do not edit the class manually.\n */\n\nimport { CurrentPathType, LocaleType, StatusHandlersTypes } from \"./types\";\nimport {\n Configuration as BaseConfiguration,\n ConfigurationParameters,\n TIME_OUT,\n defaultDomain,\n getBasePath,\n getOauthPath,\n} from \"./configurationApp\";\n\nconst getAdminPath = (domain = defaultDomain) =>\n domain === defaultDomain ? `https://ppapiadmin45.peypin.ir/apppanel2` : `https://ppadmin45.${domain}/apppanel`;\n\n/* eslint-disable */\nexport let statusHandlers: StatusHandlersTypes | undefined;\nexport let networkChecker: Promise | undefined;\nexport let TIMEOUT: number;\nexport let BASE_PATH = `https://api.${defaultDomain}`.replace(/\\/+$/, \"\");\nexport let OAUTH_PATH = `https://oauth.${defaultDomain}`.replace(/\\/+$/, \"\");\nexport let ADMIN_PATH = \"https://ppapiadmin45.peypin.ir/apppanel2\".replace(/\\/+$/, \"\");\nexport let LOCALE: LocaleType = \"fa\";\n/* eslint-enable */\n\nexport function getCurrentPath(): CurrentPathType {\n return { adminPath: ADMIN_PATH, basePath: BASE_PATH, oauthPath: OAUTH_PATH };\n}\n\nexport class Configuration extends BaseConfiguration {\n /**\n * override admin path\n *\n * @type {string}\n * @memberof Configuration\n */\n adminPath?: string;\n\n updateConfig(param: ConfigurationParameters = {}): void {\n this.apiKey = param.apiKey || this.apiKey;\n this.username = param.username || this.username;\n this.password = param.password || this.password;\n this.accessToken = param.accessToken || this.accessToken;\n this.domain = param.domain || this.domain;\n BASE_PATH = getBasePath(this.domain) || BASE_PATH;\n OAUTH_PATH = getOauthPath(this.domain) || OAUTH_PATH;\n ADMIN_PATH = getAdminPath(this.domain) || ADMIN_PATH;\n this.basePath = BASE_PATH;\n this.adminPath = ADMIN_PATH;\n statusHandlers = param.statusHandlers || statusHandlers;\n networkChecker = param.networkChecker || networkChecker;\n TIMEOUT = param.timeout ?? TIMEOUT ?? TIME_OUT;\n LOCALE = param.locale || LOCALE;\n }\n\n constructor(param: ConfigurationParameters = {}) {\n super();\n this.updateConfig(param);\n }\n}\n","import { DefaultErrorTypes, ErrorTypes, HandlerType } from \"./types\";\nimport { SDKError } from \"./errors\";\nimport { statusHandlers as appStatusHandlers } from \"./configurationApp\";\nimport { statusHandlers as adminStatusHandlers } from \"./configurationAdmin\";\n\nexport const promiseTimeout = (ms: number, promise: Promise): Promise => {\n // if ms === 0 means no need to timeout functionality\n if (!ms) {\n return promise;\n }\n\n // Create a promise that rejects in milliseconds\n const timeout: Promise = new Promise((_resolve, reject) => {\n const id = setTimeout(() => {\n clearTimeout(id);\n // eslint-disable-next-line prefer-promise-reject-errors\n reject(\"timeout\");\n }, ms);\n });\n\n // Returns a race between our timeout and the passed in promise\n return Promise.race([promise, timeout]);\n};\n\nexport const checkNet = async (networkChecker: Promise): Promise => {\n try {\n await networkChecker;\n } catch (error) {\n // eslint-disable-next-line no-throw-literal\n throw \"offline\";\n }\n};\n\nexport const parseJsonFromStr = (str: string): Record | null => {\n try {\n return JSON.parse(str);\n } catch (error) {\n return null;\n }\n};\n\nexport const useProperHandler = (error: ErrorTypes, sdkError: SDKError): void => {\n const errorToHandle = (error as Response).status || error;\n if (errorToHandle instanceof Error && errorToHandle.name === \"AbortError\") return;\n const statusHandlers = appStatusHandlers || adminStatusHandlers;\n if (statusHandlers) {\n const handler = statusHandlers[errorToHandle as DefaultErrorTypes] || statusHandlers.default;\n if (typeof handler === \"function\") {\n (handler as HandlerType)(sdkError);\n }\n }\n};\n\nexport const isOfflineErrMsg = (error: ErrorTypes): boolean => {\n const isOffline = String(error).includes(\"Network\");\n return isOffline;\n};\n","import { DefaultErrorMessagesTypes, DefaultErrorTypes, ErrorTypes } from \"./types\";\nimport {\n AbortError,\n AuthError,\n BadRequestError,\n ForbiddenError,\n NetworkError,\n NotFoundError,\n SDKError,\n ServerError,\n TimeoutError,\n UnknownError,\n} from \"./errors\";\nimport { parseJsonFromStr } from \"./utils\";\n\nconst defaultMessage = \"متاسفانه مشکلی به وجود آمده است. لطفا دوباره امتحان کنید\";\n\nconst defaultMessages: DefaultErrorMessagesTypes = {\n 400: defaultMessage,\n 401: \"لطفا دوباره وارد شوید\",\n 403: \"شما دسترسی لازم برای انجام این عملیات را ندارید.\",\n 404: \"اطلاعات درخواستی شما یافت نشد\",\n 500: \"خطای سرور رخ داده است. لطفا بعدا دوباره تلاش کنید\",\n default: defaultMessage,\n offline: \"لطفا اتصال دستگاه به اینترنت را بررسی کنید\",\n timeout: \"پاسخی در زمان مناسب از سرور دریافت نشد. لطفا دوباره امتحان کنید\",\n};\n\nconst parse400Error = async (response: Response): Promise => {\n let message = \"\";\n try {\n const responseJson = await response.json();\n if (typeof responseJson === \"string\") {\n message = responseJson;\n return message;\n }\n message = responseJson[Object.keys(responseJson)[0]];\n // handle when two object are inside each other\n const deeperJson = parseJsonFromStr(message);\n if (deeperJson) {\n message = deeperJson[Object.keys(deeperJson)[0]];\n }\n } catch {\n // nothing to handle\n }\n if (!message) {\n message = defaultMessages[\"400\"];\n }\n return message;\n};\n\nconst parseResponse = async (response: Response): Promise => {\n let sdkError: SDKError;\n const { status } = response;\n const requestId = response.headers.get(\"X-PayPingRequest-ID\");\n let message = \"\";\n switch (status) {\n case 400:\n message = await parse400Error(response);\n sdkError = new BadRequestError(message, requestId);\n break;\n\n case 401:\n sdkError = new AuthError(defaultMessages[status], requestId);\n break;\n\n case 403:\n sdkError = new ForbiddenError(defaultMessages[status], requestId);\n break;\n\n case 404:\n sdkError = new NotFoundError(defaultMessages[status], requestId);\n break;\n\n case 500:\n sdkError = new ServerError(defaultMessages[status], requestId);\n break;\n\n default:\n sdkError = new UnknownError(defaultMessages.default, requestId);\n break;\n }\n return sdkError;\n};\n\nexport const parseError = async (error: ErrorTypes): Promise => {\n let sdkError: SDKError;\n switch (true) {\n case !!(error as Response).status:\n sdkError = await parseResponse(error as Response);\n break;\n\n case error === \"offline\":\n sdkError = new NetworkError(defaultMessages[error as DefaultErrorTypes]);\n break;\n\n case error === \"timeout\":\n sdkError = new TimeoutError(defaultMessages[error as DefaultErrorTypes]);\n break;\n\n case error instanceof Error && error.name === \"AbortError\":\n sdkError = new AbortError((error as Error).message);\n break;\n\n default:\n sdkError = new UnknownError(defaultMessages.default);\n break;\n }\n return sdkError;\n};\n","import AbortController from \"abort-controller\";\nimport fetch from \"cross-fetch\";\n// import { TIMEOUT, networkChecker, LOCALE } from \"./configuration\";\nimport { TIMEOUT, networkChecker as appNetworkChecker } from \"./configurationApp\";\nimport { networkChecker as adminNetworkChecker } from \"./configurationAdmin\";\nimport { SDKError } from \"./errors\";\nimport { parseError } from \"./parseError\";\nimport { ErrorTypes, SDKRequestInit } from \"./types\";\nimport { checkNet, isOfflineErrMsg, promiseTimeout, useProperHandler } from \"./utils\";\n\nconst handleError = async (error: ErrorTypes, isSilent?: boolean, isRaw?: boolean): Promise => {\n\n if (isRaw && (String(error).includes(\"BadRequestError\") || (error as Response).status === 400)) {\n return error;\n }\n\n let errorToHandle = error;\n if (isOfflineErrMsg(errorToHandle)) {\n errorToHandle = \"offline\";\n }\n const sdkError = await parseError(errorToHandle);\n if (!isSilent) {\n useProperHandler(errorToHandle, sdkError);\n }\n return sdkError;\n};\n\nconst abortControllerIds: { [key: string]: AbortController } = {};\nexport const getAbortControllerById = (id: string): AbortController | undefined => abortControllerIds[id];\n\nexport const portableFetch = async (url: string, init?: SDKRequestInit): Promise => {\n const initParams: SDKRequestInit = { ...init };\n const isMethodPost = initParams.method === \"POST\";\n const isUploadingFile = isMethodPost && initParams.body instanceof FormData && initParams.body.has(\"file\");\n let controller;\n\n if (!initParams.signal) {\n controller = new AbortController();\n initParams.signal = controller.signal;\n if (initParams.abortId) {\n abortControllerIds[initParams.abortId] = controller;\n }\n }\n\n // TODO: use imported Locale to send current application locale to backend for getting the language corresponding response\n if (isMethodPost && !isUploadingFile) {\n if (!initParams.headers || !Object.keys(initParams.headers).includes(\"Content-Type\")) {\n initParams.headers = {\n ...initParams.headers,\n \"Content-Type\": \"application/json-patch+json\",\n };\n }\n }\n\n try {\n const networkChecker = appNetworkChecker || adminNetworkChecker;\n if (networkChecker) {\n await checkNet(networkChecker);\n }\n let customTimeout = TIMEOUT;\n if (isUploadingFile) {\n customTimeout = 0;\n }\n const response = await promiseTimeout(customTimeout, fetch(url, initParams));\n if (response.status >= 200 && response.status < 300) {\n return response;\n }\n throw response;\n } catch (error) {\n if (controller) {\n controller.abort();\n }\n const { isSilent, isRaw } = initParams;\n const rejectionResult = await handleError(error, isSilent, isRaw);\n\n throw rejectionResult;\n } finally {\n if (initParams.abortId) {\n delete abortControllerIds[initParams.abortId];\n }\n }\n};\n","import * as url from \"url\";\nimport { BaseAPI } from \"../baseAPI\";\nimport { BASE_PATH, Configuration } from \"../../configurationApp\";\nimport { RequiredError } from \"../../errors\";\nimport { portableFetch as isomorphicFetch } from \"../../portableFetch\";\nimport { FetchAPI, FetchArgs } from \"../../types\";\nimport {\n AddDocumentFileRequestModel,\n AddDocumentFileResponseModel,\n BusinessCategoryResponseModel,\n BusinessSubCategoryResponseModel,\n ChangeProfilePlanResponseModel,\n CityInfo,\n CityResponseModel,\n CrispProfileResponseModel,\n DashboardProfileChecksResponseModel,\n DashboardProfileResponseModel,\n DashboardSettlementInfoResponseModel,\n GetNativeAppProfileResponseModel,\n GetUserMessagesResponseModel,\n PhoneNumberDetailResponseModel,\n ProfilePlanModel,\n RegisterUserRequestModel,\n SetLocalPhoneNumberRequestModel,\n StateResponseModel,\n TaxCodeInquiryResult,\n UpdateBankInfoRequestModel,\n UpdateBusinessInfoRequestModel,\n UpdateLocalInfoRequestModel,\n UpdatePersonalInfoRequestModel,\n UpdateSocialInfoRequestModel,\n UpdateUserBusinessCategoryRequestModel,\n UserBusinessCategoryDetailsResponseModel,\n UserBusinessInformationAdminModel,\n UserExtraProfileInfoResponseModel,\n UserLocalInfoResponseModel,\n UserPersonalInfoResponseModel,\n UserProfilePlanInfoResponseModel,\n UserShabaInfoResponseModel,\n UserSocialInfoResponseModel,\n UserTerminalLogoStatusResponseModel,\n UserWizardStatusInfo\n} from \"./userTypes\";\n\n/**\n * FileApi - fetch parameter creator\n * @export\n */\nexport const FileApiFetchParamCreator = function (configuration?: Configuration) {\n return {\n /**\n *\n * @summary افزودن هرگونه فایل به اطلاعات کاربر\n * @param {AddDocumentFileRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n addFileWithrequestModelPost(body?: AddDocumentFileRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/file`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"AddDocumentFileRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary حذف هرگونه فایل از مدارک کاربر\n * @param {number} id\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n removeDocumentWithidDelete(id: number, options: any = {}): FetchArgs {\n // verify required parameter 'id' is not null or undefined\n if (id === null || id === undefined) {\n throw new RequiredError('id','Required parameter id was null or undefined when calling removeDocumentWithidDelete.');\n }\n const localVarPath = `/v1/file/{id}`\n .replace(`{${\"id\"}}`, encodeURIComponent(String(id)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'DELETE' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary حذف تصویر پروفایل کاربر\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n removeProfilePictureDelete(options: any = {}): FetchArgs {\n const localVarPath = `/v1/file`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'DELETE' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n }\n};\n\n/**\n * FileApi - functional programming interface\n * @export\n */\nexport const FileApiFp = function(configuration?: Configuration) {\n return {\n /**\n *\n * @summary افزودن هرگونه فایل به اطلاعات کاربر\n * @param {AddDocumentFileRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n addFileWithrequestModelPost(body?: AddDocumentFileRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = FileApiFetchParamCreator(configuration).addFileWithrequestModelPost(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary حذف هرگونه فایل از مدارک کاربر\n * @param {number} id\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n removeDocumentWithidDelete(id: number, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = FileApiFetchParamCreator(configuration).removeDocumentWithidDelete(id, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary حذف تصویر پروفایل کاربر\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n removeProfilePictureDelete(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = FileApiFetchParamCreator(configuration).removeProfilePictureDelete(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n }\n};\n\n/**\n * FileApi - factory interface\n * @export\n */\nexport const FileApiFactory = function (configuration?: Configuration, fetch?: FetchAPI, basePath?: string) {\n return {\n /**\n *\n * @summary افزودن هرگونه فایل به اطلاعات کاربر\n * @param {AddDocumentFileRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n addFileWithrequestModelPost(body?: AddDocumentFileRequestModel, options?: any) {\n return FileApiFp(configuration).addFileWithrequestModelPost(body, options)(fetch, basePath);\n },\n /**\n *\n * @summary حذف هرگونه فایل از مدارک کاربر\n * @param {number} id\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n removeDocumentWithidDelete(id: number, options?: any) {\n return FileApiFp(configuration).removeDocumentWithidDelete(id, options)(fetch, basePath);\n },\n /**\n *\n * @summary حذف تصویر پروفایل کاربر\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n removeProfilePictureDelete(options?: any) {\n return FileApiFp(configuration).removeProfilePictureDelete(options)(fetch, basePath);\n },\n };\n};\n\n/**\n * FileApi - object-oriented interface\n * @export\n * @class FileApi\n * @extends {BaseAPI}\n */\nexport class FileApi extends BaseAPI {\n /**\n *\n * @summary افزودن هرگونه فایل به اطلاعات کاربر\n * @param {AddDocumentFileRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof FileApi\n */\n public addFileWithrequestModelPost(body?: AddDocumentFileRequestModel, options?: any) {\n return FileApiFp(this.configuration).addFileWithrequestModelPost(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary حذف هرگونه فایل از مدارک کاربر\n * @param {number} id\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof FileApi\n */\n public removeDocumentWithidDelete(id: number, options?: any) {\n return FileApiFp(this.configuration).removeDocumentWithidDelete(id, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary حذف تصویر پروفایل کاربر\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof FileApi\n */\n public removeProfilePictureDelete(options?: any) {\n return FileApiFp(this.configuration).removeProfilePictureDelete(options)(this.fetch, this.basePath);\n }\n\n}\n/**\n * ProfilePlanApi - fetch parameter creator\n * @export\n */\nexport const ProfilePlanApiFetchParamCreator = function (configuration?: Configuration) {\n return {\n /**\n *\n * @summary گرفتن همه پلن های فعال\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n allEnabledProfilePlansGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/profilePlan`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن یک پلن مشخص\n * @param {number} planId مشخصه پلن\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n enabledProfilePlanWithplanIdGet(planId: number, options: any = {}): FetchArgs {\n // verify required parameter 'planId' is not null or undefined\n if (planId === null || planId === undefined) {\n throw new RequiredError('planId','Required parameter planId was null or undefined when calling enabledProfilePlanWithplanIdGet.');\n }\n const localVarPath = `/v1/profilePlan/{planId}`\n .replace(`{${\"planId\"}}`, encodeURIComponent(String(planId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n }\n};\n\n/**\n * ProfilePlanApi - functional programming interface\n * @export\n */\nexport const ProfilePlanApiFp = function(configuration?: Configuration) {\n return {\n /**\n *\n * @summary گرفتن همه پلن های فعال\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n allEnabledProfilePlansGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise> {\n const localVarFetchArgs = ProfilePlanApiFetchParamCreator(configuration).allEnabledProfilePlansGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن یک پلن مشخص\n * @param {number} planId مشخصه پلن\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n enabledProfilePlanWithplanIdGet(planId: number, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ProfilePlanApiFetchParamCreator(configuration).enabledProfilePlanWithplanIdGet(planId, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n }\n};\n\n/**\n * ProfilePlanApi - factory interface\n * @export\n */\nexport const ProfilePlanApiFactory = function (configuration?: Configuration, fetch?: FetchAPI, basePath?: string) {\n return {\n /**\n *\n * @summary گرفتن همه پلن های فعال\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n allEnabledProfilePlansGet(options?: any) {\n return ProfilePlanApiFp(configuration).allEnabledProfilePlansGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن یک پلن مشخص\n * @param {number} planId مشخصه پلن\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n enabledProfilePlanWithplanIdGet(planId: number, options?: any) {\n return ProfilePlanApiFp(configuration).enabledProfilePlanWithplanIdGet(planId, options)(fetch, basePath);\n },\n };\n};\n\n/**\n * ProfilePlanApi - object-oriented interface\n * @export\n * @class ProfilePlanApi\n * @extends {BaseAPI}\n */\nexport class ProfilePlanApi extends BaseAPI {\n /**\n *\n * @summary گرفتن همه پلن های فعال\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ProfilePlanApi\n */\n public allEnabledProfilePlansGet(options?: any) {\n return ProfilePlanApiFp(this.configuration).allEnabledProfilePlansGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن یک پلن مشخص\n * @param {number} planId مشخصه پلن\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ProfilePlanApi\n */\n public enabledProfilePlanWithplanIdGet(planId: number, options?: any) {\n return ProfilePlanApiFp(this.configuration).enabledProfilePlanWithplanIdGet(planId, options)(this.fetch, this.basePath);\n }\n\n}\n/**\n * UserReadApi - fetch parameter creator\n * @export\n */\nexport const UserReadApiFetchParamCreator = function (configuration?: Configuration) {\n return {\n /**\n *\n * @summary گرفتن مشخصات بانک کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n bankGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/Bank`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary دریافت حوزه کاری کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n businessCategoryGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/BusinessCategory`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary دریافت اطلاعات تجاری کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n businessInfoGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/BusinessInfo`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن همهی شاخه های کسب و کار\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n categoriesGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/Categories`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن درصد تکمیل پروفایل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n checksGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/Checks`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن همهی شهر های استان\n * @param {number} [stateId]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n citesWithstateIdGet(stateId?: number, options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/Cites`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n if (stateId !== undefined) {\n localVarQueryParameter['stateId'] = stateId;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary دریافت شهر کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n cityGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/City`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary دریافت مشخصات کاربر جاری برای کریسپ\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n crispGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/Crisp`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن اطلاعات پروفایل کاربری کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n extraInfoGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/ExtraInfo`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن مشخصات محلی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n localInformationsGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/LocalInformations`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن شماره تلفن ثابت کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n localPhoneNumberGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/LocalPhoneNumber`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن تعداد پیام های کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n messageCountGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/MessageCount`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن پیام های کاربر جاری\n * @param {number} [offset]\n * @param {number} [limit]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n messageWithoffsetWithlimitGet(offset?: number, limit?: number, options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/Message`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n if (offset !== undefined) {\n localVarQueryParameter['offset'] = offset;\n }\n\n if (limit !== undefined) {\n localVarQueryParameter['limit'] = limit;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن مشخصات شخصی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n personalInfoGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/PersonalInfo`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن مشخصات کاربر جاری برای آپلیکیشن های نیتیو\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n profileGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/Profile`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن تعداد ریفرال های کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n referralCountGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/ReferralCount`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن اطلاعات تسویه پیشرفته (ستلمنت) کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n settlementInfoGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/SettlementInfo`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن مشخصات اجتماعی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n socialsGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/Socials`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن همهی استانها ها\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n statesGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/States`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن همهی زیر شاخه ها در شاخه کسب و کار\n * @param {number} [categoryid]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n subCategoryiesWithcategoryidGet(categoryid?: number, options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/SubCategoryies`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n if (categoryid !== undefined) {\n localVarQueryParameter['categoryid'] = categoryid;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary استعلام کد مالیاتی با کد ملی و کد پستی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n taxInquiryGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/TaxInquiry`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن وضعیت لگوی ترمینال کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n terminalLogoStatusGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/TerminalLogoStatus`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن مشخصات کامل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n userDetailGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/UserDetail`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن وضعیت پلن پروفایل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n userPanelDataGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/UserPanelData`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary گرفتن وضعیت ویزارد شاپرک کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n userWizardInfoGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/UserWizardInfo`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n }\n};\n\n/**\n * UserReadApi - functional programming interface\n * @export\n */\nexport const UserReadApiFp = function(configuration?: Configuration) {\n return {\n /**\n *\n * @summary گرفتن مشخصات بانک کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n bankGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).bankGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary دریافت حوزه کاری کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n businessCategoryGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).businessCategoryGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary دریافت اطلاعات تجاری کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n businessInfoGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).businessInfoGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن همهی شاخه های کسب و کار\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n categoriesGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise> {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).categoriesGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن درصد تکمیل پروفایل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n checksGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).checksGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن همهی شهر های استان\n * @param {number} [stateId]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n citesWithstateIdGet(stateId?: number, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise> {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).citesWithstateIdGet(stateId, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary دریافت شهر کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n cityGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).cityGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary دریافت مشخصات کاربر جاری برای کریسپ\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n crispGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).crispGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن اطلاعات پروفایل کاربری کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n extraInfoGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).extraInfoGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن مشخصات محلی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n localInformationsGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).localInformationsGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن شماره تلفن ثابت کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n localPhoneNumberGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).localPhoneNumberGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن تعداد پیام های کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n messageCountGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).messageCountGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن پیام های کاربر جاری\n * @param {number} [offset]\n * @param {number} [limit]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n messageWithoffsetWithlimitGet(offset?: number, limit?: number, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).messageWithoffsetWithlimitGet(offset, limit, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن مشخصات شخصی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n personalInfoGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).personalInfoGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن مشخصات کاربر جاری برای آپلیکیشن های نیتیو\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n profileGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).profileGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن تعداد ریفرال های کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n referralCountGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).referralCountGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن اطلاعات تسویه پیشرفته (ستلمنت) کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n settlementInfoGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).settlementInfoGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن مشخصات اجتماعی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n socialsGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).socialsGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن همهی استانها ها\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n statesGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise> {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).statesGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن همهی زیر شاخه ها در شاخه کسب و کار\n * @param {number} [categoryid]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n subCategoryiesWithcategoryidGet(categoryid?: number, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise> {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).subCategoryiesWithcategoryidGet(categoryid, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary استعلام کد مالیاتی با کد ملی و کد پستی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n taxInquiryGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).taxInquiryGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن وضعیت لگوی ترمینال کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n terminalLogoStatusGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).terminalLogoStatusGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن مشخصات کامل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n userDetailGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).userDetailGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن وضعیت پلن پروفایل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n userPanelDataGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).userPanelDataGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary گرفتن وضعیت ویزارد شاپرک کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n userWizardInfoGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserReadApiFetchParamCreator(configuration).userWizardInfoGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n }\n};\n\n/**\n * UserReadApi - factory interface\n * @export\n */\nexport const UserReadApiFactory = function (configuration?: Configuration, fetch?: FetchAPI, basePath?: string) {\n return {\n /**\n *\n * @summary گرفتن مشخصات بانک کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n bankGet(options?: any) {\n return UserReadApiFp(configuration).bankGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary دریافت حوزه کاری کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n businessCategoryGet(options?: any) {\n return UserReadApiFp(configuration).businessCategoryGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary دریافت اطلاعات تجاری کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n businessInfoGet(options?: any) {\n return UserReadApiFp(configuration).businessInfoGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن همهی شاخه های کسب و کار\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n categoriesGet(options?: any) {\n return UserReadApiFp(configuration).categoriesGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن درصد تکمیل پروفایل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n checksGet(options?: any) {\n return UserReadApiFp(configuration).checksGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن همهی شهر های استان\n * @param {number} [stateId]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n citesWithstateIdGet(stateId?: number, options?: any) {\n return UserReadApiFp(configuration).citesWithstateIdGet(stateId, options)(fetch, basePath);\n },\n /**\n *\n * @summary دریافت شهر کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n cityGet(options?: any) {\n return UserReadApiFp(configuration).cityGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary دریافت مشخصات کاربر جاری برای کریسپ\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n crispGet(options?: any) {\n return UserReadApiFp(configuration).crispGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن اطلاعات پروفایل کاربری کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n extraInfoGet(options?: any) {\n return UserReadApiFp(configuration).extraInfoGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن مشخصات محلی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n localInformationsGet(options?: any) {\n return UserReadApiFp(configuration).localInformationsGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن شماره تلفن ثابت کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n localPhoneNumberGet(options?: any) {\n return UserReadApiFp(configuration).localPhoneNumberGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن تعداد پیام های کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n messageCountGet(options?: any) {\n return UserReadApiFp(configuration).messageCountGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن پیام های کاربر جاری\n * @param {number} [offset]\n * @param {number} [limit]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n messageWithoffsetWithlimitGet(offset?: number, limit?: number, options?: any) {\n return UserReadApiFp(configuration).messageWithoffsetWithlimitGet(offset, limit, options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن مشخصات شخصی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n personalInfoGet(options?: any) {\n return UserReadApiFp(configuration).personalInfoGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن مشخصات کاربر جاری برای آپلیکیشن های نیتیو\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n profileGet(options?: any) {\n return UserReadApiFp(configuration).profileGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن تعداد ریفرال های کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n referralCountGet(options?: any) {\n return UserReadApiFp(configuration).referralCountGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن اطلاعات تسویه پیشرفته (ستلمنت) کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n settlementInfoGet(options?: any) {\n return UserReadApiFp(configuration).settlementInfoGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن مشخصات اجتماعی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n socialsGet(options?: any) {\n return UserReadApiFp(configuration).socialsGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن همهی استانها ها\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n statesGet(options?: any) {\n return UserReadApiFp(configuration).statesGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن همهی زیر شاخه ها در شاخه کسب و کار\n * @param {number} [categoryid]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n subCategoryiesWithcategoryidGet(categoryid?: number, options?: any) {\n return UserReadApiFp(configuration).subCategoryiesWithcategoryidGet(categoryid, options)(fetch, basePath);\n },\n /**\n *\n * @summary استعلام کد مالیاتی با کد ملی و کد پستی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n taxInquiryGet(options?: any) {\n return UserReadApiFp(configuration).taxInquiryGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن وضعیت لگوی ترمینال کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n terminalLogoStatusGet(options?: any) {\n return UserReadApiFp(configuration).terminalLogoStatusGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن مشخصات کامل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n userDetailGet(options?: any) {\n return UserReadApiFp(configuration).userDetailGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن وضعیت پلن پروفایل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n userPanelDataGet(options?: any) {\n return UserReadApiFp(configuration).userPanelDataGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary گرفتن وضعیت ویزارد شاپرک کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n userWizardInfoGet(options?: any) {\n return UserReadApiFp(configuration).userWizardInfoGet(options)(fetch, basePath);\n },\n };\n};\n\n/**\n * UserReadApi - object-oriented interface\n * @export\n * @class UserReadApi\n * @extends {BaseAPI}\n */\nexport class UserReadApi extends BaseAPI {\n /**\n *\n * @summary گرفتن مشخصات بانک کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public bankGet(options?: any) {\n return UserReadApiFp(this.configuration).bankGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary دریافت حوزه کاری کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public businessCategoryGet(options?: any) {\n return UserReadApiFp(this.configuration).businessCategoryGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary دریافت اطلاعات تجاری کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public businessInfoGet(options?: any) {\n return UserReadApiFp(this.configuration).businessInfoGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن همهی شاخه های کسب و کار\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public categoriesGet(options?: any) {\n return UserReadApiFp(this.configuration).categoriesGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن درصد تکمیل پروفایل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public checksGet(options?: any) {\n return UserReadApiFp(this.configuration).checksGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن همهی شهر های استان\n * @param {number} [stateId]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public citesWithstateIdGet(stateId?: number, options?: any) {\n return UserReadApiFp(this.configuration).citesWithstateIdGet(stateId, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary دریافت شهر کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public cityGet(options?: any) {\n return UserReadApiFp(this.configuration).cityGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary دریافت مشخصات کاربر جاری برای کریسپ\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public crispGet(options?: any) {\n return UserReadApiFp(this.configuration).crispGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن اطلاعات پروفایل کاربری کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public extraInfoGet(options?: any) {\n return UserReadApiFp(this.configuration).extraInfoGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن مشخصات محلی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public localInformationsGet(options?: any) {\n return UserReadApiFp(this.configuration).localInformationsGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن شماره تلفن ثابت کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public localPhoneNumberGet(options?: any) {\n return UserReadApiFp(this.configuration).localPhoneNumberGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن تعداد پیام های کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public messageCountGet(options?: any) {\n return UserReadApiFp(this.configuration).messageCountGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن پیام های کاربر جاری\n * @param {number} [offset]\n * @param {number} [limit]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public messageWithoffsetWithlimitGet(offset?: number, limit?: number, options?: any) {\n return UserReadApiFp(this.configuration).messageWithoffsetWithlimitGet(offset, limit, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن مشخصات شخصی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public personalInfoGet(options?: any) {\n return UserReadApiFp(this.configuration).personalInfoGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن مشخصات کاربر جاری برای آپلیکیشن های نیتیو\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public profileGet(options?: any) {\n return UserReadApiFp(this.configuration).profileGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن تعداد ریفرال های کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public referralCountGet(options?: any) {\n return UserReadApiFp(this.configuration).referralCountGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن اطلاعات تسویه پیشرفته (ستلمنت) کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public settlementInfoGet(options?: any) {\n return UserReadApiFp(this.configuration).settlementInfoGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن مشخصات اجتماعی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public socialsGet(options?: any) {\n return UserReadApiFp(this.configuration).socialsGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن همهی استانها ها\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public statesGet(options?: any) {\n return UserReadApiFp(this.configuration).statesGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن همهی زیر شاخه ها در شاخه کسب و کار\n * @param {number} [categoryid]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public subCategoryiesWithcategoryidGet(categoryid?: number, options?: any) {\n return UserReadApiFp(this.configuration).subCategoryiesWithcategoryidGet(categoryid, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary استعلام کد مالیاتی با کد ملی و کد پستی کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public taxInquiryGet(options?: any) {\n return UserReadApiFp(this.configuration).taxInquiryGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن وضعیت لگوی ترمینال کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public terminalLogoStatusGet(options?: any) {\n return UserReadApiFp(this.configuration).terminalLogoStatusGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن مشخصات کامل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public userDetailGet(options?: any) {\n return UserReadApiFp(this.configuration).userDetailGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن وضعیت پلن پروفایل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public userPanelDataGet(options?: any) {\n return UserReadApiFp(this.configuration).userPanelDataGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary گرفتن وضعیت ویزارد شاپرک کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserReadApi\n */\n public userWizardInfoGet(options?: any) {\n return UserReadApiFp(this.configuration).userWizardInfoGet(options)(this.fetch, this.basePath);\n }\n\n}\n/**\n * UserWriteApi - fetch parameter creator\n * @export\n */\nexport const UserWriteApiFetchParamCreator = function (configuration?: Configuration) {\n return {\n /**\n *\n * @summary تایید مقررات پی پینگ\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n acceptAgreementGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/AcceptAgreement`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary فعال سازی کسب درآمد ریفرال\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n activeReferralGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/ActiveReferral`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary بروزرسانی مشخصات بانک کاربر\n * @param {UpdateBankInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n bankWithrequestModelPost(body?: UpdateBankInfoRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/Bank`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"UpdateBankInfoRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary ذخیره اطلاعات حوزه کاری کاربر جاری\n * @param {UpdateUserBusinessCategoryRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n businessCategoryWithrequestModelPost(body?: UpdateUserBusinessCategoryRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/BusinessCategory`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"UpdateUserBusinessCategoryRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {UpdateBusinessInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n businessInfoWithrequestModelPut(body?: UpdateBusinessInfoRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/BusinessInfo`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'PUT' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"UpdateBusinessInfoRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {UpdateLocalInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n localInformationsWithrequestModelPut(body?: UpdateLocalInfoRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/LocalInformations`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'PUT' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"UpdateLocalInfoRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary اضافه کردن شماره تلفن ثابت کاربر جاری\n * @param {SetLocalPhoneNumberRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n localPhoneNumberWithrequestModelPost(body?: SetLocalPhoneNumberRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/LocalPhoneNumber`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"SetLocalPhoneNumberRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n messageSeenGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/MessageSeen`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n messageSeenPost(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/MessageSeen`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary بروزرسانی مشخصات شخصی کاربر جاری\n * @param {UpdatePersonalInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n personalInfoWithrequestModelPut(body?: UpdatePersonalInfoRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/PersonalInfo`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'PUT' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"UpdatePersonalInfoRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n * Todo : Response model is going to change to PayPing.User.WebApi.Models.Response.RegisterUserResponseModel in the future\n * @summary ثبت نام کاربر\n * @param {RegisterUserRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n registerWithrequestModelPost(body?: RegisterUserRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/Register`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"RegisterUserRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary تغییر نوع پلن کاربر جاری\n * @param {number} [panelType]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n setPanelWithpanelTypePut(panelType?: number, options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/SetPanel`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'PUT' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n if (panelType !== undefined) {\n localVarQueryParameter['panelType'] = panelType;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary بروز رسانی مشخصات اجتماعی کاربر جای\n * @param {UpdateSocialInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n socialsWithrequestModelPost(body?: UpdateSocialInfoRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/Socials`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"UpdateSocialInfoRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @summary بروز رسانی تاریخ آخرین بازدید کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n updateLastSeenPost(options: any = {}): FetchArgs {\n const localVarPath = `/v1/user/UpdateLastSeen`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n\t\t\t\tconst localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n\t\t\t\t\t? configuration.accessToken(\"oauth2\", [])\n\t\t\t\t\t: configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n }\n};\n\n/**\n * UserWriteApi - functional programming interface\n * @export\n */\nexport const UserWriteApiFp = function(configuration?: Configuration) {\n return {\n /**\n *\n * @summary تایید مقررات پی پینگ\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n acceptAgreementGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserWriteApiFetchParamCreator(configuration).acceptAgreementGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary فعال سازی کسب درآمد ریفرال\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n activeReferralGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserWriteApiFetchParamCreator(configuration).activeReferralGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary بروزرسانی مشخصات بانک کاربر\n * @param {UpdateBankInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n bankWithrequestModelPost(body?: UpdateBankInfoRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserWriteApiFetchParamCreator(configuration).bankWithrequestModelPost(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary ذخیره اطلاعات حوزه کاری کاربر جاری\n * @param {UpdateUserBusinessCategoryRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n businessCategoryWithrequestModelPost(body?: UpdateUserBusinessCategoryRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserWriteApiFetchParamCreator(configuration).businessCategoryWithrequestModelPost(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {UpdateBusinessInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n businessInfoWithrequestModelPut(body?: UpdateBusinessInfoRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserWriteApiFetchParamCreator(configuration).businessInfoWithrequestModelPut(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {UpdateLocalInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n localInformationsWithrequestModelPut(body?: UpdateLocalInfoRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserWriteApiFetchParamCreator(configuration).localInformationsWithrequestModelPut(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary اضافه کردن شماره تلفن ثابت کاربر جاری\n * @param {SetLocalPhoneNumberRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n localPhoneNumberWithrequestModelPost(body?: SetLocalPhoneNumberRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserWriteApiFetchParamCreator(configuration).localPhoneNumberWithrequestModelPost(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n messageSeenGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserWriteApiFetchParamCreator(configuration).messageSeenGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n messageSeenPost(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserWriteApiFetchParamCreator(configuration).messageSeenPost(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary بروزرسانی مشخصات شخصی کاربر جاری\n * @param {UpdatePersonalInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n personalInfoWithrequestModelPut(body?: UpdatePersonalInfoRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserWriteApiFetchParamCreator(configuration).personalInfoWithrequestModelPut(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n * Todo : Response model is going to change to PayPing.User.WebApi.Models.Response.RegisterUserResponseModel in the future\n * @summary ثبت نام کاربر\n * @param {RegisterUserRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n registerWithrequestModelPost(body?: RegisterUserRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserWriteApiFetchParamCreator(configuration).registerWithrequestModelPost(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary تغییر نوع پلن کاربر جاری\n * @param {number} [panelType]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n setPanelWithpanelTypePut(panelType?: number, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserWriteApiFetchParamCreator(configuration).setPanelWithpanelTypePut(panelType, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary بروز رسانی مشخصات اجتماعی کاربر جای\n * @param {UpdateSocialInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n socialsWithrequestModelPost(body?: UpdateSocialInfoRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserWriteApiFetchParamCreator(configuration).socialsWithrequestModelPost(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @summary بروز رسانی تاریخ آخرین بازدید کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n updateLastSeenPost(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = UserWriteApiFetchParamCreator(configuration).updateLastSeenPost(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n }\n};\n\n/**\n * UserWriteApi - factory interface\n * @export\n */\nexport const UserWriteApiFactory = function (configuration?: Configuration, fetch?: FetchAPI, basePath?: string) {\n return {\n /**\n *\n * @summary تایید مقررات پی پینگ\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n acceptAgreementGet(options?: any) {\n return UserWriteApiFp(configuration).acceptAgreementGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary فعال سازی کسب درآمد ریفرال\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n activeReferralGet(options?: any) {\n return UserWriteApiFp(configuration).activeReferralGet(options)(fetch, basePath);\n },\n /**\n *\n * @summary بروزرسانی مشخصات بانک کاربر\n * @param {UpdateBankInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n bankWithrequestModelPost(body?: UpdateBankInfoRequestModel, options?: any) {\n return UserWriteApiFp(configuration).bankWithrequestModelPost(body, options)(fetch, basePath);\n },\n /**\n *\n * @summary ذخیره اطلاعات حوزه کاری کاربر جاری\n * @param {UpdateUserBusinessCategoryRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n businessCategoryWithrequestModelPost(body?: UpdateUserBusinessCategoryRequestModel, options?: any) {\n return UserWriteApiFp(configuration).businessCategoryWithrequestModelPost(body, options)(fetch, basePath);\n },\n /**\n *\n * @param {UpdateBusinessInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n businessInfoWithrequestModelPut(body?: UpdateBusinessInfoRequestModel, options?: any) {\n return UserWriteApiFp(configuration).businessInfoWithrequestModelPut(body, options)(fetch, basePath);\n },\n /**\n *\n * @param {UpdateLocalInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n localInformationsWithrequestModelPut(body?: UpdateLocalInfoRequestModel, options?: any) {\n return UserWriteApiFp(configuration).localInformationsWithrequestModelPut(body, options)(fetch, basePath);\n },\n /**\n *\n * @summary اضافه کردن شماره تلفن ثابت کاربر جاری\n * @param {SetLocalPhoneNumberRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n localPhoneNumberWithrequestModelPost(body?: SetLocalPhoneNumberRequestModel, options?: any) {\n return UserWriteApiFp(configuration).localPhoneNumberWithrequestModelPost(body, options)(fetch, basePath);\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n messageSeenGet(options?: any) {\n return UserWriteApiFp(configuration).messageSeenGet(options)(fetch, basePath);\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n messageSeenPost(options?: any) {\n return UserWriteApiFp(configuration).messageSeenPost(options)(fetch, basePath);\n },\n /**\n *\n * @summary بروزرسانی مشخصات شخصی کاربر جاری\n * @param {UpdatePersonalInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n personalInfoWithrequestModelPut(body?: UpdatePersonalInfoRequestModel, options?: any) {\n return UserWriteApiFp(configuration).personalInfoWithrequestModelPut(body, options)(fetch, basePath);\n },\n /**\n * Todo : Response model is going to change to PayPing.User.WebApi.Models.Response.RegisterUserResponseModel in the future\n * @summary ثبت نام کاربر\n * @param {RegisterUserRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n registerWithrequestModelPost(body?: RegisterUserRequestModel, options?: any) {\n return UserWriteApiFp(configuration).registerWithrequestModelPost(body, options)(fetch, basePath);\n },\n /**\n *\n * @summary تغییر نوع پلن کاربر جاری\n * @param {number} [panelType]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n setPanelWithpanelTypePut(panelType?: number, options?: any) {\n return UserWriteApiFp(configuration).setPanelWithpanelTypePut(panelType, options)(fetch, basePath);\n },\n /**\n *\n * @summary بروز رسانی مشخصات اجتماعی کاربر جای\n * @param {UpdateSocialInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n socialsWithrequestModelPost(body?: UpdateSocialInfoRequestModel, options?: any) {\n return UserWriteApiFp(configuration).socialsWithrequestModelPost(body, options)(fetch, basePath);\n },\n /**\n *\n * @summary بروز رسانی تاریخ آخرین بازدید کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n updateLastSeenPost(options?: any) {\n return UserWriteApiFp(configuration).updateLastSeenPost(options)(fetch, basePath);\n },\n };\n};\n\n/**\n * UserWriteApi - object-oriented interface\n * @export\n * @class UserWriteApi\n * @extends {BaseAPI}\n */\nexport class UserWriteApi extends BaseAPI {\n /**\n *\n * @summary تایید مقررات پی پینگ\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserWriteApi\n */\n public acceptAgreementGet(options?: any) {\n return UserWriteApiFp(this.configuration).acceptAgreementGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary فعال سازی کسب درآمد ریفرال\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserWriteApi\n */\n public activeReferralGet(options?: any) {\n return UserWriteApiFp(this.configuration).activeReferralGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary بروزرسانی مشخصات بانک کاربر\n * @param {UpdateBankInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserWriteApi\n */\n public bankWithrequestModelPost(body?: UpdateBankInfoRequestModel, options?: any) {\n return UserWriteApiFp(this.configuration).bankWithrequestModelPost(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary ذخیره اطلاعات حوزه کاری کاربر جاری\n * @param {UpdateUserBusinessCategoryRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserWriteApi\n */\n public businessCategoryWithrequestModelPost(body?: UpdateUserBusinessCategoryRequestModel, options?: any) {\n return UserWriteApiFp(this.configuration).businessCategoryWithrequestModelPost(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {UpdateBusinessInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserWriteApi\n */\n public businessInfoWithrequestModelPut(body?: UpdateBusinessInfoRequestModel, options?: any) {\n return UserWriteApiFp(this.configuration).businessInfoWithrequestModelPut(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {UpdateLocalInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserWriteApi\n */\n public localInformationsWithrequestModelPut(body?: UpdateLocalInfoRequestModel, options?: any) {\n return UserWriteApiFp(this.configuration).localInformationsWithrequestModelPut(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary اضافه کردن شماره تلفن ثابت کاربر جاری\n * @param {SetLocalPhoneNumberRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserWriteApi\n */\n public localPhoneNumberWithrequestModelPost(body?: SetLocalPhoneNumberRequestModel, options?: any) {\n return UserWriteApiFp(this.configuration).localPhoneNumberWithrequestModelPost(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserWriteApi\n */\n public messageSeenGet(options?: any) {\n return UserWriteApiFp(this.configuration).messageSeenGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserWriteApi\n */\n public messageSeenPost(options?: any) {\n return UserWriteApiFp(this.configuration).messageSeenPost(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary بروزرسانی مشخصات شخصی کاربر جاری\n * @param {UpdatePersonalInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserWriteApi\n */\n public personalInfoWithrequestModelPut(body?: UpdatePersonalInfoRequestModel, options?: any) {\n return UserWriteApiFp(this.configuration).personalInfoWithrequestModelPut(body, options)(this.fetch, this.basePath);\n }\n\n /**\n * Todo : Response model is going to change to PayPing.User.WebApi.Models.Response.RegisterUserResponseModel in the future\n * @summary ثبت نام کاربر\n * @param {RegisterUserRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserWriteApi\n */\n public registerWithrequestModelPost(body?: RegisterUserRequestModel, options?: any) {\n return UserWriteApiFp(this.configuration).registerWithrequestModelPost(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary تغییر نوع پلن کاربر جاری\n * @param {number} [panelType]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserWriteApi\n */\n public setPanelWithpanelTypePut(panelType?: number, options?: any) {\n return UserWriteApiFp(this.configuration).setPanelWithpanelTypePut(panelType, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary بروز رسانی مشخصات اجتماعی کاربر جای\n * @param {UpdateSocialInfoRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserWriteApi\n */\n public socialsWithrequestModelPost(body?: UpdateSocialInfoRequestModel, options?: any) {\n return UserWriteApiFp(this.configuration).socialsWithrequestModelPost(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @summary بروز رسانی تاریخ آخرین بازدید کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof UserWriteApi\n */\n public updateLastSeenPost(options?: any) {\n return UserWriteApiFp(this.configuration).updateLastSeenPost(options)(this.fetch, this.basePath);\n }\n\n}\n","import * as url from \"url\";\nimport { BaseAPI } from '../baseAPI';\nimport { Configuration, OAUTH_PATH, BASE_PATH } from \"../../configurationApp\";\nimport { RequiredError } from '../../errors';\nimport { portableFetch as isomorphicFetch } from \"../../portableFetch\";\nimport { FetchAPI, FetchArgs } from '../../types';\nimport {\n BasicPayPingClientResponseModel,\n BooleanPrimitiveResultResponseModel,\n ChangePasswordRequestModel,\n ChangePasswordResponseModel,\n ClientRegisterBaseViewModel,\n ClientRegisterCreateViewModel,\n ClientRegisterDetailViewModel,\n ClientRegisterSearchResultItemResponseModel,\n ClientUserBaseViewModel,\n ClientUserDetailViewModel,\n ClientUserItem,\n CreateAccessTokenRequestModel,\n CreateAccessTokenResponseModel,\n CreateAppClientRequestModel,\n CreateClientRegisterRequestModel,\n CreateClientRegisterResponseModel,\n CreateTokenClientRequestModel,\n DashboardClientResponseModel,\n DashboardClientResponseModelPagedSearchResult,\n EditAppClientRequestModel,\n EditClientRegisterRequestModel,\n EditTokenClientRequestModel,\n EmailExistResponseModel,\n EmailExistViewModel,\n EnableAuthenticatorRequestModel,\n GetClientRegisterResponseModel,\n IdViewModel,\n PayPingTrustLogoResponseModel,\n PhoneNumberInformationResponseModel,\n RefundLoginResponseModel,\n RenewAccessTokenRequestModel,\n RenewAccessTokenResponseModel,\n RenewClientSecretResponseModel,\n ResetAuthenticatorKeyResponseModel,\n ScopesWhiteListResponseModel,\n SearchClientUserResultItem,\n SetPhoneNumberRequestModel,\n TokenVerificationResultResponseModel,\n UsernamePasswordCredentialsDto,\n UserVerifyTypeEnum,\n VerifyPhoneNumberRequestModel,\n} from \"./oauthTypes\";\nimport {\n UserVerificationTypeEnum,\n} from \"./userTypes\";\n\n/** @deprecated Remove this when old oauthApis are removed */\nconst portableFetch = isomorphicFetch;\n\n\n/**\n * AccountApiApi - fetch parameter creator\n * @export\n */\nexport const AccountApiApiFetchParamCreator = function (configuration?: Configuration) {\n return {\n /**\n * Related To: User/ChangePasswordAsync\n * @summary تغییر پسورد کاربر جاری\n * @param {ChangePasswordRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n changePasswordAsyncWithrequestModelPut(body?: ChangePasswordRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/account/ChangePasswordAsync`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'PUT' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"ChangePasswordRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n * Related To: User/DisableGoogleAuthenticator\n * @summary غیر فعال سازی اعتبار سنجی دو مرحلهای کاربر جاری\n * @param {string} code\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n disableAuthenticatorWithcodePost(code: string, options: any = {}): FetchArgs {\n // verify required parameter 'code' is not null or undefined\n if (code === null || code === undefined) {\n throw new RequiredError('code','Required parameter code was null or undefined when calling disableAuthenticatorWithcodePost.');\n }\n const localVarPath = `/v1/account/DisableAuthenticator/{code}`\n .replace(`{${\"code\"}}`, encodeURIComponent(String(code)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n * Related To: User/EnableGoogleAuthenticator\n * @summary گام دوم فعال سازی اعتبار سنجی دو مرحلهای کاربر جاری - دریافت کد اعتبار سنجی دو مرحلهای مربوط به بارکد ارسال شده از کلید جدید اعتبار سنجی دو مرحلهای\n * @param {EnableAuthenticatorRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n enableAuthenticatorWithrequestModelPost(body?: EnableAuthenticatorRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/account/EnableAuthenticator`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"EnableAuthenticatorRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n * Related To: User/TwoFactorAuthenticationStat\n * @summary دریافت وضعیت اعتبار سنجی دو مرحلهای کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n getTwoFactorAuthenticationStatusPut(options: any = {}): FetchArgs {\n const localVarPath = `/v1/account/GetTwoFactorAuthenticationStatus`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'PUT' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n * Related To: User/PhoneNumber\n * @summary گرفتن شماره موبایل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n phoneNumberGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/account/PhoneNumber`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n * Related To: User/PhoneNumber\n * @summary اضافه کردن شماره موبایل برای کاربر جاری\n * @param {SetPhoneNumberRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n phoneNumberWithrequestModelPost(body?: SetPhoneNumberRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/account/PhoneNumber`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"SetPhoneNumberRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n * Related To: User/EnableGoogleAuthenticator\n * @summary گام اول فعال سازی اعتبار سنجی دو مرحلهای کاربر جاری - ایجاد و تنظیم مجدد کلید اعتبار سنجی دو مرحلهای و دریافت بارکد کلید ایجاد شده\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n resetAuthenticatorKeyGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/account/ResetAuthenticatorKey`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n * Related To: User/ReSendEmailVerify\n * @summary ارسال ایمیل تایید آدرس پست الکترونیکی\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n sendVerificationEmailGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/account/SendVerificationEmail`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n * Related To: User/EmailVerify\n * @summary تایید آدرس پست الکترونیکی\n * @param {number} [userId]\n * @param {string} [code]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n verifyEmailAddressWithuserIdWithcodeGet(userId?: number, code?: string, options: any = {}): FetchArgs {\n const localVarPath = `/v1/account/VerifyEmailAddress`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n if (userId !== undefined) {\n localVarQueryParameter['userId'] = userId;\n }\n\n if (code !== undefined) {\n localVarQueryParameter['code'] = code;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n * Related To: User/VerifyPhoneNumber\n * @summary تایید شماره تلفن هماره با کد ارسال شده\n * @param {VerifyPhoneNumberRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n verifyPhoneNumberWithrequestModelPost(body?: VerifyPhoneNumberRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/account/VerifyPhoneNumber`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"VerifyPhoneNumberRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n }\n};\n\n/**\n * AccountApiApi - functional programming interface\n * @export\n */\nexport const AccountApiApiFp = function(configuration?: Configuration) {\n return {\n /**\n * Related To: User/ChangePasswordAsync\n * @summary تغییر پسورد کاربر جاری\n * @param {ChangePasswordRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n changePasswordAsyncWithrequestModelPut(body?: ChangePasswordRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = AccountApiApiFetchParamCreator(configuration).changePasswordAsyncWithrequestModelPut(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n * Related To: User/DisableGoogleAuthenticator\n * @summary غیر فعال سازی اعتبار سنجی دو مرحلهای کاربر جاری\n * @param {string} code\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n disableAuthenticatorWithcodePost(code: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = AccountApiApiFetchParamCreator(configuration).disableAuthenticatorWithcodePost(code, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n * Related To: User/EnableGoogleAuthenticator\n * @summary گام دوم فعال سازی اعتبار سنجی دو مرحلهای کاربر جاری - دریافت کد اعتبار سنجی دو مرحلهای مربوط به بارکد ارسال شده از کلید جدید اعتبار سنجی دو مرحلهای\n * @param {EnableAuthenticatorRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n enableAuthenticatorWithrequestModelPost(body?: EnableAuthenticatorRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = AccountApiApiFetchParamCreator(configuration).enableAuthenticatorWithrequestModelPost(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n * Related To: User/TwoFactorAuthenticationStat\n * @summary دریافت وضعیت اعتبار سنجی دو مرحلهای کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n getTwoFactorAuthenticationStatusPut(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = AccountApiApiFetchParamCreator(configuration).getTwoFactorAuthenticationStatusPut(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n * Related To: User/PhoneNumber\n * @summary گرفتن شماره موبایل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n phoneNumberGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = AccountApiApiFetchParamCreator(configuration).phoneNumberGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n * Related To: User/PhoneNumber\n * @summary اضافه کردن شماره موبایل برای کاربر جاری\n * @param {SetPhoneNumberRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n phoneNumberWithrequestModelPost(body?: SetPhoneNumberRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = AccountApiApiFetchParamCreator(configuration).phoneNumberWithrequestModelPost(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n * Related To: User/EnableGoogleAuthenticator\n * @summary گام اول فعال سازی اعتبار سنجی دو مرحلهای کاربر جاری - ایجاد و تنظیم مجدد کلید اعتبار سنجی دو مرحلهای و دریافت بارکد کلید ایجاد شده\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n resetAuthenticatorKeyGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = AccountApiApiFetchParamCreator(configuration).resetAuthenticatorKeyGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n * Related To: User/ReSendEmailVerify\n * @summary ارسال ایمیل تایید آدرس پست الکترونیکی\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n sendVerificationEmailGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = AccountApiApiFetchParamCreator(configuration).sendVerificationEmailGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n * Related To: User/EmailVerify\n * @summary تایید آدرس پست الکترونیکی\n * @param {number} [userId]\n * @param {string} [code]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n verifyEmailAddressWithuserIdWithcodeGet(userId?: number, code?: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = AccountApiApiFetchParamCreator(configuration).verifyEmailAddressWithuserIdWithcodeGet(userId, code, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n * Related To: User/VerifyPhoneNumber\n * @summary تایید شماره تلفن هماره با کد ارسال شده\n * @param {VerifyPhoneNumberRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n verifyPhoneNumberWithrequestModelPost(body?: VerifyPhoneNumberRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = AccountApiApiFetchParamCreator(configuration).verifyPhoneNumberWithrequestModelPost(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n }\n};\n\n/**\n * AccountApiApi - factory interface\n * @export\n */\nexport const AccountApiApiFactory = function (configuration?: Configuration, fetch?: FetchAPI, basePath?: string) {\n return {\n /**\n * Related To: User/ChangePasswordAsync\n * @summary تغییر پسورد کاربر جاری\n * @param {ChangePasswordRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n changePasswordAsyncWithrequestModelPut(body?: ChangePasswordRequestModel, options?: any) {\n return AccountApiApiFp(configuration).changePasswordAsyncWithrequestModelPut(body, options)(fetch, basePath);\n },\n /**\n * Related To: User/DisableGoogleAuthenticator\n * @summary غیر فعال سازی اعتبار سنجی دو مرحلهای کاربر جاری\n * @param {string} code\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n disableAuthenticatorWithcodePost(code: string, options?: any) {\n return AccountApiApiFp(configuration).disableAuthenticatorWithcodePost(code, options)(fetch, basePath);\n },\n /**\n * Related To: User/EnableGoogleAuthenticator\n * @summary گام دوم فعال سازی اعتبار سنجی دو مرحلهای کاربر جاری - دریافت کد اعتبار سنجی دو مرحلهای مربوط به بارکد ارسال شده از کلید جدید اعتبار سنجی دو مرحلهای\n * @param {EnableAuthenticatorRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n enableAuthenticatorWithrequestModelPost(body?: EnableAuthenticatorRequestModel, options?: any) {\n return AccountApiApiFp(configuration).enableAuthenticatorWithrequestModelPost(body, options)(fetch, basePath);\n },\n /**\n * Related To: User/TwoFactorAuthenticationStat\n * @summary دریافت وضعیت اعتبار سنجی دو مرحلهای کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n getTwoFactorAuthenticationStatusPut(options?: any) {\n return AccountApiApiFp(configuration).getTwoFactorAuthenticationStatusPut(options)(fetch, basePath);\n },\n /**\n * Related To: User/PhoneNumber\n * @summary گرفتن شماره موبایل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n phoneNumberGet(options?: any) {\n return AccountApiApiFp(configuration).phoneNumberGet(options)(fetch, basePath);\n },\n /**\n * Related To: User/PhoneNumber\n * @summary اضافه کردن شماره موبایل برای کاربر جاری\n * @param {SetPhoneNumberRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n phoneNumberWithrequestModelPost(body?: SetPhoneNumberRequestModel, options?: any) {\n return AccountApiApiFp(configuration).phoneNumberWithrequestModelPost(body, options)(fetch, basePath);\n },\n /**\n * Related To: User/EnableGoogleAuthenticator\n * @summary گام اول فعال سازی اعتبار سنجی دو مرحلهای کاربر جاری - ایجاد و تنظیم مجدد کلید اعتبار سنجی دو مرحلهای و دریافت بارکد کلید ایجاد شده\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n resetAuthenticatorKeyGet(options?: any) {\n return AccountApiApiFp(configuration).resetAuthenticatorKeyGet(options)(fetch, basePath);\n },\n /**\n * Related To: User/ReSendEmailVerify\n * @summary ارسال ایمیل تایید آدرس پست الکترونیکی\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n sendVerificationEmailGet(options?: any) {\n return AccountApiApiFp(configuration).sendVerificationEmailGet(options)(fetch, basePath);\n },\n /**\n * Related To: User/EmailVerify\n * @summary تایید آدرس پست الکترونیکی\n * @param {number} [userId]\n * @param {string} [code]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n verifyEmailAddressWithuserIdWithcodeGet(userId?: number, code?: string, options?: any) {\n return AccountApiApiFp(configuration).verifyEmailAddressWithuserIdWithcodeGet(userId, code, options)(fetch, basePath);\n },\n /**\n * Related To: User/VerifyPhoneNumber\n * @summary تایید شماره تلفن هماره با کد ارسال شده\n * @param {VerifyPhoneNumberRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n verifyPhoneNumberWithrequestModelPost(body?: VerifyPhoneNumberRequestModel, options?: any) {\n return AccountApiApiFp(configuration).verifyPhoneNumberWithrequestModelPost(body, options)(fetch, basePath);\n },\n };\n};\n\n/**\n * AccountApiApi - object-oriented interface\n * @export\n * @class AccountApiApi\n * @extends {BaseAPI}\n */\nexport class AccountApiApi extends BaseAPI {\n /**\n * Related To: User/ChangePasswordAsync\n * @summary تغییر پسورد کاربر جاری\n * @param {ChangePasswordRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof AccountApiApi\n */\n public changePasswordAsyncWithrequestModelPut(body?: ChangePasswordRequestModel, options?: any) {\n return AccountApiApiFp(this.configuration).changePasswordAsyncWithrequestModelPut(body, options)(this.fetch, this.basePath);\n }\n\n /**\n * Related To: User/DisableGoogleAuthenticator\n * @summary غیر فعال سازی اعتبار سنجی دو مرحلهای کاربر جاری\n * @param {string} code\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof AccountApiApi\n */\n public disableAuthenticatorWithcodePost(code: string, options?: any) {\n return AccountApiApiFp(this.configuration).disableAuthenticatorWithcodePost(code, options)(this.fetch, this.basePath);\n }\n\n /**\n * Related To: User/EnableGoogleAuthenticator\n * @summary گام دوم فعال سازی اعتبار سنجی دو مرحلهای کاربر جاری - دریافت کد اعتبار سنجی دو مرحلهای مربوط به بارکد ارسال شده از کلید جدید اعتبار سنجی دو مرحلهای\n * @param {EnableAuthenticatorRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof AccountApiApi\n */\n public enableAuthenticatorWithrequestModelPost(body?: EnableAuthenticatorRequestModel, options?: any) {\n return AccountApiApiFp(this.configuration).enableAuthenticatorWithrequestModelPost(body, options)(this.fetch, this.basePath);\n }\n\n /**\n * Related To: User/TwoFactorAuthenticationStat\n * @summary دریافت وضعیت اعتبار سنجی دو مرحلهای کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof AccountApiApi\n */\n public getTwoFactorAuthenticationStatusPut(options?: any) {\n return AccountApiApiFp(this.configuration).getTwoFactorAuthenticationStatusPut(options)(this.fetch, this.basePath);\n }\n\n /**\n * Related To: User/PhoneNumber\n * @summary گرفتن شماره موبایل کاربر جاری\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof AccountApiApi\n */\n public phoneNumberGet(options?: any) {\n return AccountApiApiFp(this.configuration).phoneNumberGet(options)(this.fetch, this.basePath);\n }\n\n /**\n * Related To: User/PhoneNumber\n * @summary اضافه کردن شماره موبایل برای کاربر جاری\n * @param {SetPhoneNumberRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof AccountApiApi\n */\n public phoneNumberWithrequestModelPost(body?: SetPhoneNumberRequestModel, options?: any) {\n return AccountApiApiFp(this.configuration).phoneNumberWithrequestModelPost(body, options)(this.fetch, this.basePath);\n }\n\n /**\n * Related To: User/EnableGoogleAuthenticator\n * @summary گام اول فعال سازی اعتبار سنجی دو مرحلهای کاربر جاری - ایجاد و تنظیم مجدد کلید اعتبار سنجی دو مرحلهای و دریافت بارکد کلید ایجاد شده\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof AccountApiApi\n */\n public resetAuthenticatorKeyGet(options?: any) {\n return AccountApiApiFp(this.configuration).resetAuthenticatorKeyGet(options)(this.fetch, this.basePath);\n }\n\n /**\n * Related To: User/ReSendEmailVerify\n * @summary ارسال ایمیل تایید آدرس پست الکترونیکی\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof AccountApiApi\n */\n public sendVerificationEmailGet(options?: any) {\n return AccountApiApiFp(this.configuration).sendVerificationEmailGet(options)(this.fetch, this.basePath);\n }\n\n /**\n * Related To: User/EmailVerify\n * @summary تایید آدرس پست الکترونیکی\n * @param {number} [userId]\n * @param {string} [code]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof AccountApiApi\n */\n public verifyEmailAddressWithuserIdWithcodeGet(userId?: number, code?: string, options?: any) {\n return AccountApiApiFp(this.configuration).verifyEmailAddressWithuserIdWithcodeGet(userId, code, options)(this.fetch, this.basePath);\n }\n\n /**\n * Related To: User/VerifyPhoneNumber\n * @summary تایید شماره تلفن هماره با کد ارسال شده\n * @param {VerifyPhoneNumberRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof AccountApiApi\n */\n public verifyPhoneNumberWithrequestModelPost(body?: VerifyPhoneNumberRequestModel, options?: any) {\n return AccountApiApiFp(this.configuration).verifyPhoneNumberWithrequestModelPost(body, options)(this.fetch, this.basePath);\n }\n\n}\n/**\n * ClientApiApi - fetch parameter creator\n * @export\n */\nexport const ClientApiApiFetchParamCreator = function (configuration?: Configuration) {\n return {\n /**\n *\n * @param {CreateAppClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n appWithrequestModelPost(body?: CreateAppClientRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/App`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"CreateAppClientRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n appsGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/Apps`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {CreateClientRegisterRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterInitWithrequestModelPost(body?: CreateClientRegisterRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/ClientRegisterInit`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"CreateClientRegisterRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterListCountWithclientIdWithsearchDateFromWithsearchDateToGet(clientId: string, searchDateFrom?: Date, searchDateTo?: Date, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId','Required parameter clientId was null or undefined when calling clientRegisterListCountWithclientIdWithsearchDateFromWithsearchDateToGet.');\n }\n const localVarPath = `/v1/Client/ClientRegisterListCount/{clientId}`\n .replace(`{${\"clientId\"}}`, encodeURIComponent(String(clientId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n if (searchDateFrom !== undefined) {\n localVarQueryParameter['searchDateFrom'] = (searchDateFrom as any).toISOString();\n }\n\n if (searchDateTo !== undefined) {\n localVarQueryParameter['searchDateTo'] = (searchDateTo as any).toISOString();\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {number} [offset]\n * @param {number} [limit]\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterListWithclientIdWithoffsetWithlimitWithsearchDateFromWithsearchDateToGet(clientId: string, offset?: number, limit?: number, searchDateFrom?: Date, searchDateTo?: Date, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId','Required parameter clientId was null or undefined when calling clientRegisterListWithclientIdWithoffsetWithlimitWithsearchDateFromWithsearchDateToGet.');\n }\n const localVarPath = `/v1/Client/ClientRegisterList/{clientId}`\n .replace(`{${\"clientId\"}}`, encodeURIComponent(String(clientId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n if (offset !== undefined) {\n localVarQueryParameter['offset'] = offset;\n }\n\n if (limit !== undefined) {\n localVarQueryParameter['limit'] = limit;\n }\n\n if (searchDateFrom !== undefined) {\n localVarQueryParameter['searchDateFrom'] = (searchDateFrom as any).toISOString();\n }\n\n if (searchDateTo !== undefined) {\n localVarQueryParameter['searchDateTo'] = (searchDateTo as any).toISOString();\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} id\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterWithidDelete(id: string, options: any = {}): FetchArgs {\n // verify required parameter 'id' is not null or undefined\n if (id === null || id === undefined) {\n throw new RequiredError('id','Required parameter id was null or undefined when calling clientRegisterWithidDelete.');\n }\n const localVarPath = `/v1/Client/DeleteClientRegister/{id}`\n .replace(`{${\"id\"}}`, encodeURIComponent(String(id)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'DELETE' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} id\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterWithidGet(id: string, options: any = {}): FetchArgs {\n // verify required parameter 'id' is not null or undefined\n if (id === null || id === undefined) {\n throw new RequiredError('id','Required parameter id was null or undefined when calling clientRegisterWithidGet.');\n }\n const localVarPath = `/v1/Client/ClientRegister/{id}`\n .replace(`{${\"id\"}}`, encodeURIComponent(String(id)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} id\n * @param {EditClientRegisterRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterWithidWithrequestModelPut(id: string, body?: EditClientRegisterRequestModel, options: any = {}): FetchArgs {\n // verify required parameter 'id' is not null or undefined\n if (id === null || id === undefined) {\n throw new RequiredError('id','Required parameter id was null or undefined when calling clientRegisterWithidWithrequestModelPut.');\n }\n const localVarPath = `/v1/Client/ClientRegister/{id}`\n .replace(`{${\"id\"}}`, encodeURIComponent(String(id)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'PUT' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"EditClientRegisterRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {CreateClientRegisterRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterWithrequestModelPost(body?: CreateClientRegisterRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/ClientRegister`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"CreateClientRegisterRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} clientid\n * @param {UserVerificationTypeEnum} [userVerifyType]\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientUserCountWithclientidWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet(clientid: string, userVerifyType?: UserVerificationTypeEnum, searchDateFrom?: Date, searchDateTo?: Date, options: any = {}): FetchArgs {\n // verify required parameter 'clientid' is not null or undefined\n if (clientid === null || clientid === undefined) {\n throw new RequiredError('clientid','Required parameter clientid was null or undefined when calling clientUserCountWithclientidWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet.');\n }\n const localVarPath = `/v1/Client/ClientUserCount/{clientid}`\n .replace(`{${\"clientid\"}}`, encodeURIComponent(String(clientid)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n if (userVerifyType !== undefined) {\n localVarQueryParameter['userVerifyType'] = userVerifyType;\n }\n\n if (searchDateFrom !== undefined) {\n localVarQueryParameter['searchDateFrom'] = (searchDateFrom as any).toISOString();\n }\n\n if (searchDateTo !== undefined) {\n localVarQueryParameter['searchDateTo'] = (searchDateTo as any).toISOString();\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {number} [offset]\n * @param {number} [limit]\n * @param {UserVerificationTypeEnum} [userVerifyType]\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientUserWithclientIdWithoffsetWithlimitWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet(clientId: string, offset?: number, limit?: number, userVerifyType?: UserVerificationTypeEnum, searchDateFrom?: Date, searchDateTo?: Date, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId','Required parameter clientId was null or undefined when calling clientUserWithclientIdWithoffsetWithlimitWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet.');\n }\n const localVarPath = `/v1/Client/ClientUser/{clientId}`\n .replace(`{${\"clientId\"}}`, encodeURIComponent(String(clientId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n if (offset !== undefined) {\n localVarQueryParameter['offset'] = offset;\n }\n\n if (limit !== undefined) {\n localVarQueryParameter['limit'] = limit;\n }\n\n if (userVerifyType !== undefined) {\n localVarQueryParameter['userVerifyType'] = userVerifyType;\n }\n\n if (searchDateFrom !== undefined) {\n localVarQueryParameter['searchDateFrom'] = (searchDateFrom as any).toISOString();\n }\n\n if (searchDateTo !== undefined) {\n localVarQueryParameter['searchDateTo'] = (searchDateTo as any).toISOString();\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {number} userId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientUserWithclientIdWithuserIdGet(clientId: string, userId: number, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId','Required parameter clientId was null or undefined when calling clientUserWithclientIdWithuserIdGet.');\n }\n // verify required parameter 'userId' is not null or undefined\n if (userId === null || userId === undefined) {\n throw new RequiredError('userId','Required parameter userId was null or undefined when calling clientUserWithclientIdWithuserIdGet.');\n }\n const localVarPath = `/v1/Client/ClientUser/{clientId}/{userId}`\n .replace(`{${\"clientId\"}}`, encodeURIComponent(String(clientId)))\n .replace(`{${\"userId\"}}`, encodeURIComponent(String(userId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientWithclientIdGet(clientId: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId','Required parameter clientId was null or undefined when calling clientWithclientIdGet.');\n }\n const localVarPath = `/v1/Client/{clientId}`\n .replace(`{${\"clientId\"}}`, encodeURIComponent(String(clientId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientsGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/Clients`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {CreateAccessTokenRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n createAccessTokenWithrequestModelPost(body?: CreateAccessTokenRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/CreateAccessToken`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"CreateAccessTokenRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {EditAppClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n editAppWithrequestModelPut(body?: EditAppClientRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/EditApp`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'PUT' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"EditAppClientRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {EditTokenClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n editTokenWithrequestModelPut(body?: EditTokenClientRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/EditToken`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'PUT' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"EditTokenClientRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} [email]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n emailExistWithemailGet(email?: string, options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/EmailExist`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n if (email !== undefined) {\n localVarQueryParameter['email'] = email;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n hasWithdrawRefundGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/HasWithdrawRefund`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {UsernamePasswordCredentialsDto} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n refundLoginWithrequestModelPost(body?: UsernamePasswordCredentialsDto, options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/RefundLogin`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"UsernamePasswordCredentialsDto\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n removeClientWithrequestModelDelete(clientId: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId','Required parameter clientId was null or undefined when calling removeClientWithrequestModelDelete.');\n }\n const localVarPath = `/v1/Client/RemoveClient`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'DELETE' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n if (clientId !== undefined) {\n localVarQueryParameter['ClientId'] = clientId;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {RenewAccessTokenRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n renewAccessTokenWithrequestModelPut(body?: RenewAccessTokenRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/RenewAccessToken`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'PUT' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"RenewAccessTokenRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n renewSecretWithrequestModelPut(clientId: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId','Required parameter clientId was null or undefined when calling renewSecretWithrequestModelPut.');\n }\n const localVarPath = `/v1/Client/RenewSecret`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'PUT' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n if (clientId !== undefined) {\n localVarQueryParameter['ClientId'] = clientId;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n revokeClientWithrequestModelDelete(clientId: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId','Required parameter clientId was null or undefined when calling revokeClientWithrequestModelDelete.');\n }\n const localVarPath = `/v1/Client/RevokeClient`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'DELETE' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n if (clientId !== undefined) {\n localVarQueryParameter['ClientId'] = clientId;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n revokeWithrequestModelPut(clientId: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId','Required parameter clientId was null or undefined when calling revokeWithrequestModelPut.');\n }\n const localVarPath = `/v1/Client/Revoke`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'PUT' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n if (clientId !== undefined) {\n localVarQueryParameter['ClientId'] = clientId;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n scopesGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/Scopes`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {CreateTokenClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n tokenWithrequestModelPost(body?: CreateTokenClientRequestModel, options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/Token`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarHeaderParameter['Content-Type'] = 'application/json-patch+json';\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"CreateTokenClientRequestModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : (body || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n tokensGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/Tokens`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n totalBlockedWithclientIdGet(clientId: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId','Required parameter clientId was null or undefined when calling totalBlockedWithclientIdGet.');\n }\n const localVarPath = `/v1/Client/TotalBlocked/{clientId}`\n .replace(`{${\"clientId\"}}`, encodeURIComponent(String(clientId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n totalUsersWithclientIdGet(clientId: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId','Required parameter clientId was null or undefined when calling totalUsersWithclientIdGet.');\n }\n const localVarPath = `/v1/Client/TotalUsers/{clientId}`\n .replace(`{${\"clientId\"}}`, encodeURIComponent(String(clientId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n totalVerifiedWithclientIdGet(clientId: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId','Required parameter clientId was null or undefined when calling totalVerifiedWithclientIdGet.');\n }\n const localVarPath = `/v1/Client/TotalVerified/{clientId}`\n .replace(`{${\"clientId\"}}`, encodeURIComponent(String(clientId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n trustsGet(options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/Trusts`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n *\n * @param {number} [page]\n * @param {number} [pageSize]\n * @param {string} [filter]\n * @param {string} [orderBy]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n userClientsWithpageWithpageSizeWithfilterWithorderByGet(page?: number, pageSize?: number, filter?: string, orderBy?: string, options: any = {}): FetchArgs {\n const localVarPath = `/v1/Client/UserClients`;\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken(\"oauth2\", [])\n : configuration.accessToken;\n localVarHeaderParameter[\"Authorization\"] = \"Bearer \" + localVarAccessTokenValue;\n }\n\n if (page !== undefined) {\n localVarQueryParameter['page'] = page;\n }\n\n if (pageSize !== undefined) {\n localVarQueryParameter['pageSize'] = pageSize;\n }\n\n if (filter !== undefined) {\n localVarQueryParameter['filter'] = filter;\n }\n\n if (orderBy !== undefined) {\n localVarQueryParameter['orderBy'] = orderBy;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n }\n};\n\n/**\n * ClientApiApi - functional programming interface\n * @export\n */\nexport const ClientApiApiFp = function(configuration?: Configuration) {\n return {\n /**\n *\n * @param {CreateAppClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n appWithrequestModelPost(body?: CreateAppClientRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).appWithrequestModelPost(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n appsGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise> {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).appsGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {CreateClientRegisterRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterInitWithrequestModelPost(body?: CreateClientRegisterRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).clientRegisterInitWithrequestModelPost(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterListCountWithclientIdWithsearchDateFromWithsearchDateToGet(clientId: string, searchDateFrom?: Date, searchDateTo?: Date, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).clientRegisterListCountWithclientIdWithsearchDateFromWithsearchDateToGet(clientId, searchDateFrom, searchDateTo, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {number} [offset]\n * @param {number} [limit]\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterListWithclientIdWithoffsetWithlimitWithsearchDateFromWithsearchDateToGet(clientId: string, offset?: number, limit?: number, searchDateFrom?: Date, searchDateTo?: Date, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise> {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).clientRegisterListWithclientIdWithoffsetWithlimitWithsearchDateFromWithsearchDateToGet(clientId, offset, limit, searchDateFrom, searchDateTo, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} id\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterWithidDelete(id: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).clientRegisterWithidDelete(id, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} id\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterWithidGet(id: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).clientRegisterWithidGet(id, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} id\n * @param {EditClientRegisterRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterWithidWithrequestModelPut(id: string, body?: EditClientRegisterRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).clientRegisterWithidWithrequestModelPut(id, body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {CreateClientRegisterRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterWithrequestModelPost(body?: CreateClientRegisterRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).clientRegisterWithrequestModelPost(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} clientid\n * @param {UserVerificationTypeEnum} [userVerifyType]\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientUserCountWithclientidWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet(clientid: string, userVerifyType?: UserVerificationTypeEnum, searchDateFrom?: Date, searchDateTo?: Date, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).clientUserCountWithclientidWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet(clientid, userVerifyType, searchDateFrom, searchDateTo, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {number} [offset]\n * @param {number} [limit]\n * @param {UserVerificationTypeEnum} [userVerifyType]\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientUserWithclientIdWithoffsetWithlimitWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet(clientId: string, offset?: number, limit?: number, userVerifyType?: UserVerificationTypeEnum, searchDateFrom?: Date, searchDateTo?: Date, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise> {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).clientUserWithclientIdWithoffsetWithlimitWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet(clientId, offset, limit, userVerifyType, searchDateFrom, searchDateTo, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {number} userId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientUserWithclientIdWithuserIdGet(clientId: string, userId: number, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).clientUserWithclientIdWithuserIdGet(clientId, userId, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientWithclientIdGet(clientId: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).clientWithclientIdGet(clientId, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientsGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise> {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).clientsGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {CreateAccessTokenRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n createAccessTokenWithrequestModelPost(body?: CreateAccessTokenRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).createAccessTokenWithrequestModelPost(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {EditAppClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n editAppWithrequestModelPut(body?: EditAppClientRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).editAppWithrequestModelPut(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {EditTokenClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n editTokenWithrequestModelPut(body?: EditTokenClientRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).editTokenWithrequestModelPut(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} [email]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n emailExistWithemailGet(email?: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).emailExistWithemailGet(email, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n hasWithdrawRefundGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).hasWithdrawRefundGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {UsernamePasswordCredentialsDto} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n refundLoginWithrequestModelPost(body?: UsernamePasswordCredentialsDto, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).refundLoginWithrequestModelPost(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n removeClientWithrequestModelDelete(clientId: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).removeClientWithrequestModelDelete(clientId, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {RenewAccessTokenRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n renewAccessTokenWithrequestModelPut(body?: RenewAccessTokenRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).renewAccessTokenWithrequestModelPut(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n renewSecretWithrequestModelPut(clientId: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).renewSecretWithrequestModelPut(clientId, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n revokeClientWithrequestModelDelete(clientId: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).revokeClientWithrequestModelDelete(clientId, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n revokeWithrequestModelPut(clientId: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).revokeWithrequestModelPut(clientId, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n scopesGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).scopesGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {CreateTokenClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n tokenWithrequestModelPost(body?: CreateTokenClientRequestModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).tokenWithrequestModelPost(body, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n tokensGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise> {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).tokensGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n totalBlockedWithclientIdGet(clientId: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).totalBlockedWithclientIdGet(clientId, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n totalUsersWithclientIdGet(clientId: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).totalUsersWithclientIdGet(clientId, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n totalVerifiedWithclientIdGet(clientId: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).totalVerifiedWithclientIdGet(clientId, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n trustsGet(options?: any): (fetch?: FetchAPI, basePath?: string) => Promise> {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).trustsGet(options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n *\n * @param {number} [page]\n * @param {number} [pageSize]\n * @param {string} [filter]\n * @param {string} [orderBy]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n userClientsWithpageWithpageSizeWithfilterWithorderByGet(page?: number, pageSize?: number, filter?: string, orderBy?: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = ClientApiApiFetchParamCreator(configuration).userClientsWithpageWithpageSizeWithfilterWithorderByGet(page, pageSize, filter, orderBy, options);\n return (fetch: FetchAPI = isomorphicFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n }\n};\n\n/**\n * ClientApiApi - factory interface\n * @export\n */\nexport const ClientApiApiFactory = function (configuration?: Configuration, fetch?: FetchAPI, basePath?: string) {\n return {\n /**\n *\n * @param {CreateAppClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n appWithrequestModelPost(body?: CreateAppClientRequestModel, options?: any) {\n return ClientApiApiFp(configuration).appWithrequestModelPost(body, options)(fetch, basePath);\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n appsGet(options?: any) {\n return ClientApiApiFp(configuration).appsGet(options)(fetch, basePath);\n },\n /**\n *\n * @param {CreateClientRegisterRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterInitWithrequestModelPost(body?: CreateClientRegisterRequestModel, options?: any) {\n return ClientApiApiFp(configuration).clientRegisterInitWithrequestModelPost(body, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} clientId\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterListCountWithclientIdWithsearchDateFromWithsearchDateToGet(clientId: string, searchDateFrom?: Date, searchDateTo?: Date, options?: any) {\n return ClientApiApiFp(configuration).clientRegisterListCountWithclientIdWithsearchDateFromWithsearchDateToGet(clientId, searchDateFrom, searchDateTo, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} clientId\n * @param {number} [offset]\n * @param {number} [limit]\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterListWithclientIdWithoffsetWithlimitWithsearchDateFromWithsearchDateToGet(clientId: string, offset?: number, limit?: number, searchDateFrom?: Date, searchDateTo?: Date, options?: any) {\n return ClientApiApiFp(configuration).clientRegisterListWithclientIdWithoffsetWithlimitWithsearchDateFromWithsearchDateToGet(clientId, offset, limit, searchDateFrom, searchDateTo, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} id\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterWithidDelete(id: string, options?: any) {\n return ClientApiApiFp(configuration).clientRegisterWithidDelete(id, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} id\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterWithidGet(id: string, options?: any) {\n return ClientApiApiFp(configuration).clientRegisterWithidGet(id, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} id\n * @param {EditClientRegisterRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterWithidWithrequestModelPut(id: string, body?: EditClientRegisterRequestModel, options?: any) {\n return ClientApiApiFp(configuration).clientRegisterWithidWithrequestModelPut(id, body, options)(fetch, basePath);\n },\n /**\n *\n * @param {CreateClientRegisterRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientRegisterWithrequestModelPost(body?: CreateClientRegisterRequestModel, options?: any) {\n return ClientApiApiFp(configuration).clientRegisterWithrequestModelPost(body, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} clientid\n * @param {UserVerificationTypeEnum} [userVerifyType]\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientUserCountWithclientidWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet(clientid: string, userVerifyType?: UserVerificationTypeEnum, searchDateFrom?: Date, searchDateTo?: Date, options?: any) {\n return ClientApiApiFp(configuration).clientUserCountWithclientidWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet(clientid, userVerifyType, searchDateFrom, searchDateTo, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} clientId\n * @param {number} [offset]\n * @param {number} [limit]\n * @param {UserVerificationTypeEnum} [userVerifyType]\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientUserWithclientIdWithoffsetWithlimitWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet(clientId: string, offset?: number, limit?: number, userVerifyType?: UserVerificationTypeEnum, searchDateFrom?: Date, searchDateTo?: Date, options?: any) {\n return ClientApiApiFp(configuration).clientUserWithclientIdWithoffsetWithlimitWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet(clientId, offset, limit, userVerifyType, searchDateFrom, searchDateTo, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} clientId\n * @param {number} userId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientUserWithclientIdWithuserIdGet(clientId: string, userId: number, options?: any) {\n return ClientApiApiFp(configuration).clientUserWithclientIdWithuserIdGet(clientId, userId, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientWithclientIdGet(clientId: string, options?: any) {\n return ClientApiApiFp(configuration).clientWithclientIdGet(clientId, options)(fetch, basePath);\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n clientsGet(options?: any) {\n return ClientApiApiFp(configuration).clientsGet(options)(fetch, basePath);\n },\n /**\n *\n * @param {CreateAccessTokenRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n createAccessTokenWithrequestModelPost(body?: CreateAccessTokenRequestModel, options?: any) {\n return ClientApiApiFp(configuration).createAccessTokenWithrequestModelPost(body, options)(fetch, basePath);\n },\n /**\n *\n * @param {EditAppClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n editAppWithrequestModelPut(body?: EditAppClientRequestModel, options?: any) {\n return ClientApiApiFp(configuration).editAppWithrequestModelPut(body, options)(fetch, basePath);\n },\n /**\n *\n * @param {EditTokenClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n editTokenWithrequestModelPut(body?: EditTokenClientRequestModel, options?: any) {\n return ClientApiApiFp(configuration).editTokenWithrequestModelPut(body, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} [email]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n emailExistWithemailGet(email?: string, options?: any) {\n return ClientApiApiFp(configuration).emailExistWithemailGet(email, options)(fetch, basePath);\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n hasWithdrawRefundGet(options?: any) {\n return ClientApiApiFp(configuration).hasWithdrawRefundGet(options)(fetch, basePath);\n },\n /**\n *\n * @param {UsernamePasswordCredentialsDto} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n refundLoginWithrequestModelPost(body?: UsernamePasswordCredentialsDto, options?: any) {\n return ClientApiApiFp(configuration).refundLoginWithrequestModelPost(body, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n removeClientWithrequestModelDelete(clientId: string, options?: any) {\n return ClientApiApiFp(configuration).removeClientWithrequestModelDelete(clientId, options)(fetch, basePath);\n },\n /**\n *\n * @param {RenewAccessTokenRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n renewAccessTokenWithrequestModelPut(body?: RenewAccessTokenRequestModel, options?: any) {\n return ClientApiApiFp(configuration).renewAccessTokenWithrequestModelPut(body, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n renewSecretWithrequestModelPut(clientId: string, options?: any) {\n return ClientApiApiFp(configuration).renewSecretWithrequestModelPut(clientId, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n revokeClientWithrequestModelDelete(clientId: string, options?: any) {\n return ClientApiApiFp(configuration).revokeClientWithrequestModelDelete(clientId, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n revokeWithrequestModelPut(clientId: string, options?: any) {\n return ClientApiApiFp(configuration).revokeWithrequestModelPut(clientId, options)(fetch, basePath);\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n scopesGet(options?: any) {\n return ClientApiApiFp(configuration).scopesGet(options)(fetch, basePath);\n },\n /**\n *\n * @param {CreateTokenClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n tokenWithrequestModelPost(body?: CreateTokenClientRequestModel, options?: any) {\n return ClientApiApiFp(configuration).tokenWithrequestModelPost(body, options)(fetch, basePath);\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n tokensGet(options?: any) {\n return ClientApiApiFp(configuration).tokensGet(options)(fetch, basePath);\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n totalBlockedWithclientIdGet(clientId: string, options?: any) {\n return ClientApiApiFp(configuration).totalBlockedWithclientIdGet(clientId, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n totalUsersWithclientIdGet(clientId: string, options?: any) {\n return ClientApiApiFp(configuration).totalUsersWithclientIdGet(clientId, options)(fetch, basePath);\n },\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n totalVerifiedWithclientIdGet(clientId: string, options?: any) {\n return ClientApiApiFp(configuration).totalVerifiedWithclientIdGet(clientId, options)(fetch, basePath);\n },\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n trustsGet(options?: any) {\n return ClientApiApiFp(configuration).trustsGet(options)(fetch, basePath);\n },\n /**\n *\n * @param {number} [page]\n * @param {number} [pageSize]\n * @param {string} [filter]\n * @param {string} [orderBy]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n userClientsWithpageWithpageSizeWithfilterWithorderByGet(page?: number, pageSize?: number, filter?: string, orderBy?: string, options?: any) {\n return ClientApiApiFp(configuration).userClientsWithpageWithpageSizeWithfilterWithorderByGet(page, pageSize, filter, orderBy, options)(fetch, basePath);\n },\n };\n};\n\n/**\n * ClientApiApi - object-oriented interface\n * @export\n * @class ClientApiApi\n * @extends {BaseAPI}\n */\nexport class ClientApiApi extends BaseAPI {\n /**\n *\n * @param {CreateAppClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public appWithrequestModelPost(body?: CreateAppClientRequestModel, options?: any) {\n return ClientApiApiFp(this.configuration).appWithrequestModelPost(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public appsGet(options?: any) {\n return ClientApiApiFp(this.configuration).appsGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {CreateClientRegisterRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public clientRegisterInitWithrequestModelPost(body?: CreateClientRegisterRequestModel, options?: any) {\n return ClientApiApiFp(this.configuration).clientRegisterInitWithrequestModelPost(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} clientId\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public clientRegisterListCountWithclientIdWithsearchDateFromWithsearchDateToGet(clientId: string, searchDateFrom?: Date, searchDateTo?: Date, options?: any) {\n return ClientApiApiFp(this.configuration).clientRegisterListCountWithclientIdWithsearchDateFromWithsearchDateToGet(clientId, searchDateFrom, searchDateTo, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} clientId\n * @param {number} [offset]\n * @param {number} [limit]\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public clientRegisterListWithclientIdWithoffsetWithlimitWithsearchDateFromWithsearchDateToGet(clientId: string, offset?: number, limit?: number, searchDateFrom?: Date, searchDateTo?: Date, options?: any) {\n return ClientApiApiFp(this.configuration).clientRegisterListWithclientIdWithoffsetWithlimitWithsearchDateFromWithsearchDateToGet(clientId, offset, limit, searchDateFrom, searchDateTo, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} id\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public clientRegisterWithidDelete(id: string, options?: any) {\n return ClientApiApiFp(this.configuration).clientRegisterWithidDelete(id, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} id\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public clientRegisterWithidGet(id: string, options?: any) {\n return ClientApiApiFp(this.configuration).clientRegisterWithidGet(id, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} id\n * @param {EditClientRegisterRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public clientRegisterWithidWithrequestModelPut(id: string, body?: EditClientRegisterRequestModel, options?: any) {\n return ClientApiApiFp(this.configuration).clientRegisterWithidWithrequestModelPut(id, body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {CreateClientRegisterRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public clientRegisterWithrequestModelPost(body?: CreateClientRegisterRequestModel, options?: any) {\n return ClientApiApiFp(this.configuration).clientRegisterWithrequestModelPost(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} clientid\n * @param {UserVerificationTypeEnum} [userVerifyType]\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public clientUserCountWithclientidWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet(clientid: string, userVerifyType?: UserVerificationTypeEnum, searchDateFrom?: Date, searchDateTo?: Date, options?: any) {\n return ClientApiApiFp(this.configuration).clientUserCountWithclientidWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet(clientid, userVerifyType, searchDateFrom, searchDateTo, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} clientId\n * @param {number} [offset]\n * @param {number} [limit]\n * @param {UserVerificationTypeEnum} [userVerifyType]\n * @param {Date} [searchDateFrom]\n * @param {Date} [searchDateTo]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public clientUserWithclientIdWithoffsetWithlimitWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet(clientId: string, offset?: number, limit?: number, userVerifyType?: UserVerificationTypeEnum, searchDateFrom?: Date, searchDateTo?: Date, options?: any) {\n return ClientApiApiFp(this.configuration).clientUserWithclientIdWithoffsetWithlimitWithuserVerifyTypeWithsearchDateFromWithsearchDateToGet(clientId, offset, limit, userVerifyType, searchDateFrom, searchDateTo, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} clientId\n * @param {number} userId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public clientUserWithclientIdWithuserIdGet(clientId: string, userId: number, options?: any) {\n return ClientApiApiFp(this.configuration).clientUserWithclientIdWithuserIdGet(clientId, userId, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public clientWithclientIdGet(clientId: string, options?: any) {\n return ClientApiApiFp(this.configuration).clientWithclientIdGet(clientId, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public clientsGet(options?: any) {\n return ClientApiApiFp(this.configuration).clientsGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {CreateAccessTokenRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public createAccessTokenWithrequestModelPost(body?: CreateAccessTokenRequestModel, options?: any) {\n return ClientApiApiFp(this.configuration).createAccessTokenWithrequestModelPost(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {EditAppClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public editAppWithrequestModelPut(body?: EditAppClientRequestModel, options?: any) {\n return ClientApiApiFp(this.configuration).editAppWithrequestModelPut(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {EditTokenClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public editTokenWithrequestModelPut(body?: EditTokenClientRequestModel, options?: any) {\n return ClientApiApiFp(this.configuration).editTokenWithrequestModelPut(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} [email]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public emailExistWithemailGet(email?: string, options?: any) {\n return ClientApiApiFp(this.configuration).emailExistWithemailGet(email, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public hasWithdrawRefundGet(options?: any) {\n return ClientApiApiFp(this.configuration).hasWithdrawRefundGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {UsernamePasswordCredentialsDto} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public refundLoginWithrequestModelPost(body?: UsernamePasswordCredentialsDto, options?: any) {\n return ClientApiApiFp(this.configuration).refundLoginWithrequestModelPost(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public removeClientWithrequestModelDelete(clientId: string, options?: any) {\n return ClientApiApiFp(this.configuration).removeClientWithrequestModelDelete(clientId, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {RenewAccessTokenRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public renewAccessTokenWithrequestModelPut(body?: RenewAccessTokenRequestModel, options?: any) {\n return ClientApiApiFp(this.configuration).renewAccessTokenWithrequestModelPut(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public renewSecretWithrequestModelPut(clientId: string, options?: any) {\n return ClientApiApiFp(this.configuration).renewSecretWithrequestModelPut(clientId, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public revokeClientWithrequestModelDelete(clientId: string, options?: any) {\n return ClientApiApiFp(this.configuration).revokeClientWithrequestModelDelete(clientId, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public revokeWithrequestModelPut(clientId: string, options?: any) {\n return ClientApiApiFp(this.configuration).revokeWithrequestModelPut(clientId, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public scopesGet(options?: any) {\n return ClientApiApiFp(this.configuration).scopesGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {CreateTokenClientRequestModel} [body]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public tokenWithrequestModelPost(body?: CreateTokenClientRequestModel, options?: any) {\n return ClientApiApiFp(this.configuration).tokenWithrequestModelPost(body, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public tokensGet(options?: any) {\n return ClientApiApiFp(this.configuration).tokensGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public totalBlockedWithclientIdGet(clientId: string, options?: any) {\n return ClientApiApiFp(this.configuration).totalBlockedWithclientIdGet(clientId, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public totalUsersWithclientIdGet(clientId: string, options?: any) {\n return ClientApiApiFp(this.configuration).totalUsersWithclientIdGet(clientId, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {string} clientId\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public totalVerifiedWithclientIdGet(clientId: string, options?: any) {\n return ClientApiApiFp(this.configuration).totalVerifiedWithclientIdGet(clientId, options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public trustsGet(options?: any) {\n return ClientApiApiFp(this.configuration).trustsGet(options)(this.fetch, this.basePath);\n }\n\n /**\n *\n * @param {number} [page]\n * @param {number} [pageSize]\n * @param {string} [filter]\n * @param {string} [orderBy]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n * @memberof ClientApiApi\n */\n public userClientsWithpageWithpageSizeWithfilterWithorderByGet(page?: number, pageSize?: number, filter?: string, orderBy?: string, options?: any) {\n return ClientApiApiFp(this.configuration).userClientsWithpageWithpageSizeWithfilterWithorderByGet(page, pageSize, filter, orderBy, options)(this.fetch, this.basePath);\n }\n\n}\n\n/**\n * OauthApi - oauth service apis\n * @export\n */\nexport const OauthApiFetchParamCreator = function (configuration?: Configuration) {\n return {\n deleteClientClientRegister(id: string, options: any = {}): FetchArgs {\n // verify required parameter 'id' is not null or undefined\n if (id === null || id === undefined) {\n throw new RequiredError('id', 'Required parameter id was null or undefined when calling deleteClientClientRegister.');\n }\n const localVarPath = '/v1/client/DeleteClientRegister/{id}'\n .replace(`{${'id'}}`, encodeURIComponent(String(id)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'DELETE' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken('oauth2')\n : configuration.accessToken;\n localVarHeaderParameter.Authorization = `Bearer ${localVarAccessTokenValue}`;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n * @summary پاک کردن کوکی و غیرفعال کردن توکن\n * @param {string} [clientid]\n * @param {string} [token]\n * @param {string} [returnUrl]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n frontLogout(clientid: string, token: string, returnUrl?: string, options: any = {}): FetchArgs {\n // verify required parameter 'token' is not null or undefined\n if (clientid === null || clientid === undefined) {\n throw new RequiredError('clientid', 'Required parameter clientid was null or undefined when calling frontLogout.');\n }\n // verify required parameter 'token' is not null or undefined\n if (token === null || token === undefined) {\n throw new RequiredError('token', 'Required parameter token was null or undefined when calling frontLogout.');\n }\n const localVarPath = '/Account/FrontLogout?clientid={clientid}&token={token}&returnUrl={returnUrl}'\n .replace(`{${'clientid'}}`, encodeURIComponent(String(clientid)))\n .replace(`{${'token'}}`, encodeURIComponent(String(token)))\n .replace(`{${'returnUrl'}}`, encodeURIComponent(String(returnUrl)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication Bearer required\n if (configuration && configuration.apiKey) {\n const localVarApiKeyValue = typeof configuration.apiKey === 'function'\n ? configuration.apiKey(\"Authorization\")\n : configuration.apiKey;\n localVarHeaderParameter[\"Authorization\"] = localVarApiKeyValue;\n }\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken('oauth2')\n : configuration.accessToken;\n localVarHeaderParameter.Authorization = `Bearer ${localVarAccessTokenValue}`;\n }\n\n if (clientid !== undefined) {\n localVarQueryParameter['clientid'] = clientid;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n getClientClientRegisterDetail(id: string, options: any = {}): FetchArgs {\n // verify required parameter 'id' is not null or undefined\n if (id === null || id === undefined) {\n throw new RequiredError('id', 'Required parameter id was null or undefined when calling getClientClientRegisterDetail.');\n }\n const localVarPath = '/v1/client/ClientRegister/{id}'\n .replace(`{${'id'}}`, encodeURIComponent(String(id)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken('oauth2')\n : configuration.accessToken;\n localVarHeaderParameter.Authorization = `Bearer ${localVarAccessTokenValue}`;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n getClientClientRegisterList(clientId: string, offset?: number, limit?: number, searchDateFrom?: string, searchDateTo?: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId', 'Required parameter clientId was null or undefined when calling getClientClientRegisterList.');\n }\n const localVarPath = '/v1/client/ClientRegisterList/{clientId}'\n .replace(`{${'clientId'}}`, encodeURIComponent(String(clientId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken('oauth2')\n : configuration.accessToken;\n localVarHeaderParameter.Authorization = `Bearer ${localVarAccessTokenValue}`;\n }\n\n if (offset !== undefined) {\n localVarQueryParameter.offset = offset;\n }\n\n if (limit !== undefined) {\n localVarQueryParameter.limit = limit;\n }\n\n if (searchDateFrom !== undefined) {\n localVarQueryParameter.searchDateFrom = searchDateFrom;\n }\n\n if (searchDateTo !== undefined) {\n localVarQueryParameter.searchDateTo = searchDateTo;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n getClientClientRegisterListCount(clientId: string, searchDateFrom?: string, searchDateTo?: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId', 'Required parameter clientId was null or undefined when calling getClientClientRegisterList.');\n }\n const localVarPath = '/v1/client/ClientRegisterListCount/{clientId}'\n .replace(`{${'clientId'}}`, encodeURIComponent(String(clientId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken('oauth2')\n : configuration.accessToken;\n localVarHeaderParameter.Authorization = `Bearer ${localVarAccessTokenValue}`;\n }\n\n if (searchDateFrom !== undefined) {\n localVarQueryParameter.searchDateFrom = searchDateFrom;\n }\n\n if (searchDateTo !== undefined) {\n localVarQueryParameter.searchDateTo = searchDateTo;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n getClientClientUserDetail(clientId: string, userid: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId', 'Required parameter clientId was null or undefined when calling getClientClientUserDetail.');\n }\n // verify required parameter 'userid' is not null or undefined\n if (userid === null || userid === undefined) {\n throw new RequiredError('userid', 'Required parameter userid was null or undefined when calling getClientClientUserDetail.');\n }\n const localVarPath = '/v1/client/ClientUser/{clientid}/{userid}'\n .replace(`{${'clientid'}}`, encodeURIComponent(String(clientId)))\n .replace(`{${'userid'}}`, encodeURIComponent(String(userid)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken('oauth2')\n : configuration.accessToken;\n localVarHeaderParameter.Authorization = `Bearer ${localVarAccessTokenValue}`;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n getClientClientUserList(clientId: string, offset?: number, limit?: number, search?: string, userVerifyType?: UserVerifyTypeEnum, searchDateFrom?: string, searchDateTo?: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId', 'Required parameter clientId was null or undefined when calling getClientClientUserList.');\n }\n const localVarPath = '/v1/client/ClientUser/{clientId}'\n .replace(`{${'clientId'}}`, encodeURIComponent(String(clientId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken('oauth2')\n : configuration.accessToken;\n localVarHeaderParameter.Authorization = `Bearer ${localVarAccessTokenValue}`;\n }\n\n if (offset !== undefined) {\n localVarQueryParameter.offset = offset;\n }\n\n if (limit !== undefined) {\n localVarQueryParameter.limit = limit;\n }\n\n if (search !== undefined) {\n localVarQueryParameter.search = search;\n }\n\n if (userVerifyType !== undefined) {\n localVarQueryParameter.userVerifyType = userVerifyType;\n }\n\n if (searchDateFrom !== undefined) {\n localVarQueryParameter.searchDateFrom = searchDateFrom;\n }\n\n if (searchDateTo !== undefined) {\n localVarQueryParameter.searchDateTo = searchDateTo;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n getClientClientUserListCount(clientId: string, search?: string, userVerifyType?: UserVerifyTypeEnum, searchDateFrom?: string, searchDateTo?: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId', 'Required parameter clientId was null or undefined when calling getClientClientUserList.');\n }\n const localVarPath = '/v1/client/ClientUserCount/{clientId}'\n .replace(`{${'clientId'}}`, encodeURIComponent(String(clientId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken('oauth2')\n : configuration.accessToken;\n localVarHeaderParameter.Authorization = `Bearer ${localVarAccessTokenValue}`;\n }\n\n if (search !== undefined) {\n localVarQueryParameter.search = search;\n }\n\n if (userVerifyType !== undefined) {\n localVarQueryParameter.userVerifyType = userVerifyType;\n }\n\n if (searchDateFrom !== undefined) {\n localVarQueryParameter.searchDateFrom = searchDateFrom;\n }\n\n if (searchDateTo !== undefined) {\n localVarQueryParameter.searchDateTo = searchDateTo;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n * @summary آیا کاربر در پی پینگ اکانت دارد\n * @param {string} [email]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n getClientEmailExist(email: string, options: any = {}): FetchArgs {\n // verify required parameter 'email' is not null or undefined\n if (email === null || email === undefined) {\n throw new RequiredError('email', 'Required parameter email was null or undefined when calling emailExist.');\n }\n const localVarPath = '/v1/client/EmailExist?Email={email}'\n .replace(`{${'email'}}`, encodeURIComponent(String(email)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken('oauth2')\n : configuration.accessToken;\n localVarHeaderParameter.Authorization = `Bearer ${localVarAccessTokenValue}`;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n getClientTotalUsers(clientId: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId', 'Required parameter clientId was null or undefined when calling getClientTotalUsers.');\n }\n const localVarPath = '/v1/client/TotalUsers/{clientId}'\n .replace(`{${'clientId'}}`, encodeURIComponent(String(clientId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken('oauth2')\n : configuration.accessToken;\n localVarHeaderParameter.Authorization = `Bearer ${localVarAccessTokenValue}`;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n getClientTotalVerified(clientId: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId', 'Required parameter clientId was null or undefined when calling getClientTotalUsers.');\n }\n const localVarPath = '/v1/client/TotalVerified/{clientId}'\n .replace(`{${'clientId'}}`, encodeURIComponent(String(clientId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken('oauth2')\n : configuration.accessToken;\n localVarHeaderParameter.Authorization = `Bearer ${localVarAccessTokenValue}`;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n getClientTotalBlocked(clientId: string, options: any = {}): FetchArgs {\n // verify required parameter 'clientId' is not null or undefined\n if (clientId === null || clientId === undefined) {\n throw new RequiredError('clientId', 'Required parameter clientId was null or undefined when calling getClientTotalUsers.');\n }\n const localVarPath = '/v1/client/TotalBlocked/{clientId}'\n .replace(`{${'clientId'}}`, encodeURIComponent(String(clientId)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'GET' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken('oauth2')\n : configuration.accessToken;\n localVarHeaderParameter.Authorization = `Bearer ${localVarAccessTokenValue}`;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n /**\n * @summary ارسال اطلاعات کاربر و در یافت کد ثبت نام\n * @param {ClientRegisterCreateViewModel} [userData]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n postClientClientRegister(userData: ClientRegisterCreateViewModel, options: any = {}): FetchArgs {\n // verify required parameter 'email' is not null or undefined\n if (userData === null || userData === undefined) {\n throw new RequiredError('userData', 'Required parameter userData was null or undefined when calling postClientClientRegister.');\n }\n const localVarPath = '/v1/client/ClientRegister';\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'POST' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken('oauth2')\n : configuration.accessToken;\n localVarHeaderParameter.Authorization = `Bearer ${localVarAccessTokenValue}`;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = (\"ClientRegisterCreateViewModel\" !== \"string\") || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(userData || {}) : (userData || \"\");\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n putClientClientRegister(id: string, model?: ClientRegisterDetailViewModel, options: any = {}): FetchArgs {\n const localVarPath = '/v1/client/ClientRegister/{id}'\n .replace(`{${'id'}}`, encodeURIComponent(String(id)));\n const localVarUrlObj = url.parse(localVarPath, true);\n const localVarRequestOptions = Object.assign({ method: 'PUT' }, options);\n const localVarHeaderParameter = {} as any;\n const localVarQueryParameter = {} as any;\n\n // authentication oauth2 required\n // oauth required\n if (configuration && configuration.accessToken) {\n const localVarAccessTokenValue = typeof configuration.accessToken === 'function'\n ? configuration.accessToken('oauth2')\n : configuration.accessToken;\n localVarHeaderParameter.Authorization = `Bearer ${localVarAccessTokenValue}`;\n }\n\n localVarUrlObj.query = Object.assign({}, localVarUrlObj.query, localVarQueryParameter, options.query);\n // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943\n delete localVarUrlObj.search;\n localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers);\n const needsSerialization = ('ClientRegisterEditViewModel' !== 'string') || localVarRequestOptions.headers['Content-Type'] === 'application/json';\n localVarRequestOptions.body = needsSerialization ? JSON.stringify(model || {}) : (model || '');\n\n return {\n url: url.format(localVarUrlObj),\n options: localVarRequestOptions,\n };\n },\n }\n};\n/**\n * OauthApi - functional programming interface\n * @export\n */\nexport const OauthApiFp = function(configuration?: Configuration) {\n return {\n deleteClientClientRegister(id: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = OauthApiFetchParamCreator(configuration).deleteClientClientRegister(id, options);\n return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n * @summary پاک کردن کوکی و غیرفعال کردن توکن\n * @param {string} [clientid]\n * @param {string} [token]\n * @param {string} [returnUrl]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n frontLogout(clientid: string, token: string, returnUrl?: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = OauthApiFetchParamCreator(configuration).frontLogout(clientid, token, returnUrl, options);\n return (fetch: FetchAPI = portableFetch, basePath: string = OAUTH_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n getClientClientRegisterDetail(id: string, options: any = {}): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = OauthApiFetchParamCreator(configuration).getClientClientRegisterDetail(id, options);\n return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n getClientClientRegisterList(clientId: string, offset?: number, limit?: number, searchDateFrom?: string, searchDateTo?: string, options: any = {}): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = OauthApiFetchParamCreator(configuration).getClientClientRegisterList(clientId, offset, limit, searchDateFrom, searchDateTo, options);\n return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n getClientClientRegisterListCount(clientId: string, searchDateFrom?: string, searchDateTo?: string, options: any = {}): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = OauthApiFetchParamCreator(configuration).getClientClientRegisterListCount(clientId, searchDateFrom, searchDateTo, options);\n return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n getClientClientUserDetail(clientId: string, userid: string, options: any = {}): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = OauthApiFetchParamCreator(configuration).getClientClientUserDetail(clientId, userid, options);\n return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n getClientClientUserList(clientId: string, offset?: number, limit?: number, search?: string, userVerifyType?: UserVerifyTypeEnum, searchDateFrom?: string, searchDateTo?: string, options: any = {}): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = OauthApiFetchParamCreator(configuration).getClientClientUserList(clientId, offset, limit, search, userVerifyType, searchDateFrom, searchDateTo, options);\n return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n getClientClientUserListCount(clientId: string, search?: string, userVerifyType?: UserVerifyTypeEnum, searchDateFrom?: string, searchDateTo?: string, options: any = {}): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = OauthApiFetchParamCreator(configuration).getClientClientUserListCount(clientId, search, userVerifyType, searchDateFrom, searchDateTo, options);\n return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n * @summary آیا کاربر در پی پینگ اکانت دارد\n * @param {string} [email]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n getClientEmailExist(email: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = OauthApiFetchParamCreator(configuration).getClientEmailExist(email, options);\n return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n getClientTotalUsers(clientId: string, options: any = {}): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = OauthApiFetchParamCreator(configuration).getClientTotalUsers(clientId, options);\n return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n getClientTotalVerified(clientId: string, options: any = {}): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = OauthApiFetchParamCreator(configuration).getClientTotalVerified(clientId, options);\n return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n getClientTotalBlocked(clientId: string, options: any = {}): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = OauthApiFetchParamCreator(configuration).getClientTotalBlocked(clientId, options);\n return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n /**\n * @summary ارسال اطلاعات کاربر و در یافت کد ثبت نام\n * @param {ClientRegisterCreateViewModel} [userData]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n postClientClientRegister(userData: ClientRegisterCreateViewModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = OauthApiFetchParamCreator(configuration).postClientClientRegister(userData, options);\n return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response.json();\n } else {\n throw response;\n }\n });\n };\n },\n putClientClientRegister(id: string, model?: ClientRegisterDetailViewModel, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise {\n const localVarFetchArgs = OauthApiFetchParamCreator(configuration).putClientClientRegister(id, model, options);\n return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => {\n return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then((response) => {\n if (response.status >= 200 && response.status < 300) {\n return response;\n } else {\n throw response;\n }\n });\n };\n },\n }\n};\n/**\n * OauthApi - factory interface\n * @export\n */\nexport const OauthApiFactory = function (configuration?: Configuration, fetch?: FetchAPI, basePath?: string) {\n return {\n deleteClientClientRegister(id: string, options?: any) {\n return OauthApiFp(configuration).deleteClientClientRegister(id, options)(fetch, basePath);\n },\n /**\n * @summary پاک کردن کوکی و غیرفعال کردن توکن\n * @param {string} [clientid]\n * @param {string} [token]\n * @param {string} [returnUrl]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n frontLogout(clientid: string, token: string, returnUrl?: string, options?: any) {\n return OauthApiFp(configuration).frontLogout(clientid, token, returnUrl, options)(fetch, basePath);\n },\n getClientClientRegisterDetail(id: string, options: any = {}) {\n return OauthApiFp(configuration).getClientClientRegisterDetail(id, options)(fetch, basePath);\n },\n getClientClientRegisterList(clientId: string, offset?: number, limit?: number, searchDateFrom?: string, searchDateTo?: string, options: any = {}) {\n return OauthApiFp(configuration).getClientClientRegisterList(clientId, offset, limit, searchDateFrom, searchDateTo, options)(fetch, basePath);\n },\n getClientClientRegisterListCount(clientId: string, searchDateFrom?: string, searchDateTo?: string, options: any = {}) {\n return OauthApiFp(configuration).getClientClientRegisterListCount(clientId, searchDateFrom, searchDateTo, options)(fetch, basePath);\n },\n getClientClientUserDetail(clientId: string, userid: string, options: any = {}) {\n return OauthApiFp(configuration).getClientClientUserDetail(clientId, userid, options)(fetch, basePath);\n },\n getClientClientUserList(clientId: string, offset?: number, limit?: number, search?: string, userVerifyType?: UserVerifyTypeEnum, searchDateFrom?: string, searchDateTo?: string, options: any = {}) {\n return OauthApiFp(configuration).getClientClientUserList(clientId, offset, limit, search, userVerifyType, searchDateFrom, searchDateTo, options)(fetch, basePath);\n },\n getClientClientUserListCount(clientId: string, search?: string, userVerifyType?: UserVerifyTypeEnum, searchDateFrom?: string, searchDateTo?: string, options: any = {}) {\n return OauthApiFp(configuration).getClientClientUserListCount(clientId, search, userVerifyType, searchDateFrom, searchDateTo, options)(fetch, basePath);\n },\n /**\n * @summary آیا کاربر در پی پینگ اکانت دارد\n * @param {string} [email]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n getClientEmailExist(email: string, options?: any) {\n return OauthApiFp(configuration).getClientEmailExist(email, options)(fetch, basePath);\n },\n getClientTotalUsers(clientId: string, options: any = {}) {\n return OauthApiFp(configuration).getClientTotalUsers(clientId, options)(fetch, basePath);\n },\n getClientTotalVerified(clientId: string, options: any = {}) {\n return OauthApiFp(configuration).getClientTotalVerified(clientId, options)(fetch, basePath);\n },\n getClientTotalBlocked(clientId: string, options: any = {}) {\n return OauthApiFp(configuration).getClientTotalBlocked(clientId, options)(fetch, basePath);\n },\n /**\n * @summary ارسال اطلاعات کاربر و در یافت کد ثبت نام\n * @param {ClientRegisterCreateViewModel} [userData]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n postClientClientRegister(userData: ClientRegisterCreateViewModel, options?: any) {\n return OauthApiFp(configuration).postClientClientRegister(userData, options)(fetch, basePath);\n },\n putClientClientRegister(id: string, model?: ClientRegisterDetailViewModel, options?: any) {\n return OauthApiFp(configuration).putClientClientRegister(id, model, options)(fetch, basePath);\n },\n };\n};\n/**\n * OauthApi - object-oriented interface\n * @export\n * @class OauthApi\n * @extends {BaseAPI}\n */\nexport class OauthApi extends BaseAPI {\n public deleteClientClientRegister(id: string, options?: any) {\n return OauthApiFp(this.configuration).deleteClientClientRegister(id, options)(this.fetch, this.basePath);\n }\n\n /**\n * @summary پاک کردن کوکی و غیرفعال کردن توکن\n * @param {string} [clientid]\n * @param {string} [token]\n * @param {string} [returnUrl]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n public frontLogout(clientid: string, token: string, returnUrl?: string, options?: any) {\n return OauthApiFp(this.configuration).frontLogout(clientid, token, returnUrl, options)(this.fetch, this.basePath);\n }\n\n public getClientClientRegisterDetail(id: string, options: any = {}) {\n return OauthApiFp(this.configuration).getClientClientRegisterDetail(id, options)(this.fetch, this.basePath);\n }\n\n public getClientClientRegisterList(clientId: string, offset?: number, limit?: number, searchDateFrom?: string, searchDateTo?: string, options: any = {}) {\n return OauthApiFp(this.configuration).getClientClientRegisterList(clientId, offset, limit, searchDateFrom, searchDateTo, options)(this.fetch, this.basePath);\n }\n\n public getClientClientRegisterListCount(clientId: string, searchDateFrom?: string, searchDateTo?: string, options: any = {}) {\n return OauthApiFp(this.configuration).getClientClientRegisterListCount(clientId, searchDateFrom, searchDateTo, options)(this.fetch, this.basePath);\n }\n\n public getClientClientUserDetail(clientId: string, userid: string, options: any = {}) {\n return OauthApiFp(this.configuration).getClientClientUserDetail(clientId, userid, options)(this.fetch, this.basePath);\n }\n\n public getClientClientUserList(clientId: string, offset?: number, limit?: number, search?: string, userVerifyType?: UserVerifyTypeEnum, searchDateFrom?: string, searchDateTo?: string, options: any = {}) {\n return OauthApiFp(this.configuration).getClientClientUserList(clientId, offset, limit, search, userVerifyType, searchDateFrom, searchDateTo, options)(this.fetch, this.basePath);\n }\n\n public getClientClientUserListCount(clientId: string, search?: string, userVerifyType?: UserVerifyTypeEnum, searchDateFrom?: string, searchDateTo?: string, options: any = {}) {\n return OauthApiFp(this.configuration).getClientClientUserListCount(clientId, search, userVerifyType, searchDateFrom, searchDateTo, options)(this.fetch, this.basePath);\n }\n\n /**\n * @summary آیا کاربر در پی پینگ اکانت دارد\n * @param {string} [email]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n public getClientEmailExist(email: string, options?: any) {\n return OauthApiFp(this.configuration).getClientEmailExist(email, options)(this.fetch, this.basePath);\n }\n\n public getClientTotalUsers(clientId: string, options: any = {}) {\n return OauthApiFp(this.configuration).getClientTotalUsers(clientId, options)(this.fetch, this.basePath);\n }\n\n public getClientTotalVerified(clientId: string, options: any = {}) {\n return OauthApiFp(this.configuration).getClientTotalVerified(clientId, options)(this.fetch, this.basePath);\n }\n\n public getClientTotalBlocked(clientId: string, options: any = {}) {\n return OauthApiFp(this.configuration).getClientTotalBlocked(clientId, options)(this.fetch, this.basePath);\n }\n\n /**\n * @summary آیا کاربر در پی پینگ اکانت دارد\n * @param {ClientRegisterCreateViewModel} [userData]\n * @param {*} [options] Override http request option.\n * @throws {RequiredError}\n */\n public postClientClientRegister(userData: ClientRegisterCreateViewModel, options?: any) {\n return OauthApiFp(this.configuration).postClientClientRegister(userData, options)(this.fetch, this.basePath);\n }\n\n public putClientClientRegister(id: string, model?: ClientRegisterDetailViewModel, options?: any) {\n return OauthApiFp(this.configuration).putClientClientRegister(id, model, options)(this.fetch, this.basePath);\n }\n}\n","import { AffiliateApiFactory } from \"./api/affiliate\";\nimport { InvoiceV2ApiFactory } from \"./api/invoiceV2\";\nimport { FileApiFactory, ProfilePlanApiFactory, UserReadApiFactory, UserWriteApiFactory } from \"./api/user\";\nimport { Configuration } from \"../configurationApp\";\nimport { sdkFetchFactory } from \"../sdkFetchFactory\";\nimport { CategoryApiFactory } from \"./api/category\";\nimport { CouponV2ApiFactory } from \"./api/coupon\";\nimport { CustomerApiFactory } from \"./api/customer\";\nimport { MPosApiFactory } from \"./api/mpos\";\nimport { ClientWageApiFactory, PaymentApiFactory } from \"./api/payment\";\nimport { PermaLinkApiFactory } from \"./api/permalink\";\nimport { ProductApiFactory } from \"./api/product\";\nimport { ReportApiFactory } from \"./api/report\";\nimport { RequestApiFactory } from \"./api/request\";\nimport { ServiceApiFactory } from \"./api/service\";\nimport { UploadApiFactory } from \"./api/upload\";\nimport { WithdrawApiFactory } from \"./api/withdraw\";\nimport { AccountApiApiFactory, ClientApiApiFactory, OauthApiFactory } from \"./api/oauth\";\nimport { TimeLineApiFactory } from \"./api/timeline\";\nimport {\n CashOutApiFactory,\n DepositApiFactory,\n RequestApiFactory as RequestSettlementApiFactory,\n SettlementApiFactory,\n} from \"./api/cashOut\";\n\nexport const apiConfigs = new Configuration({});\n\n// /*#__PURE__*/ is set here to allow tree shaking of these functions, since because they are called here, they won't be removed otherwise\n// More info in: https://webpack.js.org/guides/tree-shaking/\n// Also 'sideEffects' property is set inside package.json to allow more tree shaking because there is nothing in this package with sideEffects\nexport const affiliateApis = /*#__PURE__*/ AffiliateApiFactory(apiConfigs);\nexport const categoryApis = /*#__PURE__*/ CategoryApiFactory(apiConfigs);\nexport const couponApis = /*#__PURE__*/ CouponV2ApiFactory(apiConfigs);\nexport const customerApis = /*#__PURE__*/ CustomerApiFactory(apiConfigs);\nexport const invoiceV2Apis = /*#__PURE__*/ InvoiceV2ApiFactory(apiConfigs);\nexport const mPosV2Apis = /*#__PURE__*/ MPosApiFactory(apiConfigs);\nexport const oauthApis = /*#__PURE__*/ OauthApiFactory(apiConfigs);\nexport const accountApis = /*#__PURE__*/ AccountApiApiFactory(apiConfigs);\nexport const clientApis = /*#__PURE__*/ ClientApiApiFactory(apiConfigs);\nexport const paymentApis = /*#__PURE__*/ PaymentApiFactory(apiConfigs);\nexport const clientWageApis = /*#__PURE__*/ ClientWageApiFactory(apiConfigs);\nexport const permalinkApis = /*#__PURE__*/ PermaLinkApiFactory(apiConfigs);\nexport const productApis = /*#__PURE__*/ ProductApiFactory(apiConfigs);\nexport const reportApis = /*#__PURE__*/ ReportApiFactory(apiConfigs);\nexport const requestApis = /*#__PURE__*/ RequestApiFactory(apiConfigs);\nexport const serviceApis = /*#__PURE__*/ ServiceApiFactory(apiConfigs);\nexport const uploadApis = /*#__PURE__*/ UploadApiFactory(apiConfigs);\nexport const withdrawApis = /*#__PURE__*/ WithdrawApiFactory(apiConfigs);\nexport const fileApis = /*#__PURE__*/ FileApiFactory(apiConfigs);\nexport const userApis = /*#__PURE__*/ { ...UserReadApiFactory(apiConfigs), ...UserWriteApiFactory(apiConfigs) };\nexport const planApis = /*#__PURE__*/ ProfilePlanApiFactory(apiConfigs);\nexport const timelineApis = /*#__PURE__*/ TimeLineApiFactory(apiConfigs);\nexport const cashOutApis = /*#__PURE__*/ CashOutApiFactory(apiConfigs);\nexport const depositApis = /*#__PURE__*/ DepositApiFactory(apiConfigs);\nexport const settlementApis = /*#__PURE__*/ SettlementApiFactory(apiConfigs);\nexport const requestSettlementApis = /*#__PURE__*/ RequestSettlementApiFactory(apiConfigs);\n\nexport const sdkFetch = /*#__PURE__*/ sdkFetchFactory(apiConfigs);\n","export default function _iterableToArray(iter) {\n if (typeof Symbol !== \"undefined\" && iter[Symbol.iterator] != null || iter[\"@@iterator\"] != null) return Array.from(iter);\n}","import arrayWithoutHoles from \"./arrayWithoutHoles.js\";\nimport iterableToArray from \"./iterableToArray.js\";\nimport unsupportedIterableToArray from \"./unsupportedIterableToArray.js\";\nimport nonIterableSpread from \"./nonIterableSpread.js\";\nexport default function _toConsumableArray(arr) {\n return arrayWithoutHoles(arr) || iterableToArray(arr) || unsupportedIterableToArray(arr) || nonIterableSpread();\n}","import arrayLikeToArray from \"./arrayLikeToArray.js\";\nexport default function _arrayWithoutHoles(arr) {\n if (Array.isArray(arr)) return arrayLikeToArray(arr);\n}","export default function _nonIterableSpread() {\n throw new TypeError(\"Invalid attempt to spread non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\");\n}","import _regeneratorRuntime from \"@babel/runtime/helpers/esm/regeneratorRuntime\";\nimport _asyncToGenerator from \"@babel/runtime/helpers/esm/asyncToGenerator\";\nimport _typeof from \"@babel/runtime/helpers/esm/typeof\";\nimport _objectSpread from \"@babel/runtime/helpers/esm/objectSpread2\";\nimport * as ReactDOM from 'react-dom';\n// Let compiler not to search module usage\nvar fullClone = _objectSpread({}, ReactDOM);\nvar version = fullClone.version,\n reactRender = fullClone.render,\n unmountComponentAtNode = fullClone.unmountComponentAtNode;\nvar createRoot;\ntry {\n var mainVersion = Number((version || '').split('.')[0]);\n if (mainVersion >= 18) {\n createRoot = fullClone.createRoot;\n }\n} catch (e) {\n // Do nothing;\n}\nfunction toggleWarning(skip) {\n var __SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED = fullClone.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED;\n if (__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED && _typeof(__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED) === 'object') {\n __SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED.usingClientEntryPoint = skip;\n }\n}\nvar MARK = '__rc_react_root__';\nfunction modernRender(node, container) {\n toggleWarning(true);\n var root = container[MARK] || createRoot(container);\n toggleWarning(false);\n root.render(node);\n container[MARK] = root;\n}\nfunction legacyRender(node, container) {\n reactRender(node, container);\n}\n/** @private Test usage. Not work in prod */\nexport function _r(node, container) {\n if (process.env.NODE_ENV !== 'production') {\n return legacyRender(node, container);\n }\n}\nexport function render(node, container) {\n if (createRoot) {\n modernRender(node, container);\n return;\n }\n legacyRender(node, container);\n}\n// ========================= Unmount ==========================\nfunction modernUnmount(_x) {\n return _modernUnmount.apply(this, arguments);\n}\nfunction _modernUnmount() {\n _modernUnmount = _asyncToGenerator( /*#__PURE__*/_regeneratorRuntime().mark(function _callee(container) {\n return _regeneratorRuntime().wrap(function _callee$(_context) {\n while (1) {\n switch (_context.prev = _context.next) {\n case 0:\n return _context.abrupt(\"return\", Promise.resolve().then(function () {\n var _container$MARK;\n (_container$MARK = container[MARK]) === null || _container$MARK === void 0 ? void 0 : _container$MARK.unmount();\n delete container[MARK];\n }));\n case 1:\n case \"end\":\n return _context.stop();\n }\n }\n }, _callee);\n }));\n return _modernUnmount.apply(this, arguments);\n}\nfunction legacyUnmount(container) {\n unmountComponentAtNode(container);\n}\n/** @private Test usage. Not work in prod */\nexport function _u(container) {\n if (process.env.NODE_ENV !== 'production') {\n return legacyUnmount(container);\n }\n}\nexport function unmount(_x2) {\n return _unmount.apply(this, arguments);\n}\nfunction _unmount() {\n _unmount = _asyncToGenerator( /*#__PURE__*/_regeneratorRuntime().mark(function _callee2(container) {\n return _regeneratorRuntime().wrap(function _callee2$(_context2) {\n while (1) {\n switch (_context2.prev = _context2.next) {\n case 0:\n if (!(createRoot !== undefined)) {\n _context2.next = 2;\n break;\n }\n return _context2.abrupt(\"return\", modernUnmount(container));\n case 2:\n legacyUnmount(container);\n case 3:\n case \"end\":\n return _context2.stop();\n }\n }\n }, _callee2);\n }));\n return _unmount.apply(this, arguments);\n}","/* eslint-disable */\n// Inspired by https://github.com/garycourt/murmurhash-js\n// Ported from https://github.com/aappleby/smhasher/blob/61a0530f28277f2e850bfc39600ce61d02b518de/src/MurmurHash2.cpp#L37-L86\nfunction murmur2(str) {\n // 'm' and 'r' are mixing constants generated offline.\n // They're not really 'magic', they just happen to work well.\n // const m = 0x5bd1e995;\n // const r = 24;\n // Initialize the hash\n var h = 0; // Mix 4 bytes at a time into the hash\n\n var k,\n i = 0,\n len = str.length;\n\n for (; len >= 4; ++i, len -= 4) {\n k = str.charCodeAt(i) & 0xff | (str.charCodeAt(++i) & 0xff) << 8 | (str.charCodeAt(++i) & 0xff) << 16 | (str.charCodeAt(++i) & 0xff) << 24;\n k =\n /* Math.imul(k, m): */\n (k & 0xffff) * 0x5bd1e995 + ((k >>> 16) * 0xe995 << 16);\n k ^=\n /* k >>> r: */\n k >>> 24;\n h =\n /* Math.imul(k, m): */\n (k & 0xffff) * 0x5bd1e995 + ((k >>> 16) * 0xe995 << 16) ^\n /* Math.imul(h, m): */\n (h & 0xffff) * 0x5bd1e995 + ((h >>> 16) * 0xe995 << 16);\n } // Handle the last few bytes of the input array\n\n\n switch (len) {\n case 3:\n h ^= (str.charCodeAt(i + 2) & 0xff) << 16;\n\n case 2:\n h ^= (str.charCodeAt(i + 1) & 0xff) << 8;\n\n case 1:\n h ^= str.charCodeAt(i) & 0xff;\n h =\n /* Math.imul(h, m): */\n (h & 0xffff) * 0x5bd1e995 + ((h >>> 16) * 0xe995 << 16);\n } // Do a few final mixes of the hash to ensure the last few\n // bytes are well-incorporated.\n\n\n h ^= h >>> 13;\n h =\n /* Math.imul(h, m): */\n (h & 0xffff) * 0x5bd1e995 + ((h >>> 16) * 0xe995 << 16);\n return ((h ^ h >>> 15) >>> 0).toString(36);\n}\n\nexport default murmur2;\n","/* eslint-disable no-console */\nvar warned = {};\nexport function warning(valid, message) {\n // Support uglify\n if (process.env.NODE_ENV !== 'production' && !valid && console !== undefined) {\n console.error(\"Warning: \".concat(message));\n }\n}\nexport function note(valid, message) {\n // Support uglify\n if (process.env.NODE_ENV !== 'production' && !valid && console !== undefined) {\n console.warn(\"Note: \".concat(message));\n }\n}\nexport function resetWarned() {\n warned = {};\n}\nexport function call(method, valid, message) {\n if (!valid && !warned[message]) {\n method(false, message);\n warned[message] = true;\n }\n}\nexport function warningOnce(valid, message) {\n call(warning, valid, message);\n}\nexport function noteOnce(valid, message) {\n call(note, valid, message);\n}\nexport default warningOnce;\n/* eslint-enable */","import _typeof from \"@babel/runtime/helpers/esm/typeof\";\nimport warning from './warning';\n/**\n * Deeply compares two object literals.\n * @param obj1 object 1\n * @param obj2 object 2\n * @param shallow shallow compare\n * @returns\n */\nfunction isEqual(obj1, obj2) {\n var shallow = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : false;\n // https://github.com/mapbox/mapbox-gl-js/pull/5979/files#diff-fde7145050c47cc3a306856efd5f9c3016e86e859de9afbd02c879be5067e58f\n var refSet = new Set();\n function deepEqual(a, b) {\n var level = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : 1;\n var circular = refSet.has(a);\n warning(!circular, 'Warning: There may be circular references');\n if (circular) {\n return false;\n }\n if (a === b) {\n return true;\n }\n if (shallow && level > 1) {\n return false;\n }\n refSet.add(a);\n var newLevel = level + 1;\n if (Array.isArray(a)) {\n if (!Array.isArray(b) || a.length !== b.length) {\n return false;\n }\n for (var i = 0; i < a.length; i++) {\n if (!deepEqual(a[i], b[i], newLevel)) {\n return false;\n }\n }\n return true;\n }\n if (a && b && _typeof(a) === 'object' && _typeof(b) === 'object') {\n var keys = Object.keys(a);\n if (keys.length !== Object.keys(b).length) {\n return false;\n }\n return keys.every(function (key) {\n return deepEqual(a[key], b[key], newLevel);\n });\n }\n // other\n return false;\n }\n return deepEqual(obj1, obj2);\n}\nexport default isEqual;","import _classCallCheck from \"@babel/runtime/helpers/esm/classCallCheck\";\nimport _createClass from \"@babel/runtime/helpers/esm/createClass\";\nimport _defineProperty from \"@babel/runtime/helpers/esm/defineProperty\";\n// [times, realValue]\nvar Entity = /*#__PURE__*/function () {\n function Entity() {\n _classCallCheck(this, Entity);\n _defineProperty(this, \"cache\", new Map());\n }\n _createClass(Entity, [{\n key: \"get\",\n value: function get(keys) {\n return this.cache.get(keys.join('%')) || null;\n }\n }, {\n key: \"update\",\n value: function update(keys, valueFn) {\n var path = keys.join('%');\n var prevValue = this.cache.get(path);\n var nextValue = valueFn(prevValue);\n if (nextValue === null) {\n this.cache.delete(path);\n } else {\n this.cache.set(path, nextValue);\n }\n }\n }]);\n return Entity;\n}();\nexport default Entity;","import _objectSpread from \"@babel/runtime/helpers/esm/objectSpread2\";\nimport _objectWithoutProperties from \"@babel/runtime/helpers/esm/objectWithoutProperties\";\nvar _excluded = [\"children\"];\nimport useMemo from \"rc-util/es/hooks/useMemo\";\nimport isEqual from \"rc-util/es/isEqual\";\nimport * as React from 'react';\nimport CacheEntity from \"./Cache\";\nexport var ATTR_TOKEN = 'data-token-hash';\nexport var ATTR_MARK = 'data-css-hash';\nexport var ATTR_DEV_CACHE_PATH = 'data-dev-cache-path';\n\n// Mark css-in-js instance in style element\nexport var CSS_IN_JS_INSTANCE = '__cssinjs_instance__';\nexport var CSS_IN_JS_INSTANCE_ID = Math.random().toString(12).slice(2);\nexport function createCache() {\n if (typeof document !== 'undefined' && document.head && document.body) {\n var styles = document.body.querySelectorAll(\"style[\".concat(ATTR_MARK, \"]\")) || [];\n var firstChild = document.head.firstChild;\n Array.from(styles).forEach(function (style) {\n style[CSS_IN_JS_INSTANCE] = style[CSS_IN_JS_INSTANCE] || CSS_IN_JS_INSTANCE_ID;\n\n // Not force move if no head\n document.head.insertBefore(style, firstChild);\n });\n\n // Deduplicate of moved styles\n var styleHash = {};\n Array.from(document.querySelectorAll(\"style[\".concat(ATTR_MARK, \"]\"))).forEach(function (style) {\n var hash = style.getAttribute(ATTR_MARK);\n if (styleHash[hash]) {\n if (style[CSS_IN_JS_INSTANCE] === CSS_IN_JS_INSTANCE_ID) {\n var _style$parentNode;\n (_style$parentNode = style.parentNode) === null || _style$parentNode === void 0 ? void 0 : _style$parentNode.removeChild(style);\n }\n } else {\n styleHash[hash] = true;\n }\n });\n }\n return new CacheEntity();\n}\nvar StyleContext = /*#__PURE__*/React.createContext({\n hashPriority: 'low',\n cache: createCache(),\n defaultCache: true\n});\nexport var StyleProvider = function StyleProvider(props) {\n var children = props.children,\n restProps = _objectWithoutProperties(props, _excluded);\n var parentContext = React.useContext(StyleContext);\n var context = useMemo(function () {\n var mergedContext = _objectSpread({}, parentContext);\n Object.keys(restProps).forEach(function (key) {\n var value = restProps[key];\n if (restProps[key] !== undefined) {\n mergedContext[key] = value;\n }\n });\n var cache = restProps.cache;\n mergedContext.cache = mergedContext.cache || createCache();\n mergedContext.defaultCache = !cache && parentContext.defaultCache;\n return mergedContext;\n }, [parentContext, restProps], function (prev, next) {\n return !isEqual(prev[0], next[0], true) || !isEqual(prev[1], next[1], true);\n });\n return /*#__PURE__*/React.createElement(StyleContext.Provider, {\n value: context\n }, children);\n};\nexport default StyleContext;","function useProdHMR() {\n return false;\n}\nvar webpackHMR = false;\nfunction useDevHMR() {\n return webpackHMR;\n}\nexport default process.env.NODE_ENV === 'production' ? useProdHMR : useDevHMR;\n\n// Webpack `module.hot.accept` do not support any deps update trigger\n// We have to hack handler to force mark as HRM\nif (process.env.NODE_ENV !== 'production' && typeof module !== 'undefined' && module && module.hot) {\n var win = window;\n if (typeof win.webpackHotUpdate === 'function') {\n var originWebpackHotUpdate = win.webpackHotUpdate;\n win.webpackHotUpdate = function () {\n webpackHMR = true;\n setTimeout(function () {\n webpackHMR = false;\n }, 0);\n return originWebpackHotUpdate.apply(void 0, arguments);\n };\n }\n}","import _slicedToArray from \"@babel/runtime/helpers/esm/slicedToArray\";\nimport _toConsumableArray from \"@babel/runtime/helpers/esm/toConsumableArray\";\nimport * as React from 'react';\nimport StyleContext from \"../StyleContext\";\nimport useHMR from \"./useHMR\";\nexport default function useClientCache(prefix, keyPath, cacheFn, onCacheRemove) {\n var _React$useContext = React.useContext(StyleContext),\n globalCache = _React$useContext.cache;\n var fullPath = [prefix].concat(_toConsumableArray(keyPath));\n var HMRUpdate = useHMR();\n\n // Create cache\n React.useMemo(function () {\n globalCache.update(fullPath, function (prevCache) {\n var _ref = prevCache || [],\n _ref2 = _slicedToArray(_ref, 2),\n _ref2$ = _ref2[0],\n times = _ref2$ === void 0 ? 0 : _ref2$,\n cache = _ref2[1];\n\n // HMR should always ignore cache since developer may change it\n var tmpCache = cache;\n if (process.env.NODE_ENV !== 'production' && cache && HMRUpdate) {\n onCacheRemove === null || onCacheRemove === void 0 ? void 0 : onCacheRemove(tmpCache, HMRUpdate);\n tmpCache = null;\n }\n var mergedCache = tmpCache || cacheFn();\n return [times + 1, mergedCache];\n });\n }, /* eslint-disable react-hooks/exhaustive-deps */\n [fullPath.join('_')]\n /* eslint-enable */);\n\n // Remove if no need anymore\n React.useEffect(function () {\n return function () {\n globalCache.update(fullPath, function (prevCache) {\n var _ref3 = prevCache || [],\n _ref4 = _slicedToArray(_ref3, 2),\n _ref4$ = _ref4[0],\n times = _ref4$ === void 0 ? 0 : _ref4$,\n cache = _ref4[1];\n var nextCount = times - 1;\n if (nextCount === 0) {\n onCacheRemove === null || onCacheRemove === void 0 ? void 0 : onCacheRemove(cache, false);\n return null;\n }\n return [times - 1, cache];\n });\n };\n }, fullPath);\n return globalCache.get(fullPath)[1];\n}","export default function canUseDom() {\n return !!(typeof window !== 'undefined' && window.document && window.document.createElement);\n}","import canUseDom from './canUseDom';\nimport contains from './contains';\nvar APPEND_ORDER = 'data-rc-order';\nvar MARK_KEY = \"rc-util-key\";\nvar containerCache = new Map();\nfunction getMark() {\n var _ref = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {},\n mark = _ref.mark;\n if (mark) {\n return mark.startsWith('data-') ? mark : \"data-\".concat(mark);\n }\n return MARK_KEY;\n}\nfunction getContainer(option) {\n if (option.attachTo) {\n return option.attachTo;\n }\n var head = document.querySelector('head');\n return head || document.body;\n}\nfunction getOrder(prepend) {\n if (prepend === 'queue') {\n return 'prependQueue';\n }\n return prepend ? 'prepend' : 'append';\n}\n/**\n * Find style which inject by rc-util\n */\nfunction findStyles(container) {\n return Array.from((containerCache.get(container) || container).children).filter(function (node) {\n return node.tagName === 'STYLE';\n });\n}\nexport function injectCSS(css) {\n var option = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n if (!canUseDom()) {\n return null;\n }\n var csp = option.csp,\n prepend = option.prepend;\n var styleNode = document.createElement('style');\n styleNode.setAttribute(APPEND_ORDER, getOrder(prepend));\n if (csp === null || csp === void 0 ? void 0 : csp.nonce) {\n styleNode.nonce = csp === null || csp === void 0 ? void 0 : csp.nonce;\n }\n styleNode.innerHTML = css;\n var container = getContainer(option);\n var firstChild = container.firstChild;\n if (prepend) {\n // If is queue `prepend`, it will prepend first style and then append rest style\n if (prepend === 'queue') {\n var existStyle = findStyles(container).filter(function (node) {\n return ['prepend', 'prependQueue'].includes(node.getAttribute(APPEND_ORDER));\n });\n if (existStyle.length) {\n container.insertBefore(styleNode, existStyle[existStyle.length - 1].nextSibling);\n return styleNode;\n }\n }\n // Use `insertBefore` as `prepend`\n container.insertBefore(styleNode, firstChild);\n } else {\n container.appendChild(styleNode);\n }\n return styleNode;\n}\nfunction findExistNode(key) {\n var option = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var container = getContainer(option);\n return findStyles(container).find(function (node) {\n return node.getAttribute(getMark(option)) === key;\n });\n}\nexport function removeCSS(key) {\n var option = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var existNode = findExistNode(key, option);\n if (existNode) {\n var container = getContainer(option);\n container.removeChild(existNode);\n }\n}\n/**\n * qiankun will inject `appendChild` to insert into other\n */\nfunction syncRealContainer(container, option) {\n var cachedRealContainer = containerCache.get(container);\n // Find real container when not cached or cached container removed\n if (!cachedRealContainer || !contains(document, cachedRealContainer)) {\n var placeholderStyle = injectCSS('', option);\n var parentNode = placeholderStyle.parentNode;\n containerCache.set(container, parentNode);\n container.removeChild(placeholderStyle);\n }\n}\n/**\n * manually clear container cache to avoid global cache in unit testes\n */\nexport function clearContainerCache() {\n containerCache.clear();\n}\nexport function updateCSS(css, key) {\n var option = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n var container = getContainer(option);\n // Sync real parent\n syncRealContainer(container, option);\n var existNode = findExistNode(key, option);\n if (existNode) {\n var _option$csp, _option$csp2;\n if (((_option$csp = option.csp) === null || _option$csp === void 0 ? void 0 : _option$csp.nonce) && existNode.nonce !== ((_option$csp2 = option.csp) === null || _option$csp2 === void 0 ? void 0 : _option$csp2.nonce)) {\n var _option$csp3;\n existNode.nonce = (_option$csp3 = option.csp) === null || _option$csp3 === void 0 ? void 0 : _option$csp3.nonce;\n }\n if (existNode.innerHTML !== css) {\n existNode.innerHTML = css;\n }\n return existNode;\n }\n var newNode = injectCSS(css, option);\n newNode.setAttribute(getMark(option), key);\n return newNode;\n}","export default function contains(root, n) {\n if (!root) {\n return false;\n }\n // Use native if support\n if (root.contains) {\n return root.contains(n);\n }\n // `document.contains` not support with IE11\n var node = n;\n while (node) {\n if (node === root) {\n return true;\n }\n node = node.parentNode;\n }\n return false;\n}","import _typeof from \"@babel/runtime/helpers/esm/typeof\";\nimport hash from '@emotion/hash';\nimport canUseDom from \"rc-util/es/Dom/canUseDom\";\nimport { removeCSS, updateCSS } from \"rc-util/es/Dom/dynamicCSS\";\nexport function flattenToken(token) {\n var str = '';\n Object.keys(token).forEach(function (key) {\n var value = token[key];\n str += key;\n if (value && _typeof(value) === 'object') {\n str += flattenToken(value);\n } else {\n str += value;\n }\n });\n return str;\n}\n\n/**\n * Convert derivative token to key string\n */\nexport function token2key(token, salt) {\n return hash(\"\".concat(salt, \"_\").concat(flattenToken(token)));\n}\nvar layerKey = \"layer-\".concat(Date.now(), \"-\").concat(Math.random()).replace(/\\./g, '');\nvar layerWidth = '903px';\nfunction supportSelector(styleStr, handleElement) {\n if (canUseDom()) {\n var _ele$parentNode;\n updateCSS(styleStr, layerKey);\n var _ele = document.createElement('div');\n _ele.style.position = 'fixed';\n _ele.style.left = '0';\n _ele.style.top = '0';\n handleElement === null || handleElement === void 0 ? void 0 : handleElement(_ele);\n document.body.appendChild(_ele);\n if (process.env.NODE_ENV !== 'production') {\n _ele.innerHTML = 'Test';\n _ele.style.zIndex = '9999999';\n }\n var support = getComputedStyle(_ele).width === layerWidth;\n (_ele$parentNode = _ele.parentNode) === null || _ele$parentNode === void 0 ? void 0 : _ele$parentNode.removeChild(_ele);\n removeCSS(layerKey);\n return support;\n }\n return false;\n}\nvar canLayer = undefined;\nexport function supportLayer() {\n if (canLayer === undefined) {\n canLayer = supportSelector(\"@layer \".concat(layerKey, \" { .\").concat(layerKey, \" { width: \").concat(layerWidth, \"!important; } }\"), function (ele) {\n ele.className = layerKey;\n });\n }\n return canLayer;\n}","import _objectSpread from \"@babel/runtime/helpers/esm/objectSpread2\";\nimport _toConsumableArray from \"@babel/runtime/helpers/esm/toConsumableArray\";\nimport * as React from 'react';\nimport hash from '@emotion/hash';\nimport { ATTR_TOKEN, CSS_IN_JS_INSTANCE, CSS_IN_JS_INSTANCE_ID } from \"../StyleContext\";\nimport useGlobalCache from \"./useGlobalCache\";\nimport { flattenToken, token2key } from \"../util\";\nvar EMPTY_OVERRIDE = {};\n\n// Generate different prefix to make user selector break in production env.\n// This helps developer not to do style override directly on the hash id.\nvar hashPrefix = process.env.NODE_ENV !== 'production' ? 'css-dev-only-do-not-override' : 'css';\nvar tokenKeys = new Map();\nfunction recordCleanToken(tokenKey) {\n tokenKeys.set(tokenKey, (tokenKeys.get(tokenKey) || 0) + 1);\n}\nfunction removeStyleTags(key) {\n if (typeof document !== 'undefined') {\n var styles = document.querySelectorAll(\"style[\".concat(ATTR_TOKEN, \"=\\\"\").concat(key, \"\\\"]\"));\n styles.forEach(function (style) {\n if (style[CSS_IN_JS_INSTANCE] === CSS_IN_JS_INSTANCE_ID) {\n var _style$parentNode;\n (_style$parentNode = style.parentNode) === null || _style$parentNode === void 0 ? void 0 : _style$parentNode.removeChild(style);\n }\n });\n }\n}\n\n// Remove will check current keys first\nfunction cleanTokenStyle(tokenKey) {\n tokenKeys.set(tokenKey, (tokenKeys.get(tokenKey) || 0) - 1);\n var tokenKeyList = Array.from(tokenKeys.keys());\n var cleanableKeyList = tokenKeyList.filter(function (key) {\n var count = tokenKeys.get(key) || 0;\n return count <= 0;\n });\n if (cleanableKeyList.length < tokenKeyList.length) {\n cleanableKeyList.forEach(function (key) {\n removeStyleTags(key);\n tokenKeys.delete(key);\n });\n }\n}\n\n/**\n * Cache theme derivative token as global shared one\n * @param theme Theme entity\n * @param tokens List of tokens, used for cache. Please do not dynamic generate object directly\n * @param option Additional config\n * @returns Call Theme.getDerivativeToken(tokenObject) to get token\n */\nexport default function useCacheToken(theme, tokens) {\n var option = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n var _option$salt = option.salt,\n salt = _option$salt === void 0 ? '' : _option$salt,\n _option$override = option.override,\n override = _option$override === void 0 ? EMPTY_OVERRIDE : _option$override,\n formatToken = option.formatToken;\n\n // Basic - We do basic cache here\n var mergedToken = React.useMemo(function () {\n return Object.assign.apply(Object, [{}].concat(_toConsumableArray(tokens)));\n }, [tokens]);\n var tokenStr = React.useMemo(function () {\n return flattenToken(mergedToken);\n }, [mergedToken]);\n var overrideTokenStr = React.useMemo(function () {\n return flattenToken(override);\n }, [override]);\n var cachedToken = useGlobalCache('token', [salt, theme.id, tokenStr, overrideTokenStr], function () {\n var derivativeToken = theme.getDerivativeToken(mergedToken);\n\n // Merge with override\n var mergedDerivativeToken = _objectSpread(_objectSpread({}, derivativeToken), override);\n\n // Format if needed\n if (formatToken) {\n mergedDerivativeToken = formatToken(mergedDerivativeToken);\n }\n\n // Optimize for `useStyleRegister` performance\n var tokenKey = token2key(mergedDerivativeToken, salt);\n mergedDerivativeToken._tokenKey = tokenKey;\n recordCleanToken(tokenKey);\n var hashId = \"\".concat(hashPrefix, \"-\").concat(hash(tokenKey));\n mergedDerivativeToken._hashId = hashId; // Not used\n\n return [mergedDerivativeToken, hashId];\n }, function (cache) {\n // Remove token will remove all related style\n cleanTokenStyle(cache[0]._tokenKey);\n });\n return cachedToken;\n}","var unitlessKeys = {\n animationIterationCount: 1,\n borderImageOutset: 1,\n borderImageSlice: 1,\n borderImageWidth: 1,\n boxFlex: 1,\n boxFlexGroup: 1,\n boxOrdinalGroup: 1,\n columnCount: 1,\n columns: 1,\n flex: 1,\n flexGrow: 1,\n flexPositive: 1,\n flexShrink: 1,\n flexNegative: 1,\n flexOrder: 1,\n gridRow: 1,\n gridRowEnd: 1,\n gridRowSpan: 1,\n gridRowStart: 1,\n gridColumn: 1,\n gridColumnEnd: 1,\n gridColumnSpan: 1,\n gridColumnStart: 1,\n msGridRow: 1,\n msGridRowSpan: 1,\n msGridColumn: 1,\n msGridColumnSpan: 1,\n fontWeight: 1,\n lineHeight: 1,\n opacity: 1,\n order: 1,\n orphans: 1,\n tabSize: 1,\n widows: 1,\n zIndex: 1,\n zoom: 1,\n WebkitLineClamp: 1,\n // SVG-related properties\n fillOpacity: 1,\n floodOpacity: 1,\n stopOpacity: 1,\n strokeDasharray: 1,\n strokeDashoffset: 1,\n strokeMiterlimit: 1,\n strokeOpacity: 1,\n strokeWidth: 1\n};\n\nexport default unitlessKeys;\n","export var MS = '-ms-'\nexport var MOZ = '-moz-'\nexport var WEBKIT = '-webkit-'\n\nexport var COMMENT = 'comm'\nexport var RULESET = 'rule'\nexport var DECLARATION = 'decl'\n\nexport var PAGE = '@page'\nexport var MEDIA = '@media'\nexport var IMPORT = '@import'\nexport var CHARSET = '@charset'\nexport var VIEWPORT = '@viewport'\nexport var SUPPORTS = '@supports'\nexport var DOCUMENT = '@document'\nexport var NAMESPACE = '@namespace'\nexport var KEYFRAMES = '@keyframes'\nexport var FONT_FACE = '@font-face'\nexport var COUNTER_STYLE = '@counter-style'\nexport var FONT_FEATURE_VALUES = '@font-feature-values'\n","/**\n * @param {number}\n * @return {number}\n */\nexport var abs = Math.abs\n\n/**\n * @param {number}\n * @return {string}\n */\nexport var from = String.fromCharCode\n\n/**\n * @param {object}\n * @return {object}\n */\nexport var assign = Object.assign\n\n/**\n * @param {string} value\n * @param {number} length\n * @return {number}\n */\nexport function hash (value, length) {\n\treturn charat(value, 0) ^ 45 ? (((((((length << 2) ^ charat(value, 0)) << 2) ^ charat(value, 1)) << 2) ^ charat(value, 2)) << 2) ^ charat(value, 3) : 0\n}\n\n/**\n * @param {string} value\n * @return {string}\n */\nexport function trim (value) {\n\treturn value.trim()\n}\n\n/**\n * @param {string} value\n * @param {RegExp} pattern\n * @return {string?}\n */\nexport function match (value, pattern) {\n\treturn (value = pattern.exec(value)) ? value[0] : value\n}\n\n/**\n * @param {string} value\n * @param {(string|RegExp)} pattern\n * @param {string} replacement\n * @return {string}\n */\nexport function replace (value, pattern, replacement) {\n\treturn value.replace(pattern, replacement)\n}\n\n/**\n * @param {string} value\n * @param {string} search\n * @return {number}\n */\nexport function indexof (value, search) {\n\treturn value.indexOf(search)\n}\n\n/**\n * @param {string} value\n * @param {number} index\n * @return {number}\n */\nexport function charat (value, index) {\n\treturn value.charCodeAt(index) | 0\n}\n\n/**\n * @param {string} value\n * @param {number} begin\n * @param {number} end\n * @return {string}\n */\nexport function substr (value, begin, end) {\n\treturn value.slice(begin, end)\n}\n\n/**\n * @param {string} value\n * @return {number}\n */\nexport function strlen (value) {\n\treturn value.length\n}\n\n/**\n * @param {any[]} value\n * @return {number}\n */\nexport function sizeof (value) {\n\treturn value.length\n}\n\n/**\n * @param {any} value\n * @param {any[]} array\n * @return {any}\n */\nexport function append (value, array) {\n\treturn array.push(value), value\n}\n\n/**\n * @param {string[]} array\n * @param {function} callback\n * @return {string}\n */\nexport function combine (array, callback) {\n\treturn array.map(callback).join('')\n}\n","import {IMPORT, COMMENT, RULESET, DECLARATION, KEYFRAMES} from './Enum.js'\nimport {strlen, sizeof} from './Utility.js'\n\n/**\n * @param {object[]} children\n * @param {function} callback\n * @return {string}\n */\nexport function serialize (children, callback) {\n\tvar output = ''\n\tvar length = sizeof(children)\n\n\tfor (var i = 0; i < length; i++)\n\t\toutput += callback(children[i], i, children, callback) || ''\n\n\treturn output\n}\n\n/**\n * @param {object} element\n * @param {number} index\n * @param {object[]} children\n * @param {function} callback\n * @return {string}\n */\nexport function stringify (element, index, children, callback) {\n\tswitch (element.type) {\n\t\tcase IMPORT: case DECLARATION: return element.return = element.return || element.value\n\t\tcase COMMENT: return ''\n\t\tcase KEYFRAMES: return element.return = element.value + '{' + serialize(element.children, callback) + '}'\n\t\tcase RULESET: element.value = element.props.join(',')\n\t}\n\n\treturn strlen(children = serialize(element.children, callback)) ? element.return = element.value + '{' + children + '}' : ''\n}\n","import {from, trim, charat, strlen, substr, append, assign} from './Utility.js'\n\nexport var line = 1\nexport var column = 1\nexport var length = 0\nexport var position = 0\nexport var character = 0\nexport var characters = ''\n\n/**\n * @param {string} value\n * @param {object | null} root\n * @param {object | null} parent\n * @param {string} type\n * @param {string[] | string} props\n * @param {object[] | string} children\n * @param {number} length\n */\nexport function node (value, root, parent, type, props, children, length) {\n\treturn {value: value, root: root, parent: parent, type: type, props: props, children: children, line: line, column: column, length: length, return: ''}\n}\n\n/**\n * @param {object} root\n * @param {object} props\n * @return {object}\n */\nexport function copy (root, props) {\n\treturn assign(node('', null, null, '', null, null, 0), root, {length: -root.length}, props)\n}\n\n/**\n * @return {number}\n */\nexport function char () {\n\treturn character\n}\n\n/**\n * @return {number}\n */\nexport function prev () {\n\tcharacter = position > 0 ? charat(characters, --position) : 0\n\n\tif (column--, character === 10)\n\t\tcolumn = 1, line--\n\n\treturn character\n}\n\n/**\n * @return {number}\n */\nexport function next () {\n\tcharacter = position < length ? charat(characters, position++) : 0\n\n\tif (column++, character === 10)\n\t\tcolumn = 1, line++\n\n\treturn character\n}\n\n/**\n * @return {number}\n */\nexport function peek () {\n\treturn charat(characters, position)\n}\n\n/**\n * @return {number}\n */\nexport function caret () {\n\treturn position\n}\n\n/**\n * @param {number} begin\n * @param {number} end\n * @return {string}\n */\nexport function slice (begin, end) {\n\treturn substr(characters, begin, end)\n}\n\n/**\n * @param {number} type\n * @return {number}\n */\nexport function token (type) {\n\tswitch (type) {\n\t\t// \\0 \\t \\n \\r \\s whitespace token\n\t\tcase 0: case 9: case 10: case 13: case 32:\n\t\t\treturn 5\n\t\t// ! + , / > @ ~ isolate token\n\t\tcase 33: case 43: case 44: case 47: case 62: case 64: case 126:\n\t\t// ; { } breakpoint token\n\t\tcase 59: case 123: case 125:\n\t\t\treturn 4\n\t\t// : accompanied token\n\t\tcase 58:\n\t\t\treturn 3\n\t\t// \" ' ( [ opening delimit token\n\t\tcase 34: case 39: case 40: case 91:\n\t\t\treturn 2\n\t\t// ) ] closing delimit token\n\t\tcase 41: case 93:\n\t\t\treturn 1\n\t}\n\n\treturn 0\n}\n\n/**\n * @param {string} value\n * @return {any[]}\n */\nexport function alloc (value) {\n\treturn line = column = 1, length = strlen(characters = value), position = 0, []\n}\n\n/**\n * @param {any} value\n * @return {any}\n */\nexport function dealloc (value) {\n\treturn characters = '', value\n}\n\n/**\n * @param {number} type\n * @return {string}\n */\nexport function delimit (type) {\n\treturn trim(slice(position - 1, delimiter(type === 91 ? type + 2 : type === 40 ? type + 1 : type)))\n}\n\n/**\n * @param {string} value\n * @return {string[]}\n */\nexport function tokenize (value) {\n\treturn dealloc(tokenizer(alloc(value)))\n}\n\n/**\n * @param {number} type\n * @return {string}\n */\nexport function whitespace (type) {\n\twhile (character = peek())\n\t\tif (character < 33)\n\t\t\tnext()\n\t\telse\n\t\t\tbreak\n\n\treturn token(type) > 2 || token(character) > 3 ? '' : ' '\n}\n\n/**\n * @param {string[]} children\n * @return {string[]}\n */\nexport function tokenizer (children) {\n\twhile (next())\n\t\tswitch (token(character)) {\n\t\t\tcase 0: append(identifier(position - 1), children)\n\t\t\t\tbreak\n\t\t\tcase 2: append(delimit(character), children)\n\t\t\t\tbreak\n\t\t\tdefault: append(from(character), children)\n\t\t}\n\n\treturn children\n}\n\n/**\n * @param {number} index\n * @param {number} count\n * @return {string}\n */\nexport function escaping (index, count) {\n\twhile (--count && next())\n\t\t// not 0-9 A-F a-f\n\t\tif (character < 48 || character > 102 || (character > 57 && character < 65) || (character > 70 && character < 97))\n\t\t\tbreak\n\n\treturn slice(index, caret() + (count < 6 && peek() == 32 && next() == 32))\n}\n\n/**\n * @param {number} type\n * @return {number}\n */\nexport function delimiter (type) {\n\twhile (next())\n\t\tswitch (character) {\n\t\t\t// ] ) \" '\n\t\t\tcase type:\n\t\t\t\treturn position\n\t\t\t// \" '\n\t\t\tcase 34: case 39:\n\t\t\t\tif (type !== 34 && type !== 39)\n\t\t\t\t\tdelimiter(character)\n\t\t\t\tbreak\n\t\t\t// (\n\t\t\tcase 40:\n\t\t\t\tif (type === 41)\n\t\t\t\t\tdelimiter(type)\n\t\t\t\tbreak\n\t\t\t// \\\n\t\t\tcase 92:\n\t\t\t\tnext()\n\t\t\t\tbreak\n\t\t}\n\n\treturn position\n}\n\n/**\n * @param {number} type\n * @param {number} index\n * @return {number}\n */\nexport function commenter (type, index) {\n\twhile (next())\n\t\t// //\n\t\tif (type + character === 47 + 10)\n\t\t\tbreak\n\t\t// /*\n\t\telse if (type + character === 42 + 42 && peek() === 47)\n\t\t\tbreak\n\n\treturn '/*' + slice(index, position - 1) + '*' + from(type === 47 ? type : next())\n}\n\n/**\n * @param {number} index\n * @return {string}\n */\nexport function identifier (index) {\n\twhile (!token(peek()))\n\t\tnext()\n\n\treturn slice(index, position)\n}\n","import {COMMENT, RULESET, DECLARATION} from './Enum.js'\nimport {abs, charat, trim, from, sizeof, strlen, substr, append, replace, indexof} from './Utility.js'\nimport {node, char, prev, next, peek, caret, alloc, dealloc, delimit, whitespace, escaping, identifier, commenter} from './Tokenizer.js'\n\n/**\n * @param {string} value\n * @return {object[]}\n */\nexport function compile (value) {\n\treturn dealloc(parse('', null, null, null, [''], value = alloc(value), 0, [0], value))\n}\n\n/**\n * @param {string} value\n * @param {object} root\n * @param {object?} parent\n * @param {string[]} rule\n * @param {string[]} rules\n * @param {string[]} rulesets\n * @param {number[]} pseudo\n * @param {number[]} points\n * @param {string[]} declarations\n * @return {object}\n */\nexport function parse (value, root, parent, rule, rules, rulesets, pseudo, points, declarations) {\n\tvar index = 0\n\tvar offset = 0\n\tvar length = pseudo\n\tvar atrule = 0\n\tvar property = 0\n\tvar previous = 0\n\tvar variable = 1\n\tvar scanning = 1\n\tvar ampersand = 1\n\tvar character = 0\n\tvar type = ''\n\tvar props = rules\n\tvar children = rulesets\n\tvar reference = rule\n\tvar characters = type\n\n\twhile (scanning)\n\t\tswitch (previous = character, character = next()) {\n\t\t\t// (\n\t\t\tcase 40:\n\t\t\t\tif (previous != 108 && charat(characters, length - 1) == 58) {\n\t\t\t\t\tif (indexof(characters += replace(delimit(character), '&', '&\\f'), '&\\f') != -1)\n\t\t\t\t\t\tampersand = -1\n\t\t\t\t\tbreak\n\t\t\t\t}\n\t\t\t// \" ' [\n\t\t\tcase 34: case 39: case 91:\n\t\t\t\tcharacters += delimit(character)\n\t\t\t\tbreak\n\t\t\t// \\t \\n \\r \\s\n\t\t\tcase 9: case 10: case 13: case 32:\n\t\t\t\tcharacters += whitespace(previous)\n\t\t\t\tbreak\n\t\t\t// \\\n\t\t\tcase 92:\n\t\t\t\tcharacters += escaping(caret() - 1, 7)\n\t\t\t\tcontinue\n\t\t\t// /\n\t\t\tcase 47:\n\t\t\t\tswitch (peek()) {\n\t\t\t\t\tcase 42: case 47:\n\t\t\t\t\t\tappend(comment(commenter(next(), caret()), root, parent), declarations)\n\t\t\t\t\t\tbreak\n\t\t\t\t\tdefault:\n\t\t\t\t\t\tcharacters += '/'\n\t\t\t\t}\n\t\t\t\tbreak\n\t\t\t// {\n\t\t\tcase 123 * variable:\n\t\t\t\tpoints[index++] = strlen(characters) * ampersand\n\t\t\t// } ; \\0\n\t\t\tcase 125 * variable: case 59: case 0:\n\t\t\t\tswitch (character) {\n\t\t\t\t\t// \\0 }\n\t\t\t\t\tcase 0: case 125: scanning = 0\n\t\t\t\t\t// ;\n\t\t\t\t\tcase 59 + offset:\n\t\t\t\t\t\tif (property > 0 && (strlen(characters) - length))\n\t\t\t\t\t\t\tappend(property > 32 ? declaration(characters + ';', rule, parent, length - 1) : declaration(replace(characters, ' ', '') + ';', rule, parent, length - 2), declarations)\n\t\t\t\t\t\tbreak\n\t\t\t\t\t// @ ;\n\t\t\t\t\tcase 59: characters += ';'\n\t\t\t\t\t// { rule/at-rule\n\t\t\t\t\tdefault:\n\t\t\t\t\t\tappend(reference = ruleset(characters, root, parent, index, offset, rules, points, type, props = [], children = [], length), rulesets)\n\n\t\t\t\t\t\tif (character === 123)\n\t\t\t\t\t\t\tif (offset === 0)\n\t\t\t\t\t\t\t\tparse(characters, root, reference, reference, props, rulesets, length, points, children)\n\t\t\t\t\t\t\telse\n\t\t\t\t\t\t\t\tswitch (atrule === 99 && charat(characters, 3) === 110 ? 100 : atrule) {\n\t\t\t\t\t\t\t\t\t// d m s\n\t\t\t\t\t\t\t\t\tcase 100: case 109: case 115:\n\t\t\t\t\t\t\t\t\t\tparse(value, reference, reference, rule && append(ruleset(value, reference, reference, 0, 0, rules, points, type, rules, props = [], length), children), rules, children, length, points, rule ? props : children)\n\t\t\t\t\t\t\t\t\t\tbreak\n\t\t\t\t\t\t\t\t\tdefault:\n\t\t\t\t\t\t\t\t\t\tparse(characters, reference, reference, reference, [''], children, 0, points, children)\n\t\t\t\t\t\t\t\t}\n\t\t\t\t}\n\n\t\t\t\tindex = offset = property = 0, variable = ampersand = 1, type = characters = '', length = pseudo\n\t\t\t\tbreak\n\t\t\t// :\n\t\t\tcase 58:\n\t\t\t\tlength = 1 + strlen(characters), property = previous\n\t\t\tdefault:\n\t\t\t\tif (variable < 1)\n\t\t\t\t\tif (character == 123)\n\t\t\t\t\t\t--variable\n\t\t\t\t\telse if (character == 125 && variable++ == 0 && prev() == 125)\n\t\t\t\t\t\tcontinue\n\n\t\t\t\tswitch (characters += from(character), character * variable) {\n\t\t\t\t\t// &\n\t\t\t\t\tcase 38:\n\t\t\t\t\t\tampersand = offset > 0 ? 1 : (characters += '\\f', -1)\n\t\t\t\t\t\tbreak\n\t\t\t\t\t// ,\n\t\t\t\t\tcase 44:\n\t\t\t\t\t\tpoints[index++] = (strlen(characters) - 1) * ampersand, ampersand = 1\n\t\t\t\t\t\tbreak\n\t\t\t\t\t// @\n\t\t\t\t\tcase 64:\n\t\t\t\t\t\t// -\n\t\t\t\t\t\tif (peek() === 45)\n\t\t\t\t\t\t\tcharacters += delimit(next())\n\n\t\t\t\t\t\tatrule = peek(), offset = length = strlen(type = characters += identifier(caret())), character++\n\t\t\t\t\t\tbreak\n\t\t\t\t\t// -\n\t\t\t\t\tcase 45:\n\t\t\t\t\t\tif (previous === 45 && strlen(characters) == 2)\n\t\t\t\t\t\t\tvariable = 0\n\t\t\t\t}\n\t\t}\n\n\treturn rulesets\n}\n\n/**\n * @param {string} value\n * @param {object} root\n * @param {object?} parent\n * @param {number} index\n * @param {number} offset\n * @param {string[]} rules\n * @param {number[]} points\n * @param {string} type\n * @param {string[]} props\n * @param {string[]} children\n * @param {number} length\n * @return {object}\n */\nexport function ruleset (value, root, parent, index, offset, rules, points, type, props, children, length) {\n\tvar post = offset - 1\n\tvar rule = offset === 0 ? rules : ['']\n\tvar size = sizeof(rule)\n\n\tfor (var i = 0, j = 0, k = 0; i < index; ++i)\n\t\tfor (var x = 0, y = substr(value, post + 1, post = abs(j = points[i])), z = value; x < size; ++x)\n\t\t\tif (z = trim(j > 0 ? rule[x] + ' ' + y : replace(y, /&\\f/g, rule[x])))\n\t\t\t\tprops[k++] = z\n\n\treturn node(value, root, parent, offset === 0 ? RULESET : type, props, children, length)\n}\n\n/**\n * @param {number} value\n * @param {object} root\n * @param {object?} parent\n * @return {object}\n */\nexport function comment (value, root, parent) {\n\treturn node(value, root, parent, COMMENT, from(char()), substr(value, 2, -2), 0)\n}\n\n/**\n * @param {string} value\n * @param {object} root\n * @param {object?} parent\n * @param {number} length\n * @return {object}\n */\nexport function declaration (value, root, parent, length) {\n\treturn node(value, root, parent, DECLARATION, substr(value, 0, length), substr(value, length + 1, -1), length)\n}\n","import { lintWarning } from \"./utils\";\nfunction isConcatSelector(selector) {\n var _selector$match;\n var notContent = ((_selector$match = selector.match(/:not\\(([^)]*)\\)/)) === null || _selector$match === void 0 ? void 0 : _selector$match[1]) || '';\n\n // split selector. e.g.\n // `h1#a.b` => ['h1', #a', '.b']\n var splitCells = notContent.split(/(?=[.#])/);\n return splitCells.length > 1;\n}\nfunction parsePath(info) {\n return info.parentSelectors.reduce(function (prev, cur) {\n if (!prev) {\n return cur;\n }\n return cur.includes('&') ? cur.replace(/\\&/g, prev) : \"\".concat(prev, \" \").concat(cur);\n }, '');\n}\nvar linter = function linter(key, value, info) {\n var parentSelectorPath = parsePath(info);\n var notList = parentSelectorPath.match(/:not\\([^)]*\\)/g) || [];\n if (notList.length > 0 && notList.some(isConcatSelector)) {\n lintWarning(\"Concat ':not' selector not support in legacy browsers.\", info);\n }\n};\nexport default linter;","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _defineProperty from \"@babel/runtime/helpers/esm/defineProperty\";\nimport _objectSpread from \"@babel/runtime/helpers/esm/objectSpread2\";\nimport _slicedToArray from \"@babel/runtime/helpers/esm/slicedToArray\";\nimport _toConsumableArray from \"@babel/runtime/helpers/esm/toConsumableArray\";\nimport _typeof from \"@babel/runtime/helpers/esm/typeof\";\nimport hash from '@emotion/hash';\nimport canUseDom from \"rc-util/es/Dom/canUseDom\";\nimport { removeCSS, updateCSS } from \"rc-util/es/Dom/dynamicCSS\";\nimport * as React from 'react';\n// @ts-ignore\nimport unitless from '@emotion/unitless';\nimport { compile, serialize, stringify } from 'stylis';\nimport { contentQuotesLinter, hashedAnimationLinter } from \"../linters\";\nimport StyleContext, { ATTR_DEV_CACHE_PATH, ATTR_MARK, ATTR_TOKEN, CSS_IN_JS_INSTANCE, CSS_IN_JS_INSTANCE_ID } from \"../StyleContext\";\nimport { supportLayer } from \"../util\";\nimport useGlobalCache from \"./useGlobalCache\";\nvar isClientSide = canUseDom();\nvar SKIP_CHECK = '_skip_check_';\n// ============================================================================\n// == Parser ==\n// ============================================================================\n// Preprocessor style content to browser support one\nexport function normalizeStyle(styleStr) {\n var serialized = serialize(compile(styleStr), stringify);\n return serialized.replace(/\\{%%%\\:[^;];}/g, ';');\n}\nfunction isCompoundCSSProperty(value) {\n return _typeof(value) === 'object' && value && SKIP_CHECK in value;\n}\n\n// 注入 hash 值\nfunction injectSelectorHash(key, hashId, hashPriority) {\n if (!hashId) {\n return key;\n }\n var hashClassName = \".\".concat(hashId);\n var hashSelector = hashPriority === 'low' ? \":where(\".concat(hashClassName, \")\") : hashClassName;\n\n // 注入 hashId\n var keys = key.split(',').map(function (k) {\n var _firstPath$match;\n var fullPath = k.trim().split(/\\s+/);\n\n // 如果 Selector 第一个是 HTML Element,那我们就插到它的后面。反之,就插到最前面。\n var firstPath = fullPath[0] || '';\n var htmlElement = ((_firstPath$match = firstPath.match(/^\\w+/)) === null || _firstPath$match === void 0 ? void 0 : _firstPath$match[0]) || '';\n firstPath = \"\".concat(htmlElement).concat(hashSelector).concat(firstPath.slice(htmlElement.length));\n return [firstPath].concat(_toConsumableArray(fullPath.slice(1))).join(' ');\n });\n return keys.join(',');\n}\n// Global effect style will mount once and not removed\n// The effect will not save in SSR cache (e.g. keyframes)\nvar globalEffectStyleKeys = new Set();\n\n/**\n * @private Test only. Clear the global effect style keys.\n */\nexport var _cf = process.env.NODE_ENV !== 'production' ? function () {\n return globalEffectStyleKeys.clear();\n} : undefined;\n\n// Parse CSSObject to style content\nexport var parseStyle = function parseStyle(interpolation) {\n var config = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var _ref = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {\n root: true,\n parentSelectors: []\n },\n root = _ref.root,\n injectHash = _ref.injectHash,\n parentSelectors = _ref.parentSelectors;\n var hashId = config.hashId,\n layer = config.layer,\n path = config.path,\n hashPriority = config.hashPriority,\n _config$transformers = config.transformers,\n transformers = _config$transformers === void 0 ? [] : _config$transformers,\n _config$linters = config.linters,\n linters = _config$linters === void 0 ? [] : _config$linters;\n var styleStr = '';\n var effectStyle = {};\n function parseKeyframes(keyframes) {\n var animationName = keyframes.getName(hashId);\n if (!effectStyle[animationName]) {\n var _parseStyle = parseStyle(keyframes.style, config, {\n root: false,\n parentSelectors: parentSelectors\n }),\n _parseStyle2 = _slicedToArray(_parseStyle, 1),\n _parsedStr = _parseStyle2[0];\n effectStyle[animationName] = \"@keyframes \".concat(keyframes.getName(hashId)).concat(_parsedStr);\n }\n }\n function flattenList(list) {\n var fullList = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : [];\n list.forEach(function (item) {\n if (Array.isArray(item)) {\n flattenList(item, fullList);\n } else if (item) {\n fullList.push(item);\n }\n });\n return fullList;\n }\n var flattenStyleList = flattenList(Array.isArray(interpolation) ? interpolation : [interpolation]);\n flattenStyleList.forEach(function (originStyle) {\n // Only root level can use raw string\n var style = typeof originStyle === 'string' && !root ? {} : originStyle;\n if (typeof style === 'string') {\n styleStr += \"\".concat(style, \"\\n\");\n } else if (style._keyframe) {\n // Keyframe\n parseKeyframes(style);\n } else {\n var mergedStyle = transformers.reduce(function (prev, trans) {\n var _trans$visit;\n return (trans === null || trans === void 0 ? void 0 : (_trans$visit = trans.visit) === null || _trans$visit === void 0 ? void 0 : _trans$visit.call(trans, prev)) || prev;\n }, style);\n\n // Normal CSSObject\n Object.keys(mergedStyle).forEach(function (key) {\n var value = mergedStyle[key];\n if (_typeof(value) === 'object' && value && (key !== 'animationName' || !value._keyframe) && !isCompoundCSSProperty(value)) {\n var subInjectHash = false;\n\n // 当成嵌套对象来处理\n var mergedKey = key.trim();\n // Whether treat child as root. In most case it is false.\n var nextRoot = false;\n\n // 拆分多个选择器\n if ((root || injectHash) && hashId) {\n if (mergedKey.startsWith('@')) {\n // 略过媒体查询,交给子节点继续插入 hashId\n subInjectHash = true;\n } else {\n // 注入 hashId\n mergedKey = injectSelectorHash(key, hashId, hashPriority);\n }\n } else if (root && !hashId && (mergedKey === '&' || mergedKey === '')) {\n // In case of `{ '&': { a: { color: 'red' } } }` or `{ '': { a: { color: 'red' } } }` without hashId,\n // we will get `&{a:{color:red;}}` or `{a:{color:red;}}` string for stylis to compile.\n // But it does not conform to stylis syntax,\n // and finally we will get `{color:red;}` as css, which is wrong.\n // So we need to remove key in root, and treat child `{ a: { color: 'red' } }` as root.\n mergedKey = '';\n nextRoot = true;\n }\n var _parseStyle3 = parseStyle(value, config, {\n root: nextRoot,\n injectHash: subInjectHash,\n parentSelectors: [].concat(_toConsumableArray(parentSelectors), [mergedKey])\n }),\n _parseStyle4 = _slicedToArray(_parseStyle3, 2),\n _parsedStr2 = _parseStyle4[0],\n childEffectStyle = _parseStyle4[1];\n effectStyle = _objectSpread(_objectSpread({}, effectStyle), childEffectStyle);\n styleStr += \"\".concat(mergedKey).concat(_parsedStr2);\n } else {\n var _value;\n var actualValue = (_value = value === null || value === void 0 ? void 0 : value.value) !== null && _value !== void 0 ? _value : value;\n if (process.env.NODE_ENV !== 'production' && (_typeof(value) !== 'object' || !(value !== null && value !== void 0 && value[SKIP_CHECK]))) {\n [contentQuotesLinter, hashedAnimationLinter].concat(_toConsumableArray(linters)).forEach(function (linter) {\n return linter(key, actualValue, {\n path: path,\n hashId: hashId,\n parentSelectors: parentSelectors\n });\n });\n }\n\n // 如果是样式则直接插入\n var styleName = key.replace(/[A-Z]/g, function (match) {\n return \"-\".concat(match.toLowerCase());\n });\n\n // Auto suffix with px\n var formatValue = actualValue;\n if (!unitless[key] && typeof formatValue === 'number' && formatValue !== 0) {\n formatValue = \"\".concat(formatValue, \"px\");\n }\n\n // handle animationName & Keyframe value\n if (key === 'animationName' && value !== null && value !== void 0 && value._keyframe) {\n parseKeyframes(value);\n formatValue = value.getName(hashId);\n }\n styleStr += \"\".concat(styleName, \":\").concat(formatValue, \";\");\n }\n });\n }\n });\n if (!root) {\n styleStr = \"{\".concat(styleStr, \"}\");\n } else if (layer && supportLayer()) {\n var layerCells = layer.split(',');\n var layerName = layerCells[layerCells.length - 1].trim();\n styleStr = \"@layer \".concat(layerName, \" {\").concat(styleStr, \"}\");\n\n // Order of layer if needed\n if (layerCells.length > 1) {\n // zombieJ: stylis do not support layer order, so we need to handle it manually.\n styleStr = \"@layer \".concat(layer, \"{%%%:%}\").concat(styleStr);\n }\n }\n return [styleStr, effectStyle];\n};\n\n// ============================================================================\n// == Register ==\n// ============================================================================\nfunction uniqueHash(path, styleStr) {\n return hash(\"\".concat(path.join('%')).concat(styleStr));\n}\nfunction Empty() {\n return null;\n}\n\n/**\n * Register a style to the global style sheet.\n */\nexport default function useStyleRegister(info, styleFn) {\n var token = info.token,\n path = info.path,\n hashId = info.hashId,\n layer = info.layer;\n var _React$useContext = React.useContext(StyleContext),\n autoClear = _React$useContext.autoClear,\n mock = _React$useContext.mock,\n defaultCache = _React$useContext.defaultCache,\n hashPriority = _React$useContext.hashPriority,\n container = _React$useContext.container,\n ssrInline = _React$useContext.ssrInline,\n transformers = _React$useContext.transformers,\n linters = _React$useContext.linters;\n var tokenKey = token._tokenKey;\n var fullPath = [tokenKey].concat(_toConsumableArray(path));\n\n // Check if need insert style\n var isMergedClientSide = isClientSide;\n if (process.env.NODE_ENV !== 'production' && mock !== undefined) {\n isMergedClientSide = mock === 'client';\n }\n var _useGlobalCache = useGlobalCache('style', fullPath,\n // Create cache if needed\n function () {\n var styleObj = styleFn();\n var _parseStyle5 = parseStyle(styleObj, {\n hashId: hashId,\n hashPriority: hashPriority,\n layer: layer,\n path: path.join('-'),\n transformers: transformers,\n linters: linters\n }),\n _parseStyle6 = _slicedToArray(_parseStyle5, 2),\n parsedStyle = _parseStyle6[0],\n effectStyle = _parseStyle6[1];\n var styleStr = normalizeStyle(parsedStyle);\n var styleId = uniqueHash(fullPath, styleStr);\n if (isMergedClientSide) {\n var style = updateCSS(styleStr, styleId, {\n mark: ATTR_MARK,\n prepend: 'queue',\n attachTo: container\n });\n style[CSS_IN_JS_INSTANCE] = CSS_IN_JS_INSTANCE_ID;\n\n // Used for `useCacheToken` to remove on batch when token removed\n style.setAttribute(ATTR_TOKEN, tokenKey);\n\n // Dev usage to find which cache path made this easily\n if (process.env.NODE_ENV !== 'production') {\n style.setAttribute(ATTR_DEV_CACHE_PATH, fullPath.join('|'));\n }\n\n // Inject client side effect style\n Object.keys(effectStyle).forEach(function (effectKey) {\n if (!globalEffectStyleKeys.has(effectKey)) {\n globalEffectStyleKeys.add(effectKey);\n\n // Inject\n updateCSS(normalizeStyle(effectStyle[effectKey]), \"_effect-\".concat(effectKey), {\n mark: ATTR_MARK,\n prepend: 'queue',\n attachTo: container\n });\n }\n });\n }\n return [styleStr, tokenKey, styleId];\n },\n // Remove cache if no need\n function (_ref2, fromHMR) {\n var _ref3 = _slicedToArray(_ref2, 3),\n styleId = _ref3[2];\n if ((fromHMR || autoClear) && isClientSide) {\n removeCSS(styleId, {\n mark: ATTR_MARK\n });\n }\n }),\n _useGlobalCache2 = _slicedToArray(_useGlobalCache, 3),\n cachedStyleStr = _useGlobalCache2[0],\n cachedTokenKey = _useGlobalCache2[1],\n cachedStyleId = _useGlobalCache2[2];\n return function (node) {\n var styleNode;\n if (!ssrInline || isMergedClientSide || !defaultCache) {\n styleNode = /*#__PURE__*/React.createElement(Empty, null);\n } else {\n var _ref4;\n styleNode = /*#__PURE__*/React.createElement(\"style\", _extends({}, (_ref4 = {}, _defineProperty(_ref4, ATTR_TOKEN, cachedTokenKey), _defineProperty(_ref4, ATTR_MARK, cachedStyleId), _ref4), {\n dangerouslySetInnerHTML: {\n __html: cachedStyleStr\n }\n }));\n }\n return /*#__PURE__*/React.createElement(React.Fragment, null, styleNode, node);\n };\n}\n\n// ============================================================================\n// == SSR ==\n// ============================================================================\nexport function extractStyle(cache) {\n // prefix with `style` is used for `useStyleRegister` to cache style context\n var styleKeys = Array.from(cache.cache.keys()).filter(function (key) {\n return key.startsWith('style%');\n });\n\n // const tokenStyles: Record = {};\n\n var styleText = '';\n styleKeys.forEach(function (key) {\n var _ = _slicedToArray(cache.cache.get(key)[1], 3),\n styleStr = _[0],\n tokenKey = _[1],\n styleId = _[2];\n styleText += \"\");\n });\n return styleText;\n}","import _classCallCheck from \"@babel/runtime/helpers/esm/classCallCheck\";\nimport _createClass from \"@babel/runtime/helpers/esm/createClass\";\nimport _defineProperty from \"@babel/runtime/helpers/esm/defineProperty\";\nvar Keyframe = /*#__PURE__*/function () {\n function Keyframe(name, style) {\n _classCallCheck(this, Keyframe);\n _defineProperty(this, \"name\", void 0);\n _defineProperty(this, \"style\", void 0);\n _defineProperty(this, \"_keyframe\", true);\n this.name = name;\n this.style = style;\n }\n _createClass(Keyframe, [{\n key: \"getName\",\n value: function getName() {\n var hashId = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : '';\n return hashId ? \"\".concat(hashId, \"-\").concat(this.name) : this.name;\n }\n }]);\n return Keyframe;\n}();\nexport default Keyframe;","import _slicedToArray from \"@babel/runtime/helpers/esm/slicedToArray\";\nimport _classCallCheck from \"@babel/runtime/helpers/esm/classCallCheck\";\nimport _createClass from \"@babel/runtime/helpers/esm/createClass\";\nimport _defineProperty from \"@babel/runtime/helpers/esm/defineProperty\";\n// ================================== Cache ==================================\n\nexport function sameDerivativeOption(left, right) {\n if (left.length !== right.length) {\n return false;\n }\n for (var i = 0; i < left.length; i++) {\n if (left[i] !== right[i]) {\n return false;\n }\n }\n return true;\n}\nvar ThemeCache = /*#__PURE__*/function () {\n function ThemeCache() {\n _classCallCheck(this, ThemeCache);\n _defineProperty(this, \"cache\", void 0);\n _defineProperty(this, \"keys\", void 0);\n _defineProperty(this, \"cacheCallTimes\", void 0);\n this.cache = new Map();\n this.keys = [];\n this.cacheCallTimes = 0;\n }\n _createClass(ThemeCache, [{\n key: \"size\",\n value: function size() {\n return this.keys.length;\n }\n }, {\n key: \"internalGet\",\n value: function internalGet(derivativeOption) {\n var _cache2, _cache3;\n var updateCallTimes = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false;\n var cache = {\n map: this.cache\n };\n derivativeOption.forEach(function (derivative) {\n if (!cache) {\n cache = undefined;\n } else {\n var _cache, _cache$map;\n cache = (_cache = cache) === null || _cache === void 0 ? void 0 : (_cache$map = _cache.map) === null || _cache$map === void 0 ? void 0 : _cache$map.get(derivative);\n }\n });\n if ((_cache2 = cache) !== null && _cache2 !== void 0 && _cache2.value && updateCallTimes) {\n cache.value[1] = this.cacheCallTimes++;\n }\n return (_cache3 = cache) === null || _cache3 === void 0 ? void 0 : _cache3.value;\n }\n }, {\n key: \"get\",\n value: function get(derivativeOption) {\n var _this$internalGet;\n return (_this$internalGet = this.internalGet(derivativeOption, true)) === null || _this$internalGet === void 0 ? void 0 : _this$internalGet[0];\n }\n }, {\n key: \"has\",\n value: function has(derivativeOption) {\n return !!this.internalGet(derivativeOption);\n }\n }, {\n key: \"set\",\n value: function set(derivativeOption, value) {\n var _this = this;\n // New cache\n if (!this.has(derivativeOption)) {\n if (this.size() + 1 > ThemeCache.MAX_CACHE_SIZE + ThemeCache.MAX_CACHE_OFFSET) {\n var _this$keys$reduce = this.keys.reduce(function (result, key) {\n var _result = _slicedToArray(result, 2),\n callTimes = _result[1];\n if (_this.internalGet(key)[1] < callTimes) {\n return [key, _this.internalGet(key)[1]];\n }\n return result;\n }, [this.keys[0], this.cacheCallTimes]),\n _this$keys$reduce2 = _slicedToArray(_this$keys$reduce, 1),\n targetKey = _this$keys$reduce2[0];\n this.delete(targetKey);\n }\n this.keys.push(derivativeOption);\n }\n var cache = this.cache;\n derivativeOption.forEach(function (derivative, index) {\n if (index === derivativeOption.length - 1) {\n cache.set(derivative, {\n value: [value, _this.cacheCallTimes++]\n });\n } else {\n var cacheValue = cache.get(derivative);\n if (!cacheValue) {\n cache.set(derivative, {\n map: new Map()\n });\n } else if (!cacheValue.map) {\n cacheValue.map = new Map();\n }\n cache = cache.get(derivative).map;\n }\n });\n }\n }, {\n key: \"deleteByPath\",\n value: function deleteByPath(currentCache, derivatives) {\n var cache = currentCache.get(derivatives[0]);\n if (derivatives.length === 1) {\n var _cache$value;\n if (!cache.map) {\n currentCache.delete(derivatives[0]);\n } else {\n currentCache.set(derivatives[0], {\n map: cache.map\n });\n }\n return (_cache$value = cache.value) === null || _cache$value === void 0 ? void 0 : _cache$value[0];\n }\n var result = this.deleteByPath(cache.map, derivatives.slice(1));\n if ((!cache.map || cache.map.size === 0) && !cache.value) {\n currentCache.delete(derivatives[0]);\n }\n return result;\n }\n }, {\n key: \"delete\",\n value: function _delete(derivativeOption) {\n // If cache exists\n if (this.has(derivativeOption)) {\n this.keys = this.keys.filter(function (item) {\n return !sameDerivativeOption(item, derivativeOption);\n });\n return this.deleteByPath(this.cache, derivativeOption);\n }\n return undefined;\n }\n }]);\n return ThemeCache;\n}();\n_defineProperty(ThemeCache, \"MAX_CACHE_SIZE\", 20);\n_defineProperty(ThemeCache, \"MAX_CACHE_OFFSET\", 5);\nexport { ThemeCache as default };","import _classCallCheck from \"@babel/runtime/helpers/esm/classCallCheck\";\nimport _createClass from \"@babel/runtime/helpers/esm/createClass\";\nimport _defineProperty from \"@babel/runtime/helpers/esm/defineProperty\";\nimport { warning } from \"rc-util/es/warning\";\nvar uuid = 0;\n\n/**\n * Theme with algorithms to derive tokens from design tokens.\n * Use `createTheme` first which will help to manage the theme instance cache.\n */\nvar Theme = /*#__PURE__*/function () {\n function Theme(derivatives) {\n _classCallCheck(this, Theme);\n _defineProperty(this, \"derivatives\", void 0);\n _defineProperty(this, \"id\", void 0);\n this.derivatives = Array.isArray(derivatives) ? derivatives : [derivatives];\n this.id = uuid;\n if (derivatives.length === 0) {\n warning(derivatives.length > 0, '[Ant Design CSS-in-JS] Theme should have at least one derivative function.');\n }\n uuid += 1;\n }\n _createClass(Theme, [{\n key: \"getDerivativeToken\",\n value: function getDerivativeToken(token) {\n return this.derivatives.reduce(function (result, derivative) {\n return derivative(token, result);\n }, undefined);\n }\n }]);\n return Theme;\n}();\nexport { Theme as default };","import ThemeCache from \"./ThemeCache\";\nimport Theme from \"./Theme\";\nvar cacheThemes = new ThemeCache();\n\n/**\n * Same as new Theme, but will always return same one if `derivative` not changed.\n */\nexport default function createTheme(derivatives) {\n var derivativeArr = Array.isArray(derivatives) ? derivatives : [derivatives];\n // Create new theme if not exist\n if (!cacheThemes.has(derivativeArr)) {\n cacheThemes.set(derivativeArr, new Theme(derivativeArr));\n }\n\n // Get theme from cache and return\n return cacheThemes.get(derivativeArr);\n}","function splitValues(value) {\n if (typeof value === 'number') {\n return [value];\n }\n var splitStyle = String(value).split(/\\s+/);\n\n // Combine styles split in brackets, like `calc(1px + 2px)`\n var temp = '';\n var brackets = 0;\n return splitStyle.reduce(function (list, item) {\n if (item.includes('(')) {\n temp += item;\n brackets += item.split('(').length - 1;\n } else if (item.includes(')')) {\n temp += item;\n brackets -= item.split(')').length - 1;\n if (brackets === 0) {\n list.push(temp);\n temp = '';\n }\n } else if (brackets > 0) {\n temp += item;\n } else {\n list.push(item);\n }\n return list;\n }, []);\n}\nfunction noSplit(list) {\n list.notSplit = true;\n return list;\n}\nvar keyMap = {\n // Inset\n inset: ['top', 'right', 'bottom', 'left'],\n insetBlock: ['top', 'bottom'],\n insetBlockStart: ['top'],\n insetBlockEnd: ['bottom'],\n insetInline: ['left', 'right'],\n insetInlineStart: ['left'],\n insetInlineEnd: ['right'],\n // Margin\n marginBlock: ['marginTop', 'marginBottom'],\n marginBlockStart: ['marginTop'],\n marginBlockEnd: ['marginBottom'],\n marginInline: ['marginLeft', 'marginRight'],\n marginInlineStart: ['marginLeft'],\n marginInlineEnd: ['marginRight'],\n // Padding\n paddingBlock: ['paddingTop', 'paddingBottom'],\n paddingBlockStart: ['paddingTop'],\n paddingBlockEnd: ['paddingBottom'],\n paddingInline: ['paddingLeft', 'paddingRight'],\n paddingInlineStart: ['paddingLeft'],\n paddingInlineEnd: ['paddingRight'],\n // Border\n borderBlock: noSplit(['borderTop', 'borderBottom']),\n borderBlockStart: noSplit(['borderTop']),\n borderBlockEnd: noSplit(['borderBottom']),\n borderInline: noSplit(['borderLeft', 'borderRight']),\n borderInlineStart: noSplit(['borderLeft']),\n borderInlineEnd: noSplit(['borderRight']),\n // Border width\n borderBlockWidth: ['borderTopWidth', 'borderBottomWidth'],\n borderBlockStartWidth: ['borderTopWidth'],\n borderBlockEndWidth: ['borderBottomWidth'],\n borderInlineWidth: ['borderLeftWidth', 'borderRightWidth'],\n borderInlineStartWidth: ['borderLeftWidth'],\n borderInlineEndWidth: ['borderRightWidth'],\n // Border style\n borderBlockStyle: ['borderTopStyle', 'borderBottomStyle'],\n borderBlockStartStyle: ['borderTopStyle'],\n borderBlockEndStyle: ['borderBottomStyle'],\n borderInlineStyle: ['borderLeftStyle', 'borderRightStyle'],\n borderInlineStartStyle: ['borderLeftStyle'],\n borderInlineEndStyle: ['borderRightStyle'],\n // Border color\n borderBlockColor: ['borderTopColor', 'borderBottomColor'],\n borderBlockStartColor: ['borderTopColor'],\n borderBlockEndColor: ['borderBottomColor'],\n borderInlineColor: ['borderLeftColor', 'borderRightColor'],\n borderInlineStartColor: ['borderLeftColor'],\n borderInlineEndColor: ['borderRightColor'],\n // Border radius\n borderStartStartRadius: ['borderTopLeftRadius'],\n borderStartEndRadius: ['borderTopRightRadius'],\n borderEndStartRadius: ['borderBottomLeftRadius'],\n borderEndEndRadius: ['borderBottomRightRadius']\n};\nfunction skipCheck(value) {\n return {\n _skip_check_: true,\n value: value\n };\n}\n\n/**\n * Convert css logical properties to legacy properties.\n * Such as: `margin-block-start` to `margin-top`.\n * Transform list:\n * - inset\n * - margin\n * - padding\n * - border\n */\nvar transform = {\n visit: function visit(cssObj) {\n var clone = {};\n Object.keys(cssObj).forEach(function (key) {\n var value = cssObj[key];\n var matchValue = keyMap[key];\n if (matchValue && (typeof value === 'number' || typeof value === 'string')) {\n var values = splitValues(value);\n if (matchValue.length && matchValue.notSplit) {\n // not split means always give same value like border\n matchValue.forEach(function (matchKey) {\n clone[matchKey] = skipCheck(value);\n });\n } else if (matchValue.length === 1) {\n // Handle like `marginBlockStart` => `marginTop`\n clone[matchValue[0]] = skipCheck(value);\n } else if (matchValue.length === 2) {\n // Handle like `marginBlock` => `marginTop` & `marginBottom`\n matchValue.forEach(function (matchKey, index) {\n var _values$index;\n clone[matchKey] = skipCheck((_values$index = values[index]) !== null && _values$index !== void 0 ? _values$index : values[0]);\n });\n } else if (matchValue.length === 4) {\n // Handle like `inset` => `top` & `right` & `bottom` & `left`\n matchValue.forEach(function (matchKey, index) {\n var _ref, _values$index2;\n clone[matchKey] = skipCheck((_ref = (_values$index2 = values[index]) !== null && _values$index2 !== void 0 ? _values$index2 : values[index - 2]) !== null && _ref !== void 0 ? _ref : values[0]);\n });\n } else {\n clone[key] = value;\n }\n } else {\n clone[key] = value;\n }\n });\n return clone;\n }\n};\nexport default transform;","import { createContext } from 'react';\nvar IconContext = /*#__PURE__*/createContext({});\nexport default IconContext;","import React from 'react';\nimport { isFragment } from 'react-is';\nexport default function toArray(children) {\n var option = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var ret = [];\n React.Children.forEach(children, function (child) {\n if ((child === undefined || child === null) && !option.keepEmpty) {\n return;\n }\n\n if (Array.isArray(child)) {\n ret = ret.concat(toArray(child));\n } else if (isFragment(child) && child.props) {\n ret = ret.concat(toArray(child.props.children, option));\n } else {\n ret.push(child);\n }\n });\n return ret;\n}","/* eslint-disable no-console */\nvar warned = {};\nexport function warning(valid, message) {\n // Support uglify\n if (process.env.NODE_ENV !== 'production' && !valid && console !== undefined) {\n console.error(\"Warning: \".concat(message));\n }\n}\nexport function note(valid, message) {\n // Support uglify\n if (process.env.NODE_ENV !== 'production' && !valid && console !== undefined) {\n console.warn(\"Note: \".concat(message));\n }\n}\nexport function resetWarned() {\n warned = {};\n}\nexport function call(method, valid, message) {\n if (!valid && !warned[message]) {\n method(false, message);\n warned[message] = true;\n }\n}\nexport function warningOnce(valid, message) {\n call(warning, valid, message);\n}\nexport function noteOnce(valid, message) {\n call(note, valid, message);\n}\nexport default warningOnce;\n/* eslint-enable */","import warning from \"rc-util/es/warning\";\nimport * as React from 'react';\nexport var HOOK_MARK = 'RC_FORM_INTERNAL_HOOKS';\n// eslint-disable-next-line @typescript-eslint/no-explicit-any\nvar warningFunc = function warningFunc() {\n warning(false, 'Can not find FormContext. Please make sure you wrap Field under Form.');\n};\nvar Context = /*#__PURE__*/React.createContext({\n getFieldValue: warningFunc,\n getFieldsValue: warningFunc,\n getFieldError: warningFunc,\n getFieldWarning: warningFunc,\n getFieldsError: warningFunc,\n isFieldsTouched: warningFunc,\n isFieldTouched: warningFunc,\n isFieldValidating: warningFunc,\n isFieldsValidating: warningFunc,\n resetFields: warningFunc,\n setFields: warningFunc,\n setFieldValue: warningFunc,\n setFieldsValue: warningFunc,\n validateFields: warningFunc,\n submit: warningFunc,\n getInternalHooks: function getInternalHooks() {\n warningFunc();\n return {\n dispatch: warningFunc,\n initEntityValue: warningFunc,\n registerField: warningFunc,\n useSubscribe: warningFunc,\n setInitialValues: warningFunc,\n destroyForm: warningFunc,\n setCallbacks: warningFunc,\n registerWatch: warningFunc,\n getFields: warningFunc,\n setValidateMessages: warningFunc,\n setPreserve: warningFunc,\n getInitialValue: warningFunc\n };\n }\n});\nexport default Context;","export function toArray(value) {\n if (value === undefined || value === null) {\n return [];\n }\n return Array.isArray(value) ? value : [value];\n}","/* eslint no-console:0 */\n\nimport {\n ValidateError,\n ValidateOption,\n RuleValuePackage,\n InternalRuleItem,\n SyncErrorType,\n RuleType,\n Value,\n Values,\n} from './interface';\n\nconst formatRegExp = /%[sdj%]/g;\n\ndeclare var ASYNC_VALIDATOR_NO_WARNING;\n\nexport let warning: (type: string, errors: SyncErrorType[]) => void = () => {};\n\n// don't print warning message when in production env or node runtime\nif (\n typeof process !== 'undefined' &&\n process.env &&\n process.env.NODE_ENV !== 'production' &&\n typeof window !== 'undefined' &&\n typeof document !== 'undefined'\n) {\n warning = (type, errors) => {\n if (\n typeof console !== 'undefined' &&\n console.warn &&\n typeof ASYNC_VALIDATOR_NO_WARNING === 'undefined'\n ) {\n if (errors.every(e => typeof e === 'string')) {\n console.warn(type, errors);\n }\n }\n };\n}\n\nexport function convertFieldsError(\n errors: ValidateError[],\n): Record {\n if (!errors || !errors.length) return null;\n const fields = {};\n errors.forEach(error => {\n const field = error.field;\n fields[field] = fields[field] || [];\n fields[field].push(error);\n });\n return fields;\n}\n\nexport function format(\n template: ((...args: any[]) => string) | string,\n ...args: any[]\n): string {\n let i = 0;\n const len = args.length;\n if (typeof template === 'function') {\n return template.apply(null, args);\n }\n if (typeof template === 'string') {\n let str = template.replace(formatRegExp, x => {\n if (x === '%%') {\n return '%';\n }\n if (i >= len) {\n return x;\n }\n switch (x) {\n case '%s':\n return String(args[i++]);\n case '%d':\n return (Number(args[i++]) as unknown) as string;\n case '%j':\n try {\n return JSON.stringify(args[i++]);\n } catch (_) {\n return '[Circular]';\n }\n break;\n default:\n return x;\n }\n });\n return str;\n }\n return template;\n}\n\nfunction isNativeStringType(type: string) {\n return (\n type === 'string' ||\n type === 'url' ||\n type === 'hex' ||\n type === 'email' ||\n type === 'date' ||\n type === 'pattern'\n );\n}\n\nexport function isEmptyValue(value: Value, type?: string) {\n if (value === undefined || value === null) {\n return true;\n }\n if (type === 'array' && Array.isArray(value) && !value.length) {\n return true;\n }\n if (isNativeStringType(type) && typeof value === 'string' && !value) {\n return true;\n }\n return false;\n}\n\nexport function isEmptyObject(obj: object) {\n return Object.keys(obj).length === 0;\n}\n\nfunction asyncParallelArray(\n arr: RuleValuePackage[],\n func: ValidateFunc,\n callback: (errors: ValidateError[]) => void,\n) {\n const results: ValidateError[] = [];\n let total = 0;\n const arrLength = arr.length;\n\n function count(errors: ValidateError[]) {\n results.push(...(errors || []));\n total++;\n if (total === arrLength) {\n callback(results);\n }\n }\n\n arr.forEach(a => {\n func(a, count);\n });\n}\n\nfunction asyncSerialArray(\n arr: RuleValuePackage[],\n func: ValidateFunc,\n callback: (errors: ValidateError[]) => void,\n) {\n let index = 0;\n const arrLength = arr.length;\n\n function next(errors: ValidateError[]) {\n if (errors && errors.length) {\n callback(errors);\n return;\n }\n const original = index;\n index = index + 1;\n if (original < arrLength) {\n func(arr[original], next);\n } else {\n callback([]);\n }\n }\n\n next([]);\n}\n\nfunction flattenObjArr(objArr: Record) {\n const ret: RuleValuePackage[] = [];\n Object.keys(objArr).forEach(k => {\n ret.push(...(objArr[k] || []));\n });\n return ret;\n}\n\nexport class AsyncValidationError extends Error {\n errors: ValidateError[];\n fields: Record;\n\n constructor(\n errors: ValidateError[],\n fields: Record,\n ) {\n super('Async Validation Error');\n this.errors = errors;\n this.fields = fields;\n }\n}\n\ntype ValidateFunc = (\n data: RuleValuePackage,\n doIt: (errors: ValidateError[]) => void,\n) => void;\n\nexport function asyncMap(\n objArr: Record,\n option: ValidateOption,\n func: ValidateFunc,\n callback: (errors: ValidateError[]) => void,\n source: Values,\n): Promise {\n if (option.first) {\n const pending = new Promise((resolve, reject) => {\n const next = (errors: ValidateError[]) => {\n callback(errors);\n return errors.length\n ? reject(new AsyncValidationError(errors, convertFieldsError(errors)))\n : resolve(source);\n };\n const flattenArr = flattenObjArr(objArr);\n asyncSerialArray(flattenArr, func, next);\n });\n pending.catch(e => e);\n return pending;\n }\n const firstFields =\n option.firstFields === true\n ? Object.keys(objArr)\n : option.firstFields || [];\n\n const objArrKeys = Object.keys(objArr);\n const objArrLength = objArrKeys.length;\n let total = 0;\n const results: ValidateError[] = [];\n const pending = new Promise