\r\n \r\n \r\n \r\n \r\n \r\n \r\n\r\n )\r\n }\r\n}\r\nexport default Footer","'use strict';\n\nexport default function bind(fn, thisArg) {\n return function wrap() {\n return fn.apply(thisArg, arguments);\n };\n}\n","'use strict';\n\nimport bind from './helpers/bind.js';\n\n// utils is a library of generic helper functions non-specific to axios\n\nconst {toString} = Object.prototype;\nconst {getPrototypeOf} = Object;\n\nconst kindOf = (cache => thing => {\n const str = toString.call(thing);\n return cache[str] || (cache[str] = str.slice(8, -1).toLowerCase());\n})(Object.create(null));\n\nconst kindOfTest = (type) => {\n type = type.toLowerCase();\n return (thing) => kindOf(thing) === type\n}\n\nconst typeOfTest = type => thing => typeof thing === type;\n\n/**\n * Determine if a value is an Array\n *\n * @param {Object} val The value to test\n *\n * @returns {boolean} True if value is an Array, otherwise false\n */\nconst {isArray} = Array;\n\n/**\n * Determine if a value is undefined\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if the value is undefined, otherwise false\n */\nconst isUndefined = typeOfTest('undefined');\n\n/**\n * Determine if a value is a Buffer\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a Buffer, otherwise false\n */\nfunction isBuffer(val) {\n return val !== null && !isUndefined(val) && val.constructor !== null && !isUndefined(val.constructor)\n && isFunction(val.constructor.isBuffer) && val.constructor.isBuffer(val);\n}\n\n/**\n * Determine if a value is an ArrayBuffer\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is an ArrayBuffer, otherwise false\n */\nconst isArrayBuffer = kindOfTest('ArrayBuffer');\n\n\n/**\n * Determine if a value is a view on an ArrayBuffer\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a view on an ArrayBuffer, otherwise false\n */\nfunction isArrayBufferView(val) {\n let result;\n if ((typeof ArrayBuffer !== 'undefined') && (ArrayBuffer.isView)) {\n result = ArrayBuffer.isView(val);\n } else {\n result = (val) && (val.buffer) && (isArrayBuffer(val.buffer));\n }\n return result;\n}\n\n/**\n * Determine if a value is a String\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a String, otherwise false\n */\nconst isString = typeOfTest('string');\n\n/**\n * Determine if a value is a Function\n *\n * @param {*} val The value to test\n * @returns {boolean} True if value is a Function, otherwise false\n */\nconst isFunction = typeOfTest('function');\n\n/**\n * Determine if a value is a Number\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a Number, otherwise false\n */\nconst isNumber = typeOfTest('number');\n\n/**\n * Determine if a value is an Object\n *\n * @param {*} thing The value to test\n *\n * @returns {boolean} True if value is an Object, otherwise false\n */\nconst isObject = (thing) => thing !== null && typeof thing === 'object';\n\n/**\n * Determine if a value is a Boolean\n *\n * @param {*} thing The value to test\n * @returns {boolean} True if value is a Boolean, otherwise false\n */\nconst isBoolean = thing => thing === true || thing === false;\n\n/**\n * Determine if a value is a plain Object\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a plain Object, otherwise false\n */\nconst isPlainObject = (val) => {\n if (kindOf(val) !== 'object') {\n return false;\n }\n\n const prototype = getPrototypeOf(val);\n return (prototype === null || prototype === Object.prototype || Object.getPrototypeOf(prototype) === null) && !(Symbol.toStringTag in val) && !(Symbol.iterator in val);\n}\n\n/**\n * Determine if a value is a Date\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a Date, otherwise false\n */\nconst isDate = kindOfTest('Date');\n\n/**\n * Determine if a value is a File\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a File, otherwise false\n */\nconst isFile = kindOfTest('File');\n\n/**\n * Determine if a value is a Blob\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a Blob, otherwise false\n */\nconst isBlob = kindOfTest('Blob');\n\n/**\n * Determine if a value is a FileList\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a File, otherwise false\n */\nconst isFileList = kindOfTest('FileList');\n\n/**\n * Determine if a value is a Stream\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a Stream, otherwise false\n */\nconst isStream = (val) => isObject(val) && isFunction(val.pipe);\n\n/**\n * Determine if a value is a FormData\n *\n * @param {*} thing The value to test\n *\n * @returns {boolean} True if value is an FormData, otherwise false\n */\nconst isFormData = (thing) => {\n let kind;\n return thing && (\n (typeof FormData === 'function' && thing instanceof FormData) || (\n isFunction(thing.append) && (\n (kind = kindOf(thing)) === 'formdata' ||\n // detect form-data instance\n (kind === 'object' && isFunction(thing.toString) && thing.toString() === '[object FormData]')\n )\n )\n )\n}\n\n/**\n * Determine if a value is a URLSearchParams object\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a URLSearchParams object, otherwise false\n */\nconst isURLSearchParams = kindOfTest('URLSearchParams');\n\n/**\n * Trim excess whitespace off the beginning and end of a string\n *\n * @param {String} str The String to trim\n *\n * @returns {String} The String freed of excess whitespace\n */\nconst trim = (str) => str.trim ?\n str.trim() : str.replace(/^[\\s\\uFEFF\\xA0]+|[\\s\\uFEFF\\xA0]+$/g, '');\n\n/**\n * Iterate over an Array or an Object invoking a function for each item.\n *\n * If `obj` is an Array callback will be called passing\n * the value, index, and complete array for each item.\n *\n * If 'obj' is an Object callback will be called passing\n * the value, key, and complete object for each property.\n *\n * @param {Object|Array} obj The object to iterate\n * @param {Function} fn The callback to invoke for each item\n *\n * @param {Boolean} [allOwnKeys = false]\n * @returns {any}\n */\nfunction forEach(obj, fn, {allOwnKeys = false} = {}) {\n // Don't bother if no value provided\n if (obj === null || typeof obj === 'undefined') {\n return;\n }\n\n let i;\n let l;\n\n // Force an array if not already something iterable\n if (typeof obj !== 'object') {\n /*eslint no-param-reassign:0*/\n obj = [obj];\n }\n\n if (isArray(obj)) {\n // Iterate over array values\n for (i = 0, l = obj.length; i < l; i++) {\n fn.call(null, obj[i], i, obj);\n }\n } else {\n // Iterate over object keys\n const keys = allOwnKeys ? Object.getOwnPropertyNames(obj) : Object.keys(obj);\n const len = keys.length;\n let key;\n\n for (i = 0; i < len; i++) {\n key = keys[i];\n fn.call(null, obj[key], key, obj);\n }\n }\n}\n\nfunction findKey(obj, key) {\n key = key.toLowerCase();\n const keys = Object.keys(obj);\n let i = keys.length;\n let _key;\n while (i-- > 0) {\n _key = keys[i];\n if (key === _key.toLowerCase()) {\n return _key;\n }\n }\n return null;\n}\n\nconst _global = (() => {\n /*eslint no-undef:0*/\n if (typeof globalThis !== \"undefined\") return globalThis;\n return typeof self !== \"undefined\" ? self : (typeof window !== 'undefined' ? window : global)\n})();\n\nconst isContextDefined = (context) => !isUndefined(context) && context !== _global;\n\n/**\n * Accepts varargs expecting each argument to be an object, then\n * immutably merges the properties of each object and returns result.\n *\n * When multiple objects contain the same key the later object in\n * the arguments list will take precedence.\n *\n * Example:\n *\n * ```js\n * var result = merge({foo: 123}, {foo: 456});\n * console.log(result.foo); // outputs 456\n * ```\n *\n * @param {Object} obj1 Object to merge\n *\n * @returns {Object} Result of all merge properties\n */\nfunction merge(/* obj1, obj2, obj3, ... */) {\n const {caseless} = isContextDefined(this) && this || {};\n const result = {};\n const assignValue = (val, key) => {\n const targetKey = caseless && findKey(result, key) || key;\n if (isPlainObject(result[targetKey]) && isPlainObject(val)) {\n result[targetKey] = merge(result[targetKey], val);\n } else if (isPlainObject(val)) {\n result[targetKey] = merge({}, val);\n } else if (isArray(val)) {\n result[targetKey] = val.slice();\n } else {\n result[targetKey] = val;\n }\n }\n\n for (let i = 0, l = arguments.length; i < l; i++) {\n arguments[i] && forEach(arguments[i], assignValue);\n }\n return result;\n}\n\n/**\n * Extends object a by mutably adding to it the properties of object b.\n *\n * @param {Object} a The object to be extended\n * @param {Object} b The object to copy properties from\n * @param {Object} thisArg The object to bind function to\n *\n * @param {Boolean} [allOwnKeys]\n * @returns {Object} The resulting value of object a\n */\nconst extend = (a, b, thisArg, {allOwnKeys}= {}) => {\n forEach(b, (val, key) => {\n if (thisArg && isFunction(val)) {\n a[key] = bind(val, thisArg);\n } else {\n a[key] = val;\n }\n }, {allOwnKeys});\n return a;\n}\n\n/**\n * Remove byte order marker. This catches EF BB BF (the UTF-8 BOM)\n *\n * @param {string} content with BOM\n *\n * @returns {string} content value without BOM\n */\nconst stripBOM = (content) => {\n if (content.charCodeAt(0) === 0xFEFF) {\n content = content.slice(1);\n }\n return content;\n}\n\n/**\n * Inherit the prototype methods from one constructor into another\n * @param {function} constructor\n * @param {function} superConstructor\n * @param {object} [props]\n * @param {object} [descriptors]\n *\n * @returns {void}\n */\nconst inherits = (constructor, superConstructor, props, descriptors) => {\n constructor.prototype = Object.create(superConstructor.prototype, descriptors);\n constructor.prototype.constructor = constructor;\n Object.defineProperty(constructor, 'super', {\n value: superConstructor.prototype\n });\n props && Object.assign(constructor.prototype, props);\n}\n\n/**\n * Resolve object with deep prototype chain to a flat object\n * @param {Object} sourceObj source object\n * @param {Object} [destObj]\n * @param {Function|Boolean} [filter]\n * @param {Function} [propFilter]\n *\n * @returns {Object}\n */\nconst toFlatObject = (sourceObj, destObj, filter, propFilter) => {\n let props;\n let i;\n let prop;\n const merged = {};\n\n destObj = destObj || {};\n // eslint-disable-next-line no-eq-null,eqeqeq\n if (sourceObj == null) return destObj;\n\n do {\n props = Object.getOwnPropertyNames(sourceObj);\n i = props.length;\n while (i-- > 0) {\n prop = props[i];\n if ((!propFilter || propFilter(prop, sourceObj, destObj)) && !merged[prop]) {\n destObj[prop] = sourceObj[prop];\n merged[prop] = true;\n }\n }\n sourceObj = filter !== false && getPrototypeOf(sourceObj);\n } while (sourceObj && (!filter || filter(sourceObj, destObj)) && sourceObj !== Object.prototype);\n\n return destObj;\n}\n\n/**\n * Determines whether a string ends with the characters of a specified string\n *\n * @param {String} str\n * @param {String} searchString\n * @param {Number} [position= 0]\n *\n * @returns {boolean}\n */\nconst endsWith = (str, searchString, position) => {\n str = String(str);\n if (position === undefined || position > str.length) {\n position = str.length;\n }\n position -= searchString.length;\n const lastIndex = str.indexOf(searchString, position);\n return lastIndex !== -1 && lastIndex === position;\n}\n\n\n/**\n * Returns new array from array like object or null if failed\n *\n * @param {*} [thing]\n *\n * @returns {?Array}\n */\nconst toArray = (thing) => {\n if (!thing) return null;\n if (isArray(thing)) return thing;\n let i = thing.length;\n if (!isNumber(i)) return null;\n const arr = new Array(i);\n while (i-- > 0) {\n arr[i] = thing[i];\n }\n return arr;\n}\n\n/**\n * Checking if the Uint8Array exists and if it does, it returns a function that checks if the\n * thing passed in is an instance of Uint8Array\n *\n * @param {TypedArray}\n *\n * @returns {Array}\n */\n// eslint-disable-next-line func-names\nconst isTypedArray = (TypedArray => {\n // eslint-disable-next-line func-names\n return thing => {\n return TypedArray && thing instanceof TypedArray;\n };\n})(typeof Uint8Array !== 'undefined' && getPrototypeOf(Uint8Array));\n\n/**\n * For each entry in the object, call the function with the key and value.\n *\n * @param {Object} obj - The object to iterate over.\n * @param {Function} fn - The function to call for each entry.\n *\n * @returns {void}\n */\nconst forEachEntry = (obj, fn) => {\n const generator = obj && obj[Symbol.iterator];\n\n const iterator = generator.call(obj);\n\n let result;\n\n while ((result = iterator.next()) && !result.done) {\n const pair = result.value;\n fn.call(obj, pair[0], pair[1]);\n }\n}\n\n/**\n * It takes a regular expression and a string, and returns an array of all the matches\n *\n * @param {string} regExp - The regular expression to match against.\n * @param {string} str - The string to search.\n *\n * @returns {Array}\n */\nconst matchAll = (regExp, str) => {\n let matches;\n const arr = [];\n\n while ((matches = regExp.exec(str)) !== null) {\n arr.push(matches);\n }\n\n return arr;\n}\n\n/* Checking if the kindOfTest function returns true when passed an HTMLFormElement. */\nconst isHTMLForm = kindOfTest('HTMLFormElement');\n\nconst toCamelCase = str => {\n return str.toLowerCase().replace(/[-_\\s]([a-z\\d])(\\w*)/g,\n function replacer(m, p1, p2) {\n return p1.toUpperCase() + p2;\n }\n );\n};\n\n/* Creating a function that will check if an object has a property. */\nconst hasOwnProperty = (({hasOwnProperty}) => (obj, prop) => hasOwnProperty.call(obj, prop))(Object.prototype);\n\n/**\n * Determine if a value is a RegExp object\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a RegExp object, otherwise false\n */\nconst isRegExp = kindOfTest('RegExp');\n\nconst reduceDescriptors = (obj, reducer) => {\n const descriptors = Object.getOwnPropertyDescriptors(obj);\n const reducedDescriptors = {};\n\n forEach(descriptors, (descriptor, name) => {\n if (reducer(descriptor, name, obj) !== false) {\n reducedDescriptors[name] = descriptor;\n }\n });\n\n Object.defineProperties(obj, reducedDescriptors);\n}\n\n/**\n * Makes all methods read-only\n * @param {Object} obj\n */\n\nconst freezeMethods = (obj) => {\n reduceDescriptors(obj, (descriptor, name) => {\n // skip restricted props in strict mode\n if (isFunction(obj) && ['arguments', 'caller', 'callee'].indexOf(name) !== -1) {\n return false;\n }\n\n const value = obj[name];\n\n if (!isFunction(value)) return;\n\n descriptor.enumerable = false;\n\n if ('writable' in descriptor) {\n descriptor.writable = false;\n return;\n }\n\n if (!descriptor.set) {\n descriptor.set = () => {\n throw Error('Can not rewrite read-only method \\'' + name + '\\'');\n };\n }\n });\n}\n\nconst toObjectSet = (arrayOrString, delimiter) => {\n const obj = {};\n\n const define = (arr) => {\n arr.forEach(value => {\n obj[value] = true;\n });\n }\n\n isArray(arrayOrString) ? define(arrayOrString) : define(String(arrayOrString).split(delimiter));\n\n return obj;\n}\n\nconst noop = () => {}\n\nconst toFiniteNumber = (value, defaultValue) => {\n value = +value;\n return Number.isFinite(value) ? value : defaultValue;\n}\n\nconst ALPHA = 'abcdefghijklmnopqrstuvwxyz'\n\nconst DIGIT = '0123456789';\n\nconst ALPHABET = {\n DIGIT,\n ALPHA,\n ALPHA_DIGIT: ALPHA + ALPHA.toUpperCase() + DIGIT\n}\n\nconst generateString = (size = 16, alphabet = ALPHABET.ALPHA_DIGIT) => {\n let str = '';\n const {length} = alphabet;\n while (size--) {\n str += alphabet[Math.random() * length|0]\n }\n\n return str;\n}\n\n/**\n * If the thing is a FormData object, return true, otherwise return false.\n *\n * @param {unknown} thing - The thing to check.\n *\n * @returns {boolean}\n */\nfunction isSpecCompliantForm(thing) {\n return !!(thing && isFunction(thing.append) && thing[Symbol.toStringTag] === 'FormData' && thing[Symbol.iterator]);\n}\n\nconst toJSONObject = (obj) => {\n const stack = new Array(10);\n\n const visit = (source, i) => {\n\n if (isObject(source)) {\n if (stack.indexOf(source) >= 0) {\n return;\n }\n\n if(!('toJSON' in source)) {\n stack[i] = source;\n const target = isArray(source) ? [] : {};\n\n forEach(source, (value, key) => {\n const reducedValue = visit(value, i + 1);\n !isUndefined(reducedValue) && (target[key] = reducedValue);\n });\n\n stack[i] = undefined;\n\n return target;\n }\n }\n\n return source;\n }\n\n return visit(obj, 0);\n}\n\nconst isAsyncFn = kindOfTest('AsyncFunction');\n\nconst isThenable = (thing) =>\n thing && (isObject(thing) || isFunction(thing)) && isFunction(thing.then) && isFunction(thing.catch);\n\nexport default {\n isArray,\n isArrayBuffer,\n isBuffer,\n isFormData,\n isArrayBufferView,\n isString,\n isNumber,\n isBoolean,\n isObject,\n isPlainObject,\n isUndefined,\n isDate,\n isFile,\n isBlob,\n isRegExp,\n isFunction,\n isStream,\n isURLSearchParams,\n isTypedArray,\n isFileList,\n forEach,\n merge,\n extend,\n trim,\n stripBOM,\n inherits,\n toFlatObject,\n kindOf,\n kindOfTest,\n endsWith,\n toArray,\n forEachEntry,\n matchAll,\n isHTMLForm,\n hasOwnProperty,\n hasOwnProp: hasOwnProperty, // an alias to avoid ESLint no-prototype-builtins detection\n reduceDescriptors,\n freezeMethods,\n toObjectSet,\n toCamelCase,\n noop,\n toFiniteNumber,\n findKey,\n global: _global,\n isContextDefined,\n ALPHABET,\n generateString,\n isSpecCompliantForm,\n toJSONObject,\n isAsyncFn,\n isThenable\n};\n","'use strict';\n\nimport utils from '../utils.js';\n\n/**\n * Create an Error with the specified message, config, error code, request and response.\n *\n * @param {string} message The error message.\n * @param {string} [code] The error code (for example, 'ECONNABORTED').\n * @param {Object} [config] The config.\n * @param {Object} [request] The request.\n * @param {Object} [response] The response.\n *\n * @returns {Error} The created error.\n */\nfunction AxiosError(message, code, config, request, response) {\n Error.call(this);\n\n if (Error.captureStackTrace) {\n Error.captureStackTrace(this, this.constructor);\n } else {\n this.stack = (new Error()).stack;\n }\n\n this.message = message;\n this.name = 'AxiosError';\n code && (this.code = code);\n config && (this.config = config);\n request && (this.request = request);\n response && (this.response = response);\n}\n\nutils.inherits(AxiosError, Error, {\n toJSON: function toJSON() {\n return {\n // Standard\n message: this.message,\n name: this.name,\n // Microsoft\n description: this.description,\n number: this.number,\n // Mozilla\n fileName: this.fileName,\n lineNumber: this.lineNumber,\n columnNumber: this.columnNumber,\n stack: this.stack,\n // Axios\n config: utils.toJSONObject(this.config),\n code: this.code,\n status: this.response && this.response.status ? this.response.status : null\n };\n }\n});\n\nconst prototype = AxiosError.prototype;\nconst descriptors = {};\n\n[\n 'ERR_BAD_OPTION_VALUE',\n 'ERR_BAD_OPTION',\n 'ECONNABORTED',\n 'ETIMEDOUT',\n 'ERR_NETWORK',\n 'ERR_FR_TOO_MANY_REDIRECTS',\n 'ERR_DEPRECATED',\n 'ERR_BAD_RESPONSE',\n 'ERR_BAD_REQUEST',\n 'ERR_CANCELED',\n 'ERR_NOT_SUPPORT',\n 'ERR_INVALID_URL'\n// eslint-disable-next-line func-names\n].forEach(code => {\n descriptors[code] = {value: code};\n});\n\nObject.defineProperties(AxiosError, descriptors);\nObject.defineProperty(prototype, 'isAxiosError', {value: true});\n\n// eslint-disable-next-line func-names\nAxiosError.from = (error, code, config, request, response, customProps) => {\n const axiosError = Object.create(prototype);\n\n utils.toFlatObject(error, axiosError, function filter(obj) {\n return obj !== Error.prototype;\n }, prop => {\n return prop !== 'isAxiosError';\n });\n\n AxiosError.call(axiosError, error.message, code, config, request, response);\n\n axiosError.cause = error;\n\n axiosError.name = error.name;\n\n customProps && Object.assign(axiosError, customProps);\n\n return axiosError;\n};\n\nexport default AxiosError;\n","'use strict';\n\nimport utils from '../utils.js';\nimport AxiosError from '../core/AxiosError.js';\n// temporary hotfix to avoid circular references until AxiosURLSearchParams is refactored\nimport PlatformFormData from '../platform/node/classes/FormData.js';\n\n/**\n * Determines if the given thing is a array or js object.\n *\n * @param {string} thing - The object or array to be visited.\n *\n * @returns {boolean}\n */\nfunction isVisitable(thing) {\n return utils.isPlainObject(thing) || utils.isArray(thing);\n}\n\n/**\n * It removes the brackets from the end of a string\n *\n * @param {string} key - The key of the parameter.\n *\n * @returns {string} the key without the brackets.\n */\nfunction removeBrackets(key) {\n return utils.endsWith(key, '[]') ? key.slice(0, -2) : key;\n}\n\n/**\n * It takes a path, a key, and a boolean, and returns a string\n *\n * @param {string} path - The path to the current key.\n * @param {string} key - The key of the current object being iterated over.\n * @param {string} dots - If true, the key will be rendered with dots instead of brackets.\n *\n * @returns {string} The path to the current key.\n */\nfunction renderKey(path, key, dots) {\n if (!path) return key;\n return path.concat(key).map(function each(token, i) {\n // eslint-disable-next-line no-param-reassign\n token = removeBrackets(token);\n return !dots && i ? '[' + token + ']' : token;\n }).join(dots ? '.' : '');\n}\n\n/**\n * If the array is an array and none of its elements are visitable, then it's a flat array.\n *\n * @param {Array} arr - The array to check\n *\n * @returns {boolean}\n */\nfunction isFlatArray(arr) {\n return utils.isArray(arr) && !arr.some(isVisitable);\n}\n\nconst predicates = utils.toFlatObject(utils, {}, null, function filter(prop) {\n return /^is[A-Z]/.test(prop);\n});\n\n/**\n * Convert a data object to FormData\n *\n * @param {Object} obj\n * @param {?Object} [formData]\n * @param {?Object} [options]\n * @param {Function} [options.visitor]\n * @param {Boolean} [options.metaTokens = true]\n * @param {Boolean} [options.dots = false]\n * @param {?Boolean} [options.indexes = false]\n *\n * @returns {Object}\n **/\n\n/**\n * It converts an object into a FormData object\n *\n * @param {Object} obj - The object to convert to form data.\n * @param {string} formData - The FormData object to append to.\n * @param {Object} options\n *\n * @returns\n */\nfunction toFormData(obj, formData, options) {\n if (!utils.isObject(obj)) {\n throw new TypeError('target must be an object');\n }\n\n // eslint-disable-next-line no-param-reassign\n formData = formData || new (PlatformFormData || FormData)();\n\n // eslint-disable-next-line no-param-reassign\n options = utils.toFlatObject(options, {\n metaTokens: true,\n dots: false,\n indexes: false\n }, false, function defined(option, source) {\n // eslint-disable-next-line no-eq-null,eqeqeq\n return !utils.isUndefined(source[option]);\n });\n\n const metaTokens = options.metaTokens;\n // eslint-disable-next-line no-use-before-define\n const visitor = options.visitor || defaultVisitor;\n const dots = options.dots;\n const indexes = options.indexes;\n const _Blob = options.Blob || typeof Blob !== 'undefined' && Blob;\n const useBlob = _Blob && utils.isSpecCompliantForm(formData);\n\n if (!utils.isFunction(visitor)) {\n throw new TypeError('visitor must be a function');\n }\n\n function convertValue(value) {\n if (value === null) return '';\n\n if (utils.isDate(value)) {\n return value.toISOString();\n }\n\n if (!useBlob && utils.isBlob(value)) {\n throw new AxiosError('Blob is not supported. Use a Buffer instead.');\n }\n\n if (utils.isArrayBuffer(value) || utils.isTypedArray(value)) {\n return useBlob && typeof Blob === 'function' ? new Blob([value]) : Buffer.from(value);\n }\n\n return value;\n }\n\n /**\n * Default visitor.\n *\n * @param {*} value\n * @param {String|Number} key\n * @param {Array} path\n * @this {FormData}\n *\n * @returns {boolean} return true to visit the each prop of the value recursively\n */\n function defaultVisitor(value, key, path) {\n let arr = value;\n\n if (value && !path && typeof value === 'object') {\n if (utils.endsWith(key, '{}')) {\n // eslint-disable-next-line no-param-reassign\n key = metaTokens ? key : key.slice(0, -2);\n // eslint-disable-next-line no-param-reassign\n value = JSON.stringify(value);\n } else if (\n (utils.isArray(value) && isFlatArray(value)) ||\n ((utils.isFileList(value) || utils.endsWith(key, '[]')) && (arr = utils.toArray(value))\n )) {\n // eslint-disable-next-line no-param-reassign\n key = removeBrackets(key);\n\n arr.forEach(function each(el, index) {\n !(utils.isUndefined(el) || el === null) && formData.append(\n // eslint-disable-next-line no-nested-ternary\n indexes === true ? renderKey([key], index, dots) : (indexes === null ? key : key + '[]'),\n convertValue(el)\n );\n });\n return false;\n }\n }\n\n if (isVisitable(value)) {\n return true;\n }\n\n formData.append(renderKey(path, key, dots), convertValue(value));\n\n return false;\n }\n\n const stack = [];\n\n const exposedHelpers = Object.assign(predicates, {\n defaultVisitor,\n convertValue,\n isVisitable\n });\n\n function build(value, path) {\n if (utils.isUndefined(value)) return;\n\n if (stack.indexOf(value) !== -1) {\n throw Error('Circular reference detected in ' + path.join('.'));\n }\n\n stack.push(value);\n\n utils.forEach(value, function each(el, key) {\n const result = !(utils.isUndefined(el) || el === null) && visitor.call(\n formData, el, utils.isString(key) ? key.trim() : key, path, exposedHelpers\n );\n\n if (result === true) {\n build(el, path ? path.concat(key) : [key]);\n }\n });\n\n stack.pop();\n }\n\n if (!utils.isObject(obj)) {\n throw new TypeError('data must be an object');\n }\n\n build(obj);\n\n return formData;\n}\n\nexport default toFormData;\n","'use strict';\n\nimport toFormData from './toFormData.js';\n\n/**\n * It encodes a string by replacing all characters that are not in the unreserved set with\n * their percent-encoded equivalents\n *\n * @param {string} str - The string to encode.\n *\n * @returns {string} The encoded string.\n */\nfunction encode(str) {\n const charMap = {\n '!': '%21',\n \"'\": '%27',\n '(': '%28',\n ')': '%29',\n '~': '%7E',\n '%20': '+',\n '%00': '\\x00'\n };\n return encodeURIComponent(str).replace(/[!'()~]|%20|%00/g, function replacer(match) {\n return charMap[match];\n });\n}\n\n/**\n * It takes a params object and converts it to a FormData object\n *\n * @param {Object} params - The parameters to be converted to a FormData object.\n * @param {Object} options - The options object passed to the Axios constructor.\n *\n * @returns {void}\n */\nfunction AxiosURLSearchParams(params, options) {\n this._pairs = [];\n\n params && toFormData(params, this, options);\n}\n\nconst prototype = AxiosURLSearchParams.prototype;\n\nprototype.append = function append(name, value) {\n this._pairs.push([name, value]);\n};\n\nprototype.toString = function toString(encoder) {\n const _encode = encoder ? function(value) {\n return encoder.call(this, value, encode);\n } : encode;\n\n return this._pairs.map(function each(pair) {\n return _encode(pair[0]) + '=' + _encode(pair[1]);\n }, '').join('&');\n};\n\nexport default AxiosURLSearchParams;\n","'use strict';\n\nimport utils from '../utils.js';\nimport AxiosURLSearchParams from '../helpers/AxiosURLSearchParams.js';\n\n/**\n * It replaces all instances of the characters `:`, `$`, `,`, `+`, `[`, and `]` with their\n * URI encoded counterparts\n *\n * @param {string} val The value to be encoded.\n *\n * @returns {string} The encoded value.\n */\nfunction encode(val) {\n return encodeURIComponent(val).\n replace(/%3A/gi, ':').\n replace(/%24/g, '$').\n replace(/%2C/gi, ',').\n replace(/%20/g, '+').\n replace(/%5B/gi, '[').\n replace(/%5D/gi, ']');\n}\n\n/**\n * Build a URL by appending params to the end\n *\n * @param {string} url The base of the url (e.g., http://www.google.com)\n * @param {object} [params] The params to be appended\n * @param {?object} options\n *\n * @returns {string} The formatted url\n */\nexport default function buildURL(url, params, options) {\n /*eslint no-param-reassign:0*/\n if (!params) {\n return url;\n }\n \n const _encode = options && options.encode || encode;\n\n const serializeFn = options && options.serialize;\n\n let serializedParams;\n\n if (serializeFn) {\n serializedParams = serializeFn(params, options);\n } else {\n serializedParams = utils.isURLSearchParams(params) ?\n params.toString() :\n new AxiosURLSearchParams(params, options).toString(_encode);\n }\n\n if (serializedParams) {\n const hashmarkIndex = url.indexOf(\"#\");\n\n if (hashmarkIndex !== -1) {\n url = url.slice(0, hashmarkIndex);\n }\n url += (url.indexOf('?') === -1 ? '?' : '&') + serializedParams;\n }\n\n return url;\n}\n","'use strict';\n\nimport utils from './../utils.js';\n\nclass InterceptorManager {\n constructor() {\n this.handlers = [];\n }\n\n /**\n * Add a new interceptor to the stack\n *\n * @param {Function} fulfilled The function to handle `then` for a `Promise`\n * @param {Function} rejected The function to handle `reject` for a `Promise`\n *\n * @return {Number} An ID used to remove interceptor later\n */\n use(fulfilled, rejected, options) {\n this.handlers.push({\n fulfilled,\n rejected,\n synchronous: options ? options.synchronous : false,\n runWhen: options ? options.runWhen : null\n });\n return this.handlers.length - 1;\n }\n\n /**\n * Remove an interceptor from the stack\n *\n * @param {Number} id The ID that was returned by `use`\n *\n * @returns {Boolean} `true` if the interceptor was removed, `false` otherwise\n */\n eject(id) {\n if (this.handlers[id]) {\n this.handlers[id] = null;\n }\n }\n\n /**\n * Clear all interceptors from the stack\n *\n * @returns {void}\n */\n clear() {\n if (this.handlers) {\n this.handlers = [];\n }\n }\n\n /**\n * Iterate over all the registered interceptors\n *\n * This method is particularly useful for skipping over any\n * interceptors that may have become `null` calling `eject`.\n *\n * @param {Function} fn The function to call for each interceptor\n *\n * @returns {void}\n */\n forEach(fn) {\n utils.forEach(this.handlers, function forEachHandler(h) {\n if (h !== null) {\n fn(h);\n }\n });\n }\n}\n\nexport default InterceptorManager;\n","'use strict';\n\nexport default {\n silentJSONParsing: true,\n forcedJSONParsing: true,\n clarifyTimeoutError: false\n};\n","import URLSearchParams from './classes/URLSearchParams.js'\nimport FormData from './classes/FormData.js'\nimport Blob from './classes/Blob.js'\n\n/**\n * Determine if we're running in a standard browser environment\n *\n * This allows axios to run in a web worker, and react-native.\n * Both environments support XMLHttpRequest, but not fully standard globals.\n *\n * web workers:\n * typeof window -> undefined\n * typeof document -> undefined\n *\n * react-native:\n * navigator.product -> 'ReactNative'\n * nativescript\n * navigator.product -> 'NativeScript' or 'NS'\n *\n * @returns {boolean}\n */\nconst isStandardBrowserEnv = (() => {\n let product;\n if (typeof navigator !== 'undefined' && (\n (product = navigator.product) === 'ReactNative' ||\n product === 'NativeScript' ||\n product === 'NS')\n ) {\n return false;\n }\n\n return typeof window !== 'undefined' && typeof document !== 'undefined';\n})();\n\n/**\n * Determine if we're running in a standard browser webWorker environment\n *\n * Although the `isStandardBrowserEnv` method indicates that\n * `allows axios to run in a web worker`, the WebWorker will still be\n * filtered out due to its judgment standard\n * `typeof window !== 'undefined' && typeof document !== 'undefined'`.\n * This leads to a problem when axios post `FormData` in webWorker\n */\n const isStandardBrowserWebWorkerEnv = (() => {\n return (\n typeof WorkerGlobalScope !== 'undefined' &&\n // eslint-disable-next-line no-undef\n self instanceof WorkerGlobalScope &&\n typeof self.importScripts === 'function'\n );\n})();\n\n\nexport default {\n isBrowser: true,\n classes: {\n URLSearchParams,\n FormData,\n Blob\n },\n isStandardBrowserEnv,\n isStandardBrowserWebWorkerEnv,\n protocols: ['http', 'https', 'file', 'blob', 'url', 'data']\n};\n","'use strict';\n\nimport AxiosURLSearchParams from '../../../helpers/AxiosURLSearchParams.js';\nexport default typeof URLSearchParams !== 'undefined' ? URLSearchParams : AxiosURLSearchParams;\n","'use strict';\n\nexport default typeof FormData !== 'undefined' ? FormData : null;\n","'use strict'\n\nexport default typeof Blob !== 'undefined' ? Blob : null\n","'use strict';\n\nimport utils from '../utils.js';\n\n/**\n * It takes a string like `foo[x][y][z]` and returns an array like `['foo', 'x', 'y', 'z']\n *\n * @param {string} name - The name of the property to get.\n *\n * @returns An array of strings.\n */\nfunction parsePropPath(name) {\n // foo[x][y][z]\n // foo.x.y.z\n // foo-x-y-z\n // foo x y z\n return utils.matchAll(/\\w+|\\[(\\w*)]/g, name).map(match => {\n return match[0] === '[]' ? '' : match[1] || match[0];\n });\n}\n\n/**\n * Convert an array to an object.\n *\n * @param {Array} arr - The array to convert to an object.\n *\n * @returns An object with the same keys and values as the array.\n */\nfunction arrayToObject(arr) {\n const obj = {};\n const keys = Object.keys(arr);\n let i;\n const len = keys.length;\n let key;\n for (i = 0; i < len; i++) {\n key = keys[i];\n obj[key] = arr[key];\n }\n return obj;\n}\n\n/**\n * It takes a FormData object and returns a JavaScript object\n *\n * @param {string} formData The FormData object to convert to JSON.\n *\n * @returns {Object | null} The converted object.\n */\nfunction formDataToJSON(formData) {\n function buildPath(path, value, target, index) {\n let name = path[index++];\n const isNumericKey = Number.isFinite(+name);\n const isLast = index >= path.length;\n name = !name && utils.isArray(target) ? target.length : name;\n\n if (isLast) {\n if (utils.hasOwnProp(target, name)) {\n target[name] = [target[name], value];\n } else {\n target[name] = value;\n }\n\n return !isNumericKey;\n }\n\n if (!target[name] || !utils.isObject(target[name])) {\n target[name] = [];\n }\n\n const result = buildPath(path, value, target[name], index);\n\n if (result && utils.isArray(target[name])) {\n target[name] = arrayToObject(target[name]);\n }\n\n return !isNumericKey;\n }\n\n if (utils.isFormData(formData) && utils.isFunction(formData.entries)) {\n const obj = {};\n\n utils.forEachEntry(formData, (name, value) => {\n buildPath(parsePropPath(name), value, obj, 0);\n });\n\n return obj;\n }\n\n return null;\n}\n\nexport default formDataToJSON;\n","'use strict';\n\nimport utils from '../utils.js';\nimport AxiosError from '../core/AxiosError.js';\nimport transitionalDefaults from './transitional.js';\nimport toFormData from '../helpers/toFormData.js';\nimport toURLEncodedForm from '../helpers/toURLEncodedForm.js';\nimport platform from '../platform/index.js';\nimport formDataToJSON from '../helpers/formDataToJSON.js';\n\nconst DEFAULT_CONTENT_TYPE = {\n 'Content-Type': undefined\n};\n\n/**\n * It takes a string, tries to parse it, and if it fails, it returns the stringified version\n * of the input\n *\n * @param {any} rawValue - The value to be stringified.\n * @param {Function} parser - A function that parses a string into a JavaScript object.\n * @param {Function} encoder - A function that takes a value and returns a string.\n *\n * @returns {string} A stringified version of the rawValue.\n */\nfunction stringifySafely(rawValue, parser, encoder) {\n if (utils.isString(rawValue)) {\n try {\n (parser || JSON.parse)(rawValue);\n return utils.trim(rawValue);\n } catch (e) {\n if (e.name !== 'SyntaxError') {\n throw e;\n }\n }\n }\n\n return (encoder || JSON.stringify)(rawValue);\n}\n\nconst defaults = {\n\n transitional: transitionalDefaults,\n\n adapter: ['xhr', 'http'],\n\n transformRequest: [function transformRequest(data, headers) {\n const contentType = headers.getContentType() || '';\n const hasJSONContentType = contentType.indexOf('application/json') > -1;\n const isObjectPayload = utils.isObject(data);\n\n if (isObjectPayload && utils.isHTMLForm(data)) {\n data = new FormData(data);\n }\n\n const isFormData = utils.isFormData(data);\n\n if (isFormData) {\n if (!hasJSONContentType) {\n return data;\n }\n return hasJSONContentType ? JSON.stringify(formDataToJSON(data)) : data;\n }\n\n if (utils.isArrayBuffer(data) ||\n utils.isBuffer(data) ||\n utils.isStream(data) ||\n utils.isFile(data) ||\n utils.isBlob(data)\n ) {\n return data;\n }\n if (utils.isArrayBufferView(data)) {\n return data.buffer;\n }\n if (utils.isURLSearchParams(data)) {\n headers.setContentType('application/x-www-form-urlencoded;charset=utf-8', false);\n return data.toString();\n }\n\n let isFileList;\n\n if (isObjectPayload) {\n if (contentType.indexOf('application/x-www-form-urlencoded') > -1) {\n return toURLEncodedForm(data, this.formSerializer).toString();\n }\n\n if ((isFileList = utils.isFileList(data)) || contentType.indexOf('multipart/form-data') > -1) {\n const _FormData = this.env && this.env.FormData;\n\n return toFormData(\n isFileList ? {'files[]': data} : data,\n _FormData && new _FormData(),\n this.formSerializer\n );\n }\n }\n\n if (isObjectPayload || hasJSONContentType ) {\n headers.setContentType('application/json', false);\n return stringifySafely(data);\n }\n\n return data;\n }],\n\n transformResponse: [function transformResponse(data) {\n const transitional = this.transitional || defaults.transitional;\n const forcedJSONParsing = transitional && transitional.forcedJSONParsing;\n const JSONRequested = this.responseType === 'json';\n\n if (data && utils.isString(data) && ((forcedJSONParsing && !this.responseType) || JSONRequested)) {\n const silentJSONParsing = transitional && transitional.silentJSONParsing;\n const strictJSONParsing = !silentJSONParsing && JSONRequested;\n\n try {\n return JSON.parse(data);\n } catch (e) {\n if (strictJSONParsing) {\n if (e.name === 'SyntaxError') {\n throw AxiosError.from(e, AxiosError.ERR_BAD_RESPONSE, this, null, this.response);\n }\n throw e;\n }\n }\n }\n\n return data;\n }],\n\n /**\n * A timeout in milliseconds to abort a request. If set to 0 (default) a\n * timeout is not created.\n */\n timeout: 0,\n\n xsrfCookieName: 'XSRF-TOKEN',\n xsrfHeaderName: 'X-XSRF-TOKEN',\n\n maxContentLength: -1,\n maxBodyLength: -1,\n\n env: {\n FormData: platform.classes.FormData,\n Blob: platform.classes.Blob\n },\n\n validateStatus: function validateStatus(status) {\n return status >= 200 && status < 300;\n },\n\n headers: {\n common: {\n 'Accept': 'application/json, text/plain, */*'\n }\n }\n};\n\nutils.forEach(['delete', 'get', 'head'], function forEachMethodNoData(method) {\n defaults.headers[method] = {};\n});\n\nutils.forEach(['post', 'put', 'patch'], function forEachMethodWithData(method) {\n defaults.headers[method] = utils.merge(DEFAULT_CONTENT_TYPE);\n});\n\nexport default defaults;\n","'use strict';\n\nimport utils from '../utils.js';\nimport toFormData from './toFormData.js';\nimport platform from '../platform/index.js';\n\nexport default function toURLEncodedForm(data, options) {\n return toFormData(data, new platform.classes.URLSearchParams(), Object.assign({\n visitor: function(value, key, path, helpers) {\n if (platform.isNode && utils.isBuffer(value)) {\n this.append(key, value.toString('base64'));\n return false;\n }\n\n return helpers.defaultVisitor.apply(this, arguments);\n }\n }, options));\n}\n","'use strict';\n\nimport utils from './../utils.js';\n\n// RawAxiosHeaders whose duplicates are ignored by node\n// c.f. https://nodejs.org/api/http.html#http_message_headers\nconst ignoreDuplicateOf = utils.toObjectSet([\n 'age', 'authorization', 'content-length', 'content-type', 'etag',\n 'expires', 'from', 'host', 'if-modified-since', 'if-unmodified-since',\n 'last-modified', 'location', 'max-forwards', 'proxy-authorization',\n 'referer', 'retry-after', 'user-agent'\n]);\n\n/**\n * Parse headers into an object\n *\n * ```\n * Date: Wed, 27 Aug 2014 08:58:49 GMT\n * Content-Type: application/json\n * Connection: keep-alive\n * Transfer-Encoding: chunked\n * ```\n *\n * @param {String} rawHeaders Headers needing to be parsed\n *\n * @returns {Object} Headers parsed into an object\n */\nexport default rawHeaders => {\n const parsed = {};\n let key;\n let val;\n let i;\n\n rawHeaders && rawHeaders.split('\\n').forEach(function parser(line) {\n i = line.indexOf(':');\n key = line.substring(0, i).trim().toLowerCase();\n val = line.substring(i + 1).trim();\n\n if (!key || (parsed[key] && ignoreDuplicateOf[key])) {\n return;\n }\n\n if (key === 'set-cookie') {\n if (parsed[key]) {\n parsed[key].push(val);\n } else {\n parsed[key] = [val];\n }\n } else {\n parsed[key] = parsed[key] ? parsed[key] + ', ' + val : val;\n }\n });\n\n return parsed;\n};\n","'use strict';\n\nimport utils from '../utils.js';\nimport parseHeaders from '../helpers/parseHeaders.js';\n\nconst $internals = Symbol('internals');\n\nfunction normalizeHeader(header) {\n return header && String(header).trim().toLowerCase();\n}\n\nfunction normalizeValue(value) {\n if (value === false || value == null) {\n return value;\n }\n\n return utils.isArray(value) ? value.map(normalizeValue) : String(value);\n}\n\nfunction parseTokens(str) {\n const tokens = Object.create(null);\n const tokensRE = /([^\\s,;=]+)\\s*(?:=\\s*([^,;]+))?/g;\n let match;\n\n while ((match = tokensRE.exec(str))) {\n tokens[match[1]] = match[2];\n }\n\n return tokens;\n}\n\nconst isValidHeaderName = (str) => /^[-_a-zA-Z0-9^`|~,!#$%&'*+.]+$/.test(str.trim());\n\nfunction matchHeaderValue(context, value, header, filter, isHeaderNameFilter) {\n if (utils.isFunction(filter)) {\n return filter.call(this, value, header);\n }\n\n if (isHeaderNameFilter) {\n value = header;\n }\n\n if (!utils.isString(value)) return;\n\n if (utils.isString(filter)) {\n return value.indexOf(filter) !== -1;\n }\n\n if (utils.isRegExp(filter)) {\n return filter.test(value);\n }\n}\n\nfunction formatHeader(header) {\n return header.trim()\n .toLowerCase().replace(/([a-z\\d])(\\w*)/g, (w, char, str) => {\n return char.toUpperCase() + str;\n });\n}\n\nfunction buildAccessors(obj, header) {\n const accessorName = utils.toCamelCase(' ' + header);\n\n ['get', 'set', 'has'].forEach(methodName => {\n Object.defineProperty(obj, methodName + accessorName, {\n value: function(arg1, arg2, arg3) {\n return this[methodName].call(this, header, arg1, arg2, arg3);\n },\n configurable: true\n });\n });\n}\n\nclass AxiosHeaders {\n constructor(headers) {\n headers && this.set(headers);\n }\n\n set(header, valueOrRewrite, rewrite) {\n const self = this;\n\n function setHeader(_value, _header, _rewrite) {\n const lHeader = normalizeHeader(_header);\n\n if (!lHeader) {\n throw new Error('header name must be a non-empty string');\n }\n\n const key = utils.findKey(self, lHeader);\n\n if(!key || self[key] === undefined || _rewrite === true || (_rewrite === undefined && self[key] !== false)) {\n self[key || _header] = normalizeValue(_value);\n }\n }\n\n const setHeaders = (headers, _rewrite) =>\n utils.forEach(headers, (_value, _header) => setHeader(_value, _header, _rewrite));\n\n if (utils.isPlainObject(header) || header instanceof this.constructor) {\n setHeaders(header, valueOrRewrite)\n } else if(utils.isString(header) && (header = header.trim()) && !isValidHeaderName(header)) {\n setHeaders(parseHeaders(header), valueOrRewrite);\n } else {\n header != null && setHeader(valueOrRewrite, header, rewrite);\n }\n\n return this;\n }\n\n get(header, parser) {\n header = normalizeHeader(header);\n\n if (header) {\n const key = utils.findKey(this, header);\n\n if (key) {\n const value = this[key];\n\n if (!parser) {\n return value;\n }\n\n if (parser === true) {\n return parseTokens(value);\n }\n\n if (utils.isFunction(parser)) {\n return parser.call(this, value, key);\n }\n\n if (utils.isRegExp(parser)) {\n return parser.exec(value);\n }\n\n throw new TypeError('parser must be boolean|regexp|function');\n }\n }\n }\n\n has(header, matcher) {\n header = normalizeHeader(header);\n\n if (header) {\n const key = utils.findKey(this, header);\n\n return !!(key && this[key] !== undefined && (!matcher || matchHeaderValue(this, this[key], key, matcher)));\n }\n\n return false;\n }\n\n delete(header, matcher) {\n const self = this;\n let deleted = false;\n\n function deleteHeader(_header) {\n _header = normalizeHeader(_header);\n\n if (_header) {\n const key = utils.findKey(self, _header);\n\n if (key && (!matcher || matchHeaderValue(self, self[key], key, matcher))) {\n delete self[key];\n\n deleted = true;\n }\n }\n }\n\n if (utils.isArray(header)) {\n header.forEach(deleteHeader);\n } else {\n deleteHeader(header);\n }\n\n return deleted;\n }\n\n clear(matcher) {\n const keys = Object.keys(this);\n let i = keys.length;\n let deleted = false;\n\n while (i--) {\n const key = keys[i];\n if(!matcher || matchHeaderValue(this, this[key], key, matcher, true)) {\n delete this[key];\n deleted = true;\n }\n }\n\n return deleted;\n }\n\n normalize(format) {\n const self = this;\n const headers = {};\n\n utils.forEach(this, (value, header) => {\n const key = utils.findKey(headers, header);\n\n if (key) {\n self[key] = normalizeValue(value);\n delete self[header];\n return;\n }\n\n const normalized = format ? formatHeader(header) : String(header).trim();\n\n if (normalized !== header) {\n delete self[header];\n }\n\n self[normalized] = normalizeValue(value);\n\n headers[normalized] = true;\n });\n\n return this;\n }\n\n concat(...targets) {\n return this.constructor.concat(this, ...targets);\n }\n\n toJSON(asStrings) {\n const obj = Object.create(null);\n\n utils.forEach(this, (value, header) => {\n value != null && value !== false && (obj[header] = asStrings && utils.isArray(value) ? value.join(', ') : value);\n });\n\n return obj;\n }\n\n [Symbol.iterator]() {\n return Object.entries(this.toJSON())[Symbol.iterator]();\n }\n\n toString() {\n return Object.entries(this.toJSON()).map(([header, value]) => header + ': ' + value).join('\\n');\n }\n\n get [Symbol.toStringTag]() {\n return 'AxiosHeaders';\n }\n\n static from(thing) {\n return thing instanceof this ? thing : new this(thing);\n }\n\n static concat(first, ...targets) {\n const computed = new this(first);\n\n targets.forEach((target) => computed.set(target));\n\n return computed;\n }\n\n static accessor(header) {\n const internals = this[$internals] = (this[$internals] = {\n accessors: {}\n });\n\n const accessors = internals.accessors;\n const prototype = this.prototype;\n\n function defineAccessor(_header) {\n const lHeader = normalizeHeader(_header);\n\n if (!accessors[lHeader]) {\n buildAccessors(prototype, _header);\n accessors[lHeader] = true;\n }\n }\n\n utils.isArray(header) ? header.forEach(defineAccessor) : defineAccessor(header);\n\n return this;\n }\n}\n\nAxiosHeaders.accessor(['Content-Type', 'Content-Length', 'Accept', 'Accept-Encoding', 'User-Agent', 'Authorization']);\n\nutils.freezeMethods(AxiosHeaders.prototype);\nutils.freezeMethods(AxiosHeaders);\n\nexport default AxiosHeaders;\n","'use strict';\n\nimport utils from './../utils.js';\nimport defaults from '../defaults/index.js';\nimport AxiosHeaders from '../core/AxiosHeaders.js';\n\n/**\n * Transform the data for a request or a response\n *\n * @param {Array|Function} fns A single function or Array of functions\n * @param {?Object} response The response object\n *\n * @returns {*} The resulting transformed data\n */\nexport default function transformData(fns, response) {\n const config = this || defaults;\n const context = response || config;\n const headers = AxiosHeaders.from(context.headers);\n let data = context.data;\n\n utils.forEach(fns, function transform(fn) {\n data = fn.call(config, data, headers.normalize(), response ? response.status : undefined);\n });\n\n headers.normalize();\n\n return data;\n}\n","'use strict';\n\nexport default function isCancel(value) {\n return !!(value && value.__CANCEL__);\n}\n","'use strict';\n\nimport AxiosError from '../core/AxiosError.js';\nimport utils from '../utils.js';\n\n/**\n * A `CanceledError` is an object that is thrown when an operation is canceled.\n *\n * @param {string=} message The message.\n * @param {Object=} config The config.\n * @param {Object=} request The request.\n *\n * @returns {CanceledError} The created error.\n */\nfunction CanceledError(message, config, request) {\n // eslint-disable-next-line no-eq-null,eqeqeq\n AxiosError.call(this, message == null ? 'canceled' : message, AxiosError.ERR_CANCELED, config, request);\n this.name = 'CanceledError';\n}\n\nutils.inherits(CanceledError, AxiosError, {\n __CANCEL__: true\n});\n\nexport default CanceledError;\n","'use strict';\n\nimport utils from './../utils.js';\nimport platform from '../platform/index.js';\n\nexport default platform.isStandardBrowserEnv ?\n\n// Standard browser envs support document.cookie\n (function standardBrowserEnv() {\n return {\n write: function write(name, value, expires, path, domain, secure) {\n const cookie = [];\n cookie.push(name + '=' + encodeURIComponent(value));\n\n if (utils.isNumber(expires)) {\n cookie.push('expires=' + new Date(expires).toGMTString());\n }\n\n if (utils.isString(path)) {\n cookie.push('path=' + path);\n }\n\n if (utils.isString(domain)) {\n cookie.push('domain=' + domain);\n }\n\n if (secure === true) {\n cookie.push('secure');\n }\n\n document.cookie = cookie.join('; ');\n },\n\n read: function read(name) {\n const match = document.cookie.match(new RegExp('(^|;\\\\s*)(' + name + ')=([^;]*)'));\n return (match ? decodeURIComponent(match[3]) : null);\n },\n\n remove: function remove(name) {\n this.write(name, '', Date.now() - 86400000);\n }\n };\n })() :\n\n// Non standard browser env (web workers, react-native) lack needed support.\n (function nonStandardBrowserEnv() {\n return {\n write: function write() {},\n read: function read() { return null; },\n remove: function remove() {}\n };\n })();\n","'use strict';\n\nimport isAbsoluteURL from '../helpers/isAbsoluteURL.js';\nimport combineURLs from '../helpers/combineURLs.js';\n\n/**\n * Creates a new URL by combining the baseURL with the requestedURL,\n * only when the requestedURL is not already an absolute URL.\n * If the requestURL is absolute, this function returns the requestedURL untouched.\n *\n * @param {string} baseURL The base URL\n * @param {string} requestedURL Absolute or relative URL to combine\n *\n * @returns {string} The combined full path\n */\nexport default function buildFullPath(baseURL, requestedURL) {\n if (baseURL && !isAbsoluteURL(requestedURL)) {\n return combineURLs(baseURL, requestedURL);\n }\n return requestedURL;\n}\n","'use strict';\n\n/**\n * Determines whether the specified URL is absolute\n *\n * @param {string} url The URL to test\n *\n * @returns {boolean} True if the specified URL is absolute, otherwise false\n */\nexport default function isAbsoluteURL(url) {\n // A URL is considered absolute if it begins with \"://\" or \"//\" (protocol-relative URL).\n // RFC 3986 defines scheme name as a sequence of characters beginning with a letter and followed\n // by any combination of letters, digits, plus, period, or hyphen.\n return /^([a-z][a-z\\d+\\-.]*:)?\\/\\//i.test(url);\n}\n","'use strict';\n\n/**\n * Creates a new URL by combining the specified URLs\n *\n * @param {string} baseURL The base URL\n * @param {string} relativeURL The relative URL\n *\n * @returns {string} The combined URL\n */\nexport default function combineURLs(baseURL, relativeURL) {\n return relativeURL\n ? baseURL.replace(/\\/+$/, '') + '/' + relativeURL.replace(/^\\/+/, '')\n : baseURL;\n}\n","'use strict';\n\nimport utils from './../utils.js';\nimport platform from '../platform/index.js';\n\nexport default platform.isStandardBrowserEnv ?\n\n// Standard browser envs have full support of the APIs needed to test\n// whether the request URL is of the same origin as current location.\n (function standardBrowserEnv() {\n const msie = /(msie|trident)/i.test(navigator.userAgent);\n const urlParsingNode = document.createElement('a');\n let originURL;\n\n /**\n * Parse a URL to discover it's components\n *\n * @param {String} url The URL to be parsed\n * @returns {Object}\n */\n function resolveURL(url) {\n let href = url;\n\n if (msie) {\n // IE needs attribute set twice to normalize properties\n urlParsingNode.setAttribute('href', href);\n href = urlParsingNode.href;\n }\n\n urlParsingNode.setAttribute('href', href);\n\n // urlParsingNode provides the UrlUtils interface - http://url.spec.whatwg.org/#urlutils\n return {\n href: urlParsingNode.href,\n protocol: urlParsingNode.protocol ? urlParsingNode.protocol.replace(/:$/, '') : '',\n host: urlParsingNode.host,\n search: urlParsingNode.search ? urlParsingNode.search.replace(/^\\?/, '') : '',\n hash: urlParsingNode.hash ? urlParsingNode.hash.replace(/^#/, '') : '',\n hostname: urlParsingNode.hostname,\n port: urlParsingNode.port,\n pathname: (urlParsingNode.pathname.charAt(0) === '/') ?\n urlParsingNode.pathname :\n '/' + urlParsingNode.pathname\n };\n }\n\n originURL = resolveURL(window.location.href);\n\n /**\n * Determine if a URL shares the same origin as the current location\n *\n * @param {String} requestURL The URL to test\n * @returns {boolean} True if URL shares the same origin, otherwise false\n */\n return function isURLSameOrigin(requestURL) {\n const parsed = (utils.isString(requestURL)) ? resolveURL(requestURL) : requestURL;\n return (parsed.protocol === originURL.protocol &&\n parsed.host === originURL.host);\n };\n })() :\n\n // Non standard browser envs (web workers, react-native) lack needed support.\n (function nonStandardBrowserEnv() {\n return function isURLSameOrigin() {\n return true;\n };\n })();\n","'use strict';\n\n/**\n * Calculate data maxRate\n * @param {Number} [samplesCount= 10]\n * @param {Number} [min= 1000]\n * @returns {Function}\n */\nfunction speedometer(samplesCount, min) {\n samplesCount = samplesCount || 10;\n const bytes = new Array(samplesCount);\n const timestamps = new Array(samplesCount);\n let head = 0;\n let tail = 0;\n let firstSampleTS;\n\n min = min !== undefined ? min : 1000;\n\n return function push(chunkLength) {\n const now = Date.now();\n\n const startedAt = timestamps[tail];\n\n if (!firstSampleTS) {\n firstSampleTS = now;\n }\n\n bytes[head] = chunkLength;\n timestamps[head] = now;\n\n let i = tail;\n let bytesCount = 0;\n\n while (i !== head) {\n bytesCount += bytes[i++];\n i = i % samplesCount;\n }\n\n head = (head + 1) % samplesCount;\n\n if (head === tail) {\n tail = (tail + 1) % samplesCount;\n }\n\n if (now - firstSampleTS < min) {\n return;\n }\n\n const passed = startedAt && now - startedAt;\n\n return passed ? Math.round(bytesCount * 1000 / passed) : undefined;\n };\n}\n\nexport default speedometer;\n","'use strict';\n\nimport utils from './../utils.js';\nimport settle from './../core/settle.js';\nimport cookies from './../helpers/cookies.js';\nimport buildURL from './../helpers/buildURL.js';\nimport buildFullPath from '../core/buildFullPath.js';\nimport isURLSameOrigin from './../helpers/isURLSameOrigin.js';\nimport transitionalDefaults from '../defaults/transitional.js';\nimport AxiosError from '../core/AxiosError.js';\nimport CanceledError from '../cancel/CanceledError.js';\nimport parseProtocol from '../helpers/parseProtocol.js';\nimport platform from '../platform/index.js';\nimport AxiosHeaders from '../core/AxiosHeaders.js';\nimport speedometer from '../helpers/speedometer.js';\n\nfunction progressEventReducer(listener, isDownloadStream) {\n let bytesNotified = 0;\n const _speedometer = speedometer(50, 250);\n\n return e => {\n const loaded = e.loaded;\n const total = e.lengthComputable ? e.total : undefined;\n const progressBytes = loaded - bytesNotified;\n const rate = _speedometer(progressBytes);\n const inRange = loaded <= total;\n\n bytesNotified = loaded;\n\n const data = {\n loaded,\n total,\n progress: total ? (loaded / total) : undefined,\n bytes: progressBytes,\n rate: rate ? rate : undefined,\n estimated: rate && total && inRange ? (total - loaded) / rate : undefined,\n event: e\n };\n\n data[isDownloadStream ? 'download' : 'upload'] = true;\n\n listener(data);\n };\n}\n\nconst isXHRAdapterSupported = typeof XMLHttpRequest !== 'undefined';\n\nexport default isXHRAdapterSupported && function (config) {\n return new Promise(function dispatchXhrRequest(resolve, reject) {\n let requestData = config.data;\n const requestHeaders = AxiosHeaders.from(config.headers).normalize();\n const responseType = config.responseType;\n let onCanceled;\n function done() {\n if (config.cancelToken) {\n config.cancelToken.unsubscribe(onCanceled);\n }\n\n if (config.signal) {\n config.signal.removeEventListener('abort', onCanceled);\n }\n }\n\n if (utils.isFormData(requestData)) {\n if (platform.isStandardBrowserEnv || platform.isStandardBrowserWebWorkerEnv) {\n requestHeaders.setContentType(false); // Let the browser set it\n } else {\n requestHeaders.setContentType('multipart/form-data;', false); // mobile/desktop app frameworks\n }\n }\n\n let request = new XMLHttpRequest();\n\n // HTTP basic authentication\n if (config.auth) {\n const username = config.auth.username || '';\n const password = config.auth.password ? unescape(encodeURIComponent(config.auth.password)) : '';\n requestHeaders.set('Authorization', 'Basic ' + btoa(username + ':' + password));\n }\n\n const fullPath = buildFullPath(config.baseURL, config.url);\n\n request.open(config.method.toUpperCase(), buildURL(fullPath, config.params, config.paramsSerializer), true);\n\n // Set the request timeout in MS\n request.timeout = config.timeout;\n\n function onloadend() {\n if (!request) {\n return;\n }\n // Prepare the response\n const responseHeaders = AxiosHeaders.from(\n 'getAllResponseHeaders' in request && request.getAllResponseHeaders()\n );\n const responseData = !responseType || responseType === 'text' || responseType === 'json' ?\n request.responseText : request.response;\n const response = {\n data: responseData,\n status: request.status,\n statusText: request.statusText,\n headers: responseHeaders,\n config,\n request\n };\n\n settle(function _resolve(value) {\n resolve(value);\n done();\n }, function _reject(err) {\n reject(err);\n done();\n }, response);\n\n // Clean up request\n request = null;\n }\n\n if ('onloadend' in request) {\n // Use onloadend if available\n request.onloadend = onloadend;\n } else {\n // Listen for ready state to emulate onloadend\n request.onreadystatechange = function handleLoad() {\n if (!request || request.readyState !== 4) {\n return;\n }\n\n // The request errored out and we didn't get a response, this will be\n // handled by onerror instead\n // With one exception: request that using file: protocol, most browsers\n // will return status as 0 even though it's a successful request\n if (request.status === 0 && !(request.responseURL && request.responseURL.indexOf('file:') === 0)) {\n return;\n }\n // readystate handler is calling before onerror or ontimeout handlers,\n // so we should call onloadend on the next 'tick'\n setTimeout(onloadend);\n };\n }\n\n // Handle browser request cancellation (as opposed to a manual cancellation)\n request.onabort = function handleAbort() {\n if (!request) {\n return;\n }\n\n reject(new AxiosError('Request aborted', AxiosError.ECONNABORTED, config, request));\n\n // Clean up request\n request = null;\n };\n\n // Handle low level network errors\n request.onerror = function handleError() {\n // Real errors are hidden from us by the browser\n // onerror should only fire if it's a network error\n reject(new AxiosError('Network Error', AxiosError.ERR_NETWORK, config, request));\n\n // Clean up request\n request = null;\n };\n\n // Handle timeout\n request.ontimeout = function handleTimeout() {\n let timeoutErrorMessage = config.timeout ? 'timeout of ' + config.timeout + 'ms exceeded' : 'timeout exceeded';\n const transitional = config.transitional || transitionalDefaults;\n if (config.timeoutErrorMessage) {\n timeoutErrorMessage = config.timeoutErrorMessage;\n }\n reject(new AxiosError(\n timeoutErrorMessage,\n transitional.clarifyTimeoutError ? AxiosError.ETIMEDOUT : AxiosError.ECONNABORTED,\n config,\n request));\n\n // Clean up request\n request = null;\n };\n\n // Add xsrf header\n // This is only done if running in a standard browser environment.\n // Specifically not if we're in a web worker, or react-native.\n if (platform.isStandardBrowserEnv) {\n // Add xsrf header\n const xsrfValue = (config.withCredentials || isURLSameOrigin(fullPath))\n && config.xsrfCookieName && cookies.read(config.xsrfCookieName);\n\n if (xsrfValue) {\n requestHeaders.set(config.xsrfHeaderName, xsrfValue);\n }\n }\n\n // Remove Content-Type if data is undefined\n requestData === undefined && requestHeaders.setContentType(null);\n\n // Add headers to the request\n if ('setRequestHeader' in request) {\n utils.forEach(requestHeaders.toJSON(), function setRequestHeader(val, key) {\n request.setRequestHeader(key, val);\n });\n }\n\n // Add withCredentials to request if needed\n if (!utils.isUndefined(config.withCredentials)) {\n request.withCredentials = !!config.withCredentials;\n }\n\n // Add responseType to request if needed\n if (responseType && responseType !== 'json') {\n request.responseType = config.responseType;\n }\n\n // Handle progress if needed\n if (typeof config.onDownloadProgress === 'function') {\n request.addEventListener('progress', progressEventReducer(config.onDownloadProgress, true));\n }\n\n // Not all browsers support upload events\n if (typeof config.onUploadProgress === 'function' && request.upload) {\n request.upload.addEventListener('progress', progressEventReducer(config.onUploadProgress));\n }\n\n if (config.cancelToken || config.signal) {\n // Handle cancellation\n // eslint-disable-next-line func-names\n onCanceled = cancel => {\n if (!request) {\n return;\n }\n reject(!cancel || cancel.type ? new CanceledError(null, config, request) : cancel);\n request.abort();\n request = null;\n };\n\n config.cancelToken && config.cancelToken.subscribe(onCanceled);\n if (config.signal) {\n config.signal.aborted ? onCanceled() : config.signal.addEventListener('abort', onCanceled);\n }\n }\n\n const protocol = parseProtocol(fullPath);\n\n if (protocol && platform.protocols.indexOf(protocol) === -1) {\n reject(new AxiosError('Unsupported protocol ' + protocol + ':', AxiosError.ERR_BAD_REQUEST, config));\n return;\n }\n\n\n // Send the request\n request.send(requestData || null);\n });\n}\n","import utils from '../utils.js';\nimport httpAdapter from './http.js';\nimport xhrAdapter from './xhr.js';\nimport AxiosError from \"../core/AxiosError.js\";\n\nconst knownAdapters = {\n http: httpAdapter,\n xhr: xhrAdapter\n}\n\nutils.forEach(knownAdapters, (fn, value) => {\n if(fn) {\n try {\n Object.defineProperty(fn, 'name', {value});\n } catch (e) {\n // eslint-disable-next-line no-empty\n }\n Object.defineProperty(fn, 'adapterName', {value});\n }\n});\n\nexport default {\n getAdapter: (adapters) => {\n adapters = utils.isArray(adapters) ? adapters : [adapters];\n\n const {length} = adapters;\n let nameOrAdapter;\n let adapter;\n\n for (let i = 0; i < length; i++) {\n nameOrAdapter = adapters[i];\n if((adapter = utils.isString(nameOrAdapter) ? knownAdapters[nameOrAdapter.toLowerCase()] : nameOrAdapter)) {\n break;\n }\n }\n\n if (!adapter) {\n if (adapter === false) {\n throw new AxiosError(\n `Adapter ${nameOrAdapter} is not supported by the environment`,\n 'ERR_NOT_SUPPORT'\n );\n }\n\n throw new Error(\n utils.hasOwnProp(knownAdapters, nameOrAdapter) ?\n `Adapter '${nameOrAdapter}' is not available in the build` :\n `Unknown adapter '${nameOrAdapter}'`\n );\n }\n\n if (!utils.isFunction(adapter)) {\n throw new TypeError('adapter is not a function');\n }\n\n return adapter;\n },\n adapters: knownAdapters\n}\n","// eslint-disable-next-line strict\nexport default null;\n","'use strict';\n\nimport AxiosError from './AxiosError.js';\n\n/**\n * Resolve or reject a Promise based on response status.\n *\n * @param {Function} resolve A function that resolves the promise.\n * @param {Function} reject A function that rejects the promise.\n * @param {object} response The response.\n *\n * @returns {object} The response.\n */\nexport default function settle(resolve, reject, response) {\n const validateStatus = response.config.validateStatus;\n if (!response.status || !validateStatus || validateStatus(response.status)) {\n resolve(response);\n } else {\n reject(new AxiosError(\n 'Request failed with status code ' + response.status,\n [AxiosError.ERR_BAD_REQUEST, AxiosError.ERR_BAD_RESPONSE][Math.floor(response.status / 100) - 4],\n response.config,\n response.request,\n response\n ));\n }\n}\n","'use strict';\n\nexport default function parseProtocol(url) {\n const match = /^([-+\\w]{1,25})(:?\\/\\/|:)/.exec(url);\n return match && match[1] || '';\n}\n","'use strict';\n\nimport transformData from './transformData.js';\nimport isCancel from '../cancel/isCancel.js';\nimport defaults from '../defaults/index.js';\nimport CanceledError from '../cancel/CanceledError.js';\nimport AxiosHeaders from '../core/AxiosHeaders.js';\nimport adapters from \"../adapters/adapters.js\";\n\n/**\n * Throws a `CanceledError` if cancellation has been requested.\n *\n * @param {Object} config The config that is to be used for the request\n *\n * @returns {void}\n */\nfunction throwIfCancellationRequested(config) {\n if (config.cancelToken) {\n config.cancelToken.throwIfRequested();\n }\n\n if (config.signal && config.signal.aborted) {\n throw new CanceledError(null, config);\n }\n}\n\n/**\n * Dispatch a request to the server using the configured adapter.\n *\n * @param {object} config The config that is to be used for the request\n *\n * @returns {Promise} The Promise to be fulfilled\n */\nexport default function dispatchRequest(config) {\n throwIfCancellationRequested(config);\n\n config.headers = AxiosHeaders.from(config.headers);\n\n // Transform request data\n config.data = transformData.call(\n config,\n config.transformRequest\n );\n\n if (['post', 'put', 'patch'].indexOf(config.method) !== -1) {\n config.headers.setContentType('application/x-www-form-urlencoded', false);\n }\n\n const adapter = adapters.getAdapter(config.adapter || defaults.adapter);\n\n return adapter(config).then(function onAdapterResolution(response) {\n throwIfCancellationRequested(config);\n\n // Transform response data\n response.data = transformData.call(\n config,\n config.transformResponse,\n response\n );\n\n response.headers = AxiosHeaders.from(response.headers);\n\n return response;\n }, function onAdapterRejection(reason) {\n if (!isCancel(reason)) {\n throwIfCancellationRequested(config);\n\n // Transform response data\n if (reason && reason.response) {\n reason.response.data = transformData.call(\n config,\n config.transformResponse,\n reason.response\n );\n reason.response.headers = AxiosHeaders.from(reason.response.headers);\n }\n }\n\n return Promise.reject(reason);\n });\n}\n","'use strict';\n\nimport utils from '../utils.js';\nimport AxiosHeaders from \"./AxiosHeaders.js\";\n\nconst headersToObject = (thing) => thing instanceof AxiosHeaders ? thing.toJSON() : thing;\n\n/**\n * Config-specific merge-function which creates a new config-object\n * by merging two configuration objects together.\n *\n * @param {Object} config1\n * @param {Object} config2\n *\n * @returns {Object} New object resulting from merging config2 to config1\n */\nexport default function mergeConfig(config1, config2) {\n // eslint-disable-next-line no-param-reassign\n config2 = config2 || {};\n const config = {};\n\n function getMergedValue(target, source, caseless) {\n if (utils.isPlainObject(target) && utils.isPlainObject(source)) {\n return utils.merge.call({caseless}, target, source);\n } else if (utils.isPlainObject(source)) {\n return utils.merge({}, source);\n } else if (utils.isArray(source)) {\n return source.slice();\n }\n return source;\n }\n\n // eslint-disable-next-line consistent-return\n function mergeDeepProperties(a, b, caseless) {\n if (!utils.isUndefined(b)) {\n return getMergedValue(a, b, caseless);\n } else if (!utils.isUndefined(a)) {\n return getMergedValue(undefined, a, caseless);\n }\n }\n\n // eslint-disable-next-line consistent-return\n function valueFromConfig2(a, b) {\n if (!utils.isUndefined(b)) {\n return getMergedValue(undefined, b);\n }\n }\n\n // eslint-disable-next-line consistent-return\n function defaultToConfig2(a, b) {\n if (!utils.isUndefined(b)) {\n return getMergedValue(undefined, b);\n } else if (!utils.isUndefined(a)) {\n return getMergedValue(undefined, a);\n }\n }\n\n // eslint-disable-next-line consistent-return\n function mergeDirectKeys(a, b, prop) {\n if (prop in config2) {\n return getMergedValue(a, b);\n } else if (prop in config1) {\n return getMergedValue(undefined, a);\n }\n }\n\n const mergeMap = {\n url: valueFromConfig2,\n method: valueFromConfig2,\n data: valueFromConfig2,\n baseURL: defaultToConfig2,\n transformRequest: defaultToConfig2,\n transformResponse: defaultToConfig2,\n paramsSerializer: defaultToConfig2,\n timeout: defaultToConfig2,\n timeoutMessage: defaultToConfig2,\n withCredentials: defaultToConfig2,\n adapter: defaultToConfig2,\n responseType: defaultToConfig2,\n xsrfCookieName: defaultToConfig2,\n xsrfHeaderName: defaultToConfig2,\n onUploadProgress: defaultToConfig2,\n onDownloadProgress: defaultToConfig2,\n decompress: defaultToConfig2,\n maxContentLength: defaultToConfig2,\n maxBodyLength: defaultToConfig2,\n beforeRedirect: defaultToConfig2,\n transport: defaultToConfig2,\n httpAgent: defaultToConfig2,\n httpsAgent: defaultToConfig2,\n cancelToken: defaultToConfig2,\n socketPath: defaultToConfig2,\n responseEncoding: defaultToConfig2,\n validateStatus: mergeDirectKeys,\n headers: (a, b) => mergeDeepProperties(headersToObject(a), headersToObject(b), true)\n };\n\n utils.forEach(Object.keys(Object.assign({}, config1, config2)), function computeConfigValue(prop) {\n const merge = mergeMap[prop] || mergeDeepProperties;\n const configValue = merge(config1[prop], config2[prop], prop);\n (utils.isUndefined(configValue) && merge !== mergeDirectKeys) || (config[prop] = configValue);\n });\n\n return config;\n}\n","export const VERSION = \"1.4.0\";","'use strict';\n\nimport {VERSION} from '../env/data.js';\nimport AxiosError from '../core/AxiosError.js';\n\nconst validators = {};\n\n// eslint-disable-next-line func-names\n['object', 'boolean', 'number', 'function', 'string', 'symbol'].forEach((type, i) => {\n validators[type] = function validator(thing) {\n return typeof thing === type || 'a' + (i < 1 ? 'n ' : ' ') + type;\n };\n});\n\nconst deprecatedWarnings = {};\n\n/**\n * Transitional option validator\n *\n * @param {function|boolean?} validator - set to false if the transitional option has been removed\n * @param {string?} version - deprecated version / removed since version\n * @param {string?} message - some message with additional info\n *\n * @returns {function}\n */\nvalidators.transitional = function transitional(validator, version, message) {\n function formatMessage(opt, desc) {\n return '[Axios v' + VERSION + '] Transitional option \\'' + opt + '\\'' + desc + (message ? '. ' + message : '');\n }\n\n // eslint-disable-next-line func-names\n return (value, opt, opts) => {\n if (validator === false) {\n throw new AxiosError(\n formatMessage(opt, ' has been removed' + (version ? ' in ' + version : '')),\n AxiosError.ERR_DEPRECATED\n );\n }\n\n if (version && !deprecatedWarnings[opt]) {\n deprecatedWarnings[opt] = true;\n // eslint-disable-next-line no-console\n console.warn(\n formatMessage(\n opt,\n ' has been deprecated since v' + version + ' and will be removed in the near future'\n )\n );\n }\n\n return validator ? validator(value, opt, opts) : true;\n };\n};\n\n/**\n * Assert object's properties type\n *\n * @param {object} options\n * @param {object} schema\n * @param {boolean?} allowUnknown\n *\n * @returns {object}\n */\n\nfunction assertOptions(options, schema, allowUnknown) {\n if (typeof options !== 'object') {\n throw new AxiosError('options must be an object', AxiosError.ERR_BAD_OPTION_VALUE);\n }\n const keys = Object.keys(options);\n let i = keys.length;\n while (i-- > 0) {\n const opt = keys[i];\n const validator = schema[opt];\n if (validator) {\n const value = options[opt];\n const result = value === undefined || validator(value, opt, options);\n if (result !== true) {\n throw new AxiosError('option ' + opt + ' must be ' + result, AxiosError.ERR_BAD_OPTION_VALUE);\n }\n continue;\n }\n if (allowUnknown !== true) {\n throw new AxiosError('Unknown option ' + opt, AxiosError.ERR_BAD_OPTION);\n }\n }\n}\n\nexport default {\n assertOptions,\n validators\n};\n","'use strict';\n\nimport utils from './../utils.js';\nimport buildURL from '../helpers/buildURL.js';\nimport InterceptorManager from './InterceptorManager.js';\nimport dispatchRequest from './dispatchRequest.js';\nimport mergeConfig from './mergeConfig.js';\nimport buildFullPath from './buildFullPath.js';\nimport validator from '../helpers/validator.js';\nimport AxiosHeaders from './AxiosHeaders.js';\n\nconst validators = validator.validators;\n\n/**\n * Create a new instance of Axios\n *\n * @param {Object} instanceConfig The default config for the instance\n *\n * @return {Axios} A new instance of Axios\n */\nclass Axios {\n constructor(instanceConfig) {\n this.defaults = instanceConfig;\n this.interceptors = {\n request: new InterceptorManager(),\n response: new InterceptorManager()\n };\n }\n\n /**\n * Dispatch a request\n *\n * @param {String|Object} configOrUrl The config specific for this request (merged with this.defaults)\n * @param {?Object} config\n *\n * @returns {Promise} The Promise to be fulfilled\n */\n request(configOrUrl, config) {\n /*eslint no-param-reassign:0*/\n // Allow for axios('example/url'[, config]) a la fetch API\n if (typeof configOrUrl === 'string') {\n config = config || {};\n config.url = configOrUrl;\n } else {\n config = configOrUrl || {};\n }\n\n config = mergeConfig(this.defaults, config);\n\n const {transitional, paramsSerializer, headers} = config;\n\n if (transitional !== undefined) {\n validator.assertOptions(transitional, {\n silentJSONParsing: validators.transitional(validators.boolean),\n forcedJSONParsing: validators.transitional(validators.boolean),\n clarifyTimeoutError: validators.transitional(validators.boolean)\n }, false);\n }\n\n if (paramsSerializer != null) {\n if (utils.isFunction(paramsSerializer)) {\n config.paramsSerializer = {\n serialize: paramsSerializer\n }\n } else {\n validator.assertOptions(paramsSerializer, {\n encode: validators.function,\n serialize: validators.function\n }, true);\n }\n }\n\n // Set config.method\n config.method = (config.method || this.defaults.method || 'get').toLowerCase();\n\n let contextHeaders;\n\n // Flatten headers\n contextHeaders = headers && utils.merge(\n headers.common,\n headers[config.method]\n );\n\n contextHeaders && utils.forEach(\n ['delete', 'get', 'head', 'post', 'put', 'patch', 'common'],\n (method) => {\n delete headers[method];\n }\n );\n\n config.headers = AxiosHeaders.concat(contextHeaders, headers);\n\n // filter out skipped interceptors\n const requestInterceptorChain = [];\n let synchronousRequestInterceptors = true;\n this.interceptors.request.forEach(function unshiftRequestInterceptors(interceptor) {\n if (typeof interceptor.runWhen === 'function' && interceptor.runWhen(config) === false) {\n return;\n }\n\n synchronousRequestInterceptors = synchronousRequestInterceptors && interceptor.synchronous;\n\n requestInterceptorChain.unshift(interceptor.fulfilled, interceptor.rejected);\n });\n\n const responseInterceptorChain = [];\n this.interceptors.response.forEach(function pushResponseInterceptors(interceptor) {\n responseInterceptorChain.push(interceptor.fulfilled, interceptor.rejected);\n });\n\n let promise;\n let i = 0;\n let len;\n\n if (!synchronousRequestInterceptors) {\n const chain = [dispatchRequest.bind(this), undefined];\n chain.unshift.apply(chain, requestInterceptorChain);\n chain.push.apply(chain, responseInterceptorChain);\n len = chain.length;\n\n promise = Promise.resolve(config);\n\n while (i < len) {\n promise = promise.then(chain[i++], chain[i++]);\n }\n\n return promise;\n }\n\n len = requestInterceptorChain.length;\n\n let newConfig = config;\n\n i = 0;\n\n while (i < len) {\n const onFulfilled = requestInterceptorChain[i++];\n const onRejected = requestInterceptorChain[i++];\n try {\n newConfig = onFulfilled(newConfig);\n } catch (error) {\n onRejected.call(this, error);\n break;\n }\n }\n\n try {\n promise = dispatchRequest.call(this, newConfig);\n } catch (error) {\n return Promise.reject(error);\n }\n\n i = 0;\n len = responseInterceptorChain.length;\n\n while (i < len) {\n promise = promise.then(responseInterceptorChain[i++], responseInterceptorChain[i++]);\n }\n\n return promise;\n }\n\n getUri(config) {\n config = mergeConfig(this.defaults, config);\n const fullPath = buildFullPath(config.baseURL, config.url);\n return buildURL(fullPath, config.params, config.paramsSerializer);\n }\n}\n\n// Provide aliases for supported request methods\nutils.forEach(['delete', 'get', 'head', 'options'], function forEachMethodNoData(method) {\n /*eslint func-names:0*/\n Axios.prototype[method] = function(url, config) {\n return this.request(mergeConfig(config || {}, {\n method,\n url,\n data: (config || {}).data\n }));\n };\n});\n\nutils.forEach(['post', 'put', 'patch'], function forEachMethodWithData(method) {\n /*eslint func-names:0*/\n\n function generateHTTPMethod(isForm) {\n return function httpMethod(url, data, config) {\n return this.request(mergeConfig(config || {}, {\n method,\n headers: isForm ? {\n 'Content-Type': 'multipart/form-data'\n } : {},\n url,\n data\n }));\n };\n }\n\n Axios.prototype[method] = generateHTTPMethod();\n\n Axios.prototype[method + 'Form'] = generateHTTPMethod(true);\n});\n\nexport default Axios;\n","'use strict';\n\nimport CanceledError from './CanceledError.js';\n\n/**\n * A `CancelToken` is an object that can be used to request cancellation of an operation.\n *\n * @param {Function} executor The executor function.\n *\n * @returns {CancelToken}\n */\nclass CancelToken {\n constructor(executor) {\n if (typeof executor !== 'function') {\n throw new TypeError('executor must be a function.');\n }\n\n let resolvePromise;\n\n this.promise = new Promise(function promiseExecutor(resolve) {\n resolvePromise = resolve;\n });\n\n const token = this;\n\n // eslint-disable-next-line func-names\n this.promise.then(cancel => {\n if (!token._listeners) return;\n\n let i = token._listeners.length;\n\n while (i-- > 0) {\n token._listeners[i](cancel);\n }\n token._listeners = null;\n });\n\n // eslint-disable-next-line func-names\n this.promise.then = onfulfilled => {\n let _resolve;\n // eslint-disable-next-line func-names\n const promise = new Promise(resolve => {\n token.subscribe(resolve);\n _resolve = resolve;\n }).then(onfulfilled);\n\n promise.cancel = function reject() {\n token.unsubscribe(_resolve);\n };\n\n return promise;\n };\n\n executor(function cancel(message, config, request) {\n if (token.reason) {\n // Cancellation has already been requested\n return;\n }\n\n token.reason = new CanceledError(message, config, request);\n resolvePromise(token.reason);\n });\n }\n\n /**\n * Throws a `CanceledError` if cancellation has been requested.\n */\n throwIfRequested() {\n if (this.reason) {\n throw this.reason;\n }\n }\n\n /**\n * Subscribe to the cancel signal\n */\n\n subscribe(listener) {\n if (this.reason) {\n listener(this.reason);\n return;\n }\n\n if (this._listeners) {\n this._listeners.push(listener);\n } else {\n this._listeners = [listener];\n }\n }\n\n /**\n * Unsubscribe from the cancel signal\n */\n\n unsubscribe(listener) {\n if (!this._listeners) {\n return;\n }\n const index = this._listeners.indexOf(listener);\n if (index !== -1) {\n this._listeners.splice(index, 1);\n }\n }\n\n /**\n * Returns an object that contains a new `CancelToken` and a function that, when called,\n * cancels the `CancelToken`.\n */\n static source() {\n let cancel;\n const token = new CancelToken(function executor(c) {\n cancel = c;\n });\n return {\n token,\n cancel\n };\n }\n}\n\nexport default CancelToken;\n","const HttpStatusCode = {\n Continue: 100,\n SwitchingProtocols: 101,\n Processing: 102,\n EarlyHints: 103,\n Ok: 200,\n Created: 201,\n Accepted: 202,\n NonAuthoritativeInformation: 203,\n NoContent: 204,\n ResetContent: 205,\n PartialContent: 206,\n MultiStatus: 207,\n AlreadyReported: 208,\n ImUsed: 226,\n MultipleChoices: 300,\n MovedPermanently: 301,\n Found: 302,\n SeeOther: 303,\n NotModified: 304,\n UseProxy: 305,\n Unused: 306,\n TemporaryRedirect: 307,\n PermanentRedirect: 308,\n BadRequest: 400,\n Unauthorized: 401,\n PaymentRequired: 402,\n Forbidden: 403,\n NotFound: 404,\n MethodNotAllowed: 405,\n NotAcceptable: 406,\n ProxyAuthenticationRequired: 407,\n RequestTimeout: 408,\n Conflict: 409,\n Gone: 410,\n LengthRequired: 411,\n PreconditionFailed: 412,\n PayloadTooLarge: 413,\n UriTooLong: 414,\n UnsupportedMediaType: 415,\n RangeNotSatisfiable: 416,\n ExpectationFailed: 417,\n ImATeapot: 418,\n MisdirectedRequest: 421,\n UnprocessableEntity: 422,\n Locked: 423,\n FailedDependency: 424,\n TooEarly: 425,\n UpgradeRequired: 426,\n PreconditionRequired: 428,\n TooManyRequests: 429,\n RequestHeaderFieldsTooLarge: 431,\n UnavailableForLegalReasons: 451,\n InternalServerError: 500,\n NotImplemented: 501,\n BadGateway: 502,\n ServiceUnavailable: 503,\n GatewayTimeout: 504,\n HttpVersionNotSupported: 505,\n VariantAlsoNegotiates: 506,\n InsufficientStorage: 507,\n LoopDetected: 508,\n NotExtended: 510,\n NetworkAuthenticationRequired: 511,\n};\n\nObject.entries(HttpStatusCode).forEach(([key, value]) => {\n HttpStatusCode[value] = key;\n});\n\nexport default HttpStatusCode;\n","'use strict';\n\nimport utils from './utils.js';\nimport bind from './helpers/bind.js';\nimport Axios from './core/Axios.js';\nimport mergeConfig from './core/mergeConfig.js';\nimport defaults from './defaults/index.js';\nimport formDataToJSON from './helpers/formDataToJSON.js';\nimport CanceledError from './cancel/CanceledError.js';\nimport CancelToken from './cancel/CancelToken.js';\nimport isCancel from './cancel/isCancel.js';\nimport {VERSION} from './env/data.js';\nimport toFormData from './helpers/toFormData.js';\nimport AxiosError from './core/AxiosError.js';\nimport spread from './helpers/spread.js';\nimport isAxiosError from './helpers/isAxiosError.js';\nimport AxiosHeaders from \"./core/AxiosHeaders.js\";\nimport HttpStatusCode from './helpers/HttpStatusCode.js';\n\n/**\n * Create an instance of Axios\n *\n * @param {Object} defaultConfig The default config for the instance\n *\n * @returns {Axios} A new instance of Axios\n */\nfunction createInstance(defaultConfig) {\n const context = new Axios(defaultConfig);\n const instance = bind(Axios.prototype.request, context);\n\n // Copy axios.prototype to instance\n utils.extend(instance, Axios.prototype, context, {allOwnKeys: true});\n\n // Copy context to instance\n utils.extend(instance, context, null, {allOwnKeys: true});\n\n // Factory for creating new instances\n instance.create = function create(instanceConfig) {\n return createInstance(mergeConfig(defaultConfig, instanceConfig));\n };\n\n return instance;\n}\n\n// Create the default instance to be exported\nconst axios = createInstance(defaults);\n\n// Expose Axios class to allow class inheritance\naxios.Axios = Axios;\n\n// Expose Cancel & CancelToken\naxios.CanceledError = CanceledError;\naxios.CancelToken = CancelToken;\naxios.isCancel = isCancel;\naxios.VERSION = VERSION;\naxios.toFormData = toFormData;\n\n// Expose AxiosError class\naxios.AxiosError = AxiosError;\n\n// alias for CanceledError for backward compatibility\naxios.Cancel = axios.CanceledError;\n\n// Expose all/spread\naxios.all = function all(promises) {\n return Promise.all(promises);\n};\n\naxios.spread = spread;\n\n// Expose isAxiosError\naxios.isAxiosError = isAxiosError;\n\n// Expose mergeConfig\naxios.mergeConfig = mergeConfig;\n\naxios.AxiosHeaders = AxiosHeaders;\n\naxios.formToJSON = thing => formDataToJSON(utils.isHTMLForm(thing) ? new FormData(thing) : thing);\n\naxios.HttpStatusCode = HttpStatusCode;\n\naxios.default = axios;\n\n// this module should only have a default export\nexport default axios\n","'use strict';\n\n/**\n * Syntactic sugar for invoking a function and expanding an array for arguments.\n *\n * Common use case would be to use `Function.prototype.apply`.\n *\n * ```js\n * function f(x, y, z) {}\n * var args = [1, 2, 3];\n * f.apply(null, args);\n * ```\n *\n * With `spread` this example can be re-written.\n *\n * ```js\n * spread(function(x, y, z) {})([1, 2, 3]);\n * ```\n *\n * @param {Function} callback\n *\n * @returns {Function}\n */\nexport default function spread(callback) {\n return function wrap(arr) {\n return callback.apply(null, arr);\n };\n}\n","'use strict';\n\nimport utils from './../utils.js';\n\n/**\n * Determines whether the payload is an error thrown by Axios\n *\n * @param {*} payload The value to test\n *\n * @returns {boolean} True if the payload is an error thrown by Axios, otherwise false\n */\nexport default function isAxiosError(payload) {\n return utils.isObject(payload) && (payload.isAxiosError === true);\n}\n","class AppUrl {\r\n static BaseURL = \"https://indzip.com/admin/api\"\r\n static documentPath = \"https://indzip.com/admin/public\"\r\n \r\n ///////////////////////// Common API For Customer And Traveller/////////////\r\n // CHeck Unique Start\r\n static CheckMobileUnique = this.BaseURL + \"/check-mobile-unique\";\r\n static CheckEmailUnique = this.BaseURL + \"/check-email-unique\";\r\n // OTP Send\r\n static otpSend = this.BaseURL + \"/otp-send\";\r\n //Get price\r\n static getPrice = this.BaseURL+\"/get-price\"; \r\n static getCountry = this.BaseURL + \"/countries\";\r\n\r\n static contactus = this.BaseURL+\"/contact-us\";\r\n static getStates(country_id) {\r\n return this.BaseURL + '/states/' + country_id;\r\n }\r\n static getCity(state_id) {\r\n return this.BaseURL + '/cities/' + state_id;\r\n }\r\n static getLocalities(city_id) {\r\n return this.BaseURL + '/localities/' + city_id;\r\n }\r\n static documentType = this.BaseURL + \"/document-type\";\r\n static getBussinessCategory = this.BaseURL + \"/bussiness-categories\";\r\n static getProfession = this.BaseURL + \"/get-profession\";\r\n\r\n // profile image update\r\n static customerProfileImageUpdate = this.BaseURL + \"/customer-profile-image-update\";\r\n ///////////////////////// Traveller //////////////////////////\r\n\r\n //Traveller Signup\r\n static travellerSignup = this.BaseURL + \"/traveller-signup\";\r\n // Traveller Login\r\n static travellerLogin = this.BaseURL + \"/traveller-login\";\r\n // Traveller Profile Update \r\n static travellerProfileUpdate = this.BaseURL + \"/traveller-profile-update\";\r\n // profile image update\r\n static travellerProfileImageUpdate = this.BaseURL + \"/traveller-profile-image-update\";\r\n // Traveller Password Update\r\n static travellerPasswordUpdate = this.BaseURL + \"/password-update\";\r\n static travellerLogout = this.BaseURL + \"/traveller-logout\";\r\n static getTravellerStatus = this.BaseURL+\"/gettraveller-status\";\r\n static travellerStatusUpdate = this.BaseURL+\"/traveller-status-update\";\r\n static travellerOrderDocumentUpdate = this.BaseURL+\"/traveller-order-document-update\";\r\n \r\n //Banks Details Start\r\n static bankDetails(customer_id) {\r\n return this.BaseURL + '/bank-details/' + customer_id\r\n }\r\n static bankSave = this.BaseURL + \"/bank-save\";\r\n\r\n static bankEdit(id) {\r\n return this.BaseURL + '/bank-edit/' + id\r\n }\r\n //End \r\n static travellerransactionList(traveller_id) {\r\n return this.BaseURL + \"/traveller-transaction-list/\" + traveller_id ;\r\n }\r\n //Orders\r\n static travellerOrderList(traveller_id) {\r\n return this.BaseURL + \"/traveller-order-list/\" + traveller_id;\r\n }\r\n static travellerOrderDetail(order_id, enquiry_id) {\r\n return this.BaseURL + \"/traveller-order-details/\" + order_id + '/' + enquiry_id;\r\n }\r\n static getTravellerAllDocument(traveller_id) {\r\n return this.BaseURL + \"/all-traveller-document/\" + traveller_id;\r\n }\r\n static travellerDocumentSave = this.BaseURL + \"/traveller-document-save\";\r\n static singleTravellerDocument(traveller_id) {\r\n return this.BaseURL + '/single-traveller-document/' + traveller_id;\r\n }\r\n static getTravellerAllAddress(traveller_id) {\r\n return this.BaseURL + '/traveller-address/' + traveller_id\r\n }\r\n static travellerAddressEdit(id) {\r\n return this.BaseURL + '/traveller-address-edit/' + id;\r\n }\r\n static travellerAddressSave = this.BaseURL + \"/traveller-address-save\";\r\n\r\n ////////////////////Customer //////////////////////////////////////////////\r\n //Customer Login\r\n static singin = this.BaseURL + \"/customer/login\";\r\n //Customer Signup\r\n static customerSingup = this.BaseURL + \"/customer-signup\";\r\n //Customer Profile\r\n static profileUpdate = this.BaseURL + \"/customer-profile-update\";\r\n //Customer Password Update\r\n static customerPasswordUpdate = this.BaseURL + \"/customer-password-update\";\r\n static customerLogout = this.BaseURL + \"/customer-logout\"; \r\n static CustomerTransactionList(customer_id) {\r\n return this.BaseURL + \"/customer-transaction-list/\" + customer_id ;\r\n } \r\n //Customer Orders\r\n static customerOrderList(customer_id) {\r\n return this.BaseURL + \"/customer-order-list/\" + customer_id;\r\n }\r\n static customerOrderDetail(order_id, enquiry_id) {\r\n return this.BaseURL + \"/customer-order-details/\" + order_id + '/' + enquiry_id;\r\n }\r\n //invoice list\r\n static customerInvoiceList(customer_id) {\r\n return this.BaseURL + \"/customer-invoice-list/\" + customer_id;\r\n }\r\n //Enquery\r\n static getAllProductType = this.BaseURL + \"/all-product-packing-type\";\r\n static enquirySave = this.BaseURL + \"/enquiry-save\";\r\n static enquiryList(customer_id) {\r\n return this.BaseURL + \"/enquiry-list/\" + customer_id;\r\n }\r\n static enquiryDetails(id) {\r\n return this.BaseURL + \"/enquiry-details/\" + id;\r\n }\r\n static getCustomerAllDocument(customer_id) {\r\n return this.BaseURL + \"/all-customer-document/\" + customer_id;\r\n }\r\n static customerDocumentSave = this.BaseURL + \"/customer-document-save\";\r\n static singleCustomerDocument(customer_id) {\r\n return this.BaseURL + '/single-customer-document/' + customer_id;\r\n }\r\n static getCustomerAllAddress(customer_id) {\r\n return this.BaseURL + '/customer-all-address/' + customer_id\r\n }\r\n static customerAddressSave = this.BaseURL + \"/customer-address-save\";\r\n static customerAddressEdit(id) {\r\n return this.BaseURL + '/customer-address-edit/' + id;\r\n }\r\n}\r\nexport default AppUrl","import React, { Component } from 'react'\r\nimport { Link } from 'react-router-dom';\r\nimport axios from 'axios';\r\nimport AppUrl from '../../../api/AppUrl'\r\n\r\nclass Home extends Component {\r\n\r\n scrollToTop() {\r\n window.scrollTo(0, 0);\r\n }\r\n constructor(props) {\r\n super(props);\r\n this.state = {\r\n addressList: [],\r\n price: '',\r\n pickup_form: '',\r\n drop_to: '',\r\n weight: '',\r\n form_locality_error: '',\r\n drop_to_error: '',\r\n weight_error: '',\r\n display_processing: 'none',\r\n display_price: 'none',\r\n isModalOpen: false,\r\n from_city_name: '',\r\n to_city_name: ''\r\n }\r\n }\r\n\r\n componentDidMount() {\r\n axios.get(AppUrl.getCity(0)).then(response => {\r\n this.setState({ addressList: response.data.cities })\r\n });\r\n this.scrollToTop();\r\n }\r\n\r\n handelChange = (e) => {\r\n let form_locality_error = '';\r\n let drop_to_error = '';\r\n let weight_error = '';\r\n const name = e.target.name;\r\n const value = e.target.value;\r\n this.setState({ [name]: value });\r\n\r\n if (name == 'pickup_form') {\r\n this.setState({ from_city_name: e.target.options[e.target.selectedIndex].text });\r\n }\r\n\r\n if (name == 'drop_to') {\r\n this.setState({ to_city_name: e.target.options[e.target.selectedIndex].text });\r\n }\r\n if (name == 'pickup_form') {\r\n this.setState({ form_locality_error }, () => setTimeout(() => this.setState({ form_locality_error: '' }), 5000));\r\n } if (name == 'drop_to') {\r\n this.setState({ drop_to_error }, () => setTimeout(() => this.setState({ drop_to_error: '' }), 5000));\r\n } if (name == 'weight') {\r\n this.setState({ weight_error }, () => setTimeout(() => this.setState({ weight_error: '' }), 5000));\r\n }\r\n }\r\n\r\n validate = () => {\r\n let form_locality_error = '';\r\n let drop_to_error = '';\r\n let weight_error = '';\r\n const number_reg = RegExp(/^([+]?[\\s0-9]+)?(\\d{3}|[(]?[0-9]+[)])?([-]?[\\s]?[0-9])+$/i);\r\n // single filed validation\r\n if (!this.state.pickup_form) {\r\n form_locality_error = \"Please select from city.\";\r\n } else if (!this.state.drop_to) {\r\n drop_to_error = \"Please select to city.\";\r\n } else if (!this.state.weight || !number_reg.test(this.state.weight)) {\r\n weight_error = \"Please enter valid weight.\";\r\n }\r\n if (form_locality_error || drop_to_error || weight_error) {\r\n this.setState({ form_locality_error, drop_to_error, weight_error });\r\n setTimeout(() => {\r\n this.setState({\r\n form_locality_error: '',\r\n drop_to_error: '',\r\n weight_error: '',\r\n });\r\n }, 5000);\r\n return false;\r\n }\r\n return true;\r\n }\r\n\r\n // Function to open the modal\r\n openModal = () => {\r\n this.setState({ isModalOpen: true });\r\n };\r\n\r\n // Function to close the modal\r\n closeModal = () => {\r\n this.setState({ isModalOpen: false });\r\n };\r\n\r\n getPrice = (e) => {\r\n e.preventDefault();\r\n const dataFromState = this.state;\r\n const isValid = this.validate();\r\n if (isValid) {\r\n this.setState({ 'display_processing': 'none', 'hide_submit': 'block' });\r\n const postingData = {\r\n 'pickup_form': dataFromState.pickup_form,\r\n 'drop_to': dataFromState.drop_to,\r\n }\r\n axios.post(AppUrl.getPrice, postingData).then((response) => {\r\n const status = response.data.status;\r\n const price = response.data.price;\r\n if (status === 'success') {\r\n this.setState({ 'display_price': 'block' });\r\n this.setState({ price: price });\r\n this.openModal();\r\n this.setState({ 'display_processing': 'none', 'hide_submit': 'block' });\r\n } else {\r\n this.setState({ 'display_processing': 'none', 'hide_submit': 'block' });\r\n this.setState({ 'display_price': 'none' });\r\n }\r\n }).catch(error => {\r\n\r\n });\r\n }\r\n }\r\n\r\n render() {\r\n const imageUrl = 'assets/images/home_banner_bg4.png';\r\n const backgroundStyle = {\r\n backgroundImage: `url(${imageUrl})`,\r\n backgroundSize: 'cover',\r\n backgroundRepeat: 'no-repeat',\r\n };\r\n return (\r\n
\r\n \r\n
\r\n
\r\n
\r\n
\r\n
INDZIP Faster than Courier
\r\n
The INDZIP web app is simple and easy to use. Once you have placed your hand carrier request, our certified traveller will pick up your parcel and travel the journey on your behalf in real time. And if you need an entire aircraft, it will be made available too.
\r\n \r\n * Estimate all-inclusive price from door to door using fastest available mode of transport. GST/Taxes will be additional.\r\n
\r\n
\r\n
\r\n
\r\n
\r\n )}\r\n \r\n\r\n \r\n
\r\n
\r\n
\r\n \r\n
\r\n
\r\n
\r\n
How INDZIP helps you
\r\n
INDZIP provides urgent hand carry and air charter services. Whether you need to send a document for signature from one city to another and get it back the same day, or hand deliver an urgently needed parcel to someone across India or worldwide, or require an entire aircraft from anywhere to anywhere, we can get it moving instantly.
\r\n
\r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
Why Choose INDZIP?
\r\n
We provide the fastest option by directly picking up your parcel, dashing to the nearest airport, catching the next flight and delivering it to your recipient. Our model is simple, quick and personal. Even if your cargo is really heavy at 100,000 kilos, no problem, we will arrange an entire cargo aircraft to move it across the world for you. INDZIP literally zips your goods to the required destination.
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
Want to know more about INDZIP?
\r\n
INDZIP was founded by international air logistics specialists with a single mission - to create a seamless service that offers speedy same day hand delivery from India to anywhere. There is no limit to speed, so why wait an extra day when you can get yours moving right now
\r\n )\r\n }\r\n}\r\n\r\nexport default Home","import React, { Component } from 'react'\r\nimport Home from '../components/website/common/Home'\r\n\r\nclass HomePage extends Component {\r\n render() {\r\n return (\r\n \r\n )\r\n }\r\n}\r\n\r\nexport default HomePage\r\n","import React, { Component } from 'react'\r\nimport FeatherIcon from 'feather-icons-react';\r\nimport { Link } from \"react-router-dom\";\r\n\r\nclass AboutUs extends Component {\r\n scrollToTop() {\r\n window.scrollTo(0, 0);\r\n }\r\n\r\n \r\n componentDidMount() {\r\n this.scrollToTop();\r\n }\r\n \r\n render() {\r\n return (\r\n
\r\n \r\n
\r\n
\r\n
\r\n
\r\n
About Us
\r\n
Specialists in Action
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
INDZIP was founded by international air logistics specialists with a single mission – to create a seamless service that offers speedy same day hand delivery from India to anywhere.
\r\n
Having encountered frustrating situations first hand, where it was impossible to find any courier company who could deliver from one city to another within the same day, they decided to create their own dedicated hand carrier network which would be faster than courier.
\r\n
The young demographic profile in India and the vibrant business ecosystem coupled with rapid urbanization is driving demand for new technologies and services. In today’s world, everyone wants everything right now and INDZIP is well positioned to provide such urgent hand carriage services using its certified traveller network.
\r\n
After all, there is no limit to speed, so why wait an extra day when you can get yours today too!
\r\n
\r\n
\r\n
\r\n
\r\n \r\n\r\n \r\n
\r\n
\r\n
\r\n
\r\n
When time is of the essence, choose INDZIP's hand carriage or air charter service to get it moving instantly.
INDZIP serves all categories of customers. We can deliver anything for anyone who has an urgent requirement for using our hand carriage and air charter services. We offer seamless mobility services for a wide range of product categories such as Automotive, Technology, Medical, Event Planners, Legal Professionals and several others.
\r\n
\r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
Examples of our customer categories are as below:
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n
HAND CARRIER
\r\n
\r\n
\r\n
\r\n
Automotive
\r\n
Technology
\r\n
Electronics
\r\n
E-Commerce
\r\n
Hospitals
\r\n
Fashion Designers
\r\n
\r\n
\r\n
\r\n
\r\n
Collectibles
\r\n
Legal Firms
\r\n
Professionals
\r\n
Event Planners
\r\n
Architects
\r\n
Celebrities
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n
AIRCRAFT CHARTER
\r\n
\r\n
\r\n
\r\n
Exporters
\r\n
Government
\r\n
Research Institutions
\r\n
Oil & Gas Companies
\r\n
Mining Companies
\r\n
Shipping
\r\n
\r\n
\r\n
\r\n
\r\n
Relief Agencies
\r\n
Aerospace Companies
\r\n
Celebrities
\r\n
Event Planners
\r\n
Corporations
\r\n
Freight Forwarders
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
Want to know more about INDZIP?
\r\n
INDZIP was founded by international air logistics specialists with a single mission - to create a seamless service that offers speedy same day hand delivery from India to anywhere. We offer seamless mobility services for a wide range of product categories such as Automotive, Technology, Medical, Event Planners, Legal Professionals and several others.
\r\n
\r\n
\r\n
\r\n
\r\n About Us\r\n
\r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
Seamless mobility for a wide range of products
\r\n
\r\n
\r\n \r\n
Documents
\r\n
\r\n
\r\n \r\n
Technology
\r\n
\r\n
\r\n \r\n
Automotive
\r\n
\r\n
\r\n \r\n
Medical
\r\n
\r\n
\r\n \r\n
Fashion
\r\n
\r\n
\r\n \r\n
Luxury
\r\n
\r\n
\r\n \r\n
Wedding
\r\n
\r\n
\r\n \r\n
Aerospace
\r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
When time is of the essence, choose INDZIP's hand carriage or air charter service to get it moving instantly.
\r\n
\r\n
\r\n
\r\n
\r\n Check Price\r\n
\r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
INDZIP Aircraft Charter
\r\n
Entire Aircraft? No Problem.
\r\n
INDZIP provides dedicated air charter services whenever and wherever you need it. When time is paramount, we provide you with the most suitable aircraft for speedy delivery to any location in the world. We also assist with documentation, origin pick-up and destination deliveries using our global agent network.
\r\n We also provide one-way aircraft availabilities and try to optimize on cargo capacity on available aircrafts that results in immense cost saving for our customers.
\r\n )\r\n }\r\n}\r\nexport default Customer","import React, { Component } from 'react'\r\nimport Customer from '../components/website/common/Customer'\r\n\r\nclass CustomerPage extends Component {\r\n render() {\r\n return (\r\n \r\n )\r\n }\r\n}\r\n\r\nexport default CustomerPage","import React, { Component } from 'react'\r\nimport FeatherIcon from 'feather-icons-react';\r\nimport { Link } from \"react-router-dom\";\r\n\r\nclass CustomersFAQ extends Component {\r\n\r\n scrollToTop() {\r\n window.scrollTo(0, 0);\r\n }\r\n\r\n \r\n componentDidMount() {\r\n this.scrollToTop();\r\n }\r\n render() {\r\n return (\r\n
\r\n \r\n
\r\n
\r\n
\r\n
\r\n
Customer FAQ
\r\n
Check our FAQ for more information
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n \r\n
\r\n
Is INDZIP a Courier?
\r\n
Not Really. INDZIP is a personalised service that provides dedicated hand carriage based on specific demand from customers. We have our own registered travellers who would hand carry your urgent critical documents or parcels from anywhere to anywhere.We also have access to several cargo aircraft fleet which we can deploy for you at short notice.
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
When are you likely to need INDZIP?
\r\n
You would need INDZIP whenever you have any urgent same-day delivery requirements from one city to another and courier service cannot deliver within your required timeline.
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
Can anyone use INDZIP's services?
\r\n
Yes, you only need to register with INDZIP as an individual or a company.
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
How can you register with INDZIP?
\r\n
You can register with us in a few simple steps:
\r\n
\r\n
Visit www.indzip.com (or) download the INDZIP app from Google Playstore or Apple iStore
\r\n
Register using your name /company name, phone number and email id
\r\n
Upload the required basic KYC documents
\r\n
Await confirmation from us
\r\n
Commence with your online booking
\r\n
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
How quickly would your parcel be picked up and delivered?
\r\n
As soon as you place a confirmed order, our team will contact you and assign a traveller to your order. Your order will be picked up within 1-2 hours and will be delivered anywhere in India within 6-8 hours, and anywhere in the world within 24 hours
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
What is the maximum weight you can send by INDZIP?
\r\n
All orders are hand carried and mostly flown by air, so we accept orders from 1 to 22Kg:
\r\n
\r\n
In cabin: up to 7 kg with dimensions not exceeding 55cm x 35cm x 25cm (Length x Width x Height)
\r\n
Check-in: up to 15 kg with dimensions not exceeding 152cm x 58cm x 101cm (Length x Width x Height)
\r\n
In case you have any larger parcels, not to worry, we will offer you alternate solutions including arranging an entire charter aircraft for you.
\r\n
\r\n\r\n
\r\n
\r\n
\r\n \r\n
\r\n
Are there any restricted items that you cannot send using INDZIP?
\r\n
We do not accept hazardous items for transport. Some of the categories we do not accept are flammable substances, acids, liquids, chemicals, weapons, magnetized material, sharp objects or any other items which are deemed security hazards by local law. Luxury items including Jewellery, Watches and Cash will be accepted with proper documents and declaration from the sender.
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
How do you track your order?
\r\n
INDZIP provides periodic shipment notifications on the INDZIP app/website and on your mobile/email. You can also contact our 24/7 contact centre for live shipment updates anytime.
\r\n
\r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
When time is of the essence, choose INDZIP's hand carriage or air charter service to get it moving instantly.
\r\n
\r\n
\r\n
\r\n
\r\n Check Price\r\n
\r\n
\r\n
\r\n
\r\n \r\n
\r\n )\r\n }\r\n}\r\n\r\nexport default CustomersFAQ","import React, { Component } from 'react'\r\nimport CustomersFAQ from '../components/website/common/CustomersFAQ'\r\n\r\nclass CustomersFAQPage extends Component {\r\n render() {\r\n return (\r\n \r\n )\r\n }\r\n}\r\n\r\nexport default CustomersFAQ","import React, { Component } from 'react'\r\nimport FeatherIcon from 'feather-icons-react';\r\nimport { Link } from \"react-router-dom\";\r\n\r\nclass Terms extends Component {\r\n\r\n scrollToTop() {\r\n window.scrollTo(0, 0);\r\n }\r\n\r\n\r\n componentDidMount() {\r\n this.scrollToTop();\r\n }\r\n render() {\r\n return (\r\n
\r\n \r\n
\r\n
\r\n
\r\n
\r\n
Terms Of Services
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
I.\tService
\r\n
\r\n
\tINDZIP (\"Contractor\") offers its customers rapid Shipment services.
\r\n
\tThe Contractor shall organize transport of goods pursuant to the provisions of Section V of these TCC and deliver these goods to the defined recipient.
\r\n
\tUnless a customer directs specific routing and agrees to pay any additional costs associated with the specific routing, Contractor may choose routing at its discretion.
\r\n
\tThe Contractor reserves the right to select the freight carrier.
\r\n
\tUpon order placement, the Contractor shall undertake to pick up and deliver the Consignment as defined in the Waybill, as well as render other possible services, at the expense of the customer.
\r\n
\tAny Shipment is accepted as is by the Contractor upon handover; content and condition of content of packages are unknown to the Contractor. The Contractor shall have no obligation to inspect or verify the condition or completeness of the Shipment at the transportation transfer points where a handover takes place.
\r\n
\tThe Contractor shall have the option to select the mode of transportation on segments of the route.
\r\n
\tThe Contractor establishes the shipping schedule for same day delivery at the destination, as practicable, depending on the timely handover of the Consignment to the Contractor and/or the timely acceptance of the Consignment by the Consignee and the route. The schedule shall be coordinated with the customer upon order placement.
\r\n
\r\n
II.\tScope of TCC
\r\n
\r\n
\tThese TCC shall govern all of the Contractor's activities, services, products and shipments, irrespective of whether the services are rendered directly or via a third party.
\r\n
\tAny deviations to these TCC or contradictory customer terms shalI be binding upon the Contractor only if accepted by Contractor in writing.
\r\n
\tThe Contractor shall make TCC available upon request in print form, and electronically under www.indzip.com The electronic version applicable at the time of conclusion of the contract shall take precedence over diverging provisions. The TCC also apply in case of conclusion of a framework agreement as a continuing obligation. In the event of conflict between the provisions of the TCC and the framework agreement, the latter shall take precedence.
\r\n
\r\n
Ill.\tDefinitions
\r\n
\r\n
\t\"Consignment\" and \"Shipment\" mean goods, in particular documents or merchandise, listed on a Waybill, regardless of the mode of transportation involved.
\r\n
\t\"Consignee\" is the final recipient of the Shipment as outlined in the Air Waybill
\r\n
\t\"Consignor\" is the originator of a Shipment as outlined in the Air Waybill
\r\n
\t\"Dangerous Goods\" means materials/goods classified as goods dangerous for carriage pursuant to the UN, IATA DGR, ICAO regulations or other national or international regulations for Dangerous Goods, or goods which due to their nature, their properties or their condition, when transported, pose a risk to the public safety or the public order, in particular, to the general public, important community facilities, the life and health of persons, animals and objects.
\r\n
\t\"Days\" means full calendar days, including Sundays and public holidays.
\r\n
\t\"Air Waybill\" or \"Waybill\" means any handwritten or machine generated order or freight document, or Shipment label prepared by the Contractor or authorized individuals.
\r\n
\r\n\r\n
IV.\tGoverning law
\r\n
\r\n
\tThese TCC shall be governed by and construed in accordance with the laws of India for all transportation done within India.
\r\n
\tInternational air carriage is subject to the rules relating to liability established by the Convention for the Unification of Certain Rules Relating to International Carriage by Air; signed at Warsaw on 12 October 1929 (Warsaw Convention) and the Convention for the Unification of Certain Rules for International Carriage by Air signed at Montreal on 28 May 1999 (Montreal Convent1on), as modified and supplemented.
\r\n
\tInternational transportation by road is subject to the Convention on the Contract for the International Carriage of Goods by Road of Geneva, 19 May 1956 (\"CMR\").
\r\n
\tThe above-referenced regulations shall be supplemented by the current IATA Dangerous Goods Regulations, the ICAO Technical Instructions, and/or national regulations of the Shipment's country of departure, transit, or destination, as applicable.
\r\n
\r\n
V.\tGoods accepted for Shipment
\r\n
\r\n
\tThe Contractor shall only accept and take over for transport the following goods for Shipment as being in accordance with the contract, unless otherwise stipulated:
\r\n
\tHand Carriage: Shipments weighing a maximum of 20 kg. The Contractor shall apply a reasonable supplementary charge for larger/heavier Shipments based on the contractual tariff.
\r\n
\tOther Shipments: Shipment weight, measures and means of transport, as stipulated by the Contractor and Customer.
\r\n
\tAircraft Charter: Shipment weight, measures and type of aircraft, subject to aircraft charter agreement to be signed between the Contractor and Customer prior to execution.
\r\n
\tAll packages containing Hazardous Materials/Dangerous Goods shall be limited to the materials and quantities authorized for air transportation under the International Air Transport Association (IATA) Dangerous Goods Regulations (\"Regulations\"). Customer shall comply with the Regulations regardless of the routing or the mode by which the Shipment is transported. Each Shipment requiring a customer's Declaration for Dangerous Goods under the Regulations shall be accompanied by properly executed documents in accordance with the requirements of the Regulations. If a Shipment contains Hazardous Materials/Dangerous Goods, the contents shall be - and customer hereby certifies they are - fully and accurately described on the Waybill or other shipping document by proper shipping name and are classified, packaged, marked and labeled, and in proper condition for carriage by air (or, if tendered for other mode of transportation, then for carriage by such other mode) according to the Regulations and any other applicable national governmental regulations.
\r\n
\tCustomer is responsible for ensuring that Regulations and all other applicable air transport regulation requirements are met.
\r\n
\tCustomer shall provide Contractor with advance written notice of the proposed Shipment of any Hazardous Material, together with a copy of the Material Safety Data Sheet for that Hazardous Material. Customer agrees to indemnify, hold harmless, and defend Contractor for all claims arising from the Shipment of Hazardous Material.
\r\n
\tThe value of goods for each Consignment must not exceed US$ 2000, unless otherwise stipulated. The customer shall inform the Contractor in advance about exceeding values of goods.
\r\n
\tThe Contractor reserves the right to not accept any particular items in a Consignment, which are banned under the IATA and ICAO regulations, or for any other legal or safety reasons. Consignments cooled with dry ice, diagnostic specimens or biological substances are only accepted upon separate confirmation of a suitable service offered by the Contractor.
\r\n
\tThe Contractor is entitled to dispose of certain items from transport at any time if their transportation violates the law. The customer shall be liable and obliged to compensate the Contractor for any additional cost or expense incurred as a result of the exercise of the right of disposal. The transportation import and export shall especially not violate any law or provision of a country, from which, to which or through which the transportation takes place. The necessary approvals by public authorities for the entry, exit or transit must be issued before the beginning of transportation and must be submitted to the Contractor. The same applies for official notifications by authorities.
\r\n
\tCustomer bears the sole responsibility for compliance with all applicable law, rules and regulations, governmental requirements or notices.
\r\n
\tCustomer ensures that the goods are packaged in a suitable manner and accompanied by the required shipping documents. The goods must not endanger the transportation vehicle, the safety of the transport, persons or objects or cause annoyance to passengers.
\r\n
\tCustomer authorizes and consents to all cargo tendered for transportation by air to be screened as required by airport security regulations and in accordance with Contractor's own cargo security, including any necessary breakdown of a Shipment.
\r\n
\tCustomer shall disclose to Contractor if it is acting as agent, representative, broker, carrier, or other freight intermediary for any other person or entity, and shall assist Contractor to comply with security requirements by enabling Contractor to obtain all necessary documents from such other person or entity, or otherwise qualify, such person or entity.
\r\n
\tThe Contractor reserves the right to stop or reject the Consignment at any time for any reason.
\r\n
\r\n
VI.\tCharges / Invoicing
\r\n
\r\n
\tCharges for the Shipment shall be based on the Contractor's schedule of fees in effect upon order placement, even without any explicit reference thereto. Payment is to be made prior to pick-up of order from origin point, unless otherwise agreed.
\r\n
\tThe Contractor reserves the right to invoice and the customer agrees to pay all unpaid charges, costs and expenses of the Contractor, including but not limited to import taxes and duties, regardless of whether foreseen or not.
\r\n
\tThe Contractor reserves the right to charge a reasonable supplementary fee incident to delays that arise on the part of the customer, based on contractual transportation fees. The Contractor shall also invoice the customer for extra expenses incident to events beyond the control of the Contractor, including but not limited to delays caused by the weather, acts of war, strikes and all sovereign measures such as customs, security checks, airport closures, etc.
\r\n
\tThe Contractor shall have a general lien on any and all property and documents relating thereto of the customer in its possession, custody or control or en route, for all claims and charges, expenses or advances incurred by the Contractor in connection with any Shipment if such due amount remains unsatisfied for 30 days. The Contractor may sell the Shipment upon 10 days written notice and apply the net proceeds of such sale to the payment of the amount due to the Contractor. Any surplus from such sale shall be paid out to customer, and customer shall be liable for any deficiency in the sale.
\r\n
\r\n
VII.\tPickup / Delivery / Not Delivered
\r\n
\r\n
\tThe Shipment shall be picked up and delivered to the street address stated in the Waybill, not to any post boxes or encoded addresses. Deliveries shall also be made to a doorkeeper, receptionist, or incoming postal clearance room in a building.
\r\n
\tThe customer shall waive the right to written proof of delivery, unless otherwise stipulated explicitly.
\r\n
\tThe customer shall promptly inform the Contractor on how to proceed in case the Shipment is not deliverable. If no such guidance is available, the Contractor shall have the right to reasonably decide on how to proceed with the delivery, taking into account the legitimate interests of the customer.
\r\n
\tThe customer shall bear the costs of return Shipment including any applicable customs fines if the Consignment is not deliverable or the carrier refuses acceptance or in any other case where the Contractor cannot provide transport service due to reasons beyond their control.
\r\n
\tThe Contractor reserves the right to refuse to accept a Shipment, or to hold, postpone, or return it, if in the Contractor's reasonable judgment, the Consignment may damage other shipments, property, or persons, or violates the law.
\r\n
\tThe Contractor shall organize shipment with the next available means of transport at a reasonable cost, in the event the originally scheduled flight is not available for any reason whatsoever. The customer shall bear the additional costs connected herewith.
\r\n\r\n
\r\n
VIII.\tConsignments in Transit
\r\n
\r\n
\tThe Contractor may stop, change, reschedule or postpose any transport, if due to any event beyond their control, the Contractor is not capable to perform the promised service. These events include, but are not limited to; weather conditions, acts of God, force majeure, strikes, riots, political disturbances, embargoes, wars, hostilities, civil commotions, unstable international conditions, global pandemics, terrorism or governmental warnings against terrorism or war. In this respect it is irrelevant whether the events have in fact occurred or is only threatened or announced or whether this directly or indirectly results in a delay, claim, requirement, incident or predicament.
\r\n
\tIf the Contractor deems it necessary to hold any Consignment or part(s) of it in place during or after transportation for preventing damage or danger, the Contractor may store the Consignment or part(s) of it at the expense, risk and cost of the customer at a storehouse or any other available place or with the customs authorities.
\r\n
\tThe Contractor reserves the right, but is not obliged to inspect the Shipment, if deemed necessary to protect its interests for reasons that include but are not limited to:\r\n * Address verification\r\n * Customs procedures\r\n * Security procedures\r\n * Securing of damaged contents\r\n * Precluding a potential risk from Shipment of Dangerous Goods\r\n * Suspicion that the contents may contravene these TCC according to Section V.
\r\n
\tIn the course of the inspection process, x-ray screening of Shipments is possible. In this case, even when the inspection is made properly, damages of radiosensitive goods may occur. The Contractor is not liable for such damages.
\r\n
\r\n\r\n
IX.\tInternational Shipments / Customs
\r\n
\r\n
\tThe customer shall observe all national and international laws relevant for the Consignment, including but not limited to requirements for packaging, documentation, and transportation. Furthermore, the customer shall comply with all applicable regulations on transportation of Dangerous Goods. The customer shall be invoiced and agrees to pay any customs fines, warehouse charges and other charges imposed by custom officials or expenses incurred by the Contractor, together with possible custom duties and taxes, if those are due as a result of the costumer or Consignor not submitting complete export documentation, licenses or permits.
\r\n
\tThe customer shall submit all necessary information and documentation if it requires the Contractor to handle customs clearance. In case of non-payment of import taxes or other customs duties by the Consignee, the costumer shall bear these costs to the full amount.
\r\n
\tIf the customer does not require the Contractor to clear customs, the customer shall arrange for payment of any applicable export and import duties and customs clearance fees before delivering the goods to the Contractor.
\r\n
\tThe Contractor is entitled to hire its own customs clearance broker(s).
\r\n
\r\n\r\n
X.\tDangerous goods / Packaging / Labeling
\r\n
\r\n
\tThe Contractor shall specify the suitable transportation service for Shipment of Dangerous Goods, each Shipment of which is to be accompanied by a separate Waybill. The Contractor is entitled to refuse the transport of Dangerous Goods without stating any reasons.
\r\n
\tIn the event local regulations, airports, airlines, or modes of transportation restrict the movement of Dangerous Goods or impose embargoes at certain departure, transit or destination points, these locations cannot be selected for transportation.
\r\n
\tThe customer shall ensure that Dangerous Goods are packed safely and appropriately, and the Contractor shall not be liable for any damage resulting from improper packaging. All Dangerous Goods shall comply with the IATA Dangerous Goods Regulations and relevant ICAO Technical Instructions.
\r\n
\tDiagnostic samples such as blood, urine, etc. must be packed and labeled pursuant to IATA DGR Packing Instructions 602. The package must accordingly contain leak-proof primary and secondary containers each with approved firm packaging materials.
\r\n
\tEach Consignment shall be marked legibly and durably with the name, street address, city, country, and zip code of the customer and Consignee. The outside of the container shall bear the proper shipping name(s), the general type and nature of goods and the technical names, as well as UN I D#s of the contents. In addition, a contact person that can provide details of the contents during the period of transportation shall be clearly indicated on the package, including name and telephone number. A customer's document, which clearly identifies and describes the contents, shall be placed inside the packaging of each Dangerous Goods Shipment.
\r\n
\tThe customer shall ensure that dry ice Consignments contain an adequate quantity of dry ice to keep the contents cool for a period of at least 48 hours. The Contractor shall not be required to refill the container with dry ice during transportation.
\r\n
\tThe Contractor reserves the right to refuse the transport of a Dangerous Goods Consignment that leaks, releases odors, has damaged packaging, or is otherwise damaged. The customer shall bear all costs for countermeasures, such as return to the customer, destruction of the Consignment, measures taken to prevent accidents, etc.
\r\n
\tAcceptance of a Consignment of Dangerous Goods by the Contractor shall not automatically imply acceptance by the intended air carrier.
\r\n\r\n
\r\n\r\n
XI.\tObligations of Customer
\r\n
\r\n
Notwithstanding other provisions herein, the customer shall ensure:
\r\n
\tThat the selected mode of transportation is appropriate for the Shipment;
\r\n
\tCompliance with the \"Ready for Carriage\" rules for airfreight;
\r\n
\tThat the packaging is safe for the product and mode of transportation
\r\n
\tThat the Shipment is adequately marked and labeled;
\r\n
\tThat all accompanying documents, such as customs papers, are present and contain correct and complete details, in particular on the pickup and destination addresses;
\r\n
\tThat the Contractor is notified of any safety concerns;
\r\n
\tAvailability of all the information necessary for Consignee to accept the Shipment;
\r\n
\tThat import and export customs clearances are handled, unless otherwise stipulated;
\r\n
\tThat the Contractor is notified promptly of any potential transportation hindrances, which become known to the customer;
\r\n
\tThat proper approvals are obtained, as defined by national or international foreign trade regulations (e.g. dual use regulations), and
\r\n
\tCompliance with all other applicable law, governmental requirements, guidelines and regulations on national or international foreign trade
\r\n
\tContractor shall not be responsible for action taken, liquidated damages, fines or penalties assessed by any governmental agency against the Shipment because of the failure of customer to comply with the laws, requirements or regulations of any country or governmental agency or with a notification issued by any such agency.
\r\n
\tThe customer shall be liable for any damages, costs or consequences arising from disregard of the above mentioned obligations.
\r\n
\r\n\r\n\r\n
XII.\tDelays
\r\n
\r\n
\tThe Contractor is only liable for delays, if a guaranteed time of transport is agreed upon by both parties in writing.
\r\n
\r\n
XIII.\tLiability of Contractor
\r\n
\r\n
\tThe customer agrees that the Contractor shall only be liable for any directly caused loss, damage or expense of the customer attributable to the gross negligence or willful misconduct of the Contractor.
\r\n
\tSubject to any applicable law, statute or regulation, such liability shall be limited as follows: The Contractor's liability shall be limited to the maximum stipulated for circumstances governed by the Warsaw Convention, the Montreal Convention or the CMR rules respectively.
\r\n
\tNotwithstanding the above, the Contractor shall not be responsible for any consequential damages resulting from loss, damage, or delay of Shipment.
\r\n
\tThe Contractor is authorized to select and engage subcontractors, as required, to transport, store, and deliver the goods. The Contractor shall under no circumstances be liable for any loss, damage, expense or delay to the goods for any reason whatsoever when the goods are in custody, possession of control of third parties carefully selected by the Contractor to forward, enter and clear, transport or render other services with respect to such goods.
\r\n
\tLiability for claims not arising from loss or damage of a Consignment in custody of the Contractor or by delay shall be limited to typical and foreseeable damages, subject to a maximum of US$ 2,000 for the goods,
\r\n
\tNeither party will be liable to the other for failing to perform or discharge any obligation under this agreement where caused by acts of God, labor disorders, fire, closing of the public highways, governmental interference, war, riot, act of terrorism, a global pandemic and other disasters beyond the affected party's control. In such case, both parties will make every commercially reasonable effort to remedy or cure such event as soon as practically possible.
\r\n
\tThe customer is responsible to notify in writing the Contractor in case of any damage to the transported goods at the time of delivery. Receipt by the Consignee without complaints is a prima facie evidence that the goods have been delivered in good condition and in accordance with these TCC. Subject to any applicable laws, statute or regulation, the Contractor shall not be liable for any claims for damage or loss discovered by the customer after delivery, unless a claim is reported in writing within 3 days after delivery of the goods.
\r\n\r\n
\r\n
XIV.\t Indemnification
\r\n
\r\n
\tIn the event that a third party makes a claim or institutes legal action against Contractor for duties, fines, penalties, liquidated damages or other money due arising from a Shipment of goods, customer agrees to indemnify and hold harmless Contractor for any amount Contractor may be required to pay any other carrier, other person or governmental agency together with reasonable expenses, including attorney fees, incurred by Contractor in connection with defending such claim or legal action and obtaining reimbursement.
\r\n
\tThe confiscation or detention of the goods by any governmental authority shall not affect or diminish the liability of customer to Contractor to pay all charges or other money due promptly on demand.
\r\n
\tWhen employees and/or subcontractors of the Contractor are held liable on account of the carriage of the goods, these persons may invoke each liability limitation and/or exoneration which the Contractor can invoke pursuant to these conditions or any other legal or contractual provision.
\r\n
\r\n\r\n
XV.\tPlace of jurisdiction
\r\n
\r\n
\tThe TCC shall be governed by and construed in accordance with, the laws of India and subject to the jurisdiction of the Courts in Mumbai.
\r\n
\r\n
XVI.\tSeverability
\r\n
\r\n
\tIf any part of these TCC is declared or becomes void, or unenforceable, or if a loophole exists, the remaining provisions shall continue in full force and effect, whereupon the offending part shall be replaced, or the loophole closed, with an enforceable provision that best reflects the original intent.
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
When time is of the essence, choose INDZIP's hand carriage or air charter service to get it moving instantly.
\r\n
\r\n
\r\n
\r\n
\r\n Check Price\r\n
\r\n
\r\n
\r\n
\r\n \r\n
\r\n )\r\n }\r\n}\r\n\r\nexport default Terms","import React, { Component } from 'react'\r\nimport Terms from '../components/website/common/Terms'\r\n\r\nclass TermsPage extends Component {\r\n render() {\r\n return (\r\n \r\n )\r\n }\r\n}\r\n\r\nexport default TermsPage","import objectWithoutPropertiesLoose from \"./objectWithoutPropertiesLoose.js\";\nexport default function _objectWithoutProperties(source, excluded) {\n if (source == null) return {};\n var target = objectWithoutPropertiesLoose(source, excluded);\n var key, i;\n if (Object.getOwnPropertySymbols) {\n var sourceSymbolKeys = Object.getOwnPropertySymbols(source);\n for (i = 0; i < sourceSymbolKeys.length; i++) {\n key = sourceSymbolKeys[i];\n if (excluded.indexOf(key) >= 0) continue;\n if (!Object.prototype.propertyIsEnumerable.call(source, key)) continue;\n target[key] = source[key];\n }\n }\n return target;\n}","export default function _objectWithoutPropertiesLoose(source, excluded) {\n if (source == null) return {};\n var target = {};\n var sourceKeys = Object.keys(source);\n var key, i;\n for (i = 0; i < sourceKeys.length; i++) {\n key = sourceKeys[i];\n if (excluded.indexOf(key) >= 0) continue;\n target[key] = source[key];\n }\n return target;\n}","function r(e){var t,f,n=\"\";if(\"string\"==typeof e||\"number\"==typeof e)n+=e;else if(\"object\"==typeof e)if(Array.isArray(e))for(t=0;t {\r\n const name = e.target.name;\r\n const value = e.target.value;\r\n this.setState({ [name]: value });\r\n }\r\n\r\n\r\n scrollToTop() {\r\n window.scrollTo(0, 0);\r\n }\r\n\r\n\r\n componentDidMount() {\r\n this.scrollToTop();\r\n }\r\n vaild = () => {\r\n let name_error = '';\r\n let mobile_no_error = '';\r\n let email_error = '';\r\n let message_error = '';\r\n\r\n if (!this.state.name) {\r\n name_error = \"Please enter name\"\r\n } else if (!this.state.email) {\r\n email_error = \"Please enter email\"\r\n } else if (!/\\S+@\\S+\\.\\S+/.test(this.state.email)) {\r\n email_error = \"Please enter a valid email\";\r\n } else if (!this.state.mobile_no) {\r\n mobile_no_error = \"Please enter mobile number\"\r\n } else if (!/^\\d{10}$/.test(this.state.mobile_no)) {\r\n mobile_no_error = \"Please enter a valid 10-digit mobile number\";\r\n } else if (!this.state.message) {\r\n message_error = \"Please enter messager\"\r\n }\r\n if (name_error || email_error || mobile_no_error || message_error) {\r\n this.setState({\r\n name_error, email_error, mobile_no_error, message_error\r\n });\r\n return false;\r\n }\r\n return true;\r\n\r\n }\r\n\r\n conactUsSubmit = (e) => {\r\n e.preventDefault();\r\n const isValid = this.vaild();\r\n if (isValid) {\r\n this.setState({ 'display_processing': 'block', 'hide_submit': 'none' });\r\n const dataFromState = this.state;\r\n const postingData = {\r\n 'name': dataFromState.name,\r\n 'email': dataFromState.email,\r\n 'mobile_no': dataFromState.mobile_no,\r\n 'message' : dataFromState.message\r\n }\r\n axios.post(AppUrl.contactus, postingData).then((response) => {\r\n const status = response.data.status;\r\n if (status === 'success') {\r\n this.setState({ 'display_processing': 'none', 'hide_submit': 'block' });\r\n toast.success(response.data.message, {\r\n position: \"top-right\",\r\n autoClose: 5000,\r\n hideProgressBar: false,\r\n closeonClick: true,\r\n pauseOnHover: false,\r\n draggable: true,\r\n });\r\n window.location.href = decodeURIComponent('/contact');\r\n } else {\r\n this.setState({ display_processing: 'none', hide_submit: 'block' })\r\n toast.warning(response.data.message, {\r\n position: \"top-right\",\r\n autoClose: 5000,\r\n hideProgressBar: false,\r\n closeonClick: true,\r\n pauseOnHover: false,\r\n draggable: true,\r\n });\r\n }\r\n }).catch(error => {\r\n });\r\n }\r\n }\r\n\r\n render() {\r\n const imageUrl = 'assets/images/gray-abstract.jpg';\r\n const backgroundStyle = {\r\n backgroundImage: `url(${imageUrl})`,\r\n backgroundSize: 'cover',\r\n backgroundSize: 'cover',\r\n backgroundRepeat: 'no-repeat',\r\n };\r\n return (\r\n
Become a traveller with INDZIP and earn good money per trip.
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
Welcome to INDZIP – a premium personal hand carriage and air charter service where you can earn more than a regular full-time job. You can choose when and where you wish to travel with our orders. INDZIP creates immense earning potential for our travellers and enables them to travel to destination cities for free!
\r\n
INDZIP is looking for energetic people who love travelling and are looking to earn good money while at it. We only require you to own a mobile phone with data. This is essential to download the INDZIP web app and provide us with live updates while on travel mission. We will take care of all your travel arrangements.
\r\n
INDZIP does not discriminate based on age or gender, so anyone who is 18 years and above can apply to be a certified traveler with INDZIP. Prior experience is not necessary.
\r\n
Details of every order including your earning amount will be visible to you before accepting it. INDZIP maintains utmost transparency and our travellers receive full payment into their bank account immediately upon completing their assigned order.
\r\n
\r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
Frequently asked questions by travellers
\r\n
\r\n
\r\n
\r\n
\r\n TRAVELLER FAQ\r\n
\r\n
\r\n
\r\n
\r\n \r\n\r\n \r\n
\r\n
\r\n
\r\n
\r\n
When time is of the essence, choose INDZIP's hand carriage or air charter service to get it moving instantly.
\r\n
\r\n
\r\n
\r\n
\r\n Check Price\r\n
\r\n
\r\n
\r\n
\r\n \r\n
\r\n )\r\n }\r\n}\r\nexport default Customer","import React, { Component } from 'react'\r\nimport Traveller from '../components/website/common/Traveller'\r\n\r\nclass TravellerPage extends Component {\r\n render() {\r\n return (\r\n \r\n )\r\n }\r\n}\r\n\r\nexport default TravellerPage","import React, { Component } from 'react'\r\nimport FeatherIcon from 'feather-icons-react';\r\nimport { Link } from \"react-router-dom\";\r\nclass TravellersFAQ extends Component {\r\n scrollToTop() {\r\n window.scrollTo(0, 0);\r\n }\r\n\r\n componentDidMount() {\r\n this.scrollToTop();\r\n }\r\n render() {\r\n return (\r\n
\r\n \r\n
\r\n
\r\n
\r\n
\r\n
Traveller FAQ
\r\n
Check our FAQ for more information
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n \r\n
\r\n
Is INDZIP a Courier?
\r\n
Not Really. While courier companies use a hub and spoke model and operate on a larger scale, INDZIP is a premium and personalised service that provides dedicated hand carriage based on specific urgent demand from customers. By working for a courier company, you would be an employee with fixed salary working for 8-10 hours daily, however with INDZIP you would be a freelance traveller with the opportunity for free air travel across cities and the potential to earn. high income by working as per your convenience.
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
What are we looking for?
\r\n
INDZIP is looking for young and energetic people who love travelling and are looking for a freelance job to earn good income. We do not discriminate based on age or gender. Prior experience is not necessary.
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
Do I need to own a motorcycle or anything else to register with us?
\r\n
No, you don’t need to own anything. We only require you to own a mobile phone with data. or to access our website and provide us with live updates while on travel mission. We will take care of all your travel arrangements.
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
What are the basic requirements to register with us?
\r\n
You need to be over 18 years old and you can submit your interest in a few simple steps:
\r\n
\r\n
Download the INDZIP app
\r\n
Register using your phone number and email id
\r\n
Upload required KYC documents
\r\n
Await confirmation from us
\r\n
Commence travelling
\r\n
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
How quickly will I get paid for my deliveries?
\r\n
You will receive full payment into your bank account immediately upon completing your assigned delivery.
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
How will I know how much money I will earn for an order?
\r\n
Details of every order including your earning amount will be visible to you before accepting it. You can then proceed to accept the order via the app itself. We maintain utmost transparency here.
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
Can I combine INDZIP with other work or studies?
\r\n
Yes, sure. You may choose to travel for us in the evenings or on weekends or any day or time as per your convenience. You can even make it your part-time hobby and earn well.
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
How many days do I need to work in a month?
\r\n
It is totally up to you, you can choose to accept travel requests as per your convenience. You will get paid per assignment.
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
What is INDZIP's expectation from its Traveller?
\r\n
We expect you to be proactive while travelling for us. Simple things like timely response and updates on the app, picking up and delivering orders with care, and behaving professionally with customers will keep your ratings high and enable more earnings for you.
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
Can I register from any city in India?
\r\n
Yes, you can register from any city as a traveller with INDZIP. We will then be able to match you with specific orders from or around your city.
\r\n
\r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
When time is of the essence, choose INDZIP's hand carriage or air charter service to get it moving instantly.
Welcome to INDZIP – India’s premium personal hand carriage service
\r\n \r\n
INDZIP serves anyone who requires urgent mobility.\r\n We can zip across your urgent parcel or cargo by using our hand carriage and air charter services. We offer seamless mobility services for a wide range of product categories such as Automotive, Technology, Medical, Event Planners, Legal Professionals etc\r\n
\r\n
\r\n
{/*end grid*/}\r\n
{/*end container*/}\r\n {/*end section*/}\r\n {/* End */}\r\n
Welcome to INDZIP – India’s premium personal hand carriage service
\r\n {/* */}\r\n
Become a traveller with INDZIP and earn over ₹ 5000 per trip, per day.\r\n You can choose when and where you wish to travel with our parcels as per available orders.\r\n Unlimited earning potential for yourself and a great opportunity to visit new cities for free!
\r\n
\r\n
{/*end grid*/}\r\n
{/*end container*/}\r\n {/*end section*/}\r\n {/* End */}\r\n
Input your permanent office, origin pick-up and destination drop-off addresses separately to enable us to provide you with the closest available traveller.
INDZIP offers Urgent Hand Carriage and Air Charter services.
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n \r\n
Customer online enquiry
\r\n
\r\n \r\n
\r\n \r\n
INDZIP provides route pricing
\r\n
\r\n \r\n
\r\n \r\n
Customer confirms order
\r\n
\r\n \r\n
\r\n \r\n
INDZIP traveller checks-in at airport
\r\n
\r\n \r\n
\r\n \r\n
INDZIP picks up order
\r\n
\r\n \r\n
\r\n \r\n
INDZIP assigns traveller to order
\r\n
\r\n \r\n
\r\n \r\n
INDZIP traveller disembarks
\r\n
\r\n \r\n
\r\n \r\n
INDZIP notifies recipient
\r\n
\r\n \r\n
\r\n \r\n
INDZIP delivers order to recipient
\r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
The traditional courier industry works on a Hub-and-Spoke model which makes it extremely difficult to achieve same day inter-state and international deliveries.
This is how your urgent goods are likely to move with a courier company with multiple sorting points. So would you rely on the below process when you need something urgently?
\r\n
\r\n
\r\n
\r\n \r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n \r\n
\r\n
\r\n
\r\n
INDZIP provides direct hand carriage service using the fastest available transport modes. We also provide aircraft charter services for emergency logistics requirements across the world.\r\n
This is how your urgent goods would move with INDZIP. Always direct, without deviations.
\r\n
\r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
When time is of the essence, choose INDZIP's hand carriage or air charter service to get it moving instantly.
At INDZIP, we are particularly committed to protecting your personal data. We wish to provide you below with comprehensive and transparent information regarding how your personal data are processed when you use our product application (hereinafter referred to as app).
\r\n
As a matter of principle, we only process your personal data in accordance with the applicable legal regulations. This applies equally to processing required to establish and define the content of the contractual relationship (basic data) and processing that facilitates use of our services and offerings (usage data).
\r\n
Your personal data are only then processed for other purposes if you have expressly agreed to this processing – in other words, if we have received your consent. Of course, you can contact us at any time if you have any queries or concerns. For any queries or requests in relation to data protection, please contact info@indzip.com directly to ensure these are dealt with promptly.
\r\n
\r\n
Personal data
\r\n
\r\n
\r\n \tPersonal data are specific information on personal or actual characteristics relating to a specific natural person or which can be used to identify a natural person. Examples of such data include name, address and telephone number. Data which cannot be linked directly to a specific identity – such as analysis and statistical data (e.g. favorite websites or number of users of a site) – are not considered personal data.\r\n
\r\n
\r\n
Basic data
\r\n
\r\n \tIf a contractual relationship is to be established between you and us, or if the content of such a relationship is to be defined or amended, we use personal data from you for this provided this use is necessary for these purposes. These are usually contact and address data as well as invoicing data.\r\n
\r\n
\r\n
Usage data
\r\n
\r\n \tWe collect and use personal data from you provided these are necessary to facilitate use of our online services. In particular, this includes characteristics for your identification and information regarding the period and scope of use of our app.\r\n
\r\n
\r\n
Data for own business purposes
\r\n
\r\n \tWe collect, process and use your personal data provided in connection with your app profile for our own purposes. We only process your personal data in relation to services and never pass these on to unauthorized third parties. Our courier service customers have no access to your personal data. It is always our decision as to which travel assignment we assign to you.\r\n
\r\n
\r\n
Collection and processing
\r\n
\r\n \tWe adhere to the principles of data avoidance and data minimization. Therefore, we only store personal data for as long as this is necessary to achieve the purposes set forth herein or as stipulated in the various retention periods envisaged by the legislator. Once the respective purpose ends or such periods expire, the relevant data are routinely blocked or erased in accordance with legal provisions.\r\n \tWhen you use a contact form to contact us, the information provided is stored for the purpose of processing the request and for possible follow-up questions.\r\n \tWhen you rate our services, we process your personal data if you have provided these to us voluntarily with a declaration of consent. Of course, you may withdraw your declaration of consent at any time.\r\n
\r\n
\r\n
Login details
\r\n
\r\n \tYou must initially set up a user profile to access the app functions.\r\n \tThe login details collected during this process are stored together with your profile.\r\n \tYou are obliged to keep your login details secret; shared profiles are never permitted.\r\n \tLogin details are limited to your email address and a password you pick yourself for us to identify you.\r\n \tWe also record your cell phone number to verify that you are the user of the account.\r\n \tYou have the option of receiving orders directly via SMS to your cell phone if you do not wish to use or make any further use of the app we offer.\r\n
\r\n
\r\n
Profile data
\r\n
\r\n \tAll mandatory information provided during the registration process is easily identifiable by an asterisk (*). Information without an asterisk is provided by you to us voluntarily so that we can send you orders tailored to you. Of course, your personal data are never used for other purposes.\r\n \tWe process the following data in connection with your app profile: data regarding your identity, your contact and/or location data and your preferences and skill set.\r\n
\r\n
\r\n
Services of other providers
\r\n
\r\n \tOur Privacy Policy expressly does not include third-party services. Therefore, the privacy policies of the respective providers apply. Of course, we ensure that our requirements in respect of data processing are always complied with where we commission third parties (our contractual partners, in other words) to process your data.\r\n
\r\n
\r\n
Our contractual partners
\r\n
\r\n \tapp is hosted by a contracted hosting provider. This means that we save your data on our partner’s servers. Our partner has no access to your data and simply provides the technical infrastructure for operating the app.\r\n \tIn order to invoice our customers for our services, your data are transferred by our IT service provider to our in-house invoicing process. Our contractual arrangements and the technical and organizational protective measures taken ensure a secure processing environment for your personal data in this regard.\r\n
\r\n
\r\n
Other third parties
\r\n
\r\n \tapp is available from third parties in the App Store and Google Play Store (sales platform). We have no influence over the collection, processing or use of personal data in connection with the respective app store; in this respect, the controller is solely the operator of the respective app store.\r\n \tThe privacy policies of the respective providers apply to the use of third-party back-up services (e.g. cloud solutions). We have no influence over the collection, processing or use of personal data in connection with the provision of back-up services.\r\n \tIn order to facilitate your work for us as a traveler, we pass on your data, depending on the respective order, to such companies without whose services it would not be possible to fulfill the assignment. In particular, this includes airlines and hotels. Please be assured that we only cooperate with such companies if they can prove an adequate level of data protection. If you would like to find out more about providers that have received your data in conjunction with an already completed transport assignment, simply contact us directly to request this information.\r\n \tYou can use your location through the offered “Google Maps” positioning and map service through the Google Maps API. Google Maps is a service provided by Google Inc., 1600 Amphitheatre Parkway, Mountain View, CA 94043, USA.\r\n\r\n \tWhen you use Google Maps, information concerning your use of this app (including your IP address) may be transmitted to and stored on a Google server in the USA. Google may also share the information obtained through Maps with third parties where required to do so by law or where third parties process this data on Google’s behalf.\r\n\r\n \tGoogle never associates your IP address with other Google data. Nevertheless, it may still be technically possible for Google to identify at least some users based on the data obtained. It is possible that personal data and personality profiles of website users may be processed by Google for other purposes over which we have and can have no influence. The Google Privacy Policy and Google Maps Additional Terms of Service can be found at\r\n https://www.google.com/intl/en_en/help/terms_maps.html.\r\n
\r\n
\r\n
Cookies
\r\n
\r\n \tWe also analyze how our app is used so that we can track user preferences and optimize our app.\r\n \tWe use Google Analytics, a web analytics service provided by Google Inc. (1600 Amphitheatre Parkway Mountain View, CA 94043, USA).\r\n \tThe IP address transmitted by your browser in relation to Google Analytics is not merged with other Google data. On behalf of the operator of this website, Google uses this information to analyze your usage of the website, to compile reports on the website activities for us and to render further services to the website operator connected with the usage of the website and of the Internet. Our legitimate interests in data processing also lie in these purposes.\r\n \tYou can prevent cookies being stored by adjusting your browser software appropriately. You can also prevent the data generated by the cookie and related to your usage of the App (incl. your IP address) being collected by Google and the processing of this data by Google by downloading and installing the “browser add-on” (available at: https://tools.google.com/dlpage/gaoptout?hl=en).\r\n
\r\n
\r\n
Your rights
\r\n
\r\n \tYou have at all times the following rights, which you may assert vis-à-vis us without charge on request:\r\n \tRight to rectify your personal data\r\n \tRight to the erasure of your personal data\r\n \tRight to restrict the processing of your personal data (block)\r\n \tRight to data portability of your personal data\r\n \tRight of access to your personal data processed by us and\r\n \tRight to comprehensive and transparent information regarding the processing of your personal data\r\n Please note we may have to query you further if we cannot identify you on the basis of your request. In spite of our endeavors, it is not possible to process your request without the minimum required information.\r\n Please feel free to contact us by email (info@indzip.com).\r\n Please note that complete confidentiality and data security cannot be ensured at all times when communicating via the Internet (e.g. via email). Therefore, we recommend that you use a postal service if confidential information is involved.\r\n
\r\n
\r\n
Final provisions
\r\n
\r\n \tWe reserve the right to update these privacy provisions from time to time to take into account changes in law or extensions to the functional scope of app. The date of the last update at the bottom of the Privacy Policy is amended accordingly in such cases. Therefore, we recommend that you regularly read the privacy provisions in order to remain up to date on the protection of the personal data we store.\r\n
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n \r\n \r\n
\r\n
\r\n
\r\n
\r\n
When time is of the essence, choose INDZIP's hand carriage or air charter service to get it moving instantly.
\r\n
\r\n
\r\n
\r\n
\r\n Check Price\r\n
\r\n
\r\n
\r\n
\r\n \r\n
\r\n )\r\n }\r\n}\r\n\r\nexport default Policy","import React, { Component } from 'react'\r\nimport Policy from '../components/website/common/Policy'\r\n\r\nclass PolicyPage extends Component {\r\n render() {\r\n return (\r\n \r\n )\r\n }\r\n}\r\n\r\nexport default PolicyPage","import React, { Component ,Fragment } from 'react'\r\nimport { Route, Routes, Navigate } from 'react-router-dom'\r\nimport HomePage from '../pages/HomePage';\r\nimport AboutUsPage from '../pages/AboutUsPage';\r\nimport CustomerPage from '../pages/CustomerPage';\r\nimport CustomersFAQPage from '../pages/CustomersFAQPage';\r\nimport TermsPage from '../pages/TermsPage';\r\nimport ContactPage from '../pages/ContactPage';\r\nimport TravellerPage from '../pages/TravellerPage';\r\nimport TravellersFAQPage from '../pages/TravellersFAQPage';\r\nimport LoginPage from '../pages/LoginPage';\r\nimport SignUpPage from '../pages/SignUpPage';\r\nimport Thankyou from '../components/website/common/Thankyou';\r\nimport CustomerLoginPage from '../pages/CustomerLoginPage';\r\nimport TravellerLoginPage from '../pages/TravellerLoginPage';\r\nimport CustomerSignupPage from '../pages/CustomerSignupPage';\r\nimport TravellerSignupPage from '../pages/TravellerSignupPage';\r\nimport BankPage from '../pages/BankPage';\r\nimport ProfilePage from '../pages/ProfilePage';\r\nimport TravellerAddressPage from '../pages/traveller/TravellerAddressPage';\r\nimport TravellerDocumentPage from '../pages/traveller/TravellerDocumentPage';\r\nimport CustomerAddressPage from '../pages/customer/CustomerAddressPage';\r\nimport CustomerDocumentPage from '../pages/customer/CustomerDocumentPage';\r\nimport EnquiryPage from '../pages/EnquiryPage';\r\nimport TravellerOrderPage from '../pages/traveller/TravellerOrderPage';\r\nimport CustomerOrderPage from '../pages/customer/CustomerOrderPage';\r\nimport TravellerTransactionPage from '../pages/traveller/TravellerTransactionPage';\r\nimport CustomerTransactionPage from '../pages/customer/CustomerTransactionPage';\r\nimport InvoicePage from '../pages/customer/InvoicePage';\r\nimport HowItWorksPage from '../pages/HowItWorksPage';\r\nimport PolicyPage from '../pages/PolicyPage';\r\nimport { toast } from 'react-toastify';\r\n\r\nfunction PrivateRoute({ children }) {\r\n const auth = localStorage.getItem('token')? true: false;\r\n\r\n if(!auth) {\r\n toast.error('Please Login to continue' , {\r\n position: \"top-right\",\r\n autoClose: 5000,\r\n hideProgressBar: false,\r\n closeonClick: true,\r\n pauseOnHover: false,\r\n draggable: true,\r\n });\r\n }\r\n return auth ? children : ;\r\n }\r\n\r\nclass AppRoute extends Component {\r\n render() {\r\n return (\r\n \r\n \r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } /> \r\n }/>\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n } />\r\n \r\n \r\n )\r\n }\r\n}\r\n\r\nexport default AppRoute\r\n","import Navbar from \"./components/website/common/Navbar\"\nimport Footer from \"./components/website/common/Footer\";\nimport { Fragment } from 'react';\nimport AppRoute from \"./route/AppRoute\";\nimport { ToastContainer } from 'react-toastify';\nimport 'react-toastify/dist/ReactToastify.css';\n\nfunction App() {\n return (\n \n \n \n \n \n \n );\n}\n\nexport default App;\n","const reportWebVitals = onPerfEntry => {\n if (onPerfEntry && onPerfEntry instanceof Function) {\n import('web-vitals').then(({ getCLS, getFID, getFCP, getLCP, getTTFB }) => {\n getCLS(onPerfEntry);\n getFID(onPerfEntry);\n getFCP(onPerfEntry);\n getLCP(onPerfEntry);\n getTTFB(onPerfEntry);\n });\n }\n};\n\nexport default reportWebVitals;\n","import React from 'react';\nimport ReactDOM from 'react-dom/client';\nimport './index.css';\nimport App from './App';\nimport reportWebVitals from './reportWebVitals';\nimport { BrowserRouter } from 'react-router-dom';\nimport axios from 'axios';\n\nconst root = ReactDOM.createRoot(document.getElementById('root'));\naxios.defaults.headers.common['Authorization']= 'Bearer '+localStorage.getItem('token')\nroot.render(\n \n \n \n \n \n);\n\n\n// Clear localStorage after 30 minutes\nconst cleanupLocalStorage = () => {\n const storedData = JSON.parse(localStorage.getItem('myData'));\n\n if (storedData) {\n const currentTime = new Date().getTime();\n const { data, expiration } = storedData;\n\n if (currentTime >= expiration) {\n // Data has expired, remove it\n localStorage.removeItem('user_type');\n localStorage.removeItem('user');\n localStorage.removeItem('profile_image');\n localStorage.removeItem('token');\n // Redirect to the login page\n window.location.href = '/login'; // Replace with your login page URL\n }\n }\n};\n\nsetInterval(cleanupLocalStorage, 1800000); // 30 minutes\n\nreportWebVitals();\n"],"names":["Object","defineProperty","exports","value","_react","_interopRequireDefault","require","_propTypes","_icons","obj","__esModule","IconInner","_ref","markup","icon","iconMarkup","createElement","dangerouslySetInnerHTML","__html","propTypes","string","isRequired","_default","_IconInner","_extends","assign","target","i","arguments","length","source","key","prototype","hasOwnProperty","call","apply","this","_objectWithoutProperties","excluded","sourceKeys","keys","indexOf","_objectWithoutPropertiesLoose","getOwnPropertySymbols","sourceSymbolKeys","propertyIsEnumerable","FeatherIcon","_ref$size","size","_ref$className","className","_ref$fill","fill","otherProps","width","height","viewBox","stroke","strokeWidth","strokeLinecap","strokeLinejoin","concat","oneOfType","number","hookCallback","some","hooks","setHookCallback","callback","isArray","input","Array","toString","isObject","hasOwnProp","a","b","isObjectEmpty","getOwnPropertyNames","k","isUndefined","isNumber","isDate","Date","map","arr","fn","res","arrLen","push","extend","valueOf","createUTC","format","locale","strict","createLocalOrUTC","utc","defaultParsingFlags","empty","unusedTokens","unusedInput","overflow","charsLeftOver","nullInput","invalidEra","invalidMonth","invalidFormat","userInvalidated","iso","parsedDateParts","era","meridiem","rfc2822","weekdayMismatch","getParsingFlags","m","_pf","isValid","_isValid","flags","parsedParts","isNowValid","isNaN","_d","getTime","invalidWeekday","_strict","undefined","bigHour","isFrozen","createInvalid","NaN","fun","t","len","momentProperties","updateInProgress","copyConfig","to","from","prop","val","momentPropertiesLen","_isAMomentObject","_i","_f","_l","_tzm","_isUTC","_offset","_locale","Moment","config","updateOffset","isMoment","warn","msg","suppressDeprecationWarnings","console","deprecate","firstTime","deprecationHandler","arg","args","argLen","slice","join","Error","stack","deprecations","deprecateSimple","name","isFunction","Function","set","_config","_dayOfMonthOrdinalParseLenient","RegExp","_dayOfMonthOrdinalParse","_ordinalParse","mergeConfigs","parentConfig","childConfig","Locale","defaultCalendar","sameDay","nextDay","nextWeek","lastDay","lastWeek","sameElse","calendar","mom","now","output","_calendar","zeroFill","targetLength","forceSign","absNumber","Math","abs","zerosToFill","pow","max","substr","formattingTokens","localFormattingTokens","formatFunctions","formatTokenFunctions","addFormatToken","token","padded","ordinal","func","localeData","removeFormattingTokens","match","replace","makeFormatFunction","array","formatMoment","expandFormat","invalidDate","replaceLongDateFormatTokens","longDateFormat","lastIndex","test","defaultLongDateFormat","LTS","LT","L","LL","LLL","LLLL","_longDateFormat","formatUpper","toUpperCase","tok","defaultInvalidDate","_invalidDate","defaultOrdinal","defaultDayOfMonthOrdinalParse","_ordinal","defaultRelativeTime","future","past","s","ss","mm","h","hh","d","dd","w","ww","M","MM","y","yy","relativeTime","withoutSuffix","isFuture","_relativeTime","pastFuture","diff","aliases","addUnitAlias","unit","shorthand","lowerCase","toLowerCase","normalizeUnits","units","normalizeObjectUnits","inputObject","normalizedProp","normalizedInput","priorities","addUnitPriority","priority","getPrioritizedUnits","unitsObj","u","sort","isLeapYear","year","absFloor","ceil","floor","toInt","argumentForCoercion","coercedNumber","isFinite","makeGetSet","keepTime","set$1","get","month","date","daysInMonth","stringGet","stringSet","prioritized","prioritizedLen","regexes","match1","match2","match3","match4","match6","match1to2","match3to4","match5to6","match1to3","match1to4","match1to6","matchUnsigned","matchSigned","matchOffset","matchShortOffset","matchTimestamp","matchWord","addRegexToken","regex","strictRegex","isStrict","getParseRegexForToken","unescapeFormat","regexEscape","matched","p1","p2","p3","p4","tokens","addParseToken","tokenLen","addWeekParseToken","_w","addTimeToArrayFromToken","_a","YEAR","MONTH","DATE","HOUR","MINUTE","SECOND","MILLISECOND","WEEK","WEEKDAY","mod","n","x","modMonth","o","monthsShort","months","monthsShortRegex","monthsRegex","monthsParse","defaultLocaleMonths","split","defaultLocaleMonthsShort","MONTHS_IN_FORMAT","defaultMonthsShortRegex","defaultMonthsRegex","localeMonths","_months","isFormat","localeMonthsShort","_monthsShort","handleStrictParse","monthName","ii","llc","toLocaleLowerCase","_monthsParse","_longMonthsParse","_shortMonthsParse","localeMonthsParse","_monthsParseExact","setMonth","dayOfMonth","min","getSetMonth","getDaysInMonth","computeMonthsParse","_monthsShortStrictRegex","_monthsShortRegex","_monthsStrictRegex","_monthsRegex","cmpLenRev","shortPieces","longPieces","mixedPieces","daysInYear","parseTwoDigitYear","parseInt","getSetYear","getIsLeapYear","createDate","ms","getFullYear","setFullYear","createUTCDate","UTC","getUTCFullYear","setUTCFullYear","firstWeekOffset","dow","doy","fwd","getUTCDay","dayOfYearFromWeeks","week","weekday","resYear","resDayOfYear","dayOfYear","weekOfYear","resWeek","weekOffset","weeksInYear","weekOffsetNext","localeWeek","_week","defaultLocaleWeek","localeFirstDayOfWeek","localeFirstDayOfYear","getSetWeek","add","getSetISOWeek","parseWeekday","weekdaysParse","parseIsoWeekday","shiftWeekdays","ws","weekdaysMin","weekdaysShort","weekdays","weekdaysMinRegex","weekdaysShortRegex","weekdaysRegex","defaultLocaleWeekdays","defaultLocaleWeekdaysShort","defaultLocaleWeekdaysMin","defaultWeekdaysRegex","defaultWeekdaysShortRegex","defaultWeekdaysMinRegex","localeWeekdays","_weekdays","day","localeWeekdaysShort","_weekdaysShort","localeWeekdaysMin","_weekdaysMin","handleStrictParse$1","weekdayName","_weekdaysParse","_shortWeekdaysParse","_minWeekdaysParse","localeWeekdaysParse","_weekdaysParseExact","_fullWeekdaysParse","getSetDayOfWeek","getDay","getSetLocaleDayOfWeek","getSetISODayOfWeek","computeWeekdaysParse","_weekdaysStrictRegex","_weekdaysRegex","_weekdaysShortStrictRegex","_weekdaysShortRegex","_weekdaysMinStrictRegex","_weekdaysMinRegex","minp","shortp","longp","minPieces","hFormat","hours","kFormat","lowercase","minutes","matchMeridiem","_meridiemParse","localeIsPM","charAt","seconds","kInput","_isPm","isPM","_meridiem","pos","pos1","pos2","defaultLocaleMeridiemParse","getSetHour","localeMeridiem","isLower","globalLocale","baseConfig","dayOfMonthOrdinalParse","meridiemParse","locales","localeFamilies","commonPrefix","arr1","arr2","minl","normalizeLocale","chooseLocale","names","j","next","loadLocale","isLocaleNameSane","oldLocale","module","_abbr","aliasedRequire","getSetGlobalLocale","e","values","data","getLocale","defineLocale","abbr","parentLocale","forEach","updateLocale","tmpLocale","listLocales","checkOverflow","_overflowDayOfYear","_overflowWeeks","_overflowWeekday","extendedIsoRegex","basicIsoRegex","tzRegex","isoDates","isoTimes","aspNetJsonRegex","obsOffsets","UT","GMT","EDT","EST","CDT","CST","MDT","MST","PDT","PST","configFromISO","l","allowTime","dateFormat","timeFormat","tzFormat","exec","isoDatesLen","isoTimesLen","configFromStringAndFormat","extractFromRFC2822Strings","yearStr","monthStr","dayStr","hourStr","minuteStr","secondStr","result","untruncateYear","preprocessRFC2822","checkWeekday","weekdayStr","parsedInput","calculateOffset","obsOffset","militaryOffset","numOffset","hm","configFromRFC2822","parsedArray","setUTCMinutes","getUTCMinutes","configFromString","createFromInputFallback","defaults","c","currentDateArray","nowValue","_useUTC","getUTCMonth","getUTCDate","getMonth","getDate","configFromArray","currentDate","expectedWeekday","yearToUse","dayOfYearFromWeekInfo","_dayOfYear","_nextDay","weekYear","temp","weekdayOverflow","curWeek","GG","W","E","createLocal","gg","ISO_8601","RFC_2822","skipped","stringLength","totalParsedInputLength","meridiemFixWrap","erasConvertYear","hour","isPm","meridiemHour","configFromStringAndArray","tempConfig","bestMoment","scoreToBeat","currentScore","validFormatFound","bestFormatIsValid","configfLen","score","configFromObject","dayOrDate","minute","second","millisecond","createFromConfig","prepareConfig","preparse","configFromInput","isUTC","prototypeMin","other","prototypeMax","pickBy","moments","ordering","isDurationValid","unitHasDecimal","orderLen","parseFloat","isValid$1","createInvalid$1","createDuration","Duration","duration","years","quarters","quarter","weeks","isoWeek","days","milliseconds","_milliseconds","_days","_data","_bubble","isDuration","absRound","round","compareArrays","array1","array2","dontConvert","lengthDiff","diffs","offset","separator","utcOffset","sign","offsetFromString","chunkOffset","matcher","parts","matches","cloneWithOffset","model","clone","setTime","local","getDateOffset","getTimezoneOffset","getSetOffset","keepLocalTime","keepMinutes","localAdjust","_changeInProgress","addSubtract","getSetZone","setOffsetToUTC","setOffsetToLocal","subtract","setOffsetToParsedOffset","tZone","hasAlignedHourOffset","isDaylightSavingTime","isDaylightSavingTimeShifted","_isDSTShifted","toArray","isLocal","isUtcOffset","isUtc","aspNetRegex","isoRegex","ret","diffRes","parseIso","momentsDifference","inp","positiveMomentsDifference","base","isAfter","isBefore","createAdder","direction","period","tmp","isAdding","invalid","isString","String","isMomentInput","isNumberOrStringArray","isMomentInputObject","property","objectTest","propertyTest","properties","propertyLen","arrayTest","dataTypeTest","filter","item","isCalendarSpec","getCalendarFormat","myMoment","calendar$1","time","formats","sod","startOf","calendarFormat","localInput","endOf","isBetween","inclusivity","localFrom","localTo","isSame","inputMs","isSameOrAfter","isSameOrBefore","asFloat","that","zoneDelta","monthDiff","wholeMonthDiff","anchor","toISOString","keepOffset","toDate","inspect","prefix","datetime","suffix","zone","inputString","defaultFormatUtc","defaultFormat","postformat","humanize","fromNow","toNow","newLocaleData","lang","MS_PER_SECOND","MS_PER_MINUTE","MS_PER_HOUR","MS_PER_400_YEARS","mod$1","dividend","divisor","localStartOfDate","utcStartOfDate","startOfDate","isoWeekday","unix","toObject","toJSON","isValid$2","parsingFlags","invalidAt","creationData","localeEras","eras","_eras","since","until","localeErasParse","eraName","narrow","localeErasConvertYear","dir","getEraName","getEraNarrow","getEraAbbr","getEraYear","erasNameRegex","computeErasParse","_erasNameRegex","_erasRegex","erasAbbrRegex","_erasAbbrRegex","erasNarrowRegex","_erasNarrowRegex","matchEraAbbr","matchEraName","matchEraNarrow","matchEraYearOrdinal","_eraYearOrdinalRegex","abbrPieces","namePieces","narrowPieces","addWeekYearFormatToken","getter","getSetWeekYear","getSetWeekYearHelper","getSetISOWeekYear","getISOWeeksInYear","getISOWeeksInISOWeekYear","isoWeekYear","getWeeksInYear","weekInfo","getWeeksInWeekYear","weeksTarget","setWeekAll","dayOfYearData","getSetQuarter","erasParse","eraYearOrdinalParse","getSetDayOfMonth","getSetDayOfYear","getSetMinute","getSetMillisecond","getSetSecond","parseMs","getZoneAbbr","getZoneName","proto","createUnix","createInZone","parseZone","preParsePostFormat","Symbol","for","eraNarrow","eraAbbr","eraYear","isoWeeks","weeksInWeekYear","isoWeeksInYear","isoWeeksInISOWeekYear","isDST","zoneAbbr","zoneName","dates","isDSTShifted","proto$1","get$1","index","field","setter","listMonthsImpl","out","listWeekdaysImpl","localeSorted","shift","listMonths","listMonthsShort","listWeekdays","listWeekdaysShort","listWeekdaysMin","firstDayOfYear","firstDayOfWeek","langData","mathAbs","addSubtract$1","add$1","subtract$1","absCeil","bubble","monthsFromDays","monthsToDays","daysToMonths","as","valueOf$1","makeAs","alias","asMilliseconds","asSeconds","asMinutes","asHours","asDays","asWeeks","asMonths","asQuarters","asYears","clone$1","get$2","makeGetter","thresholds","substituteTimeAgo","relativeTime$1","posNegDuration","getSetRelativeTimeRounding","roundingFunction","getSetRelativeTimeThreshold","threshold","limit","argWithSuffix","argThresholds","withSuffix","th","abs$1","toISOString$1","totalSign","ymSign","daysSign","hmsSign","total","toFixed","proto$2","toIsoString","version","relativeTimeRounding","relativeTimeThreshold","HTML5_FMT","DATETIME_LOCAL","DATETIME_LOCAL_SECONDS","DATETIME_LOCAL_MS","TIME","TIME_SECONDS","TIME_MS","factory","ReactPropTypesSecret","emptyFunction","emptyFunctionWithReset","resetWarningCache","shim","props","propName","componentName","location","propFullName","secret","err","getShim","ReactPropTypes","bigint","bool","object","symbol","any","arrayOf","element","elementType","instanceOf","node","objectOf","oneOf","shape","exact","checkPropTypes","PropTypes","aa","ca","p","encodeURIComponent","da","Set","ea","fa","ha","ia","window","document","ja","ka","la","ma","v","f","g","acceptsBooleans","attributeName","attributeNamespace","mustUseProperty","propertyName","type","sanitizeURL","removeEmptyString","z","ra","sa","ta","pa","qa","oa","removeAttribute","setAttribute","setAttributeNS","xlinkHref","ua","__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED","va","wa","ya","za","Aa","Ba","Ca","Da","Ea","Fa","Ga","Ha","Ia","Ja","iterator","Ka","La","A","Ma","trim","Na","Oa","prepareStackTrace","Reflect","construct","displayName","includes","Pa","tag","render","Qa","$$typeof","_context","_payload","_init","Ra","Sa","Ta","nodeName","Va","_valueTracker","getOwnPropertyDescriptor","constructor","configurable","enumerable","getValue","setValue","stopTracking","Ua","Wa","checked","Xa","activeElement","body","Ya","defaultChecked","defaultValue","_wrapperState","initialChecked","Za","initialValue","controlled","ab","bb","cb","db","ownerDocument","eb","fb","options","selected","defaultSelected","disabled","gb","children","hb","ib","jb","textContent","kb","lb","mb","nb","namespaceURI","innerHTML","firstChild","removeChild","appendChild","MSApp","execUnsafeLocalFunction","ob","lastChild","nodeType","nodeValue","pb","animationIterationCount","aspectRatio","borderImageOutset","borderImageSlice","borderImageWidth","boxFlex","boxFlexGroup","boxOrdinalGroup","columnCount","columns","flex","flexGrow","flexPositive","flexShrink","flexNegative","flexOrder","gridArea","gridRow","gridRowEnd","gridRowSpan","gridRowStart","gridColumn","gridColumnEnd","gridColumnSpan","gridColumnStart","fontWeight","lineClamp","lineHeight","opacity","order","orphans","tabSize","widows","zIndex","zoom","fillOpacity","floodOpacity","stopOpacity","strokeDasharray","strokeDashoffset","strokeMiterlimit","strokeOpacity","qb","rb","sb","style","setProperty","substring","tb","menuitem","area","br","col","embed","hr","img","keygen","link","meta","param","track","wbr","ub","vb","is","wb","xb","srcElement","correspondingUseElement","parentNode","yb","zb","Ab","Bb","Cb","stateNode","Db","Eb","Fb","Gb","Hb","Ib","Jb","Kb","Lb","Mb","addEventListener","removeEventListener","Nb","onError","Ob","Pb","Qb","Rb","Sb","Tb","Vb","alternate","return","Wb","memoizedState","dehydrated","Xb","Zb","child","sibling","current","Yb","$b","ac","unstable_scheduleCallback","bc","unstable_cancelCallback","cc","unstable_shouldYield","dc","unstable_requestPaint","B","unstable_now","ec","unstable_getCurrentPriorityLevel","fc","unstable_ImmediatePriority","gc","unstable_UserBlockingPriority","hc","unstable_NormalPriority","ic","unstable_LowPriority","jc","unstable_IdlePriority","kc","lc","oc","clz32","pc","qc","log","LN2","rc","sc","tc","uc","pendingLanes","suspendedLanes","pingedLanes","entangledLanes","entanglements","vc","xc","yc","zc","Ac","eventTimes","Cc","C","Dc","Ec","Fc","Gc","Hc","Ic","Jc","Kc","Lc","Mc","Nc","Oc","Map","Pc","Qc","Rc","Sc","delete","pointerId","Tc","nativeEvent","blockedOn","domEventName","eventSystemFlags","targetContainers","Vc","Wc","isDehydrated","containerInfo","Xc","Yc","dispatchEvent","Zc","$c","ad","bd","cd","ReactCurrentBatchConfig","ed","transition","fd","gd","hd","id","Uc","stopPropagation","jd","kd","ld","md","nd","od","keyCode","charCode","pd","qd","rd","_reactName","_targetInst","currentTarget","isDefaultPrevented","defaultPrevented","returnValue","isPropagationStopped","preventDefault","cancelBubble","persist","isPersistent","wd","xd","yd","sd","eventPhase","bubbles","cancelable","timeStamp","isTrusted","td","ud","view","detail","vd","Ad","screenX","screenY","clientX","clientY","pageX","pageY","ctrlKey","shiftKey","altKey","metaKey","getModifierState","zd","button","buttons","relatedTarget","fromElement","toElement","movementX","movementY","Bd","Dd","dataTransfer","Fd","Hd","animationName","elapsedTime","pseudoElement","Id","clipboardData","Jd","Ld","Md","Esc","Spacebar","Left","Up","Right","Down","Del","Win","Menu","Apps","Scroll","MozPrintableKey","Nd","Od","Alt","Control","Meta","Shift","Pd","Qd","fromCharCode","code","repeat","which","Rd","Td","pressure","tangentialPressure","tiltX","tiltY","twist","pointerType","isPrimary","Vd","touches","targetTouches","changedTouches","Xd","Yd","deltaX","wheelDeltaX","deltaY","wheelDeltaY","wheelDelta","deltaZ","deltaMode","Zd","$d","ae","be","documentMode","ce","de","ee","fe","ge","he","ie","le","color","email","password","range","search","tel","text","url","me","ne","oe","event","listeners","pe","qe","re","se","te","ue","ve","we","xe","ye","ze","oninput","Ae","detachEvent","Be","Ce","attachEvent","De","Ee","Fe","He","Ie","Je","Ke","nextSibling","Le","contains","compareDocumentPosition","Me","HTMLIFrameElement","contentWindow","href","Ne","contentEditable","Oe","focusedElem","selectionRange","documentElement","start","end","selectionStart","selectionEnd","defaultView","getSelection","rangeCount","anchorNode","anchorOffset","focusNode","focusOffset","createRange","setStart","removeAllRanges","addRange","setEnd","left","scrollLeft","top","scrollTop","focus","Pe","Qe","Re","Se","Te","Ue","Ve","We","animationend","animationiteration","animationstart","transitionend","Xe","Ye","Ze","animation","$e","af","bf","cf","df","ef","ff","gf","hf","lf","mf","nf","Ub","instance","listener","D","of","has","pf","qf","rf","random","sf","bind","capture","passive","J","F","tf","uf","parentWindow","vf","wf","na","xa","$a","ba","je","char","ke","unshift","xf","yf","zf","Af","Bf","Cf","Df","Ef","Ff","setTimeout","Gf","clearTimeout","Hf","Promise","Jf","queueMicrotask","resolve","then","catch","If","Kf","Lf","Mf","previousSibling","Nf","Of","Pf","Qf","Rf","Sf","Tf","Uf","G","Vf","H","Wf","Xf","Yf","contextTypes","__reactInternalMemoizedUnmaskedChildContext","__reactInternalMemoizedMaskedChildContext","Zf","childContextTypes","$f","ag","bg","getChildContext","cg","__reactInternalMemoizedMergedChildContext","dg","eg","fg","hg","jg","kg","lg","mg","ng","og","pg","qg","rg","sg","tg","ug","vg","wg","xg","yg","I","zg","Ag","Bg","deletions","Cg","pendingProps","treeContext","retryLane","Dg","mode","Eg","Fg","Gg","memoizedProps","Hg","Ig","Jg","Kg","Lg","defaultProps","Mg","Ng","Og","Pg","Qg","Rg","_currentValue","Sg","childLanes","Tg","dependencies","firstContext","lanes","Ug","Vg","context","memoizedValue","Wg","Xg","Yg","interleaved","Zg","$g","ah","updateQueue","baseState","firstBaseUpdate","lastBaseUpdate","shared","pending","effects","bh","ch","eventTime","lane","payload","dh","K","eh","fh","gh","q","r","ih","jh","Component","refs","kh","nh","isMounted","_reactInternals","enqueueSetState","lh","mh","enqueueReplaceState","enqueueForceUpdate","oh","shouldComponentUpdate","isPureReactComponent","ph","contextType","state","updater","qh","componentWillReceiveProps","UNSAFE_componentWillReceiveProps","rh","getDerivedStateFromProps","getSnapshotBeforeUpdate","UNSAFE_componentWillMount","componentWillMount","componentDidMount","sh","ref","_owner","_stringRef","uh","vh","wh","xh","yh","implementation","zh","Ah","done","Bh","Ch","Dh","Eh","Fh","Gh","Hh","Ih","tagName","Jh","Kh","Lh","Mh","revealOrder","Nh","Oh","_workInProgressVersionPrimary","Ph","ReactCurrentDispatcher","Qh","Rh","N","O","P","Sh","Th","Uh","Vh","Q","Wh","Xh","Yh","Zh","$h","ai","bi","ci","baseQueue","queue","di","ei","fi","lastRenderedReducer","action","hasEagerState","eagerState","lastRenderedState","dispatch","gi","hi","ji","ki","getSnapshot","li","mi","R","ni","lastEffect","stores","oi","pi","qi","ri","create","destroy","deps","si","ti","ui","vi","wi","xi","yi","zi","Ai","Bi","Ci","Di","Ei","Fi","Gi","Hi","Ii","Ji","readContext","useCallback","useContext","useEffect","useImperativeHandle","useInsertionEffect","useLayoutEffect","useMemo","useReducer","useRef","useState","useDebugValue","useDeferredValue","useTransition","useMutableSource","useSyncExternalStore","useId","unstable_isNewReconciler","identifierPrefix","Ki","message","digest","Li","Mi","error","Ni","WeakMap","Oi","Pi","Qi","Ri","getDerivedStateFromError","componentDidCatch","Si","componentStack","Ti","pingCache","Ui","Vi","Wi","Xi","ReactCurrentOwner","Yi","Zi","$i","aj","bj","compare","cj","dj","ej","baseLanes","cachePool","transitions","fj","gj","hj","ij","jj","UNSAFE_componentWillUpdate","componentWillUpdate","componentDidUpdate","kj","lj","pendingContext","mj","Aj","Bj","Cj","Dj","nj","oj","pj","fallback","qj","rj","tj","dataset","dgst","uj","vj","_reactRetry","sj","subtreeFlags","wj","xj","isBackwards","rendering","renderingStartTime","last","tail","tailMode","yj","Ej","S","Fj","Gj","wasMultiple","multiple","suppressHydrationWarning","onClick","onclick","createElementNS","autoFocus","createTextNode","T","Hj","Ij","Jj","Kj","U","Lj","WeakSet","V","Mj","Nj","Oj","Qj","Rj","Sj","Tj","Uj","Vj","Wj","insertBefore","_reactRootContainer","Xj","X","Yj","Zj","ak","onCommitFiberUnmount","componentWillUnmount","bk","ck","dk","ek","fk","isHidden","gk","hk","display","ik","jk","kk","lk","__reactInternalSnapshotBeforeUpdate","src","Wk","mk","nk","ok","pk","Y","Z","qk","rk","sk","tk","uk","Infinity","vk","wk","xk","yk","zk","Ak","Bk","Ck","Dk","Ek","callbackNode","expirationTimes","expiredLanes","wc","callbackPriority","ig","Fk","Gk","Hk","Ik","Jk","Kk","Lk","Mk","Nk","Ok","Pk","finishedWork","finishedLanes","Qk","timeoutHandle","Rk","Sk","Tk","Uk","Vk","mutableReadLanes","Bc","Pj","onCommitFiberRoot","mc","onRecoverableError","Xk","onPostCommitFiberRoot","Yk","Zk","al","isReactComponent","pendingChildren","bl","mutableSourceEagerHydrationData","cl","cache","pendingSuspenseBoundaries","el","fl","gl","hl","il","jl","zj","$k","ll","reportError","ml","_internalRoot","nl","ol","pl","ql","sl","rl","unmount","unstable_scheduleHydration","splice","querySelectorAll","JSON","stringify","form","tl","usingClientEntryPoint","Events","ul","findFiberByHostInstance","bundleType","rendererPackageName","vl","rendererConfig","overrideHookState","overrideHookStateDeletePath","overrideHookStateRenamePath","overrideProps","overridePropsDeletePath","overridePropsRenamePath","setErrorHandler","setSuspenseHandler","scheduleUpdate","currentDispatcherRef","findHostInstanceByFiber","findHostInstancesForRefresh","scheduleRefresh","scheduleRoot","setRefreshHandler","getCurrentFiber","reconcilerVersion","__REACT_DEVTOOLS_GLOBAL_HOOK__","wl","isDisabled","supportsFiber","inject","createPortal","dl","createRoot","unstable_strictMode","findDOMNode","flushSync","hydrate","hydrateRoot","hydratedSources","_getVersion","_source","unmountComponentAtNode","unstable_batchedUpdates","unstable_renderSubtreeIntoContainer","checkDCE","__self","__source","jsx","jsxs","setState","forceUpdate","escape","_status","_result","default","Children","count","only","Fragment","Profiler","PureComponent","StrictMode","Suspense","cloneElement","createContext","_currentValue2","_threadCount","Provider","Consumer","_defaultValue","_globalName","createFactory","createRef","forwardRef","isValidElement","lazy","memo","startTransition","unstable_act","pop","sortIndex","performance","setImmediate","startTime","expirationTime","priorityLevel","navigator","scheduling","isInputPending","MessageChannel","port2","port1","onmessage","postMessage","unstable_Profiling","unstable_continueExecution","unstable_forceFrameRate","unstable_getFirstCallbackNode","unstable_next","unstable_pauseExecution","unstable_runWithPriority","delay","unstable_wrapCallback","__webpack_module_cache__","__webpack_require__","moduleId","cachedModule","loaded","__webpack_modules__","leafPrototypes","getProto","getPrototypeOf","__proto__","ns","def","definition","chunkId","all","reduce","promises","miniCssF","inProgress","dataWebpackPrefix","script","needAttach","scripts","getElementsByTagName","getAttribute","charset","timeout","nc","onScriptComplete","prev","onerror","onload","doneFns","head","toStringTag","nmd","paths","installedChunks","installedChunkData","promise","reject","errorType","realSrc","request","webpackJsonpCallback","parentChunkLoadingFunction","chunkIds","moreModules","runtime","chunkLoadingGlobal","self","Constructor","TypeError","_typeof","_toPropertyKey","hint","prim","toPrimitive","Number","_defineProperties","descriptor","writable","protoProps","staticProps","_setPrototypeOf","setPrototypeOf","subClass","superClass","_getPrototypeOf","_isNativeReflectConstruct","sham","Proxy","Boolean","_possibleConstructorReturn","ReferenceError","Derived","hasNativeReflectConstruct","Super","NewTarget","Action","_arrayWithHoles","_arrayLikeToArray","_unsupportedIterableToArray","minLen","_nonIterableRest","_s","_e","_x","_r","_arr","_n","_iterableToArray","iter","_construct","Parent","Class","_wrapNativeSuper","_cache","Wrapper","ResultType","PopStateEventType","invariant","warning","cond","getHistoryState","usr","idx","createLocation","pathname","hash","parsePath","createPath","_ref$pathname","_ref$search","_ref$hash","path","parsedPath","hashIndex","searchIndex","getUrlBasedHistory","getLocation","createHref","validateLocation","_options2","_options2$window","_options2$v5Compat","v5Compat","globalHistory","history","Pop","getIndex","handlePop","nextIndex","delta","createURL","origin","URL","replaceState","listen","encodeLocation","Push","historyState","pushState","DOMException","Replace","go","matchRoutes","routes","locationArg","basename","stripBasename","branches","flattenRoutes","siblings","every","compareIndexes","routesMeta","childrenIndex","rankRouteBranches","matchRouteBranch","safelyDecodeURI","parentsMeta","parentPath","flattenRoute","route","relativePath","caseSensitive","startsWith","joinPaths","computeScore","_route$path","_step","_iterator","allowArrayLike","it","normalCompletion","didErr","step","_e2","_createForOfIteratorHelper","explodeOptionalSegments","exploded","segments","_segments","first","rest","isOptional","endsWith","required","restExploded","_toConsumableArray","subpath","paramRe","dynamicSegmentValue","indexRouteValue","emptySegmentValue","staticSegmentValue","splatPenalty","isSplat","initialScore","segment","branch","matchedParams","matchedPathname","remainingPathname","matchPath","params","pathnameBase","normalizePathname","pattern","_compilePath","paramNames","regexpSource","_","paramName","compilePath","_compilePath2","_slicedToArray","captureGroups","splatValue","decodeURIComponent","safelyDecodeURIComponent","decodeURI","startIndex","nextChar","getInvalidPathError","dest","getPathContributingMatches","resolveTo","toArg","routePathnames","locationPathname","isPathRelative","isEmptyPath","toPathname","routePathnameIndex","toSegments","fromPathname","_ref4","_ref4$search","_ref4$hash","resolvePathname","normalizeSearch","normalizeHash","resolvePath","hasExplicitTrailingSlash","hasCurrentTrailingSlash","AbortedDeferredError","_Error","_inherits","_super","_createSuper","_classCallCheck","_createClass","isRouteErrorResponse","status","statusText","internal","validMutationMethodsArr","validRequestMethodsArr","DataRouterContext","React","DataRouterStateContext","AwaitContext","NavigationContext","LocationContext","RouteContext","outlet","isDataRoute","RouteErrorContext","useInRouterContext","useLocation","UNSAFE_invariant","useIsomorphicLayoutEffect","static","useNavigate","router","useDataRouterContext","DataRouterHook","UseNavigateStable","useCurrentRouteId","DataRouterStateHook","activeRef","navigate","fromRouteId","useNavigateStable","dataRouterContext","_React$useContext3","routePathnamesJson","UNSAFE_getPathContributingMatches","parse","relative","useNavigateUnstable","useResolvedPath","_temp2","useRoutesImpl","dataRouterState","parentMatches","routeMatch","parentParams","parentPathnameBase","locationFromContext","_parsedLocationArg$pa","parsedLocationArg","renderedMatches","_renderMatches","navigationType","DefaultErrorComponent","_state$errors","useDataRouterState","UseRouteError","routeId","errors","useRouteError","lightgrey","preStyles","padding","backgroundColor","fontStyle","defaultErrorElement","RenderErrorBoundary","_React$Component","_this","revalidation","errorInfo","routeContext","component","RenderedRoute","staticContext","errorElement","ErrorBoundary","_deepestRenderedBoundaryId","_dataRouterState2","_dataRouterState","errorIndex","findIndex","reduceRight","getChildren","hookName","ctx","useRouteContext","thisRoute","Navigate","jsonPath","Route","_props","Router","_ref5","_ref5$basename","basenameProp","_ref5$children","locationProp","_ref5$navigationType","_ref5$static","staticProp","navigationContext","_locationProp","_locationProp$pathnam","_locationProp$search","_locationProp$hash","_locationProp$state","_locationProp$key","locationContext","trailingPathname","Routes","_ref6","createRoutesFromChildren","AwaitRenderStatus","neverSettledPromise","treePath","loader","hasErrorBoundary","shouldRevalidate","handle","startTransitionImpl","BrowserRouter","historyRef","_window$location","_React$useState2","setStateImpl","v7_startTransition","newState","isBrowser","ABSOLUTE_URL_REGEX","Link","absoluteHref","reloadDocument","preventScrollReset","_excluded","UNSAFE_NavigationContext","isExternal","currentUrl","targetUrl","protocol","_temp","_React$useContext","_useResolvedPath","joinedPathname","useHref","internalOnClick","_ref12","replaceProp","isModifiedEvent","shouldProcessLinkClick","useLinkClickHandler","NavLink","_ref5$ariaCurrent","ariaCurrentProp","_ref5$caseSensitive","_ref5$className","classNameProp","_ref5$end","styleProp","_excluded2","routerState","UNSAFE_DataRouterStateContext","nextLocationPathname","navigation","isActive","isPending","ariaCurrent","ownKeys","enumerableOnly","symbols","sym","_objectSpread2","getOwnPropertyDescriptors","defineProperties","WrappedComponent","useParams","_jsx","_objectSpread","withRouter","_Component","Navbar","userInfo","login_status","about_active_select","works_active_select","customer_active_select","traveller_active_select","contact_active_select","label_name_change","localStorage","getItem","currentPathname","getElementById","classList","toggle","isOpen","scrollTo","_jsxs","alt","toggleMenu","scrollToTop","Footer","thisArg","kindOf","thing","str","kindOfTest","typeOfTest","isArrayBuffer","isPlainObject","isFile","isBlob","isFileList","isURLSearchParams","_ref$allOwnKeys","allOwnKeys","findKey","_key","_global","globalThis","global","isContextDefined","TypedArray","isTypedArray","Uint8Array","isHTMLForm","isRegExp","reduceDescriptors","reducer","descriptors","reducedDescriptors","ALPHA","DIGIT","ALPHABET","ALPHA_DIGIT","isAsyncFn","isBuffer","isFormData","kind","FormData","append","isArrayBufferView","ArrayBuffer","isView","buffer","isBoolean","isStream","pipe","merge","caseless","assignValue","targetKey","stripBOM","content","charCodeAt","inherits","superConstructor","toFlatObject","sourceObj","destObj","propFilter","merged","searchString","position","forEachEntry","pair","matchAll","regExp","freezeMethods","toObjectSet","arrayOrString","delimiter","define","toCamelCase","noop","toFiniteNumber","generateString","alphabet","isSpecCompliantForm","toJSONObject","visit","reducedValue","isThenable","AxiosError","response","captureStackTrace","utils","description","fileName","lineNumber","columnNumber","customProps","axiosError","cause","isVisitable","removeBrackets","renderKey","dots","predicates","formData","metaTokens","indexes","option","visitor","defaultVisitor","useBlob","Blob","convertValue","Buffer","isFlatArray","exposedHelpers","build","encode","charMap","AxiosURLSearchParams","_pairs","toFormData","encoder","_encode","buildURL","serializedParams","serializeFn","serialize","hashmarkIndex","InterceptorManager","handlers","fulfilled","rejected","synchronous","runWhen","silentJSONParsing","forcedJSONParsing","clarifyTimeoutError","classes","URLSearchParams","isStandardBrowserEnv","product","isStandardBrowserWebWorkerEnv","WorkerGlobalScope","importScripts","protocols","buildPath","isNumericKey","isLast","arrayToObject","entries","parsePropPath","DEFAULT_CONTENT_TYPE","transitional","transitionalDefaults","adapter","transformRequest","headers","contentType","getContentType","hasJSONContentType","isObjectPayload","formDataToJSON","setContentType","platform","helpers","isNode","toURLEncodedForm","formSerializer","_FormData","env","rawValue","parser","stringifySafely","transformResponse","JSONRequested","responseType","strictJSONParsing","ERR_BAD_RESPONSE","xsrfCookieName","xsrfHeaderName","maxContentLength","maxBodyLength","validateStatus","common","method","ignoreDuplicateOf","$internals","normalizeHeader","header","normalizeValue","matchHeaderValue","isHeaderNameFilter","AxiosHeaders","_Symbol$iterator","_Symbol$toStringTag","valueOrRewrite","rewrite","setHeader","_value","_header","_rewrite","lHeader","setHeaders","rawHeaders","parsed","line","parseHeaders","tokensRE","parseTokens","deleted","deleteHeader","normalized","formatHeader","_this$constructor","_len","targets","asStrings","_ref2","computed","_len2","_key2","accessors","defineAccessor","accessorName","methodName","arg1","arg2","arg3","buildAccessors","accessor","transformData","fns","normalize","isCancel","__CANCEL__","CanceledError","ERR_CANCELED","write","expires","domain","secure","cookie","toGMTString","read","remove","buildFullPath","baseURL","requestedURL","relativeURL","combineURLs","originURL","msie","userAgent","urlParsingNode","resolveURL","host","hostname","port","requestURL","samplesCount","firstSampleTS","bytes","timestamps","chunkLength","startedAt","bytesCount","passed","progressEventReducer","isDownloadStream","bytesNotified","_speedometer","speedometer","lengthComputable","progressBytes","rate","progress","estimated","knownAdapters","http","xhr","XMLHttpRequest","onCanceled","requestData","requestHeaders","cancelToken","unsubscribe","signal","auth","username","unescape","btoa","fullPath","onloadend","responseHeaders","getAllResponseHeaders","ERR_BAD_REQUEST","settle","responseText","open","paramsSerializer","onreadystatechange","readyState","responseURL","onabort","ECONNABORTED","ERR_NETWORK","ontimeout","timeoutErrorMessage","ETIMEDOUT","xsrfValue","withCredentials","isURLSameOrigin","cookies","setRequestHeader","onDownloadProgress","onUploadProgress","upload","cancel","abort","subscribe","aborted","parseProtocol","send","adapters","nameOrAdapter","throwIfCancellationRequested","throwIfRequested","dispatchRequest","reason","headersToObject","mergeConfig","config1","config2","getMergedValue","mergeDeepProperties","valueFromConfig2","defaultToConfig2","mergeDirectKeys","mergeMap","timeoutMessage","decompress","beforeRedirect","transport","httpAgent","httpsAgent","socketPath","responseEncoding","configValue","VERSION","validators","deprecatedWarnings","validator","formatMessage","opt","desc","opts","ERR_DEPRECATED","assertOptions","schema","allowUnknown","ERR_BAD_OPTION_VALUE","ERR_BAD_OPTION","Axios","instanceConfig","interceptors","configOrUrl","contextHeaders","boolean","function","requestInterceptorChain","synchronousRequestInterceptors","interceptor","responseInterceptorChain","chain","newConfig","onFulfilled","onRejected","generateHTTPMethod","isForm","CancelToken","executor","resolvePromise","_listeners","onfulfilled","_resolve","HttpStatusCode","Continue","SwitchingProtocols","Processing","EarlyHints","Created","Accepted","NonAuthoritativeInformation","NoContent","ResetContent","PartialContent","MultiStatus","AlreadyReported","ImUsed","MultipleChoices","MovedPermanently","Found","SeeOther","NotModified","UseProxy","Unused","TemporaryRedirect","PermanentRedirect","BadRequest","Unauthorized","PaymentRequired","Forbidden","NotFound","MethodNotAllowed","NotAcceptable","ProxyAuthenticationRequired","RequestTimeout","Conflict","Gone","LengthRequired","PreconditionFailed","PayloadTooLarge","UriTooLong","UnsupportedMediaType","RangeNotSatisfiable","ExpectationFailed","ImATeapot","MisdirectedRequest","UnprocessableEntity","Locked","FailedDependency","TooEarly","UpgradeRequired","PreconditionRequired","TooManyRequests","RequestHeaderFieldsTooLarge","UnavailableForLegalReasons","InternalServerError","NotImplemented","BadGateway","ServiceUnavailable","GatewayTimeout","HttpVersionNotSupported","VariantAlsoNegotiates","InsufficientStorage","LoopDetected","NotExtended","NetworkAuthenticationRequired","axios","createInstance","defaultConfig","Cancel","spread","isAxiosError","formToJSON","AppUrl","country_id","BaseURL","state_id","city_id","customer_id","traveller_id","order_id","enquiry_id","documentPath","CheckMobileUnique","CheckEmailUnique","otpSend","getPrice","getCountry","contactus","documentType","getBussinessCategory","getProfession","customerProfileImageUpdate","travellerSignup","travellerLogin","travellerProfileUpdate","travellerProfileImageUpdate","travellerPasswordUpdate","travellerLogout","getTravellerStatus","travellerStatusUpdate","travellerOrderDocumentUpdate","bankSave","travellerDocumentSave","travellerAddressSave","singin","customerSingup","profileUpdate","customerPasswordUpdate","customerLogout","getAllProductType","enquirySave","customerDocumentSave","customerAddressSave","Home","handelChange","_defineProperty","from_city_name","selectedIndex","to_city_name","form_locality_error","drop_to_error","weight_error","validate","number_reg","pickup_form","drop_to","weight","openModal","isModalOpen","closeModal","dataFromState","postingData","post","price","addressList","display_processing","display_price","_this2","getCity","cities","_this3","onChange","address","city_name","placeholder","tabIndex","role","HomePage","AboutUs","AboutUsPage","Customer","CustomerPage","CustomersFAQ","Terms","class","TermsPage","Contact","userInputHandel","vaild","name_error","mobile_no_error","email_error","message_error","mobile_no","conactUsSubmit","toast","success","autoClose","hideProgressBar","closeonClick","pauseOnHover","draggable","hide_submit","_backgroundStyle","backgroundImage","backgroundSize","maxLength","minLength","ContactPage","TravellerPage","Traveller","TravellersFAQ","Login","login_id_error","password_error","user_type_error","user_type","login_id","login","setItem","user","LoginPage","Singup","handelUserInput","mobile_error","mobile","submitForm","singup","title","htmlFor","SignUpPage","Thankyou","marginTop","fontSize","textAlign","removeItem","profile_image","CustomerLoginPage","TravellerLoginPage","CustomerSignup","display_company_name","customer_type_error","company_name_error","first_name_error","customer_type","company_name","first_name","customerSignup","verify_div","verifyOtp","middle_name","last_name","otp","last_name_error","middle_name_error","emailInput","onKeyPress","handleKeyPress","maxlength","minlength","CustomerSignupPage","TravellerSignup","gender_error","today","birthDate","age_now","age","dob_error","adhaar_number_error","adhar_path_error","occupation_error","permanent_address_error","permanent_locality_error","permanent_pincode_error","current_address_error","current_locality_error","current_pincode_error","handleImageChange","createObjectURL","files","adhaar_path","permanent_state_error","permanent_city_error","current_state_error","current_city_error","gender","dob","adhaar_number","occupation_id","permanent_address","permanent_state","permanent_city","permanent_locality","permanent_pincode","current_address","current_state","current_city","current_locality","current_pincode","handleSameAddressChange","isSameAddress","changeCurrentState","changeCurrentCity","current_cities","current_localities","travellerOtpSend","secondary_mobile","secondary_email","changePermanentState","localities","changePermanentCity","getLocalities","states","current_states","otp_error","getStates","maxDate","maxDateFormatted","padStart","accept","state_name","city","locality","locality_name","TravellerSignupPage","UserSidebar","isUerLogin","updateProfileImage","postPath","file_path","image_folder","profile_image_get","customer_display","traveller_display","menu_url","imagePreviewUrl","BankList","banks","bankDetails","banksDetails","UserHeader","addBank","list","bank_name","account_no","ifsc_code","user_id","cancel_document_path","edit","BankAdd","ChangeteState","bank_name_error","branch_error","state_id_error","city_id_error","account_no_error","ifsc_code_error","file_path_error","bankSubmitForm","bankEdit","singleData","state_error","city_error","BankPage","pageDisplay","AddBank","addAddress","Profile","bussiness_categories","getCategories","getPermanentLocality","getCurrentLocality","getPermanentCity","getCurrentCity","company_registration_path","gst_path","pan_path","secondary_mobile_error","secondary_email_error","business_category_error","company_error","numberPattern","mailRegex","business_categeory_id","gst_no_error","company_registration_no_error","pan_no_error","profileUpdateForm","pan","gst","company_registration_no","profession_id","website","details_id","display_com_column","display_ind_column","passwordValidation","old_password_error","new_password_error","confirm_password_error","old_password","new_password","confirm_password","passwordUpdate","company_registration_path_error","customer_type_display","profession_display","password_processing","password_update_btn","pan_path_display","adhaar_path_display","company_registration_path_display","gst_path_display","_this$setState2","category","category_name","xmlns","cx","cy","points","ProfilePage","traveller_display_profile","customer_display_profile","TravellerProfile","CustomerProfile","Address","getTravellerAllAddress","all_address","address_type","AddAddress","ChangeCountry","country_error","ChangeCity","address_error","landmark_error","locality_error","pincode_error","address_type_error","landmark","locality_id","pincode","addressSubmitForm","countries","travellerAddressEdit","country","country_name","TravellerAddressPage","Document","documentData","getTravellerAllDocument","all_document","addDocument","document_no","AddDocument","document_type_error","document_no_error","document_type","submitDocumentForm","on_chnage_image_status","dataPost","TravellerDocumentPage","getCustomerAllAddress","customerAddressEdit","CustomerAddressPage","getCustomerAllDocument","CustomerDocumentPage","Enquiry","enquiryList","document_count","display_div","documentName","getCount","addEnquiry","enquiry_date","drop_address","enquiry_status","enquiryDetails","EnquiryAdd","productAddRow","rows","product_type","product_name","qty","product_value","packing_type","enquiry_img","handelChangeProduct","_e$target","p_type_error","pro_name_error","qty_error","p_weight_error","p_value_error","pcaking_type_error","handelRemoveSpecificRow","pickup_form_error","contact_person_error","drop_contact_person_error","drop_mobile_no_error","getElementsByName","closeOnClick","addMoreDocument","doc","document_name","document_img","handelChangeDoc","_e$target2","document_error","handelRemoveDoc","contact_person","drop_contact_person","drop_mobile_no","_loop","displayButton","_loop2","_index","submitEnquiry","loopValue","created_by","packingType","Details","productData","products","documents","pickup_person","drop_person","EnquiryPage","displayPage","OrderList","orderData","travellerOrderList","order_date","pickup_city","drop_city","status_name","orderDetails","e_id","OrderDetails","orderDetail","status_id","invoice","travellerDetails","travellerStatus","travellerOrderDetail","traveller_status","created_at","traveller_name","TravellerOrderPage","customerOrderList","orderStatus","customerOrderDetail","invoice_no","status_date","CustomerOrderPage","TransactionList","transactions","travellerransactionList","transactionList","trn_no","trn_date","amount","ref_no","TravellerTransactionPage","CustomerTransactionList","CustomerTransactionPage","Invoice","invoiceList","customerInvoiceList","invoicelist","invoice_date","InvoicePage","HowItWorks","HowItWorksPage","Policy","PolicyPage","PrivateRoute","AppRoute","CustomersFAQPage","TravellersFAQPage","ToastContainer","onPerfEntry","getCLS","getFID","getFCP","getLCP","getTTFB","root","ReactDOM","App","setInterval","storedData","currentTime","expiration","reportWebVitals"],"sourceRoot":""}