) {\n const dataProps = {\n title: props?.title,\n input: props.input,\n inputValue: props.inputValue,\n inputLabel: props.inputLabel,\n inputPlaceholder: props.inputPlaceholder,\n inputAttributes: {\n 'aria-label': props.inputAttributes['aria-label'],\n required: props.inputAttributes.required,\n },\n validationMessage: props.validationMessage,\n showCancelButton: props.showCancelButton,\n cancelButtonText: ``,\n confirmButtonText: ` Salvar`,\n confirmButtonColor: colorUtilsUNC('green'),\n cancelButtonColor: colorUtilsUNC('gray'),\n };\n const response = await Swal.fire(dataProps);\n return response;\n}\n\nexport async function confirmRadioButton() {\n const response = await Swal.fire({\n title: 'Finalizar Tarefa',\n html: `\n \n `,\n showCancelButton: true,\n focusConfirm: false,\n cancelButtonText: 'Cancelar',\n preConfirm: () => {\n const check = document.querySelector('input[name=\"check\"]:checked')?.['value'];\n const descricao = (document.querySelector('#descricao') as HTMLTextAreaElement)?.value;\n\n if (!descricao) {\n Swal.showValidationMessage('Selecione uma opção');\n return false;\n }\n\n return { check, descricao };\n },\n });\n\n return response;\n}\n\nexport async function editDueDate() {\n const response = await Swal.fire({\n title: 'Editar Dt. Vencimento',\n html: ``,\n showCancelButton: true,\n showConfirmButton: true,\n confirmButtonText: 'Salvar',\n cancelButtonText: 'Cancelar',\n preConfirm: () => {\n const date = (document.querySelector('#datetime-input') as HTMLTextAreaElement)?.value;\n if (!date) {\n Swal.showValidationMessage('Preencha a nova Dt. de Vencimento');\n return false;\n }\n\n return { date };\n },\n });\n\n return response;\n}\n\nexport async function editValue() {\n const response = await Swal.fire({\n title: 'Editar Valor',\n html: ``,\n showCancelButton: true,\n showConfirmButton: true,\n confirmButtonText: 'Salvar',\n cancelButtonText: 'Cancelar',\n didOpen: () => {\n const input = Swal.getHtmlContainer()?.querySelector('#value-input') as HTMLInputElement;\n input.focus();\n input.addEventListener('input', (event) => {\n const target = event.target as HTMLInputElement;\n let value = target.value.replace(/\\D/g, '');\n value = value.replace(/(\\d)(\\d{2})$/, '$1,$2');\n value = value.replace(/(?=(\\d{3})+(\\D))\\B/g, '.');\n target.value = value;\n });\n },\n preConfirm: () => {\n const value: number = Number((document.querySelector('#value-input') as HTMLTextAreaElement)?.value);\n if (!value && value <= 0) {\n Swal.showValidationMessage('Preencha o valor');\n return false;\n }\n\n return { value };\n },\n });\n return response;\n}\n\ntype alertDateTimeLocalType = {\n valueDateTime: string;\n valueTextArea: string;\n};\nexport async function alertDateTimeLocal(props: alertDateTimeLocalType) {\n const response = await Swal.fire({\n title: 'Reagendar',\n html: ` \n `,\n showCancelButton: true,\n showConfirmButton: true,\n confirmButtonText: 'Salvar',\n cancelButtonText: 'Cancelar',\n preConfirm: () => {\n const date = (document.querySelector('#datetime-input') as HTMLTextAreaElement)?.value;\n const text = (document.querySelector('#textarea-input') as HTMLTextAreaElement)?.value;\n if (!date) {\n Swal.showValidationMessage('Preencha a data e horário de reagendamento');\n return false;\n } else if (new Date(date) < new Date()) {\n Swal.showValidationMessage('A data escolhida não pode ser menor que a data atual');\n }\n if (!text) {\n Swal.showValidationMessage('Preencha o motivo do reagendamento');\n return false;\n }\n\n return { date, text };\n },\n });\n\n return response;\n}\n\nexport async function newRecurrence(abrirnovanegociacao: boolean, obrigaposvenda: boolean) {\n const response = await Swal.fire({\n title: 'O que vamos fazer?',\n html: `\n \n \n \n
\n \n \n \n
\n `,\n showCancelButton: true,\n confirmButtonText: 'Salvar',\n cancelButtonText: 'Cancelar',\n showLoaderOnConfirm: true,\n preConfirm: () => {\n const posVendaCheckbox = document.getElementById('posVendaCheckbox') as HTMLInputElement;\n const novoNegocioCheckbox = document.getElementById('novoNegocioCheckbox') as HTMLInputElement;\n\n // Lógica para recuperar os valores dos checkboxes\n const posVendaSelecionado = posVendaCheckbox.checked;\n const novoNegocioSelecionado = novoNegocioCheckbox.checked;\n\n // Lógica para processar os valores selecionados\n\n return { posVendaSelecionado, novoNegocioSelecionado }; // Pode retornar um valor qualquer, ou uma Promise\n },\n });\n return response;\n}\n\nexport async function winAfterSalesConfirmation(abrirnovanegociacao: boolean) {\n const response = await Swal.fire({\n title: 'O que vamos fazer?',\n html: ` \n \n \n \n
\n `,\n showCancelButton: true,\n confirmButtonText: 'Finalizar',\n cancelButtonText: 'Cancelar',\n showLoaderOnConfirm: true,\n preConfirm: () => {\n const novoNegocioCheckbox = document.getElementById('novoNegocioCheckbox') as HTMLInputElement;\n\n // Lógica para recuperar os valores dos checkboxes\n const novoNegocioSelecionado = novoNegocioCheckbox.checked;\n\n // Lógica para processar os valores selecionados\n\n return { novoNegocioSelecionado }; // Pode retornar um valor qualquer, ou uma Promise\n },\n });\n return response;\n}\nexport async function copyBusinessConfirmation() {\n const response = await Swal.fire({\n title: 'O que vamos fazer?',\n html: `\n \n \n \n \n
\n \n \n \n
\n \n \n \n
\n `,\n showCancelButton: true,\n confirmButtonText: 'Salvar',\n cancelButtonText: 'Cancelar',\n showLoaderOnConfirm: true,\n preConfirm: () => {\n const copiarTarefasCheckbox = document.getElementById('copiarTarefasPendentesCheckbox') as HTMLInputElement;\n const copiarVendaeOrcamentoCheckbox = document.getElementById(\n 'copiarVendaEOrcamentoCheckbox'\n ) as HTMLInputElement;\n const qtde_dias = document.getElementById('qtde_dias') as HTMLInputElement;\n\n // Lógica para recuperar os valores dos checkboxes\n const copiarTarefasSelecionado = copiarTarefasCheckbox.checked;\n const copiarVendaOrcamentoSelecionado = copiarVendaeOrcamentoCheckbox.checked;\n const qtdedias_selecionada = qtde_dias.value;\n\n // Lógica para processar os valores selecionados\n if (stringToNumber(qtdedias_selecionada) < 0) {\n Swal.showValidationMessage('A quantidade de dias deve ser maior ou igual a 0.');\n } else {\n return { copiarTarefasSelecionado, copiarVendaOrcamentoSelecionado, qtdedias_selecionada };\n }\n\n // return { copiarTarefasSelecionado, copiarVendaOrcamentoSelecionado, qtdedias_selecionada }; // Pode retornar um valor qualquer, ou uma Promise\n },\n });\n return response;\n}\n\ntype timerAutoCloseType = {\n title: string;\n html: string;\n timer: number;\n timerProgressBar: boolean;\n};\n\nexport function timerAutoClose(props: timerAutoCloseType) {\n let timerInterval;\n let totalCount = Math.floor(props.timer / 1000);\n let currentCount = 0;\n\n Swal.fire({\n title: props.title,\n html: `${props.html}
${currentCount} de ${totalCount}`,\n timer: props.timer,\n timerProgressBar: props.timerProgressBar,\n customClass: {\n timerProgressBar: 'bg-success',\n },\n allowEscapeKey: false,\n showConfirmButton: false,\n allowOutsideClick: false,\n didOpen: () => {\n Swal.showLoading();\n let b = Swal.getHtmlContainer().querySelector('b');\n timerInterval = setInterval(() => {\n currentCount += 1;\n const percentage = (currentCount / totalCount) * 100;\n b.textContent = percentage.toFixed(0);\n Swal.update({\n html: `${props.html}
${currentCount} de ${totalCount}`,\n });\n }, props.timer / totalCount);\n },\n willClose: () => {\n clearInterval(timerInterval);\n },\n });\n}\n\ntype processingMessageType = {\n title: string;\n html: string;\n timer: number;\n timerProgressBar: boolean;\n icon: SweetAlertIcon;\n};\n\nexport function processingMessage(props: processingMessageType) {\n let timerInterval;\n\n Swal.fire({\n icon: props.icon,\n title: props.title,\n html: `${props.html}`,\n timer: props.timer,\n timerProgressBar: props.timerProgressBar,\n didOpen: () => {\n Swal.showLoading();\n const b = Swal.getHtmlContainer().querySelector('b');\n timerInterval = setInterval(() => {\n // b.textContent = '';\n }, 100);\n },\n willClose: () => {\n clearInterval(timerInterval);\n },\n }).then((result) => {\n /* Read more about handling dismissals below */\n if (result.dismiss === Swal.DismissReason.timer) {\n }\n });\n}\n\ntype htmlCustomizableType = {\n fieldName: string;\n title: string;\n html: string;\n messageEmptyField: string;\n};\n\nexport async function htmlCustomizable(props: htmlCustomizableType) {\n const response = await Swal.fire({\n icon: 'error',\n title: props.title,\n html: props.html,\n showCancelButton: true,\n showConfirmButton: true,\n confirmButtonText: 'Salvar',\n cancelButtonText: 'Cancelar',\n preConfirm: () => {\n const field = (document.querySelector(`#${props.fieldName}`) as HTMLTextAreaElement)?.value;\n if (!field) {\n Swal.showValidationMessage(props.messageEmptyField);\n return false;\n }\n\n return field;\n },\n });\n\n return response;\n}\n","function arredonda(n: number, casasDecimais: number) {\n if (n === undefined) {\n n = 0;\n }\n\n const fator = Math.pow(10, casasDecimais);\n const valorArredondado = (Math.round(n * fator) / fator).toFixed(casasDecimais);\n return parseFloat(valorArredondado);\n // by CHATGPT\n}\nfunction formatStringToCurrency(n: string): string {\n n = n === null || n === undefined ? '0' : n;\n\n var numberStr = n.replace(',', '.');\n\n return Number(numberStr).toLocaleString('pt-BR', {\n style: 'currency',\n currency: 'BRL',\n });\n}\n\nfunction stringToNumber(n, InString: boolean = false): number {\n n = n === null || n === undefined ? '0' : n;\n\n let numberStr = String(n);\n if (String(n).indexOf(',') > 0) {\n numberStr = String(n).replaceAll('.', '');\n numberStr = numberStr.replace(',', '.');\n } else if (InString) {\n numberStr = String(n).replace('.', '');\n }\n return Number(numberStr);\n}\n\nfunction formatNumberToCurrency(n: number): string {\n n = n === null || n === undefined ? 0 : n;\n return n.toLocaleString('pt-BR', {\n style: 'currency',\n currency: 'BRL',\n });\n}\n\nfunction formatNumber(n: number | string, casasdecimais: number, maximoCasasDecimais?: number): string {\n const maxCasasDecimais = maximoCasasDecimais ? maximoCasasDecimais : casasdecimais;\n\n if (n === null || n === undefined) {\n n = 0;\n }\n\n return n.toLocaleString('pt-BR', {\n maximumFractionDigits: maxCasasDecimais,\n minimumFractionDigits: casasdecimais,\n });\n}\n\nfunction calculaPercentual(valorInicial, valorFinal: number): string {\n if (valorInicial !== 0) {\n var percentual = valorFinal / valorInicial;\n percentual = (percentual - 1) * 100;\n } else {\n percentual = 100;\n }\n\n return Number(percentual).toLocaleString('pt-BR', { minimumFractionDigits: 2, maximumFractionDigits: 2 }) + ' %';\n}\n\nconst mascaraDecimalInput = ({\n separadorDeMilhares = '.',\n simboloDecimal = ',',\n casasDecimais = 2,\n separarMilhares = true,\n} = {}) => {\n return (input) => {\n // var numero = (input.match(/\\d/gi) || []).length;\n\n // if (numero <= casasDecimais) {\n // return Array(casasDecimais).fill(/\\d/);\n // }\n\n var valorString = input.toString().replace(/\\D/g, '');\n var numero = valorString.length;\n\n if (numero <= 0) {\n return [simboloDecimal, ...Array(casasDecimais).fill(/\\d/)];\n }\n\n // if (numero <= 0) {\n // return [/\\d/, simboloDecimal, ...Array(casasDecimais).fill(/\\d/)];\n // }\n\n if (numero === casasDecimais + 1) {\n return [/\\d/, /\\d/, simboloDecimal, ...Array(casasDecimais).fill(/\\d/)];\n }\n\n var mask = [];\n for (var i = numero - 1; i >= 0; i--) {\n mask.push(/\\d/);\n if (i === numero - casasDecimais) {\n mask.push(simboloDecimal);\n }\n\n if (separarMilhares) {\n const r = numero - i;\n if (r >= casasDecimais + 2 && (r - casasDecimais) % 3 === 0 && i > 0) {\n mask.push(separadorDeMilhares);\n }\n }\n }\n\n return mask.reverse();\n };\n};\n\nfunction formatCurrencyToNumber(value: string) {\n value = value?.replaceAll('.', '');\n value = value?.replace(',', '.');\n return value;\n}\n\nfunction StringToNumberConverter(value): number {\n const convertedNumber = parseFloat(value);\n return isNaN(convertedNumber) ? 0 : convertedNumber;\n}\n\nexport {\n formatCurrencyToNumber,\n formatStringToCurrency,\n formatNumberToCurrency,\n stringToNumber,\n calculaPercentual,\n formatNumber,\n mascaraDecimalInput,\n arredonda,\n StringToNumberConverter,\n};\n","import axios from 'axios';\nimport { transformResponse } from 'helpers/json';\nimport { ENTERPRISE } from './enterpriseConst';\n\nconst TIMEOUT_WITHOUT: number = 0; // Sem TimeOut\nconst TIMEOUT_LONG: number = 180000; // 3 minutos\nconst TIMEOUT_SHORT: number = 60000; // 60 Segundos\n\nconst APILogin = axios.create({\n baseURL: process.env.REACT_APP_API_URL,\n timeout: TIMEOUT_LONG,\n});\n\nconst APILongTime = axios.create({\n baseURL: process.env.REACT_APP_API_URL,\n timeout: TIMEOUT_LONG,\n});\n\nconst API = axios.create({\n baseURL: process.env.REACT_APP_API_URL,\n timeout: TIMEOUT_SHORT,\n});\n\nconst APIUNCOficial = axios.create({\n baseURL: process.env.REACT_APP_API_URL_UNICODEOFICIAL,\n timeout: TIMEOUT_SHORT,\n});\n\nconst R2D2 = axios.create({\n //trocar para algum tipo de const no futuro?\n baseURL: 'https://r2-d2.azurewebsites.net/',\n timeout: TIMEOUT_SHORT,\n});\n\nfunction setAPIdefaultHeaders() {\n //Utilizado para Requisição na Base do Cliente, Utiliza todas os Headers\n API.defaults.headers['PubUsuario'] = ENTERPRISE.pubUsuario();\n API.defaults.headers['PubEmpresa'] = ENTERPRISE.pubEmpresa(); // esse 001...\n API.defaults.headers['PubEmpresaRazao'] = ENTERPRISE.pubEmpresaRazao(); // esse 001...\n API.defaults.headers['PubCNPJReg'] = ENTERPRISE.pubCNPJReg();\n API.defaults.headers['PubUsuarioAlterarEmpresa'] = ENTERPRISE.pubUsuarioAlterarEmpresa();\n API.defaults.headers['PubUsuarioVisualizarEmpLog'] = ENTERPRISE.pubUsuarioVisualizarEmpLog(); // esse S ou N\n API.defaults.headers['PubSistema'] = ENTERPRISE.pubSistema();\n API.defaults.headers['PubSistemaDescricao'] = ENTERPRISE.pubSistemaDescricao();\n API.defaults.headers['PubUpperCase'] = ENTERPRISE.pubUpperCase();\n API.defaults.headers['PubClienteRegistro'] = ENTERPRISE.pubClienteRegistro();\n API.defaults.headers['PubMacAddress'] = ENTERPRISE.pubMacAddress();\n API.defaults.headers['PubUsuarioEmail'] = ENTERPRISE.pubUsuarioEmail();\n API.defaults.headers['PubTipoSistema'] = ENTERPRISE.pubTipoSistema();\n API.defaults.headers['PubModoLogin'] = ENTERPRISE.pubModoLogin();\n API.defaults.transformResponse = [transformResponse];\n API.defaults.auth = {\n username: 'MASTER',\n password: 'MASTER',\n };\n\n APILongTime.defaults.headers['PubUsuario'] = ENTERPRISE.pubUsuario();\n APILongTime.defaults.headers['PubEmpresa'] = ENTERPRISE.pubEmpresa(); // esse 001...\n APILongTime.defaults.headers['PubEmpresaRazao'] = ENTERPRISE.pubEmpresaRazao(); // esse 001...\n APILongTime.defaults.headers['PubCNPJReg'] = ENTERPRISE.pubCNPJReg();\n APILongTime.defaults.headers['PubUsuarioAlterarEmpresa'] = ENTERPRISE.pubUsuarioAlterarEmpresa();\n APILongTime.defaults.headers['PubUsuarioVisualizarEmpLog'] = ENTERPRISE.pubUsuarioVisualizarEmpLog(); // esse S ou N\n APILongTime.defaults.headers['PubSistema'] = ENTERPRISE.pubSistema();\n APILongTime.defaults.headers['PubSistemaDescricao'] = ENTERPRISE.pubSistemaDescricao();\n APILongTime.defaults.headers['PubUpperCase'] = ENTERPRISE.pubUpperCase();\n APILongTime.defaults.headers['PubClienteRegistro'] = ENTERPRISE.pubClienteRegistro();\n APILongTime.defaults.headers['PubMacAddress'] = ENTERPRISE.pubMacAddress();\n APILongTime.defaults.headers['PubUsuarioEmail'] = ENTERPRISE.pubUsuarioEmail();\n APILongTime.defaults.headers['PubTipoSistema'] = ENTERPRISE.pubTipoSistema();\n APILongTime.defaults.headers['PubModoLogin'] = ENTERPRISE.pubModoLogin();\n APILongTime.defaults.transformResponse = [transformResponse];\n APILongTime.defaults.auth = {\n username: 'MASTER',\n password: 'MASTER',\n };\n\n //Utilizado para Requisição na Base da UNC/Base de Cliente, Utiliza configuração de Login/Usuario\n APILogin.defaults.headers['PubSistema'] = ENTERPRISE.pubSistema();\n APILogin.defaults.headers['PubSistemaDescricao'] = ENTERPRISE.pubSistemaDescricao();\n APILogin.defaults.headers['PubMacAddress'] = ENTERPRISE.pubMacAddress();\n APILogin.defaults.headers['PubTipoSistema'] = ENTERPRISE.pubTipoSistema();\n APILogin.defaults.headers['PubModoLogin'] = ENTERPRISE.pubModoLogin();\n APILogin.defaults.transformResponse = [transformResponse];\n APILogin.defaults.auth = {\n username: 'MASTER',\n password: 'MASTER',\n };\n\n //Utilizado para Requisição na Base da UNC / Banco Especifico da UNC\n APIUNCOficial.defaults.headers['PubSistema'] = ENTERPRISE.pubSistema();\n APIUNCOficial.defaults.headers['PubSistemaDescricao'] = ENTERPRISE.pubSistemaDescricao();\n APIUNCOficial.defaults.headers['PubMacAddress'] = ENTERPRISE.pubMacAddress();\n APIUNCOficial.defaults.headers['PubTipoSistema'] = ENTERPRISE.pubTipoSistema();\n APIUNCOficial.defaults.headers['PubModoLogin'] = ENTERPRISE.pubModoLogin();\n APIUNCOficial.defaults.transformResponse = [transformResponse];\n APIUNCOficial.defaults.auth = {\n username: 'MASTER',\n password: 'MASTER',\n };\n\n R2D2.defaults.headers['Authorization'] =\n 'eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJ1c2VybmFtZSI6Ik1BU1RFUiIsImlhdCI6MTcwMTQyNjYzM30.fWXvvl1tKL4TkJXXewYzdszj0HUkHYb74TgaEqEJmKs';\n}\n\nsetAPIdefaultHeaders();\n\nexport { API, APILogin, APILongTime, R2D2, APIUNCOficial, TIMEOUT_WITHOUT, setAPIdefaultHeaders };\n","import { errorMessageAPI } from 'helpers/api/messageUtils';\r\nimport { API } from 'helpers/api/server';\r\n\r\ntype getUnicodeProcessosType = {\r\n uniproc_codigo: number;\r\n uniproc_situacao?: string;\r\n};\r\n\r\nexport async function getUnicodeProcessos(json: getUnicodeProcessosType) {\r\n try {\r\n const { data } = await API.put('TWSUnicode_Processos/GetPorCampos', json);\r\n return data;\r\n } catch (error) {\r\n errorMessageAPI({ text: 'getUnicodeProcessos - ' + error });\r\n return [];\r\n }\r\n}\r\n","import { createOptionsSelected } from './createOptionsSelected';\nimport { getRepresUsuario } from 'webservice/usuario';\nimport { ENTERPRISE } from './enterpriseConst';\nimport { CSSProperties } from 'react';\nimport { getUnicodeProcessos } from 'webservice/unicode_processos';\nimport { processingMessage, timerAutoClose } from './messageUtils';\nimport { transformResponse } from 'helpers/json';\nimport { SweetAlertIcon } from 'sweetalert2';\nimport { formatarCNPJ } from './CnpjUtils';\nimport { addInternalBusinessUNC } from 'webservice/negocio';\n\nconst UNCRotinas = ['edit', 'insert', 'view', 'delete'];\nconst UNCModal = ['cliente', 'endereco'];\n\nexport type UNCRotina = (typeof UNCRotinas)[number];\nexport type UNCModal = (typeof UNCRotinas)[number];\n\nexport function toUNCCase(val: string): string {\n return ENTERPRISE.pubUpperCase ? val.toUpperCase() : val;\n}\n\nexport function UNCLogs(message?: any, ...optionalParams: any[]): void {\n if (process.env.REACT_APP_ENVIRONMENT === 'D') {\n console.log(message, ...optionalParams);\n }\n}\n\nexport function UNCLogsTable(tabularData: any): void {\n if (process.env.REACT_APP_ENVIRONMENT === 'D') {\n console.table(tabularData);\n }\n}\n\nexport function RetornaDescricaoRotina(rotina: UNCRotina): string {\n switch (rotina) {\n case 'edit': {\n return 'Alteração';\n }\n case 'insert': {\n return 'Inclusão';\n }\n case 'delete': {\n return 'Exclusão';\n }\n case 'view': {\n return 'Visualização';\n }\n default: {\n return 'Visualização';\n }\n }\n}\n\nexport function formatTipoPagamentoComissao(tipo: string): string {\n switch (tipo) {\n case 'RC': {\n return 'Recebimento';\n }\n case 'FT': {\n return 'Faturamento';\n }\n case 'ET': {\n return 'Emissão de Titulo';\n }\n }\n}\n\nexport function retornaValue(value: string | any): any {\n try {\n if (value.value === undefined && value !== undefined) {\n return value;\n }\n return value.value;\n } catch {\n return value;\n }\n}\n\nexport function retornaLabel(label: string | any): any {\n try {\n if (label.label === undefined && label !== undefined) {\n return label;\n }\n return label.label;\n } catch {\n return label;\n }\n}\n\nexport const styleMask: CSSProperties = {\n display: 'block',\n width: '100%',\n padding: '0.42rem 0.9rem',\n fontSize: '0.9rem',\n fontWeight: 400,\n lineHeight: 1.5,\n color: 'var(--ct-input-color)',\n backgroundColor: 'var(--ct-input-bg)',\n backgroundClip: 'padding-box',\n border: '1px solid var(--ct-input-border-color)',\n appearance: 'none',\n borderRadius: '0.25rem',\n transition: 'border-color 0.15s ease-in-out, box-shadow 0.15s ease-in-out',\n};\n\nexport const styleMaskDisable: CSSProperties = {\n display: 'block',\n width: '100%',\n padding: '0.42rem 0.9rem',\n fontSize: '0.9rem',\n fontWeight: 400,\n lineHeight: 1.5,\n color: 'var(--ct-input-color)',\n backgroundColor: 'var(--ct-input-bg)',\n backgroundClip: 'padding-box',\n border: '1px solid var(--ct-input-border-color)',\n appearance: 'none',\n borderRadius: '0.25rem',\n transition: 'border-color 0.15s ease-in-out, box-shadow 0.15s ease-in-out',\n};\n\nexport const getColorByInitial = (() => {\n const colorMap = new Map();\n const colors = [\n '#FFDD57',\n // '#5C6BC0',\n '#26A69A',\n '#FF8A65',\n '#BA68C8',\n '#8D6E63',\n '#78909C',\n '#66BB6A',\n '#EC407A',\n // '#FFF176',\n '#26C6DA',\n '#9CCC65',\n '#FFB74D',\n '#9575CD',\n '#FF7F7F',\n '#26C6DA',\n ];\n let currentColorIndex = 0;\n return (initial: string): string => {\n if (colorMap.has(initial)) {\n return colorMap.get(initial)!;\n } else {\n const color = colors[currentColorIndex];\n currentColorIndex = (currentColorIndex + 1) % colors.length;\n colorMap.set(initial, color);\n return color;\n }\n };\n})();\n\nexport function returnDefaultCompany(addValueInLabel: boolean = false) {\n const data = JSON.parse(ENTERPRISE.pubEmpresaPadrao());\n const defaultCompany = createOptionsSelected(\n data?.empresa_codigo,\n data?.empresa_razao + ' - ' + data?.empresa_cnpj,\n addValueInLabel\n );\n return defaultCompany;\n}\n\nexport function returnDefaultUserLogged() {\n const data = JSON.parse(ENTERPRISE.pubUsuarioLogado());\n const defaultUserLogged = createOptionsSelected(data?.login, data?.nome);\n return defaultUserLogged;\n}\n\nexport async function returnRepresUser(usuario_login: string) {\n if (usuario_login !== '') {\n const data = await getRepresUsuario(retornaValue(usuario_login));\n\n if (data?.result === '1' || !data?.content?.DADOS[0]?.REPRESENTANTE[0]) {\n const defaultRepresUser = createOptionsSelected('', '');\n return defaultRepresUser;\n } else {\n const repres_codigo = data?.content?.DADOS[0]?.REPRESENTANTE[0]?.repres_codigo;\n const repres_razao = data?.content?.DADOS[0]?.REPRESENTANTE[0]?.repres_razao;\n\n const defaultRepresUser = createOptionsSelected(repres_codigo, repres_razao);\n return defaultRepresUser;\n }\n } else {\n const defaultRepresUser = createOptionsSelected('', '');\n return defaultRepresUser;\n }\n}\n\nexport type colorUtilsUNCType =\n | ''\n | 'green'\n | 'red'\n | 'yellow'\n | 'lightblue'\n | 'lightgray'\n | 'gray'\n | 'empresarial'\n | 'tectum'\n | 'split'\n | 'industrialmais'\n | 'transparent'\n | 'darkgray'\n | 'black'\n | 'darkgray'\n | 'cold'\n | 'warm'\n | 'hot'\n | 'veryhot'\n | 'blue'\n | 'white'\n | 'lightyellow';\nexport function colorUtilsUNC(color: colorUtilsUNCType): string {\n var returnColorUNC: string;\n\n switch (color) {\n case '': {\n returnColorUNC = '';\n break;\n }\n case 'green': {\n returnColorUNC = '#0acf97';\n break;\n }\n case 'red': {\n returnColorUNC = '#fa5c7c';\n break;\n }\n case 'yellow': {\n returnColorUNC = '#ffbc00';\n break;\n }\n case 'lightblue': {\n returnColorUNC = '#39afd1';\n break;\n }\n case 'lightgray': {\n returnColorUNC = '#e6e6e6';\n break;\n }\n case 'gray': {\n returnColorUNC = '#6e6e6e';\n break;\n }\n case 'empresarial': {\n returnColorUNC = '#eec01c';\n break;\n }\n case 'tectum': {\n returnColorUNC = '#3a53bf';\n break;\n }\n case 'split': {\n returnColorUNC = '#ed9222';\n break;\n }\n case 'industrialmais': {\n returnColorUNC = '#4586e9';\n break;\n }\n case 'transparent': {\n returnColorUNC = 'transparent';\n break;\n }\n case 'darkgray': {\n returnColorUNC = '#3b3b3b';\n break;\n }\n case 'black': {\n returnColorUNC = '#000000';\n break;\n }\n case 'cold': {\n returnColorUNC = '#9ac0fc';\n break;\n }\n case 'warm': {\n returnColorUNC = '#fa913c';\n break;\n }\n case 'hot': {\n returnColorUNC = '#ff0000';\n break;\n }\n case 'veryhot': {\n returnColorUNC = '#871616';\n break;\n }\n case 'blue': {\n returnColorUNC = '#2e42e8';\n break;\n }\n case 'white': {\n returnColorUNC = '#ffffff';\n break;\n }\n case 'lightyellow': {\n returnColorUNC = '#ffe869';\n break;\n }\n }\n\n return returnColorUNC;\n}\n\nexport type iconUtilsUNCType =\n | ''\n | 'information'\n | 'save'\n | 'close'\n | 'money-plus'\n | 'money'\n | 'heart'\n | 'heart-outline'\n | 'star'\n | 'star-outline'\n | 'close-circle-outline'\n | 'arrow-down'\n | 'dots-vertical'\n | 'delete'\n | 'printer'\n | 'delete-circle-outline'\n | 'cancel'\n | 'calendar'\n | 'truck-fast'\n | 'pencil'\n | 'account-plus'\n | 'plus'\n | 'restore'\n | 'arrow-right'\n | 'arrow-left'\n | 'office'\n | 'paperclip'\n | 'whatsapp'\n | 'calendar-star'\n | 'block-refresh';\n\nexport function iconUtilsUNC(icon: iconUtilsUNCType): string {\n var returnIconUNC: string;\n\n switch (icon) {\n case '': {\n returnIconUNC = '';\n break;\n }\n case 'save': {\n returnIconUNC = 'mdi mdi-content-save';\n break;\n }\n case 'close': {\n returnIconUNC = 'mdi mdi-close';\n break;\n }\n case 'money-plus': {\n returnIconUNC = 'mdi mdi-cash-plus';\n break;\n }\n case 'money': {\n returnIconUNC = 'mdi mdi-cash';\n break;\n }\n case 'heart': {\n returnIconUNC = 'mdi mdi-heart';\n break;\n }\n case 'heart-outline': {\n returnIconUNC = 'mdi mdi-heart-outline';\n break;\n }\n case 'star': {\n returnIconUNC = 'mdi mdi-star';\n break;\n }\n case 'star-outline': {\n returnIconUNC = 'mdi mdi-star-outline';\n break;\n }\n case 'close-circle-outline': {\n returnIconUNC = 'mdi mdi-close-circle-outline';\n break;\n }\n case 'arrow-down': {\n returnIconUNC = 'mdi mdi-chevron-down';\n break;\n }\n case 'dots-vertical': {\n returnIconUNC = 'mdi mdi-dots-vertical';\n break;\n }\n case 'delete': {\n returnIconUNC = 'mdi mdi-delete';\n break;\n }\n case 'printer': {\n returnIconUNC = 'mdi mdi-printer';\n break;\n }\n case 'delete-circle-outline': {\n returnIconUNC = 'mdi mdi-delete-circle-outline';\n break;\n }\n case 'cancel': {\n returnIconUNC = 'mdi mdi-cancel';\n break;\n }\n case 'calendar': {\n returnIconUNC = 'mdi mdi-calendar';\n break;\n }\n case 'truck-fast': {\n returnIconUNC = 'mdi mdi-truck-fast';\n break;\n }\n case 'pencil': {\n returnIconUNC = 'mdi mdi-pencil';\n break;\n }\n case 'account-plus': {\n returnIconUNC = 'mdi mdi-account-plus';\n break;\n }\n case 'plus': {\n returnIconUNC = 'mdi mdi-plus';\n break;\n }\n case 'restore': {\n returnIconUNC = 'mdi mdi-restore';\n break;\n }\n case 'arrow-right': {\n returnIconUNC = 'mdi mdi-arrow-right-bold';\n break;\n }\n case 'arrow-left': {\n returnIconUNC = 'mdi mdi-arrow-left-bold';\n break;\n }\n case 'office': {\n returnIconUNC = 'mdi mdi-office-building';\n break;\n }\n case 'paperclip': {\n returnIconUNC = 'mdi mdi-paperclip';\n break;\n }\n case 'whatsapp': {\n returnIconUNC = 'mdi mdi-whatsapp';\n break;\n }\n case 'calendar-star': {\n returnIconUNC = 'mdi mdi-calendar-star';\n break;\n }\n case 'information': {\n returnIconUNC = 'mdi mdi-information';\n break;\n }\n case 'block-refresh': {\n returnIconUNC = 'mdi mdi-file-refresh';\n break;\n }\n }\n\n return returnIconUNC;\n}\n\nexport function detachArrayToSemiColumn(objArray): string {\n const values: number[] = [];\n\n for (const obj of objArray) {\n if (obj.value && typeof obj.value === 'number') {\n values.push(obj.value);\n }\n }\n\n return values.join(';');\n}\n\ntype addBusinessUNCType = {\n linkOpen: string;\n};\n\nexport async function addBusinessUNC(props: addBusinessUNCType) {\n window.open(props.linkOpen, '_blank');\n const json = {\n pessoa_cnpj: formatarCNPJ(ENTERPRISE.pubCNPJReg()),\n };\n await addInternalBusinessUNC(json);\n}\n//export const CASASDECIMAIS_VALORUNITARIO = 2;\nexport const CASASDECIMAIS_VALOR = 2;\nexport const CASASDECIMAIS_PERCENTUAL = 6;\n\nexport function delay(ms: number): Promise {\n return new Promise((resolve) => setTimeout(resolve, ms));\n}\n\ntype processType = {\n message: string;\n help: string;\n title?: string;\n intervalToClose?: number;\n icon?: SweetAlertIcon;\n timerProgressBar?: boolean;\n};\n\nexport const Processando = async (process: processType) => {\n process.title = process.title ? process.title : 'Aguarde, processando...';\n\n processingMessage({\n title: process.title,\n html: process.message + '
' + process.help,\n timer: process.intervalToClose,\n timerProgressBar: process.timerProgressBar,\n icon: process.icon,\n });\n};\nexport async function AguardeWSProcessando(piUNIPROC_CODIGO: number): Promise {\n const ciQTDE_CONEXAO: number = 50;\n const ciQTDE_TENTATIVAS: number = 150;\n\n const ciDelayInicio: number = 2000;\n //ESSE É O TEMPO DE BUSCA PARA INICO DO WS\n //ELE BUSCA x ciQTDE_CONEXAO. Então o processamento Hoje iniciar de 2 à 10 segundos;\n\n const ciDelayAcompanhamento: number = 5000; //ESSE É O TEMPO DE ESPERA ENTRE BUSCA DO WS\n //ELE BUSCA x ciQTDE_TENTATIVAS. Então o processamento Hoje de acompanhamento de 5 à 150 segundos;\n //SE FICA 50 segundos sem \"resposta\" ele vai fechar o processamento\n //Acho pouco tempo\n\n try {\n let viCONEXAO: number = 1;\n\n Processando({\n message: 'Iniciando Processando...',\n help: ' Verificando processamentos...',\n });\n await delay(ciDelayInicio);\n\n let consumoUnicodeProcessos = await getUnicodeProcessos({\n uniproc_codigo: piUNIPROC_CODIGO,\n //uniproc_situacao: 'EE',\n });\n\n let aguadarProcesso: boolean = consumoUnicodeProcessos.result === '1';\n\n while (aguadarProcesso) {\n Processando({\n message: `Tentativa ${viCONEXAO} de ${ciQTDE_CONEXAO} ...`,\n help: 'Verificando processamentos...',\n });\n await delay(ciDelayInicio);\n\n consumoUnicodeProcessos = await getUnicodeProcessos({\n uniproc_codigo: piUNIPROC_CODIGO,\n //uniproc_situacao: 'EE',\n });\n\n viCONEXAO++;\n aguadarProcesso = consumoUnicodeProcessos.result === '1' || viCONEXAO <= ciQTDE_CONEXAO;\n }\n\n let vbPARANDO: boolean = false;\n let vbPARADO: boolean = false;\n let viTENTATIVAS: number = 0;\n let viULTIMA_POSICAO: number = 0;\n let vsULTIMA_MENSAGEM: string = '';\n\n while (consumoUnicodeProcessos.result === '0' && !vbPARADO) {\n consumoUnicodeProcessos = await getUnicodeProcessos({\n uniproc_codigo: piUNIPROC_CODIGO,\n uniproc_situacao: 'EE',\n });\n\n if (consumoUnicodeProcessos.result === '0') {\n vbPARANDO =\n vsULTIMA_MENSAGEM === consumoUnicodeProcessos.data[0].uniproc_mensagem &&\n viULTIMA_POSICAO === consumoUnicodeProcessos.data[0].uniproc_registroatual;\n\n if (vbPARANDO) {\n viTENTATIVAS++;\n vbPARADO = viTENTATIVAS >= ciQTDE_TENTATIVAS;\n } else {\n viTENTATIVAS = 0;\n }\n\n vsULTIMA_MENSAGEM = consumoUnicodeProcessos.data[0].uniproc_mensagem;\n viULTIMA_POSICAO = consumoUnicodeProcessos.data[0].uniproc_registroatual;\n\n Processando({\n message: consumoUnicodeProcessos.data[0].uniproc_mensagem,\n help: vbPARANDO\n ? ` Processando CONEXÃO... Aguardando para Reestabelecer ${viTENTATIVAS} ...`\n : consumoUnicodeProcessos.data[0].uniproc_observacao,\n });\n await delay(ciDelayAcompanhamento);\n }\n }\n\n //ULTIMA BUSCA PARA OBTER RESULTADO\n consumoUnicodeProcessos = await getUnicodeProcessos({\n uniproc_codigo: piUNIPROC_CODIGO,\n });\n Processando({\n message: consumoUnicodeProcessos.data[0].uniproc_mensagem,\n help: 'Concluído',\n title: ' Concluindo processamento',\n intervalToClose: ciDelayInicio,\n timerProgressBar: true,\n // icon: 'success',\n });\n return consumoUnicodeProcessos.data?.[0].uniproc_resultadoobject[0] as any;\n } finally {\n }\n}\n","import { SideBarTheme } from 'appConstants';\nimport { entrar } from 'helpers/loginController';\nimport { useUser } from 'hooks';\nimport { ENTERPRISE } from './enterpriseConst';\nimport { colorUtilsUNCType } from './uncUtils';\nimport { errorMessageAPI } from './messageUtils';\nimport { jsonWithStructure } from 'helpers/json';\nimport { API, R2D2 } from './server';\n\ntype DownloadFile = {\n data: any;\n filename: string;\n mime: any;\n bom: any;\n};\n\nconst downloadFile = ({ data, filename, mime, bom }: DownloadFile) => {\n var blobData = typeof bom !== 'undefined' ? [bom, data] : [data];\n var blob = new Blob(blobData, { type: mime || 'application/octet-stream' });\n\n var blobURL =\n window.URL && window.URL.createObjectURL\n ? window.URL.createObjectURL(blob)\n : window.webkitURL.createObjectURL(blob);\n var tempLink = document.createElement('a');\n tempLink.style.display = 'none';\n tempLink.href = blobURL;\n tempLink.setAttribute('download', filename);\n\n // Safari thinks _blank anchor are pop ups. We only want to set _blank\n // target if the browser does not support the HTML5 download attribute.\n // This allows you to download files in desktop safari if pop up blocking\n // is enabled.\n if (typeof tempLink.download === 'undefined') {\n tempLink.setAttribute('target', '_blank');\n }\n\n document.body.appendChild(tempLink);\n tempLink.click();\n\n // Fixes \"webkit blob resource error 1\"\n setTimeout(function () {\n document.body.removeChild(tempLink);\n window.URL.revokeObjectURL(blobURL);\n }, 200);\n};\n\nexport { downloadFile };\n\nexport function RetornaCorTipoSistema(): colorUtilsUNCType {\n var produto = ENTERPRISE.pubProduto();\n var tiposistema = ENTERPRISE.pubTipoSistema();\n var color: colorUtilsUNCType = '';\n\n if (produto === 'GESTAO') {\n if (tiposistema === '0') color = 'empresarial';\n else if (tiposistema === '1') {\n color = 'tectum';\n } else if (tiposistema === '2') {\n color = 'split';\n } else color = 'empresarial';\n } else if (produto === 'CRM') {\n color = 'industrialmais';\n }\n\n return color;\n}\ntype systemUtilsUNCType = 'empresarial' | 'tectum' | 'split';\n\nexport function RetornaTipoSistema(): colorUtilsUNCType {\n var tiposistema = ENTERPRISE.pubTipoSistema();\n var system: systemUtilsUNCType = 'empresarial';\n\n if (tiposistema === '0') system = 'empresarial';\n else if (tiposistema === '1') {\n system = 'tectum';\n } else if (tiposistema === '2') {\n system = 'split';\n } else system = 'empresarial';\n return system;\n}\n\nfunction RetornaLayoutSistema() {\n var tectum = SideBarTheme.LEFT_SIDEBAR_THEME_TECTUM;\n var split = SideBarTheme.LEFT_SIDEBAR_THEME_SPLIT;\n var empresarial = SideBarTheme.LEFT_SIDEBAR_THEME_EMPRESARIAL;\n var industrialmais = SideBarTheme.LEFT_SIDEBAR_THEME_INDUSTRIALMAIS;\n var tiposistema = RetornaCorTipoSistema();\n\n if (tiposistema === 'tectum') {\n return tectum;\n } else if (tiposistema === 'split') {\n return split;\n } else if (tiposistema === 'empresarial') {\n return empresarial;\n } else if (tiposistema === 'industrialmais') {\n return industrialmais;\n }\n}\nexport { RetornaLayoutSistema };\n\nfunction limpaObjetos(objetoLimpar: Array) {\n while (objetoLimpar?.length > 0) {\n objetoLimpar.pop();\n }\n}\n\nfunction existeString(n: string): boolean {\n if (n === '' ?? n === undefined ?? !n) {\n return false;\n } else {\n return true;\n }\n}\n\ntype EnvioEmailR2d2Type = {\n emailUnc: boolean;\n req: {\n email: string;\n email_cc?: string;\n email_cco?: string;\n assunto: string;\n corpo_email?: string;\n corpo_emailHTML?: string;\n conta?: string;\n conta_envio?: string;\n conta_enviosenha?: string;\n conta_enviolink?: string;\n conta_envioporta?: string;\n };\n};\nexport async function envioEmailR2d2(props: EnvioEmailR2d2Type) {\n let jsonEnvio = {};\n if (props.emailUnc) {\n jsonEnvio = { ...props.req, produto_envio: ENTERPRISE.pubProduto() };\n } else {\n jsonEnvio = props.req;\n }\n\n try {\n const { data } = await R2D2.put(`/EnviarEmail`, jsonEnvio);\n return data;\n } catch (error) {\n errorMessageAPI({\n text: 'Não foi possível realizar o envio de email, verifique suas credênciais.',\n });\n }\n}\n\nexport { limpaObjetos, existeString };\n","import axios from 'axios';\nimport MockAdapter from 'axios-mock-adapter';\nimport {\n ENTERPRISE,\n setEmpresaPadrao,\n setErrorRenderPage,\n setPubClienteRegistro,\n setPubCNPJReg,\n setPubEmpresa,\n setPubEmpresaRazao,\n setPubMacAddress,\n setPubSistema,\n setPubSistemaDescricao,\n setPubTipoSistema,\n setPubUpperCase,\n setPubUsuario,\n setPubRepresUsuario,\n setPubUsuarioAlterarEmpresa,\n setPubUsuarioEmail,\n setPubUsuarioVisualizarEmpLog,\n setUsuarioLogado,\n setUsuarioVisualizaOutrosRep,\n setUsuarioVisualizaRepExterno,\n setUsuarioVisualizaRepInterno,\n setPubRepresPessoaCodigo,\n} from './api/enterpriseConst';\nimport { API, setAPIdefaultHeaders } from './api/server';\nimport { jsonWithStructure } from './json';\nimport { APIresponseUNC } from 'webservice/TYPES_WEBSERVICE/types';\nimport { getPendingContract } from 'webservice/sistema';\nimport { alertMessage, timerAutoClose } from './api/messageUtils';\nimport { logout } from './api';\nimport { CODE_PENDINGCONTRACT } from './api/blockCodeUtils';\n\nvar mock = new MockAdapter(axios, { onNoMatch: 'passthrough' });\n\nfunction entrar() {\n mock.onPost('/TWSLogin/LoginEmail').reply(function (config) {\n return new Promise(async function (resolve, reject) {\n let params = JSON.parse(config.data);\n const dadosUsuario = JSON.parse(ENTERPRISE.pubUsuarioLogado());\n\n var json = jsonWithStructure({\n usuario_emaillogin: params.usuario_emaillogin ? params.usuario_emaillogin : dadosUsuario.email,\n login_macadress: 'WEBAPP',\n usuario_senha: params.usuario_senha ? params.usuario_senha : dadosUsuario.senha,\n });\n setErrorRenderPage({ code: '', message: '' });\n setPubUsuario('');\n setPubEmpresa('');\n setPubCNPJReg('');\n setPubUsuarioAlterarEmpresa('');\n setPubUsuarioVisualizarEmpLog('');\n setUsuarioVisualizaOutrosRep('');\n setUsuarioVisualizaRepInterno('');\n setUsuarioVisualizaRepExterno('');\n setPubRepresUsuario('');\n setPubRepresPessoaCodigo('');\n\n if (ENTERPRISE.pubProduto() === 'GESTAO') {\n setPubSistema('0002');\n setPubSistemaDescricao('UNC - App Enterprise');\n } else {\n setPubSistema('0003');\n setPubSistemaDescricao('CRM - IndustrialMais');\n }\n\n setPubUpperCase(true);\n setPubClienteRegistro('');\n setPubMacAddress('WEBAPP');\n setPubUsuarioEmail(params.usuario_emaillogin);\n setPubTipoSistema(process.env.REACT_APP_TIPO_SITEMA_DEFAULT);\n\n setAPIdefaultHeaders();\n\n API.defaults.headers['PubUsuarioEmail'] = params.usuario_emaillogin;\n\n try {\n const { data } = await API.put('/TWSLogin/LoginEmail', json);\n const { getFirstData, getFirstMessage, isSuccessful } = data;\n if (isSuccessful) {\n setPubUsuario(getFirstData().usuario_login);\n setPubEmpresa(getFirstData().empresa_codigo);\n setPubEmpresaRazao(getFirstData().empresa_razao);\n setEmpresaPadrao(\n getFirstData().empresa_codigo,\n getFirstData().empresa_razao,\n getFirstData().empresa_cnpj\n );\n\n setPubCNPJReg(getFirstData().pubcnpjreg);\n setPubUsuarioAlterarEmpresa(getFirstData().usuario_permitealterarempresa);\n setPubUsuarioVisualizarEmpLog(getFirstData().usuario_visualizarempresa);\n\n setPubRepresUsuario(getFirstData().repres_codigo);\n setUsuarioVisualizaOutrosRep(getFirstData().usuario_visualizaoutrosrep);\n setUsuarioVisualizaRepInterno(getFirstData().usuario_visualizarepinterno);\n setUsuarioVisualizaRepExterno(getFirstData().usuario_visualizarepexterno); \n setPubRepresPessoaCodigo(getFirstData().pessoa_codigo); \n\n if (ENTERPRISE.pubProduto() === 'GESTAO') {\n setPubSistema('0002');\n setPubSistemaDescricao('UNC - App Enterprise');\n } else {\n setPubSistema('0003');\n setPubSistemaDescricao('CRM - IndustrialMais');\n }\n\n setPubUpperCase(true);\n // FALAR COM O CARRIGO, CLIENTE_CODIGO TA VINDO VAZIO\n setPubClienteRegistro(getFirstData().cliente_codigo);\n setPubMacAddress('WEBAPP');\n setPubUsuarioEmail(getFirstData().usuario_emaillogin);\n setPubTipoSistema(getFirstData().clienteregistro_tiposistema);\n\n setUsuarioLogado(\n getFirstData().usuario_login,\n getFirstData().usuario_emaillogin,\n params.usuario_senha,\n getFirstData().usuario_nome\n );\n\n setAPIdefaultHeaders();\n\n resolve([200, getFirstData()]);\n } else {\n const msg = getFirstMessage();\n resolve([401, { message: msg }]);\n }\n } catch (e) {\n const msg = `${e.message} - a API não respondeu`;\n resolve([1, { message: msg }]);\n }\n });\n });\n}\n\nexport { entrar };\n","import { APICore } from './apiCore';\nimport { setErrorRenderPage, setUsuarioLogado } from './enterpriseConst';\n\nconst api = new APICore();\n\nfunction login(params: { usuario_emaillogin: string; usuario_senha: string }) {\n const baseUrl = '/TWSLogin/LoginEmail';\n return api.create(`${baseUrl}`, params);\n}\n\nfunction logout() {\n setUsuarioLogado('', '', '', '');\n setErrorRenderPage({ code: '', message: '' });\n\n // const baseUrl = '/logout/';\n // return api.create(`${baseUrl}`, {});\n}\n\nfunction signup(params: { fullname: string; email: string; usuario_senha: string }) {\n const baseUrl = '/register/';\n return api.create(`${baseUrl}`, params);\n}\n\nfunction forgotPassword(params: { usuario_emaillogin: string }) {\n const baseUrl = '/forget-password/';\n return api.create(`${baseUrl}`, params);\n}\n\nfunction forgotPasswordConfirm(params: { email: string }) {\n const baseUrl = '/password/reset/confirm/';\n return api.create(`${baseUrl}`, params);\n}\n\nexport { login, logout, signup, forgotPassword, forgotPasswordConfirm };\n","import { MENU_ITEMS, MenuItemType } from 'appConstants';\n\nconst getMenuItems = () => {\n // NOTE - You can fetch from server and return here as well\n return MENU_ITEMS;\n};\n\nconst findAllParent = (menuItems: MenuItemType[], menuItem: MenuItemType): string[] => {\n let parents: string[] = [];\n const parent = findMenuItem(menuItems, menuItem['parentKey']);\n\n if (parent) {\n parents.push(parent['key']);\n if (parent['parentKey']) parents = [...parents, ...findAllParent(menuItems, parent)];\n }\n\n return parents;\n};\n\nconst findMenuItem = (\n menuItems: MenuItemType[] | undefined,\n menuItemKey: MenuItemType['key'] | undefined\n): MenuItemType | null => {\n if (menuItems && menuItemKey) {\n for (var i = 0; i < menuItems.length; i++) {\n if (menuItems[i].key === menuItemKey) {\n return menuItems[i];\n }\n var found = findMenuItem(menuItems[i].children, menuItemKey);\n if (found) return found;\n }\n }\n return null;\n};\n\nexport { getMenuItems, findAllParent, findMenuItem };\n","// O único campo que não veio no JSON foi o fullMessage\nconst mapMessages = (msg) => ({\n code: msg.Codigo,\n message: msg.Mensagem,\n help: msg.Ajuda,\n fullMessage: `${msg.Codigo}: ${msg.Mensagem}`,\n});\n\nexport const transformResponse = (json) => {\n const data = json ? JSON.parse(json) : {};\n\n const newData = {};\n\n // Extraindo os resultados do JSON\n const { result } = data;\n\n if (result) {\n // Pegando o primeiro resultado\n const [body] = result;\n\n if (body) {\n // Extraindo o conteúdo do JSON\n const { Resultado, Conteudo, Mensagens, MensagensSucesso } = body;\n\n // Obtendo os valores do JSON\n newData.result = Resultado;\n newData.content = Conteudo;\n newData.table = Conteudo?.TABELA;\n newData.data = Conteudo?.DADOS;\n\n // Calculando ou modificando valores através do JSON\n newData.isSuccessful = Resultado === '0';\n newData.hasData = newData.data && newData.data.length > 0;\n newData.messages = Mensagens ? Mensagens.map(mapMessages) : [];\n newData.messagesSuccess = MensagensSucesso ? MensagensSucesso.map(mapMessages) : [];\n\n // Funções para obter mais facilmente os dados\n newData.getFirstData = (defaultData = {}) => {\n if (!newData.hasData) return defaultData;\n const [firstData] = newData.data;\n return firstData;\n };\n\n // Pega a primeira mensagem completa ou uma mensagem default ou retorna o objeto inteiro de mensagem se passar true no segundo parâmetro\n newData.getFirstMessage = (defaultMsg = null, returnObject = false) => {\n const [firstMessageObj] = newData.messages;\n if (returnObject) return firstMessageObj;\n return firstMessageObj ? firstMessageObj.fullMessage : defaultMsg;\n };\n }\n }\n return newData;\n};\n\nexport const jsonWithStructure = (data) => ({\n DADOS: [data],\n});\n\nexport const jsonWithStructureWithOutArray = (data) => ({\n DADOS: data,\n});\n\nexport default {\n transformResponse,\n};\n","import { useState, useEffect } from 'react';\n\nexport default function useViewport() {\n const [width, setWidth] = useState(window.innerWidth);\n const [height, setHeight] = useState(window.innerHeight);\n\n useEffect(() => {\n const handleWindowResize = () => {\n setWidth(window.innerWidth);\n setHeight(window.innerHeight);\n };\n\n window.addEventListener('resize', handleWindowResize);\n return () => window.removeEventListener('resize', handleWindowResize);\n }, []);\n return { width, height };\n}\n","import { TypedUseSelectorHook, useDispatch, useSelector } from 'react-redux';\nimport type { RootState, AppDispatch } from 'redux/store';\n\nexport default function useRedux() {\n const dispatch = useDispatch();\n const appSelector: TypedUseSelectorHook = useSelector;\n return { dispatch, appSelector };\n}\n","import { useCallback, useState } from 'react';\n\nexport default function useToggle(initialState: boolean = false): [boolean, () => void, () => void, () => void] {\n const [isOpen, setIsOpen] = useState(initialState);\n\n const show = useCallback(() => setIsOpen(true), []);\n const hide = useCallback(() => setIsOpen(false), []);\n const toggle = useCallback(() => setIsOpen(!isOpen), [isOpen]);\n\n return [isOpen, toggle, show, hide];\n}\n","import { useState } from 'react';\n\nexport default function useDatePicker() {\n const [selectedDate, setSelectedDate] = useState(new Date());\n\n /*\n * handle date change\n */\n const onDateChange = (date: Date) => {\n if (date) {\n setSelectedDate(date);\n }\n };\n\n return { selectedDate, onDateChange };\n}\n","import { LayoutActionTypes } from './constants';\n\nexport type LayoutActionType = {\n type:\n | LayoutActionTypes.CHANGE_LAYOUT\n | LayoutActionTypes.CHANGE_LAYOUT_COLOR\n | LayoutActionTypes.CHANGE_LAYOUT_WIDTH\n | LayoutActionTypes.CHANGE_SIDEBAR_THEME\n | LayoutActionTypes.CHANGE_SIDEBAR_TYPE\n | LayoutActionTypes.SHOW_RIGHT_SIDEBAR\n | LayoutActionTypes.HIDE_RIGHT_SIDEBAR;\n payload?: TPayload;\n};\n\nexport const changeLayout = (layout: string): LayoutActionType => ({\n type: LayoutActionTypes.CHANGE_LAYOUT,\n payload: layout,\n});\n\nexport const changeLayoutColor = (color: string): LayoutActionType => ({\n type: LayoutActionTypes.CHANGE_LAYOUT_COLOR,\n payload: color,\n});\n\nexport const changeLayoutWidth = (width: string): LayoutActionType => ({\n type: LayoutActionTypes.CHANGE_LAYOUT_WIDTH,\n payload: width,\n});\n\nexport const changeSidebarTheme = (sidebarTheme: string): LayoutActionType => ({\n type: LayoutActionTypes.CHANGE_SIDEBAR_THEME,\n payload: sidebarTheme,\n});\n\nexport const changeSidebarType = (sidebarType: string): LayoutActionType => ({\n type: LayoutActionTypes.CHANGE_SIDEBAR_TYPE,\n payload: sidebarType,\n});\n\nexport const showRightSidebar = (): LayoutActionType => ({\n type: LayoutActionTypes.SHOW_RIGHT_SIDEBAR,\n});\n\nexport const hideRightSidebar = (): LayoutActionType => ({\n type: LayoutActionTypes.HIDE_RIGHT_SIDEBAR,\n});\n","import { AuthActionTypes } from './constants';\n\nexport type AuthActionType = {\n type:\n | AuthActionTypes.API_RESPONSE_SUCCESS\n | AuthActionTypes.API_RESPONSE_ERROR\n | AuthActionTypes.FORGOT_PASSWORD\n | AuthActionTypes.FORGOT_PASSWORD_CHANGE\n | AuthActionTypes.LOGIN_USER\n | AuthActionTypes.LOGOUT_USER\n | AuthActionTypes.RESET\n | AuthActionTypes.SIGNUP_USER;\n payload: {} | string;\n};\n\ntype User = {\n login_data: string;\n login_macadress: string;\n login_hora: string;\n usuario_senha: string;\n sistema_codigo: string;\n login_horaacesso: string;\n usuario_emaillogin: string;\n token: string;\n};\n\n// common success\nexport const authApiResponseSuccess = (actionType: string, data: User | {}): AuthActionType => ({\n type: AuthActionTypes.API_RESPONSE_SUCCESS,\n payload: { actionType, data },\n});\n// common error\nexport const authApiResponseError = (actionType: string, error: string): AuthActionType => ({\n type: AuthActionTypes.API_RESPONSE_ERROR,\n payload: { actionType, error },\n});\n\nexport const loginUser = (usuario_emaillogin: string, usuario_senha: string): AuthActionType => ({\n type: AuthActionTypes.LOGIN_USER,\n payload: { usuario_emaillogin, usuario_senha },\n});\n\nexport const logoutUser = (): AuthActionType => ({\n type: AuthActionTypes.LOGOUT_USER,\n payload: {},\n});\n\nexport const signupUser = (fullname: string, email: string, password: string): AuthActionType => ({\n type: AuthActionTypes.SIGNUP_USER,\n payload: { fullname, email, password },\n});\n\nexport const forgotPassword = (usuario_emaillogin: string): AuthActionType => ({\n type: AuthActionTypes.FORGOT_PASSWORD,\n payload: { usuario_emaillogin },\n});\n\nexport const resetAuth = (): AuthActionType => ({\n type: AuthActionTypes.RESET,\n payload: {},\n});\n","export enum AuthActionTypes {\n API_RESPONSE_SUCCESS = '@@auth/API_RESPONSE_SUCCESS',\n API_RESPONSE_ERROR = '@@auth/API_RESPONSE_ERROR',\n\n LOGIN_USER = '@@auth/LOGIN_USER',\n LOGOUT_USER = '@@auth/LOGOUT_USER',\n SIGNUP_USER = '@@auth/SIGNUP_USER',\n FORGOT_PASSWORD = '@@auth/FORGOT_PASSWORD',\n FORGOT_PASSWORD_CHANGE = '@@auth/FORGOT_PASSWORD_CHANGE',\n\n RESET = '@@auth/RESET',\n}\n","import { LayoutTypes, LayoutWidth, SideBarTheme, SideBarWidth } from 'appConstants';\n\nenum LayoutActionTypes {\n CHANGE_LAYOUT = '@@layout/CHANGE_LAYOUT',\n CHANGE_LAYOUT_COLOR = '@@layout/CHANGE_LAYOUT_COLOR',\n CHANGE_LAYOUT_WIDTH = '@@layout/CHANGE_LAYOUT_WIDTH',\n CHANGE_SIDEBAR_THEME = '@@layout/CHANGE_SIDEBAR_THEME',\n CHANGE_SIDEBAR_TYPE = '@@layout/CHANGE_SIDEBAR_TYPE',\n SHOW_RIGHT_SIDEBAR = '@@layout/SHOW_RIGHT_SIDEBAR',\n HIDE_RIGHT_SIDEBAR = '@@layout/HIDE_RIGHT_SIDEBAR',\n}\n\nexport type LayoutStateType = {\n layoutColor: string; // LayoutColor.LAYOUT_COLOR_LIGHT | LayoutColor.LAYOUT_COLOR_DARK;\n layoutType:\n | LayoutTypes.LAYOUT_VERTICAL\n | LayoutTypes.LAYOUT_HORIZONTAL\n | LayoutTypes.LAYOUT_DETACHED\n | LayoutTypes.LAYOUT_FULL;\n layoutWidth: LayoutWidth.LAYOUT_WIDTH_FLUID | LayoutWidth.LAYOUT_WIDTH_BOXED;\n leftSideBarTheme:\n | SideBarTheme.LEFT_SIDEBAR_THEME_LIGHT\n | SideBarTheme.LEFT_SIDEBAR_THEME_DARK\n | SideBarTheme.LEFT_SIDEBAR_THEME_DEFAULT\n | SideBarTheme.LEFT_SIDEBAR_THEME_TECTUM\n | SideBarTheme.LEFT_SIDEBAR_THEME_EMPRESARIAL\n | SideBarTheme.LEFT_SIDEBAR_THEME_SPLIT\n | SideBarTheme.LEFT_SIDEBAR_THEME_INDUSTRIALMAIS;\n leftSideBarType:\n | SideBarWidth.LEFT_SIDEBAR_TYPE_FIXED\n | SideBarWidth.LEFT_SIDEBAR_TYPE_CONDENSED\n | SideBarWidth.LEFT_SIDEBAR_TYPE_SCROLLABLE;\n showRightSidebar: boolean;\n};\n\nexport { LayoutActionTypes };\n","import { ENTERPRISE } from 'helpers/api/enterpriseConst';\nimport { Navigate } from 'react-router-dom';\n\nexport const URL_INICIAL: string =\n ENTERPRISE.pubProduto() === 'GESTAO' ? 'apps/vendas/listagemvendas/listavendas' : 'dashboard/crm/funilvendas';\n\nconst Root = () => {\n const getRootUrl = () => {\n let url: string = URL_INICIAL;\n return url;\n };\n\n const url = getRootUrl();\n\n return ;\n};\n\nexport default Root;\n","export function getBase64(file: File): Promise {\n return new Promise((resolve, reject) => {\n const reader = new FileReader();\n reader.readAsDataURL(file);\n reader.onload = () => resolve(String(reader.result));\n reader.onerror = reject;\n });\n}\n\nexport function downloadURI(uri: string, name: string) {\n const link = document.createElement('a');\n link.download = name;\n link.href = uri;\n document.body.appendChild(link);\n link.click();\n document.body.removeChild(link);\n}\n\nexport function isShowableFile(url: string): Boolean {\n // ao incluir mais visualizadores colocar || e as outras funções\n // exemplo\n // return isImageExtension(url) || isPdfExtension(url);\n return isImageExtension(url);\n}\n\nexport function isImageExtension(extCompare: string) {\n const imageExtensions = ['.jpg', '.jpeg', '.png', '.gif', '.bmp']; // Adicione outras extensões de imagem, se necessário\n const ext = extCompare.slice(extCompare.lastIndexOf('.')).toLowerCase();\n return imageExtensions.includes(ext);\n}\n","const groupByFields = (array: Array, f: any): Array => {\n /*\n params description :\n f : function which returnf the array of fields \n e.g. : (item) => {\n return [itemField1, itemField2];\n }\n array : array of data to group e.g. : [{...}, {...}] \n */\n var groups: { [key: string]: any[] } = {};\n array.forEach((o) => {\n var group = JSON.stringify(f(o));\n groups[group] = groups[group] || [];\n groups[group].push(o);\n });\n\n return Object.keys(groups).map((group) => {\n return groups[group];\n });\n};\n\n/**\n * split array into chunks\n * @param array - array to split\n * @param chunkSize - chunk size\n * @returns\n */\nconst splitArray = (array: Array, chunkSize: number) => {\n const chunks = Array(Math.ceil(array.length / chunkSize))\n .fill(1)\n .map((_, index) => index * chunkSize)\n .map((begin) => array.slice(begin, begin + chunkSize));\n return chunks;\n};\n\nexport { groupByFields, splitArray };\n","import { LayoutWidth, SideBarWidth } from 'appConstants';\nimport { LayoutActionTypes } from '../redux/layout/constants';\nimport { LayoutActionType } from '../redux/actions';\n\ntype ConfigType = {\n leftSideBarType:\n | SideBarWidth.LEFT_SIDEBAR_TYPE_FIXED\n | SideBarWidth.LEFT_SIDEBAR_TYPE_CONDENSED\n | SideBarWidth.LEFT_SIDEBAR_TYPE_SCROLLABLE;\n};\n\n// add property to change in particular option\nlet config: ConfigType = {\n leftSideBarType: SideBarWidth.LEFT_SIDEBAR_TYPE_FIXED,\n};\n\nconst getLayoutConfigs = (actionType: LayoutActionType['type'], value: string | boolean) => {\n switch (actionType) {\n case LayoutActionTypes.CHANGE_LAYOUT_WIDTH:\n switch (value) {\n case LayoutWidth.LAYOUT_WIDTH_FLUID:\n config.leftSideBarType = SideBarWidth.LEFT_SIDEBAR_TYPE_FIXED;\n break;\n case LayoutWidth.LAYOUT_WIDTH_BOXED:\n config.leftSideBarType = SideBarWidth.LEFT_SIDEBAR_TYPE_CONDENSED;\n break;\n default:\n return config;\n }\n break;\n default:\n return config;\n }\n return config;\n};\n\n/**\n * Changes the body attribute\n */\nconst changeBodyAttribute = (attribute: string, value: string): void => {\n if (document.body) document.body.setAttribute(attribute, value);\n};\n\nexport { getLayoutConfigs, changeBodyAttribute };\n","import axios from 'axios';\nimport { alertMessage } from 'helpers/api/messageUtils';\nimport { R2D2 } from 'helpers/api/server';\n\ntype getSearchCNPJProps = {\n CNPJ: string;\n showCatch?: boolean;\n};\n\nasync function getSearchCNPJ(props: getSearchCNPJProps) {\n var replace = props?.CNPJ?.replace(/[./-]/g, '');\n const showCatch = props?.showCatch ?? true;\n\n try {\n const dataCNPJ = await axios.get(`https://brasilapi.com.br/api/cnpj/v1/${replace}`);\n return dataCNPJ;\n } catch (error) {\n if (showCatch) {\n alertMessage({ icon: 'warning', title: 'Erro ao buscar dados do CNPJ', text: error });\n }\n }\n}\n\nasync function getSearchCNPJR2D2(props: getSearchCNPJProps) {\n var replace = props?.CNPJ?.replace(/[./-]/g, '');\n const showCatch = props?.showCatch ?? true;\n try {\n const dataCNPJ = await R2D2.get(`/cnpj/${replace}`);\n return dataCNPJ;\n } catch (error) {\n if (showCatch) {\n alertMessage({ icon: 'warning', title: 'Erro ao buscar dados do CNPJ', text: error });\n }\n }\n}\n\nexport { getSearchCNPJ, getSearchCNPJR2D2 };\n","import { errorMessageAPI } from 'helpers/api/messageUtils';\nimport { TModelNegocio } from 'helpers/model/negocio';\nimport { API, APILongTime } from '../../helpers/api/server';\nimport { jsonWithStructure } from 'helpers';\nimport { UNCLogs } from 'helpers/api/uncUtils';\nimport { initialValuesImportListBusinessType } from 'helpers/yup/validationImportListBusiness';\n\nexport type getNegocioType = {\n FILTRO_GERAL?: string;\n TIPO_DATA?: string;\n DATA_INICIAL?: string;\n DATA_FINAL?: string;\n LISTA_EMPRESACODIGO?: string;\n LISTA_REPRESCODIGO?: string;\n LISTA_USUARIOLOGIN?: string;\n NEGOCIO_CODIGO?: number;\n LISTA_RESPONSAVEL?: string;\n LISTA_SEGMENTOCODIGO?: string;\n LISTA_ORPROSPECTCODIGO?: string;\n LISTA_TEMPERATURA?: string;\n LISTA_ETIQUETA?: string;\n ATIVIDADES?: string;\n NEGOCIO_SITUACAO?: string;\n PIPELINE_CODIGO?: number;\n ESTAGIO_CODIGO?: number;\n SQL_LIMIT?: number;\n SQL_OFFSET?: number;\n LISTA_BOARDCODIGO?: string;\n LISTA_PIPELINECODIGO?: string;\n LISTA_ESTAGIOCODIGO?: string;\n PESSOA_CODIGO?: string;\n EXIBIR_HISTORICO?: string;\n DIAS_SEMINTERACAO?: number;\n};\n\ntype GetloseBusinessType = {\n negocio_codigo: number;\n motperda_codigo: number;\n negocio_obsperda: string;\n board_codigo?: number;\n cancelaOrcamento?: string;\n};\n\nasync function getNegocio(props: getNegocioType) {\n try {\n let json: any = {\n FILTRO_GERAL: props.FILTRO_GERAL ?? '',\n DATA_INICIAL: props.DATA_INICIAL ?? '1900-01-01',\n DATA_FINAL: props.DATA_FINAL ?? '2999-12-31',\n TIPO_DATA: props.TIPO_DATA,\n LISTA_EMPRESACODIGO: props.LISTA_EMPRESACODIGO,\n LISTA_REPRESCODIGO: props.LISTA_REPRESCODIGO,\n LISTA_USUARIOLOGIN: props.LISTA_USUARIOLOGIN,\n LISTA_RESPONSAVEL: props.LISTA_RESPONSAVEL,\n LISTA_SEGMENTOCODIGO: props.LISTA_SEGMENTOCODIGO,\n LISTA_ORPROSPECTCODIGO: props.LISTA_ORPROSPECTCODIGO,\n LISTA_TEMPERATURA: props.LISTA_TEMPERATURA,\n LISTA_ETIQUETA: props.LISTA_ETIQUETA,\n NEGOCIO_SITUACAO: props.NEGOCIO_SITUACAO,\n ATIVIDADES: props.ATIVIDADES,\n NEGOCIO_CODIGO: props.NEGOCIO_CODIGO,\n PIPELINE_CODIGO: props.PIPELINE_CODIGO,\n ESTAGIO_CODIGO: props.ESTAGIO_CODIGO,\n PESSOA_CODIGO: props.PESSOA_CODIGO,\n SQL_LIMIT: props.SQL_LIMIT,\n SQL_OFFSET: props.SQL_OFFSET,\n DIAS_SEMINTERACAO: props.DIAS_SEMINTERACAO,\n };\n\n if (props.LISTA_BOARDCODIGO) {\n json = { ...json, LISTA_BOARDCODIGO: props.LISTA_BOARDCODIGO };\n }\n\n if (props.LISTA_PIPELINECODIGO) {\n json = { ...json, LISTA_PIPELINECODIGO: props.LISTA_PIPELINECODIGO };\n }\n\n if (props.LISTA_ESTAGIOCODIGO) {\n json = { ...json, LISTA_ESTAGIOCODIGO: props.LISTA_ESTAGIOCODIGO };\n }\n\n if (props.EXIBIR_HISTORICO) {\n json = { ...json, EXIBIR_HISTORICO: props.EXIBIR_HISTORICO };\n }\n\n const { data } = await API.put('TWSNegocio/GetLista', json);\n\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'getNegocio - ' + error });\n return [];\n }\n}\n\nasync function deleteBusiness(negocio_codigo: number) {\n try {\n const { data } = await API.delete(`/TWSNegocio/Negocio/${negocio_codigo}`);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'deleteBusiness - ' + error });\n }\n}\n\nasync function registerBusiness(props) {\n try {\n const json = jsonWithStructure(props);\n\n const { data } = await API.put('TWSNegocio/Negocio', json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'registerBusiness - ' + error });\n return [];\n }\n}\n\ntype UpdateBusinessType = {\n JSON: TModelNegocio;\n};\n\nasync function updateBusiness(props: UpdateBusinessType) {\n try {\n const json = jsonWithStructure(props?.JSON);\n const { data } = await API.post(`/TWSNegocio/Negocio/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'updateBusiness - ' + error });\n return [];\n }\n}\n\ntype putMoverNegocioType = {\n JSON: TModelNegocio;\n};\n\nasync function putMoveBusiness(props: putMoverNegocioType) {\n try {\n const json = jsonWithStructure(props?.JSON);\n const { data } = await API.put(`/TWSNegocio/MoverNegocio/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'putMoveBusiness - ' + error });\n return [];\n }\n}\n\ntype PatchBusinessType = {\n JSON: TModelNegocio;\n};\n\nasync function patchBusiness(props: PatchBusinessType) {\n try {\n const json = jsonWithStructure(props?.JSON);\n const { data } = await API.post(`/TWSNegocio/PatchNegocio/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'patchBusiness - ' + error });\n return [];\n }\n}\n\ntype putTrocaPipelineType = {\n JSON: TModelNegocio;\n};\n\nasync function putTrocaPipeline(props: putTrocaPipelineType) {\n try {\n const json = jsonWithStructure(props?.JSON);\n const { data } = await API.put(`/TWSNegocio/TrocaPipeline/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'putTrocaPipeline - ' + error });\n return [];\n }\n}\n\nasync function getPipelinesBoard(board_tipo: string) {\n try {\n const json = {\n board_tipo: board_tipo,\n };\n const { data } = await API.put(`/TWSNegocio/GetListaPipelinesBoard/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'getPipelinesBoard - ' + error });\n return [];\n }\n}\n\nasync function getEstagioByPipeline(pipeline_codigo: number | string) {\n try {\n const json = {\n pipeline_codigo: pipeline_codigo,\n };\n const { data } = await API.put(`/TWSNegocio/getListaEstagioByPipeline/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'getEstagioByPipeline - ' + error });\n return [];\n }\n}\n\nasync function getloseBusiness(props: GetloseBusinessType) {\n try {\n const json = {\n negocio_codigo: props.negocio_codigo,\n motperda_codigo: props.motperda_codigo,\n negocio_obsperda: props.negocio_obsperda,\n board_codigo: props?.board_codigo,\n cancelaOrcamento: props?.cancelaOrcamento,\n };\n const { data } = await API.put(`/TWSNegocio/PerdeNegocio/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'getloseBusiness - ' + error });\n return [];\n }\n}\n\ntype getFollowUpAndNotesType = {\n negocio_codigo: string;\n acomp_situacao: string;\n};\n\nasync function getFollowUpAndNotes(props: getFollowUpAndNotesType) {\n try {\n const json = { negocio_codigo: props.negocio_codigo, acomp_situacao: props.acomp_situacao };\n const { data } = await API.put(`/TWSNegocio/GetListaAcompanhamentoAnotacao/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'GetFollowUpAndNotes - ' + error });\n return [];\n }\n}\n\ntype getFavoriteBudgetType = {\n negocio_codigo: number;\n pedvenda_codigo: number;\n empresa_codigo: string;\n};\n\nasync function favoriteBudget(props: getFavoriteBudgetType) {\n try {\n const json = {\n negocio_codigo: props.negocio_codigo,\n pedvenda_codigo: props.pedvenda_codigo,\n empresa_codigo: props.empresa_codigo,\n };\n const { data } = await API.put(`/TWSNegocio/FavoritarOrcamento/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'favoriteBudget - ' + error });\n return [];\n }\n}\n\nasync function importBusiness(props: initialValuesImportListBusinessType) {\n try {\n const json = {\n board_codigo: props?.board_codigo,\n csv: props?.data_csv,\n distauto_codigo: props?.distauto_codigo,\n empresa_codigo: props?.empresa_codigo,\n estagio_codigo: props?.estagio_codigo,\n lista_etiquetacodigo: props?.etiqueta_codigo,\n orprospect_codigo: props?.orprospect_codigo,\n pipeline_codigo: props?.pipeline_codigo,\n repres_codigo: props?.repres_codigo,\n usuario_responsavel: props?.usuario_login,\n };\n\n const { data } = await API.put(`/TWSNegocio/ImportarCSVNegociosLinux/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'importBusiness - ' + error });\n return [];\n }\n}\n\ntype putDesfazerMoverNegocioType = {\n NEGOCIO_CODIGO: number;\n CANCELAORCAMENTOS: string;\n};\n\nasync function putUndoMoveBusiness(props: putDesfazerMoverNegocioType) {\n try {\n const json = { NEGOCIO_CODIGO: props.NEGOCIO_CODIGO, CANCELAORCAMENTOS: props.CANCELAORCAMENTOS };\n const { data } = await API.put(`/TWSNegocio/DesfazerMoverNegocio/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'putUndoMoveBusiness - ' + error });\n return [];\n }\n}\n\ntype putReactivateBusinessType = {\n NEGOCIO_CODIGO: number;\n};\n\nasync function putReactivateBusiness(props: putReactivateBusinessType) {\n try {\n const json = { NEGOCIO_CODIGO: props.NEGOCIO_CODIGO };\n const { data } = await API.put(`/TWSNegocio/ReativarNegocio/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'putReactivateBusiness - ' + error });\n return [];\n }\n}\n\nexport type winBusinessType = {\n negocio_codigo: number;\n crmconfig_abrirnovanegociacao: boolean;\n crmconfig_enviarposvenda: boolean;\n pipeline_codigo?: number;\n};\n\nasync function winBusinessAsync(json: winBusinessType) {\n try {\n const { data } = await API.put(`/TWSNegocio/GanhaNegocioLinux/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'winBusinessAsync - ' + error });\n return [];\n }\n}\n\ntype winAfterSalesType = {\n negocio_codigo: number;\n crmconfig_abrirnovanegociacao: boolean;\n};\n\nasync function winAfterSales(json: winAfterSalesType) {\n try {\n const { data } = await API.put(`/TWSNegocio/FinalizarPosVenda/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'winAfterSales - ' + error });\n return [];\n }\n}\n\ntype BusinessDistributionType = {\n REPRESENTANTE_PADRAO: string;\n DISTAUTO_CODIGO: string;\n NEGOCIO: { negocio_codigo: string }[];\n RESPONSAVEL: { usuario_login: string }[];\n};\n\nasync function representativeBusinessDistribution(props: BusinessDistributionType) {\n const json = jsonWithStructure(props);\n try {\n const { data } = await API.put(`/TWSNegocio/DistribuicaoNegocioRepresLinux/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'representativeBusinessDistribution - ' + error });\n return [];\n }\n}\n\ntype addInternalBusinessUNCType = {\n pessoa_cnpj: string;\n};\n\nasync function addInternalBusinessUNC(json: addInternalBusinessUNCType) {\n try {\n const { data } = await API.put(`/TWSNegocio/IncluirNegocioInternoUNC/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'addInternalBusinessUNC - ' + error });\n return [];\n }\n}\n\ntype tagsDistributionType = {\n MODO_ADICIONARREMOVER: string;\n NEGOCIO: number[];\n ETIQUETA: { etiqueta_codigo: string }[];\n};\n\nasync function tagsDistribution(props: tagsDistributionType) {\n const json = jsonWithStructure(props);\n try {\n const { data } = await API.put(`/TWSNegocio/AdicionarRemoverTagNegocioLote/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'tagsDistribution - ' + error });\n return [];\n }\n}\n\ntype getCostumersDontBuyType = {\n limit?: string;\n offset?: string;\n dt_inicial: string;\n dt_final: string;\n empresa_codigo: string;\n segmento_codigo: string;\n orprospect_codigo: string;\n uf_codigo: string;\n cidade_codigo: string;\n bairro_codigo: string;\n repres_codigo: string;\n comprouanteriormente: string;\n tipo_filtrodata: string;\n pessoa_tipo: string;\n};\nasync function getCostumersDontBuy(props: getCostumersDontBuyType) {\n const json = {\n limit: props.limit,\n offset: props.offset,\n dt_inicial: props.dt_inicial,\n dt_final: props.dt_final,\n empresa_codigo: props.empresa_codigo,\n segmento_codigo: props.segmento_codigo,\n orprospect_codigo: props.orprospect_codigo,\n uf_codigo: props.uf_codigo,\n cidade_codigo: props.cidade_codigo,\n bairro_codigo: props.bairro_codigo,\n repres_codigo: props.repres_codigo,\n comprouanteriormente: props.comprouanteriormente,\n tipo_filtrodata: props.tipo_filtrodata,\n pessoa_tipo: props.pessoa_tipo,\n };\n\n try {\n const { data } = await API.put(`/TWSNegocio/GetClientesQueNaoCompram/`, json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'getCostumersDontBuy - ' + error });\n return [];\n }\n}\n\nasync function insertCostumerDontBuy(props: any) {\n try {\n const { data } = await API.put(`/TWSNegocio/incluirClientesQueNaoCompramLinux/`, props);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'insertCostumerDontBuy - ' + error });\n return [];\n }\n}\n\ninterface copyBusinessType {\n NEGOCIO_CODIGO: number;\n QTDEDIAS_INCLUSAO: number;\n COPIATAREFAS_PENDENTES: boolean;\n COPIAVENDA_GERAORCAMENTO: boolean;\n}\n\nasync function copyBusiness(props: copyBusinessType) {\n try {\n const { data } = await API.put(`/TWSNegocio/CopiaNegocio/`, props);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'insertCostumerDontBuy - ' + error });\n return [];\n }\n}\n\nexport {\n getNegocio,\n deleteBusiness,\n updateBusiness,\n patchBusiness,\n getPipelinesBoard,\n getEstagioByPipeline,\n getloseBusiness,\n registerBusiness,\n getFollowUpAndNotes,\n favoriteBudget,\n putTrocaPipeline,\n putMoveBusiness,\n winAfterSales,\n putUndoMoveBusiness,\n putReactivateBusiness,\n importBusiness,\n representativeBusinessDistribution,\n tagsDistribution,\n addInternalBusinessUNC,\n getCostumersDontBuy,\n insertCostumerDontBuy,\n copyBusiness,\n winBusinessAsync,\n};\n","import { errorMessageAPI } from 'helpers/api/messageUtils';\nimport { ENTERPRISE } from 'helpers/api/enterpriseConst';\nimport { API } from '../../helpers/api/server';\nimport { TModelUsuario } from 'helpers/model/usuario';\nimport { jsonWithStructure } from 'helpers';\nimport { CODE_PENDINGCONTRACT, CODE_VALIDITYEXPIRED } from 'helpers/api/blockCodeUtils';\nimport { developmentEnvironment } from 'helpers/api/developmentEnvironment';\n\nasync function getVerAcesso(sistema_codigo, programa_codigo, rotina_codigo) {\n try {\n const parameters = `${ENTERPRISE.pubUsuario()}/${programa_codigo}/${rotina_codigo}/${sistema_codigo}`;\n\n const { data } = await API.get('TWSUsuario/GetAcesso/' + parameters);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'getVerAcesso - ' + error });\n return [];\n }\n}\n\nfunction trataRetornaVerAcesso(result, setHasPermission: Function, programa_codigo: number, rotina_codigo: number) {\n let hasPermissionErro: boolean = false;\n\n if (programa_codigo === 0 && rotina_codigo === 0) {\n setHasPermission({\n hasPermission: true,\n message: '',\n help: '',\n });\n } else if (result.result === '1') {\n //SE FOR DESENVOLVIMENTO\n if (developmentEnvironment) {\n hasPermissionErro = true;\n\n if (\n ENTERPRISE?.getErrorRenderPage()?.code === CODE_VALIDITYEXPIRED ||\n ENTERPRISE?.getErrorRenderPage()?.code === CODE_PENDINGCONTRACT\n ) {\n hasPermissionErro = false;\n }\n }\n setHasPermission({\n hasPermission: hasPermissionErro,\n message: result.messages[0].message,\n help: result.messages[0].help,\n });\n } else {\n hasPermissionErro = true;\n if (\n ENTERPRISE?.getErrorRenderPage()?.code === CODE_VALIDITYEXPIRED ||\n ENTERPRISE?.getErrorRenderPage()?.code === CODE_PENDINGCONTRACT\n ) {\n hasPermissionErro = false;\n }\n\n setHasPermission({\n hasPermission: hasPermissionErro,\n message: '',\n help: '',\n });\n }\n}\n\nasync function verAcesso(programa_codigo: number, rotina_codigo: number, setHasPermission: Function) {\n const result = await getVerAcesso(ENTERPRISE.pubSistema(), programa_codigo, rotina_codigo);\n trataRetornaVerAcesso(result, setHasPermission, programa_codigo, rotina_codigo);\n return result;\n}\n\nasync function verAcessoCRM(programa_codigo: number, rotina_codigo: number, setHasPermission: Function) {\n const result = await getVerAcesso(ENTERPRISE.CRM_SISTEMACODIGO(), programa_codigo, rotina_codigo);\n trataRetornaVerAcesso(result, setHasPermission, programa_codigo, rotina_codigo);\n\n return result;\n}\n\nasync function verAcessoGESTAO(programa_codigo: number, rotina_codigo: number, setHasPermission: Function) {\n const result = await getVerAcesso(ENTERPRISE.GESTAO_SISTEMACODIGO(), programa_codigo, rotina_codigo);\n trataRetornaVerAcesso(result, setHasPermission, programa_codigo, rotina_codigo);\n return result;\n}\n\ntype getUsuarioProps = {\n textoBusca?: string;\n selectedId?: string;\n};\n\nasync function getUsuario(props: getUsuarioProps) {\n try {\n const json = {\n usuario_ativo: 'S',\n CAMPOS: ['usuario_login', 'usuario_nome', 'usuario_acessocrm'],\n SQL_FILTRO_GERAL: props.textoBusca ? props.textoBusca : '',\n ORDEM: ['usuario_nome'],\n };\n\n const { data } = await API.put('TWSUsuario/GetPorCampos', json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'getUsuario - ' + error });\n return [];\n }\n}\n\nasync function getEmailUsuario(props: getUsuarioProps) {\n try {\n const json = {\n usuario_ativo: 'S',\n CAMPOS: [\n 'usuario_nome',\n 'usuario_smtp',\n 'usuario_porta',\n 'usuario_emailnome',\n 'usuario_email',\n 'usuario_emailcripto',\n 'usuario_emailcopiaoculta',\n 'usuario_emailsenha',\n 'usuario_tipoemail',\n ],\n SQL_FILTRO_GERAL: props.textoBusca ? props.textoBusca : '',\n ORDEM: ['usuario_nome'],\n };\n\n const { data } = await API.put('TWSUsuario/GetPorCampos', json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'getUsuario - ' + error });\n return [];\n }\n}\n\nasync function getRepresUsuario(usuario_login: string) {\n try {\n const json = { usuario_login: usuario_login };\n\n const { data } = await API.put('TWSUsuario/GetRepresentanteUsuario', json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'getRepresUsuario - ' + error });\n return [];\n }\n}\n\ntype getListaUsuarioType = {\n textoBusca: any;\n exibir_somente_ativos?: 'S' | 'N';\n};\nasync function getListaUsuario(props: getListaUsuarioType) {\n try {\n const json = {\n FILTRO_GERAL: props.textoBusca,\n USUARIO_ATIVO: props.exibir_somente_ativos ?? '',\n ORDEM: 'A.USUARIO_NOME',\n };\n\n const { data } = await API.put('TWSUsuario/GetLista', json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'getListaUsuario - ' + error });\n return [];\n }\n}\n\ntype PermissoesUsuarioType = {\n grupopermissao_codigo: string;\n grupopermissao_descricao: string;\n nivel: number;\n permissao_grupo: 'S' | 'N';\n permissao_usuario: 'S' | 'N';\n programa_codigo: number;\n rotina_codigo: number;\n rotina_descricao: string;\n moduloprograma_posicao: string;\n};\n\nasync function getPermissoesUsuario(userLogin: string, moduleCode: string): Promise {\n try {\n const { data } = await API.put('TWSUSuario/GetListaPermissaoUsuario', {\n USUARIO_LOGIN: userLogin,\n MODULO_CODIGO: moduleCode,\n });\n\n return data?.content?.DADOS?.[0] ?? [];\n } catch (error) {\n errorMessageAPI({ text: 'getPermissoesUsuario - ' + error });\n return [];\n }\n}\n\ntype PermissoesGrupoType = {\n nivel: number;\n permissao_grupo: 'S' | 'N';\n programa_codigo: number;\n rotina_codigo: number;\n rotina_descricao: string;\n moduloprograma_posicao: string;\n};\n\nexport async function getPermissoesGrupo(\n grupousuario_codigo: string,\n moduleCode: string\n): Promise {\n try {\n const { data } = await API.put('TWSUsuario/GetListaPermissaoGrupo_Usuario', {\n GRUPOUSUARIO_CODIGO: grupousuario_codigo,\n MODULO_CODIGO: moduleCode,\n });\n\n return data?.content?.DADOS?.[0] ?? [];\n } catch (error) {\n errorMessageAPI({ text: 'getPermissoesGrupo - ' + error });\n return [];\n }\n}\n\ntype deletarType = {\n usuario_login: string;\n};\n\ntype UserType = {\n dadosJson?: TModelUsuario;\n dadosDeletar?: deletarType;\n};\n\nasync function putUser(props?: UserType) {\n try {\n const json = jsonWithStructure(props.dadosJson);\n const { data } = await API.put('/TWSUsuario/Usuario', json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'putUser - ' + error });\n return [];\n }\n}\n\nasync function postUser(props?: UserType) {\n try {\n const json = jsonWithStructure(props.dadosJson);\n const { data } = await API.post('/TWSUsuario/Usuario', json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'postUser - ' + error });\n return [];\n }\n}\n\nasync function patchUser(props?: UserType) {\n try {\n const json = jsonWithStructure(props.dadosJson);\n const { data } = await API.post('/TWSUsuario/patchUsuario', json);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'patchUser - ' + error });\n return [];\n }\n}\n\nasync function deleteUser(props: deletarType) {\n try {\n const { data } = await API.delete(`/TWSUsuario/Usuario/${props?.usuario_login}`);\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'deleteUser - ' + error });\n return [];\n }\n}\n\nasync function removeAccessCRM() {\n try {\n const { data } = await API.put('/TWSUsuario/RemoveAcessoCRM', {});\n return data;\n } catch (error) {\n errorMessageAPI({ text: 'removeAccessCRM - ' + error });\n return [];\n }\n}\n\nexport {\n verAcesso,\n verAcessoCRM,\n verAcessoGESTAO,\n getUsuario,\n getRepresUsuario,\n getListaUsuario,\n putUser,\n postUser,\n patchUser,\n deleteUser,\n getPermissoesUsuario,\n removeAccessCRM,\n getEmailUsuario,\n};\n","\"use strict\";\n\nvar utils = require(\"./utils\");\n\nfunction transformRequest(data) {\n if (\n utils.isArrayBuffer(data) ||\n utils.isBuffer(data) ||\n utils.isStream(data) ||\n utils.isBlob(data)\n ) {\n return data;\n }\n\n // Object and Array: returns a deep copy\n if (utils.isObjectOrArray(data)) {\n return JSON.parse(JSON.stringify(data));\n }\n\n // for primitives like string, undefined, null, number\n return data;\n}\n\nfunction makeResponse(result, config) {\n return {\n status: result[0],\n data: transformRequest(result[1]),\n headers: result[2],\n config: config,\n request: {\n responseURL: config.url,\n },\n };\n}\n\nfunction handleRequest(mockAdapter, resolve, reject, config) {\n var url = config.url || \"\";\n // TODO we're not hitting this `if` in any of the tests, investigate\n if (\n config.baseURL &&\n url.substr(0, config.baseURL.length) === config.baseURL\n ) {\n url = url.slice(config.baseURL.length);\n }\n\n delete config.adapter;\n mockAdapter.history[config.method].push(config);\n\n var handler = utils.findHandler(\n mockAdapter.handlers,\n config.method,\n url,\n config.data,\n config.params,\n config.headers,\n config.baseURL\n );\n\n if (handler) {\n if (handler.length === 7) {\n utils.purgeIfReplyOnce(mockAdapter, handler);\n }\n\n if (handler.length === 2) {\n // passThrough handler\n mockAdapter.originalAdapter(config).then(resolve, reject);\n } else if (typeof handler[3] !== \"function\") {\n utils.settle(\n resolve,\n reject,\n makeResponse(handler.slice(3), config),\n mockAdapter.delayResponse\n );\n } else {\n var result = handler[3](config);\n // TODO throw a sane exception when return value is incorrect\n if (typeof result.then !== \"function\") {\n utils.settle(\n resolve,\n reject,\n makeResponse(result, config),\n mockAdapter.delayResponse\n );\n } else {\n result.then(\n function (result) {\n if (result.config && result.status) {\n utils.settle(\n resolve,\n reject,\n makeResponse(\n [result.status, result.data, result.headers],\n result.config\n ),\n 0\n );\n } else {\n utils.settle(\n resolve,\n reject,\n makeResponse(result, config),\n mockAdapter.delayResponse\n );\n }\n },\n function (error) {\n if (mockAdapter.delayResponse > 0) {\n setTimeout(function () {\n reject(error);\n }, mockAdapter.delayResponse);\n } else {\n reject(error);\n }\n }\n );\n }\n }\n } else {\n // handler not found\n switch (mockAdapter.onNoMatch) {\n case \"passthrough\":\n mockAdapter.originalAdapter(config).then(resolve, reject);\n break;\n case \"throwException\":\n throw utils.createCouldNotFindMockError(config);\n default:\n utils.settle(\n resolve,\n reject,\n {\n status: 404,\n config: config,\n },\n mockAdapter.delayResponse\n );\n }\n }\n}\n\nmodule.exports = handleRequest;\n","\"use strict\";\n\nvar handleRequest = require(\"./handle_request\");\nvar utils = require(\"./utils\");\n\nvar VERBS = [\n \"get\",\n \"post\",\n \"head\",\n \"delete\",\n \"patch\",\n \"put\",\n \"options\",\n \"list\",\n];\n\nfunction adapter() {\n return function (config) {\n var mockAdapter = this;\n // axios >= 0.13.0 only passes the config and expects a promise to be\n // returned. axios < 0.13.0 passes (config, resolve, reject).\n if (arguments.length === 3) {\n handleRequest(mockAdapter, arguments[0], arguments[1], arguments[2]);\n } else {\n return new Promise(function (resolve, reject) {\n handleRequest(mockAdapter, resolve, reject, config);\n });\n }\n }.bind(this);\n}\n\nfunction getVerbObject() {\n return VERBS.reduce(function (accumulator, verb) {\n accumulator[verb] = [];\n return accumulator;\n }, {});\n}\n\nfunction reset() {\n resetHandlers.call(this);\n resetHistory.call(this);\n}\n\nfunction resetHandlers() {\n this.handlers = getVerbObject();\n}\n\nfunction resetHistory() {\n this.history = getVerbObject();\n}\n\nfunction MockAdapter(axiosInstance, options) {\n reset.call(this);\n\n if (axiosInstance) {\n this.axiosInstance = axiosInstance;\n this.originalAdapter = axiosInstance.defaults.adapter;\n this.delayResponse =\n options && options.delayResponse > 0 ? options.delayResponse : null;\n this.onNoMatch = (options && options.onNoMatch) || null;\n axiosInstance.defaults.adapter = this.adapter.call(this);\n } else {\n throw new Error(\"Please provide an instance of axios to mock\");\n }\n}\n\nMockAdapter.prototype.adapter = adapter;\n\nMockAdapter.prototype.restore = function restore() {\n if (this.axiosInstance) {\n this.axiosInstance.defaults.adapter = this.originalAdapter;\n this.axiosInstance = undefined;\n }\n};\n\nMockAdapter.prototype.reset = reset;\nMockAdapter.prototype.resetHandlers = resetHandlers;\nMockAdapter.prototype.resetHistory = resetHistory;\n\nVERBS.concat(\"any\").forEach(function (method) {\n var methodName = \"on\" + method.charAt(0).toUpperCase() + method.slice(1);\n MockAdapter.prototype[methodName] = function (matcher, body, requestHeaders) {\n var _this = this;\n var matcher = matcher === undefined ? /.*/ : matcher;\n\n function reply(code, response, headers) {\n var handler = [matcher, body, requestHeaders, code, response, headers];\n addHandler(method, _this.handlers, handler);\n return _this;\n }\n\n function replyOnce(code, response, headers) {\n var handler = [\n matcher,\n body,\n requestHeaders,\n code,\n response,\n headers,\n true,\n ];\n addHandler(method, _this.handlers, handler);\n return _this;\n }\n\n return {\n reply: reply,\n\n replyOnce: replyOnce,\n\n passThrough: function passThrough() {\n var handler = [matcher, body];\n addHandler(method, _this.handlers, handler);\n return _this;\n },\n\n abortRequest: function () {\n return reply(function (config) {\n var error = utils.createAxiosError(\n \"Request aborted\",\n config,\n undefined,\n \"ECONNABORTED\"\n );\n return Promise.reject(error);\n });\n },\n\n abortRequestOnce: function () {\n return replyOnce(function (config) {\n var error = utils.createAxiosError(\n \"Request aborted\",\n config,\n undefined,\n \"ECONNABORTED\"\n );\n return Promise.reject(error);\n });\n },\n\n networkError: function () {\n return reply(function (config) {\n var error = utils.createAxiosError(\"Network Error\", config);\n return Promise.reject(error);\n });\n },\n\n networkErrorOnce: function () {\n return replyOnce(function (config) {\n var error = utils.createAxiosError(\"Network Error\", config);\n return Promise.reject(error);\n });\n },\n\n timeout: function () {\n return reply(function (config) {\n var error = utils.createAxiosError(\n config.timeoutErrorMessage ||\n \"timeout of \" + config.timeout + \"ms exceeded\",\n config,\n undefined,\n \"ECONNABORTED\"\n );\n return Promise.reject(error);\n });\n },\n\n timeoutOnce: function () {\n return replyOnce(function (config) {\n var error = utils.createAxiosError(\n config.timeoutErrorMessage ||\n \"timeout of \" + config.timeout + \"ms exceeded\",\n config,\n undefined,\n \"ECONNABORTED\"\n );\n return Promise.reject(error);\n });\n },\n };\n };\n});\n\nfunction findInHandlers(method, handlers, handler) {\n var index = -1;\n for (var i = 0; i < handlers[method].length; i += 1) {\n var item = handlers[method][i];\n var isReplyOnce = item.length === 7;\n var comparePaths =\n item[0] instanceof RegExp && handler[0] instanceof RegExp\n ? String(item[0]) === String(handler[0])\n : item[0] === handler[0];\n var isSame =\n comparePaths &&\n utils.isEqual(item[1], handler[1]) &&\n utils.isEqual(item[2], handler[2]);\n if (isSame && !isReplyOnce) {\n index = i;\n }\n }\n return index;\n}\n\nfunction addHandler(method, handlers, handler) {\n if (method === \"any\") {\n VERBS.forEach(function (verb) {\n handlers[verb].push(handler);\n });\n } else {\n var indexOfExistingHandler = findInHandlers(method, handlers, handler);\n if (indexOfExistingHandler > -1 && handler.length < 7) {\n handlers[method].splice(indexOfExistingHandler, 1, handler);\n } else {\n handlers[method].push(handler);\n }\n }\n}\n\nmodule.exports = MockAdapter;\nmodule.exports.default = MockAdapter;\n","\"use strict\";\n\nvar axios = require(\"axios\");\nvar isEqual = require(\"fast-deep-equal\");\nvar isBuffer = require(\"is-buffer\");\nvar isBlob = require(\"is-blob\");\nvar toString = Object.prototype.toString;\n\n// < 0.13.0 will not have default headers set on a custom instance\nvar rejectWithError = !!axios.create().defaults.headers;\n\nfunction find(array, predicate) {\n var length = array.length;\n for (var i = 0; i < length; i++) {\n var value = array[i];\n if (predicate(value)) return value;\n }\n}\n\nfunction isFunction(val) {\n return toString.call(val) === \"[object Function]\";\n}\n\nfunction isObjectOrArray(val) {\n return val !== null && typeof val === \"object\";\n}\n\nfunction isStream(val) {\n return isObjectOrArray(val) && isFunction(val.pipe);\n}\n\nfunction isArrayBuffer(val) {\n return toString.call(val) === \"[object ArrayBuffer]\";\n}\n\nfunction combineUrls(baseURL, url) {\n if (baseURL) {\n return baseURL.replace(/\\/+$/, \"\") + \"/\" + url.replace(/^\\/+/, \"\");\n }\n\n return url;\n}\n\nfunction findHandler(\n handlers,\n method,\n url,\n body,\n parameters,\n headers,\n baseURL\n) {\n return find(handlers[method.toLowerCase()], function (handler) {\n if (typeof handler[0] === \"string\") {\n return (\n (isUrlMatching(url, handler[0]) ||\n isUrlMatching(combineUrls(baseURL, url), handler[0])) &&\n isBodyOrParametersMatching(method, body, parameters, handler[1]) &&\n isObjectMatching(headers, handler[2])\n );\n } else if (handler[0] instanceof RegExp) {\n return (\n (handler[0].test(url) || handler[0].test(combineUrls(baseURL, url))) &&\n isBodyOrParametersMatching(method, body, parameters, handler[1]) &&\n isObjectMatching(headers, handler[2])\n );\n }\n });\n}\n\nfunction isUrlMatching(url, required) {\n var noSlashUrl = url[0] === \"/\" ? url.substr(1) : url;\n var noSlashRequired = required[0] === \"/\" ? required.substr(1) : required;\n return noSlashUrl === noSlashRequired;\n}\n\nfunction isBodyOrParametersMatching(method, body, parameters, required) {\n var allowedParamsMethods = [\"delete\", \"get\", \"head\", \"options\"];\n if (allowedParamsMethods.indexOf(method.toLowerCase()) >= 0) {\n var params = required ? required.params : undefined;\n return isObjectMatching(parameters, params);\n } else {\n return isBodyMatching(body, required);\n }\n}\n\nfunction isObjectMatching(actual, expected) {\n if (expected === undefined) return true;\n if (typeof expected.asymmetricMatch === \"function\") {\n return expected.asymmetricMatch(actual);\n }\n return isEqual(actual, expected);\n}\n\nfunction isBodyMatching(body, requiredBody) {\n if (requiredBody === undefined) {\n return true;\n }\n var parsedBody;\n try {\n parsedBody = JSON.parse(body);\n } catch (e) {}\n\n return isObjectMatching(parsedBody ? parsedBody : body, requiredBody);\n}\n\nfunction purgeIfReplyOnce(mock, handler) {\n Object.keys(mock.handlers).forEach(function (key) {\n var index = mock.handlers[key].indexOf(handler);\n if (index > -1) {\n mock.handlers[key].splice(index, 1);\n }\n });\n}\n\nfunction settle(resolve, reject, response, delay) {\n if (delay > 0) {\n setTimeout(settle, delay, resolve, reject, response);\n return;\n }\n\n // Support for axios < 0.13\n if (!rejectWithError && (!response.config || !response.config.validateStatus)) {\n if (response.status >= 200 && response.status < 300) {\n resolve(response);\n } else {\n reject(response);\n }\n return;\n }\n\n if (\n !response.config.validateStatus ||\n response.config.validateStatus(response.status)\n ) {\n resolve(response);\n } else {\n if (!rejectWithError) {\n return reject(response);\n }\n\n reject(createAxiosError(\n 'Request failed with status code ' + response.status,\n response.config,\n response\n ));\n }\n}\n\nfunction createAxiosError(message, config, response, code) {\n var error = new Error(message);\n error.isAxiosError = true;\n error.config = config;\n if (response !== undefined) {\n error.response = response;\n }\n if (code !== undefined) {\n error.code = code;\n }\n\n error.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: this.config,\n code: this.code,\n };\n };\n return error;\n}\n\nfunction createCouldNotFindMockError(config) {\n var message =\n \"Could not find mock for: \\n\" +\n JSON.stringify(config, [\"method\", \"url\"], 2);\n var error = new Error(message);\n error.isCouldNotFindMockError = true;\n error.url = config.url;\n error.method = config.method;\n return error;\n}\n\nmodule.exports = {\n find: find,\n findHandler: findHandler,\n purgeIfReplyOnce: purgeIfReplyOnce,\n settle: settle,\n isStream: isStream,\n isArrayBuffer: isArrayBuffer,\n isFunction: isFunction,\n isObjectOrArray: isObjectOrArray,\n isBuffer: isBuffer,\n isBlob: isBlob,\n isEqual: isEqual,\n createAxiosError: createAxiosError,\n createCouldNotFindMockError: createCouldNotFindMockError,\n};\n","module.exports = require('./lib/axios');","'use strict';\n\nvar utils = require('./../utils');\nvar settle = require('./../core/settle');\nvar cookies = require('./../helpers/cookies');\nvar buildURL = require('./../helpers/buildURL');\nvar buildFullPath = require('../core/buildFullPath');\nvar parseHeaders = require('./../helpers/parseHeaders');\nvar isURLSameOrigin = require('./../helpers/isURLSameOrigin');\nvar createError = require('../core/createError');\nvar transitionalDefaults = require('../defaults/transitional');\nvar Cancel = require('../cancel/Cancel');\n\nmodule.exports = function xhrAdapter(config) {\n return new Promise(function dispatchXhrRequest(resolve, reject) {\n var requestData = config.data;\n var requestHeaders = config.headers;\n var responseType = config.responseType;\n var 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 delete requestHeaders['Content-Type']; // Let the browser set it\n }\n\n var request = new XMLHttpRequest();\n\n // HTTP basic authentication\n if (config.auth) {\n var username = config.auth.username || '';\n var password = config.auth.password ? unescape(encodeURIComponent(config.auth.password)) : '';\n requestHeaders.Authorization = 'Basic ' + btoa(username + ':' + password);\n }\n\n var fullPath = buildFullPath(config.baseURL, config.url);\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 var responseHeaders = 'getAllResponseHeaders' in request ? parseHeaders(request.getAllResponseHeaders()) : null;\n var responseData = !responseType || responseType === 'text' || responseType === 'json' ?\n request.responseText : request.response;\n var response = {\n data: responseData,\n status: request.status,\n statusText: request.statusText,\n headers: responseHeaders,\n config: config,\n request: 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(createError('Request aborted', config, 'ECONNABORTED', 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(createError('Network Error', config, null, request));\n\n // Clean up request\n request = null;\n };\n\n // Handle timeout\n request.ontimeout = function handleTimeout() {\n var timeoutErrorMessage = config.timeout ? 'timeout of ' + config.timeout + 'ms exceeded' : 'timeout exceeded';\n var transitional = config.transitional || transitionalDefaults;\n if (config.timeoutErrorMessage) {\n timeoutErrorMessage = config.timeoutErrorMessage;\n }\n reject(createError(\n timeoutErrorMessage,\n config,\n transitional.clarifyTimeoutError ? 'ETIMEDOUT' : 'ECONNABORTED',\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 (utils.isStandardBrowserEnv()) {\n // Add xsrf header\n var xsrfValue = (config.withCredentials || isURLSameOrigin(fullPath)) && config.xsrfCookieName ?\n cookies.read(config.xsrfCookieName) :\n undefined;\n\n if (xsrfValue) {\n requestHeaders[config.xsrfHeaderName] = xsrfValue;\n }\n }\n\n // Add headers to the request\n if ('setRequestHeader' in request) {\n utils.forEach(requestHeaders, function setRequestHeader(val, key) {\n if (typeof requestData === 'undefined' && key.toLowerCase() === 'content-type') {\n // Remove Content-Type if data is undefined\n delete requestHeaders[key];\n } else {\n // Otherwise add header to the request\n request.setRequestHeader(key, val);\n }\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', config.onDownloadProgress);\n }\n\n // Not all browsers support upload events\n if (typeof config.onUploadProgress === 'function' && request.upload) {\n request.upload.addEventListener('progress', config.onUploadProgress);\n }\n\n if (config.cancelToken || config.signal) {\n // Handle cancellation\n // eslint-disable-next-line func-names\n onCanceled = function(cancel) {\n if (!request) {\n return;\n }\n reject(!cancel || (cancel && cancel.type) ? new Cancel('canceled') : 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 if (!requestData) {\n requestData = null;\n }\n\n // Send the request\n request.send(requestData);\n });\n};\n","'use strict';\n\nvar utils = require('./utils');\nvar bind = require('./helpers/bind');\nvar Axios = require('./core/Axios');\nvar mergeConfig = require('./core/mergeConfig');\nvar defaults = require('./defaults');\n\n/**\n * Create an instance of Axios\n *\n * @param {Object} defaultConfig The default config for the instance\n * @return {Axios} A new instance of Axios\n */\nfunction createInstance(defaultConfig) {\n var context = new Axios(defaultConfig);\n var instance = bind(Axios.prototype.request, context);\n\n // Copy axios.prototype to instance\n utils.extend(instance, Axios.prototype, context);\n\n // Copy context to instance\n utils.extend(instance, context);\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\nvar axios = createInstance(defaults);\n\n// Expose Axios class to allow class inheritance\naxios.Axios = Axios;\n\n// Expose Cancel & CancelToken\naxios.Cancel = require('./cancel/Cancel');\naxios.CancelToken = require('./cancel/CancelToken');\naxios.isCancel = require('./cancel/isCancel');\naxios.VERSION = require('./env/data').version;\n\n// Expose all/spread\naxios.all = function all(promises) {\n return Promise.all(promises);\n};\naxios.spread = require('./helpers/spread');\n\n// Expose isAxiosError\naxios.isAxiosError = require('./helpers/isAxiosError');\n\nmodule.exports = axios;\n\n// Allow use of default import syntax in TypeScript\nmodule.exports.default = axios;\n","'use strict';\n\n/**\n * A `Cancel` is an object that is thrown when an operation is canceled.\n *\n * @class\n * @param {string=} message The message.\n */\nfunction Cancel(message) {\n this.message = message;\n}\n\nCancel.prototype.toString = function toString() {\n return 'Cancel' + (this.message ? ': ' + this.message : '');\n};\n\nCancel.prototype.__CANCEL__ = true;\n\nmodule.exports = Cancel;\n","'use strict';\n\nvar Cancel = require('./Cancel');\n\n/**\n * A `CancelToken` is an object that can be used to request cancellation of an operation.\n *\n * @class\n * @param {Function} executor The executor function.\n */\nfunction CancelToken(executor) {\n if (typeof executor !== 'function') {\n throw new TypeError('executor must be a function.');\n }\n\n var resolvePromise;\n\n this.promise = new Promise(function promiseExecutor(resolve) {\n resolvePromise = resolve;\n });\n\n var token = this;\n\n // eslint-disable-next-line func-names\n this.promise.then(function(cancel) {\n if (!token._listeners) return;\n\n var i;\n var l = token._listeners.length;\n\n for (i = 0; i < l; i++) {\n token._listeners[i](cancel);\n }\n token._listeners = null;\n });\n\n // eslint-disable-next-line func-names\n this.promise.then = function(onfulfilled) {\n var _resolve;\n // eslint-disable-next-line func-names\n var promise = new Promise(function(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) {\n if (token.reason) {\n // Cancellation has already been requested\n return;\n }\n\n token.reason = new Cancel(message);\n resolvePromise(token.reason);\n });\n}\n\n/**\n * Throws a `Cancel` if cancellation has been requested.\n */\nCancelToken.prototype.throwIfRequested = function throwIfRequested() {\n if (this.reason) {\n throw this.reason;\n }\n};\n\n/**\n * Subscribe to the cancel signal\n */\n\nCancelToken.prototype.subscribe = function 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\nCancelToken.prototype.unsubscribe = function unsubscribe(listener) {\n if (!this._listeners) {\n return;\n }\n var 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 */\nCancelToken.source = function source() {\n var cancel;\n var token = new CancelToken(function executor(c) {\n cancel = c;\n });\n return {\n token: token,\n cancel: cancel\n };\n};\n\nmodule.exports = CancelToken;\n","'use strict';\n\nmodule.exports = function isCancel(value) {\n return !!(value && value.__CANCEL__);\n};\n","'use strict';\n\nvar utils = require('./../utils');\nvar buildURL = require('../helpers/buildURL');\nvar InterceptorManager = require('./InterceptorManager');\nvar dispatchRequest = require('./dispatchRequest');\nvar mergeConfig = require('./mergeConfig');\nvar validator = require('../helpers/validator');\n\nvar validators = validator.validators;\n/**\n * Create a new instance of Axios\n *\n * @param {Object} instanceConfig The default config for the instance\n */\nfunction Axios(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 {Object} config The config specific for this request (merged with this.defaults)\n */\nAxios.prototype.request = function 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 // Set config.method\n if (config.method) {\n config.method = config.method.toLowerCase();\n } else if (this.defaults.method) {\n config.method = this.defaults.method.toLowerCase();\n } else {\n config.method = 'get';\n }\n\n var transitional = config.transitional;\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 // filter out skipped interceptors\n var requestInterceptorChain = [];\n var 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 var responseInterceptorChain = [];\n this.interceptors.response.forEach(function pushResponseInterceptors(interceptor) {\n responseInterceptorChain.push(interceptor.fulfilled, interceptor.rejected);\n });\n\n var promise;\n\n if (!synchronousRequestInterceptors) {\n var chain = [dispatchRequest, undefined];\n\n Array.prototype.unshift.apply(chain, requestInterceptorChain);\n chain = chain.concat(responseInterceptorChain);\n\n promise = Promise.resolve(config);\n while (chain.length) {\n promise = promise.then(chain.shift(), chain.shift());\n }\n\n return promise;\n }\n\n\n var newConfig = config;\n while (requestInterceptorChain.length) {\n var onFulfilled = requestInterceptorChain.shift();\n var onRejected = requestInterceptorChain.shift();\n try {\n newConfig = onFulfilled(newConfig);\n } catch (error) {\n onRejected(error);\n break;\n }\n }\n\n try {\n promise = dispatchRequest(newConfig);\n } catch (error) {\n return Promise.reject(error);\n }\n\n while (responseInterceptorChain.length) {\n promise = promise.then(responseInterceptorChain.shift(), responseInterceptorChain.shift());\n }\n\n return promise;\n};\n\nAxios.prototype.getUri = function getUri(config) {\n config = mergeConfig(this.defaults, config);\n return buildURL(config.url, config.params, config.paramsSerializer).replace(/^\\?/, '');\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: method,\n url: url,\n data: (config || {}).data\n }));\n };\n});\n\nutils.forEach(['post', 'put', 'patch'], function forEachMethodWithData(method) {\n /*eslint func-names:0*/\n Axios.prototype[method] = function(url, data, config) {\n return this.request(mergeConfig(config || {}, {\n method: method,\n url: url,\n data: data\n }));\n };\n});\n\nmodule.exports = Axios;\n","'use strict';\n\nvar utils = require('./../utils');\n\nfunction InterceptorManager() {\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 */\nInterceptorManager.prototype.use = function use(fulfilled, rejected, options) {\n this.handlers.push({\n fulfilled: fulfilled,\n rejected: 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 */\nInterceptorManager.prototype.eject = function eject(id) {\n if (this.handlers[id]) {\n this.handlers[id] = null;\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 */\nInterceptorManager.prototype.forEach = function forEach(fn) {\n utils.forEach(this.handlers, function forEachHandler(h) {\n if (h !== null) {\n fn(h);\n }\n });\n};\n\nmodule.exports = InterceptorManager;\n","'use strict';\n\nvar isAbsoluteURL = require('../helpers/isAbsoluteURL');\nvar combineURLs = require('../helpers/combineURLs');\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 * @returns {string} The combined full path\n */\nmodule.exports = function buildFullPath(baseURL, requestedURL) {\n if (baseURL && !isAbsoluteURL(requestedURL)) {\n return combineURLs(baseURL, requestedURL);\n }\n return requestedURL;\n};\n","'use strict';\n\nvar enhanceError = require('./enhanceError');\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 {Object} config The config.\n * @param {string} [code] The error code (for example, 'ECONNABORTED').\n * @param {Object} [request] The request.\n * @param {Object} [response] The response.\n * @returns {Error} The created error.\n */\nmodule.exports = function createError(message, config, code, request, response) {\n var error = new Error(message);\n return enhanceError(error, config, code, request, response);\n};\n","'use strict';\n\nvar utils = require('./../utils');\nvar transformData = require('./transformData');\nvar isCancel = require('../cancel/isCancel');\nvar defaults = require('../defaults');\nvar Cancel = require('../cancel/Cancel');\n\n/**\n * Throws a `Cancel` if cancellation has been requested.\n */\nfunction throwIfCancellationRequested(config) {\n if (config.cancelToken) {\n config.cancelToken.throwIfRequested();\n }\n\n if (config.signal && config.signal.aborted) {\n throw new Cancel('canceled');\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 * @returns {Promise} The Promise to be fulfilled\n */\nmodule.exports = function dispatchRequest(config) {\n throwIfCancellationRequested(config);\n\n // Ensure headers exist\n config.headers = config.headers || {};\n\n // Transform request data\n config.data = transformData.call(\n config,\n config.data,\n config.headers,\n config.transformRequest\n );\n\n // Flatten headers\n config.headers = utils.merge(\n config.headers.common || {},\n config.headers[config.method] || {},\n config.headers\n );\n\n utils.forEach(\n ['delete', 'get', 'head', 'post', 'put', 'patch', 'common'],\n function cleanHeaderConfig(method) {\n delete config.headers[method];\n }\n );\n\n var adapter = 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 response.data,\n response.headers,\n config.transformResponse\n );\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 reason.response.data,\n reason.response.headers,\n config.transformResponse\n );\n }\n }\n\n return Promise.reject(reason);\n });\n};\n","'use strict';\n\n/**\n * Update an Error with the specified config, error code, and response.\n *\n * @param {Error} error The error to update.\n * @param {Object} config The config.\n * @param {string} [code] The error code (for example, 'ECONNABORTED').\n * @param {Object} [request] The request.\n * @param {Object} [response] The response.\n * @returns {Error} The error.\n */\nmodule.exports = function enhanceError(error, config, code, request, response) {\n error.config = config;\n if (code) {\n error.code = code;\n }\n\n error.request = request;\n error.response = response;\n error.isAxiosError = true;\n\n error.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: this.config,\n code: this.code,\n status: this.response && this.response.status ? this.response.status : null\n };\n };\n return error;\n};\n","'use strict';\n\nvar utils = require('../utils');\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 * @returns {Object} New object resulting from merging config2 to config1\n */\nmodule.exports = function mergeConfig(config1, config2) {\n // eslint-disable-next-line no-param-reassign\n config2 = config2 || {};\n var config = {};\n\n function getMergedValue(target, source) {\n if (utils.isPlainObject(target) && utils.isPlainObject(source)) {\n return utils.merge(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(prop) {\n if (!utils.isUndefined(config2[prop])) {\n return getMergedValue(config1[prop], config2[prop]);\n } else if (!utils.isUndefined(config1[prop])) {\n return getMergedValue(undefined, config1[prop]);\n }\n }\n\n // eslint-disable-next-line consistent-return\n function valueFromConfig2(prop) {\n if (!utils.isUndefined(config2[prop])) {\n return getMergedValue(undefined, config2[prop]);\n }\n }\n\n // eslint-disable-next-line consistent-return\n function defaultToConfig2(prop) {\n if (!utils.isUndefined(config2[prop])) {\n return getMergedValue(undefined, config2[prop]);\n } else if (!utils.isUndefined(config1[prop])) {\n return getMergedValue(undefined, config1[prop]);\n }\n }\n\n // eslint-disable-next-line consistent-return\n function mergeDirectKeys(prop) {\n if (prop in config2) {\n return getMergedValue(config1[prop], config2[prop]);\n } else if (prop in config1) {\n return getMergedValue(undefined, config1[prop]);\n }\n }\n\n var 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 'transport': defaultToConfig2,\n 'httpAgent': defaultToConfig2,\n 'httpsAgent': defaultToConfig2,\n 'cancelToken': defaultToConfig2,\n 'socketPath': defaultToConfig2,\n 'responseEncoding': defaultToConfig2,\n 'validateStatus': mergeDirectKeys\n };\n\n utils.forEach(Object.keys(config1).concat(Object.keys(config2)), function computeConfigValue(prop) {\n var merge = mergeMap[prop] || mergeDeepProperties;\n var configValue = merge(prop);\n (utils.isUndefined(configValue) && merge !== mergeDirectKeys) || (config[prop] = configValue);\n });\n\n return config;\n};\n","'use strict';\n\nvar createError = require('./createError');\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 */\nmodule.exports = function settle(resolve, reject, response) {\n var validateStatus = response.config.validateStatus;\n if (!response.status || !validateStatus || validateStatus(response.status)) {\n resolve(response);\n } else {\n reject(createError(\n 'Request failed with status code ' + response.status,\n response.config,\n null,\n response.request,\n response\n ));\n }\n};\n","'use strict';\n\nvar utils = require('./../utils');\nvar defaults = require('../defaults');\n\n/**\n * Transform the data for a request or a response\n *\n * @param {Object|String} data The data to be transformed\n * @param {Array} headers The headers for the request or response\n * @param {Array|Function} fns A single function or Array of functions\n * @returns {*} The resulting transformed data\n */\nmodule.exports = function transformData(data, headers, fns) {\n var context = this || defaults;\n /*eslint no-param-reassign:0*/\n utils.forEach(fns, function transform(fn) {\n data = fn.call(context, data, headers);\n });\n\n return data;\n};\n","'use strict';\n\nvar utils = require('../utils');\nvar normalizeHeaderName = require('../helpers/normalizeHeaderName');\nvar enhanceError = require('../core/enhanceError');\nvar transitionalDefaults = require('./transitional');\n\nvar DEFAULT_CONTENT_TYPE = {\n 'Content-Type': 'application/x-www-form-urlencoded'\n};\n\nfunction setContentTypeIfUnset(headers, value) {\n if (!utils.isUndefined(headers) && utils.isUndefined(headers['Content-Type'])) {\n headers['Content-Type'] = value;\n }\n}\n\nfunction getDefaultAdapter() {\n var adapter;\n if (typeof XMLHttpRequest !== 'undefined') {\n // For browsers use XHR adapter\n adapter = require('../adapters/xhr');\n } else if (typeof process !== 'undefined' && Object.prototype.toString.call(process) === '[object process]') {\n // For node use HTTP adapter\n adapter = require('../adapters/http');\n }\n return adapter;\n}\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\nvar defaults = {\n\n transitional: transitionalDefaults,\n\n adapter: getDefaultAdapter(),\n\n transformRequest: [function transformRequest(data, headers) {\n normalizeHeaderName(headers, 'Accept');\n normalizeHeaderName(headers, 'Content-Type');\n\n if (utils.isFormData(data) ||\n 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 setContentTypeIfUnset(headers, 'application/x-www-form-urlencoded;charset=utf-8');\n return data.toString();\n }\n if (utils.isObject(data) || (headers && headers['Content-Type'] === 'application/json')) {\n setContentTypeIfUnset(headers, 'application/json');\n return stringifySafely(data);\n }\n return data;\n }],\n\n transformResponse: [function transformResponse(data) {\n var transitional = this.transitional || defaults.transitional;\n var silentJSONParsing = transitional && transitional.silentJSONParsing;\n var forcedJSONParsing = transitional && transitional.forcedJSONParsing;\n var strictJSONParsing = !silentJSONParsing && this.responseType === 'json';\n\n if (strictJSONParsing || (forcedJSONParsing && utils.isString(data) && data.length)) {\n try {\n return JSON.parse(data);\n } catch (e) {\n if (strictJSONParsing) {\n if (e.name === 'SyntaxError') {\n throw enhanceError(e, this, 'E_JSON_PARSE');\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 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\nmodule.exports = defaults;\n","'use strict';\n\nmodule.exports = {\n silentJSONParsing: true,\n forcedJSONParsing: true,\n clarifyTimeoutError: false\n};\n","module.exports = {\n \"version\": \"0.26.1\"\n};","'use strict';\n\nmodule.exports = function bind(fn, thisArg) {\n return function wrap() {\n var args = new Array(arguments.length);\n for (var i = 0; i < args.length; i++) {\n args[i] = arguments[i];\n }\n return fn.apply(thisArg, args);\n };\n};\n","'use strict';\n\nvar utils = require('./../utils');\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 * @returns {string} The formatted url\n */\nmodule.exports = function buildURL(url, params, paramsSerializer) {\n /*eslint no-param-reassign:0*/\n if (!params) {\n return url;\n }\n\n var serializedParams;\n if (paramsSerializer) {\n serializedParams = paramsSerializer(params);\n } else if (utils.isURLSearchParams(params)) {\n serializedParams = params.toString();\n } else {\n var parts = [];\n\n utils.forEach(params, function serialize(val, key) {\n if (val === null || typeof val === 'undefined') {\n return;\n }\n\n if (utils.isArray(val)) {\n key = key + '[]';\n } else {\n val = [val];\n }\n\n utils.forEach(val, function parseValue(v) {\n if (utils.isDate(v)) {\n v = v.toISOString();\n } else if (utils.isObject(v)) {\n v = JSON.stringify(v);\n }\n parts.push(encode(key) + '=' + encode(v));\n });\n });\n\n serializedParams = parts.join('&');\n }\n\n if (serializedParams) {\n var hashmarkIndex = url.indexOf('#');\n if (hashmarkIndex !== -1) {\n url = url.slice(0, hashmarkIndex);\n }\n\n url += (url.indexOf('?') === -1 ? '?' : '&') + serializedParams;\n }\n\n return 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 * @returns {string} The combined URL\n */\nmodule.exports = function combineURLs(baseURL, relativeURL) {\n return relativeURL\n ? baseURL.replace(/\\/+$/, '') + '/' + relativeURL.replace(/^\\/+/, '')\n : baseURL;\n};\n","'use strict';\n\nvar utils = require('./../utils');\n\nmodule.exports = (\n utils.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 var 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 var 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);\n","'use strict';\n\n/**\n * Determines whether the specified URL is absolute\n *\n * @param {string} url The URL to test\n * @returns {boolean} True if the specified URL is absolute, otherwise false\n */\nmodule.exports = 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\nvar utils = require('./../utils');\n\n/**\n * Determines whether the payload is an error thrown by Axios\n *\n * @param {*} payload The value to test\n * @returns {boolean} True if the payload is an error thrown by Axios, otherwise false\n */\nmodule.exports = function isAxiosError(payload) {\n return utils.isObject(payload) && (payload.isAxiosError === true);\n};\n","'use strict';\n\nvar utils = require('./../utils');\n\nmodule.exports = (\n utils.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 var msie = /(msie|trident)/i.test(navigator.userAgent);\n var urlParsingNode = document.createElement('a');\n var 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 var 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 var 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);\n","'use strict';\n\nvar utils = require('../utils');\n\nmodule.exports = function normalizeHeaderName(headers, normalizedName) {\n utils.forEach(headers, function processHeader(value, name) {\n if (name !== normalizedName && name.toUpperCase() === normalizedName.toUpperCase()) {\n headers[normalizedName] = value;\n delete headers[name];\n }\n });\n};\n","'use strict';\n\nvar utils = require('./../utils');\n\n// Headers whose duplicates are ignored by node\n// c.f. https://nodejs.org/api/http.html#http_message_headers\nvar ignoreDuplicateOf = [\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} headers Headers needing to be parsed\n * @returns {Object} Headers parsed into an object\n */\nmodule.exports = function parseHeaders(headers) {\n var parsed = {};\n var key;\n var val;\n var i;\n\n if (!headers) { return parsed; }\n\n utils.forEach(headers.split('\\n'), function parser(line) {\n i = line.indexOf(':');\n key = utils.trim(line.substr(0, i)).toLowerCase();\n val = utils.trim(line.substr(i + 1));\n\n if (key) {\n if (parsed[key] && ignoreDuplicateOf.indexOf(key) >= 0) {\n return;\n }\n if (key === 'set-cookie') {\n parsed[key] = (parsed[key] ? parsed[key] : []).concat([val]);\n } else {\n parsed[key] = parsed[key] ? parsed[key] + ', ' + val : val;\n }\n }\n });\n\n return parsed;\n};\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 * @returns {Function}\n */\nmodule.exports = function spread(callback) {\n return function wrap(arr) {\n return callback.apply(null, arr);\n };\n};\n","'use strict';\n\nvar VERSION = require('../env/data').version;\n\nvar validators = {};\n\n// eslint-disable-next-line func-names\n['object', 'boolean', 'number', 'function', 'string', 'symbol'].forEach(function(type, i) {\n validators[type] = function validator(thing) {\n return typeof thing === type || 'a' + (i < 1 ? 'n ' : ' ') + type;\n };\n});\n\nvar deprecatedWarnings = {};\n\n/**\n * Transitional option validator\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 * @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 function(value, opt, opts) {\n if (validator === false) {\n throw new Error(formatMessage(opt, ' has been removed' + (version ? ' in ' + version : '')));\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 * @param {object} options\n * @param {object} schema\n * @param {boolean?} allowUnknown\n */\n\nfunction assertOptions(options, schema, allowUnknown) {\n if (typeof options !== 'object') {\n throw new TypeError('options must be an object');\n }\n var keys = Object.keys(options);\n var i = keys.length;\n while (i-- > 0) {\n var opt = keys[i];\n var validator = schema[opt];\n if (validator) {\n var value = options[opt];\n var result = value === undefined || validator(value, opt, options);\n if (result !== true) {\n throw new TypeError('option ' + opt + ' must be ' + result);\n }\n continue;\n }\n if (allowUnknown !== true) {\n throw Error('Unknown option ' + opt);\n }\n }\n}\n\nmodule.exports = {\n assertOptions: assertOptions,\n validators: validators\n};\n","'use strict';\n\nvar bind = require('./helpers/bind');\n\n// utils is a library of generic helper functions non-specific to axios\n\nvar toString = Object.prototype.toString;\n\n/**\n * Determine if a value is an Array\n *\n * @param {Object} val The value to test\n * @returns {boolean} True if value is an Array, otherwise false\n */\nfunction isArray(val) {\n return Array.isArray(val);\n}\n\n/**\n * Determine if a value is undefined\n *\n * @param {Object} val The value to test\n * @returns {boolean} True if the value is undefined, otherwise false\n */\nfunction isUndefined(val) {\n return typeof val === 'undefined';\n}\n\n/**\n * Determine if a value is a Buffer\n *\n * @param {Object} val The value to test\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 && typeof val.constructor.isBuffer === 'function' && val.constructor.isBuffer(val);\n}\n\n/**\n * Determine if a value is an ArrayBuffer\n *\n * @param {Object} val The value to test\n * @returns {boolean} True if value is an ArrayBuffer, otherwise false\n */\nfunction isArrayBuffer(val) {\n return toString.call(val) === '[object ArrayBuffer]';\n}\n\n/**\n * Determine if a value is a FormData\n *\n * @param {Object} val The value to test\n * @returns {boolean} True if value is an FormData, otherwise false\n */\nfunction isFormData(val) {\n return toString.call(val) === '[object FormData]';\n}\n\n/**\n * Determine if a value is a view on an ArrayBuffer\n *\n * @param {Object} val The value to test\n * @returns {boolean} True if value is a view on an ArrayBuffer, otherwise false\n */\nfunction isArrayBufferView(val) {\n var 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 {Object} val The value to test\n * @returns {boolean} True if value is a String, otherwise false\n */\nfunction isString(val) {\n return typeof val === 'string';\n}\n\n/**\n * Determine if a value is a Number\n *\n * @param {Object} val The value to test\n * @returns {boolean} True if value is a Number, otherwise false\n */\nfunction isNumber(val) {\n return typeof val === 'number';\n}\n\n/**\n * Determine if a value is an Object\n *\n * @param {Object} val The value to test\n * @returns {boolean} True if value is an Object, otherwise false\n */\nfunction isObject(val) {\n return val !== null && typeof val === 'object';\n}\n\n/**\n * Determine if a value is a plain Object\n *\n * @param {Object} val The value to test\n * @return {boolean} True if value is a plain Object, otherwise false\n */\nfunction isPlainObject(val) {\n if (toString.call(val) !== '[object Object]') {\n return false;\n }\n\n var prototype = Object.getPrototypeOf(val);\n return prototype === null || prototype === Object.prototype;\n}\n\n/**\n * Determine if a value is a Date\n *\n * @param {Object} val The value to test\n * @returns {boolean} True if value is a Date, otherwise false\n */\nfunction isDate(val) {\n return toString.call(val) === '[object Date]';\n}\n\n/**\n * Determine if a value is a File\n *\n * @param {Object} val The value to test\n * @returns {boolean} True if value is a File, otherwise false\n */\nfunction isFile(val) {\n return toString.call(val) === '[object File]';\n}\n\n/**\n * Determine if a value is a Blob\n *\n * @param {Object} val The value to test\n * @returns {boolean} True if value is a Blob, otherwise false\n */\nfunction isBlob(val) {\n return toString.call(val) === '[object Blob]';\n}\n\n/**\n * Determine if a value is a Function\n *\n * @param {Object} val The value to test\n * @returns {boolean} True if value is a Function, otherwise false\n */\nfunction isFunction(val) {\n return toString.call(val) === '[object Function]';\n}\n\n/**\n * Determine if a value is a Stream\n *\n * @param {Object} val The value to test\n * @returns {boolean} True if value is a Stream, otherwise false\n */\nfunction isStream(val) {\n return isObject(val) && isFunction(val.pipe);\n}\n\n/**\n * Determine if a value is a URLSearchParams object\n *\n * @param {Object} val The value to test\n * @returns {boolean} True if value is a URLSearchParams object, otherwise false\n */\nfunction isURLSearchParams(val) {\n return toString.call(val) === '[object URLSearchParams]';\n}\n\n/**\n * Trim excess whitespace off the beginning and end of a string\n *\n * @param {String} str The String to trim\n * @returns {String} The String freed of excess whitespace\n */\nfunction trim(str) {\n return str.trim ? str.trim() : str.replace(/^\\s+|\\s+$/g, '');\n}\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 */\nfunction isStandardBrowserEnv() {\n if (typeof navigator !== 'undefined' && (navigator.product === 'ReactNative' ||\n navigator.product === 'NativeScript' ||\n navigator.product === 'NS')) {\n return false;\n }\n return (\n typeof window !== 'undefined' &&\n typeof document !== 'undefined'\n );\n}\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 */\nfunction forEach(obj, fn) {\n // Don't bother if no value provided\n if (obj === null || typeof obj === 'undefined') {\n return;\n }\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 (var 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 for (var key in obj) {\n if (Object.prototype.hasOwnProperty.call(obj, key)) {\n fn.call(null, obj[key], key, obj);\n }\n }\n }\n}\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 * @returns {Object} Result of all merge properties\n */\nfunction merge(/* obj1, obj2, obj3, ... */) {\n var result = {};\n function assignValue(val, key) {\n if (isPlainObject(result[key]) && isPlainObject(val)) {\n result[key] = merge(result[key], val);\n } else if (isPlainObject(val)) {\n result[key] = merge({}, val);\n } else if (isArray(val)) {\n result[key] = val.slice();\n } else {\n result[key] = val;\n }\n }\n\n for (var i = 0, l = arguments.length; i < l; i++) {\n 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 * @return {Object} The resulting value of object a\n */\nfunction extend(a, b, thisArg) {\n forEach(b, function assignValue(val, key) {\n if (thisArg && typeof val === 'function') {\n a[key] = bind(val, thisArg);\n } else {\n a[key] = val;\n }\n });\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 * @return {string} content value without BOM\n */\nfunction stripBOM(content) {\n if (content.charCodeAt(0) === 0xFEFF) {\n content = content.slice(1);\n }\n return content;\n}\n\nmodule.exports = {\n isArray: isArray,\n isArrayBuffer: isArrayBuffer,\n isBuffer: isBuffer,\n isFormData: isFormData,\n isArrayBufferView: isArrayBufferView,\n isString: isString,\n isNumber: isNumber,\n isObject: isObject,\n isPlainObject: isPlainObject,\n isUndefined: isUndefined,\n isDate: isDate,\n isFile: isFile,\n isBlob: isBlob,\n isFunction: isFunction,\n isStream: isStream,\n isURLSearchParams: isURLSearchParams,\n isStandardBrowserEnv: isStandardBrowserEnv,\n forEach: forEach,\n merge: merge,\n extend: extend,\n trim: trim,\n stripBOM: stripBOM\n};\n","/*!\n Copyright (c) 2018 Jed Watson.\n Licensed under the MIT License (MIT), see\n http://jedwatson.github.io/classnames\n*/\n/* global define */\n\n(function () {\n\t'use strict';\n\n\tvar hasOwn = {}.hasOwnProperty;\n\n\tfunction classNames() {\n\t\tvar classes = [];\n\n\t\tfor (var i = 0; i < arguments.length; i++) {\n\t\t\tvar arg = arguments[i];\n\t\t\tif (!arg) continue;\n\n\t\t\tvar argType = typeof arg;\n\n\t\t\tif (argType === 'string' || argType === 'number') {\n\t\t\t\tclasses.push(arg);\n\t\t\t} else if (Array.isArray(arg)) {\n\t\t\t\tif (arg.length) {\n\t\t\t\t\tvar inner = classNames.apply(null, arg);\n\t\t\t\t\tif (inner) {\n\t\t\t\t\t\tclasses.push(inner);\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t} else if (argType === 'object') {\n\t\t\t\tif (arg.toString === Object.prototype.toString) {\n\t\t\t\t\tfor (var key in arg) {\n\t\t\t\t\t\tif (hasOwn.call(arg, key) && arg[key]) {\n\t\t\t\t\t\t\tclasses.push(key);\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t} else {\n\t\t\t\t\tclasses.push(arg.toString());\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\treturn classes.join(' ');\n\t}\n\n\tif (typeof module !== 'undefined' && module.exports) {\n\t\tclassNames.default = classNames;\n\t\tmodule.exports = classNames;\n\t} else if (typeof define === 'function' && typeof define.amd === 'object' && define.amd) {\n\t\t// register as 'classnames', consistent with npm package name\n\t\tdefine('classnames', [], function () {\n\t\t\treturn classNames;\n\t\t});\n\t} else {\n\t\twindow.classNames = classNames;\n\t}\n}());\n","export default function buildFormatLongFn(args) {\n return function () {\n var options = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {};\n // TODO: Remove String()\n var width = options.width ? String(options.width) : args.defaultWidth;\n var format = args.formats[width] || args.formats[args.defaultWidth];\n return format;\n };\n}","export default function buildLocalizeFn(args) {\n return function (dirtyIndex, options) {\n var context = options !== null && options !== void 0 && options.context ? String(options.context) : 'standalone';\n var valuesArray;\n\n if (context === 'formatting' && args.formattingValues) {\n var defaultWidth = args.defaultFormattingWidth || args.defaultWidth;\n var width = options !== null && options !== void 0 && options.width ? String(options.width) : defaultWidth;\n valuesArray = args.formattingValues[width] || args.formattingValues[defaultWidth];\n } else {\n var _defaultWidth = args.defaultWidth;\n\n var _width = options !== null && options !== void 0 && options.width ? String(options.width) : args.defaultWidth;\n\n valuesArray = args.values[_width] || args.values[_defaultWidth];\n }\n\n var index = args.argumentCallback ? args.argumentCallback(dirtyIndex) : dirtyIndex; // @ts-ignore: For some reason TypeScript just don't want to match it, no matter how hard we try. I challenge you to try to remove it!\n\n return valuesArray[index];\n };\n}","export default function buildMatchFn(args) {\n return function (string) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var width = options.width;\n var matchPattern = width && args.matchPatterns[width] || args.matchPatterns[args.defaultMatchWidth];\n var matchResult = string.match(matchPattern);\n\n if (!matchResult) {\n return null;\n }\n\n var matchedString = matchResult[0];\n var parsePatterns = width && args.parsePatterns[width] || args.parsePatterns[args.defaultParseWidth];\n var key = Array.isArray(parsePatterns) ? findIndex(parsePatterns, function (pattern) {\n return pattern.test(matchedString);\n }) : findKey(parsePatterns, function (pattern) {\n return pattern.test(matchedString);\n });\n var value;\n value = args.valueCallback ? args.valueCallback(key) : key;\n value = options.valueCallback ? options.valueCallback(value) : value;\n var rest = string.slice(matchedString.length);\n return {\n value: value,\n rest: rest\n };\n };\n}\n\nfunction findKey(object, predicate) {\n for (var key in object) {\n if (object.hasOwnProperty(key) && predicate(object[key])) {\n return key;\n }\n }\n\n return undefined;\n}\n\nfunction findIndex(array, predicate) {\n for (var key = 0; key < array.length; key++) {\n if (predicate(array[key])) {\n return key;\n }\n }\n\n return undefined;\n}","export default function buildMatchPatternFn(args) {\n return function (string) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var matchResult = string.match(args.matchPattern);\n if (!matchResult) return null;\n var matchedString = matchResult[0];\n var parseResult = string.match(args.parsePattern);\n if (!parseResult) return null;\n var value = args.valueCallback ? args.valueCallback(parseResult[0]) : parseResult[0];\n value = options.valueCallback ? options.valueCallback(value) : value;\n var rest = string.slice(matchedString.length);\n return {\n value: value,\n rest: rest\n };\n };\n}","var formatDistanceLocale = {\n lessThanXSeconds: {\n one: 'menos de um segundo',\n other: 'menos de {{count}} segundos'\n },\n xSeconds: {\n one: '1 segundo',\n other: '{{count}} segundos'\n },\n halfAMinute: 'meio minuto',\n lessThanXMinutes: {\n one: 'menos de um minuto',\n other: 'menos de {{count}} minutos'\n },\n xMinutes: {\n one: '1 minuto',\n other: '{{count}} minutos'\n },\n aboutXHours: {\n one: 'cerca de 1 hora',\n other: 'cerca de {{count}} horas'\n },\n xHours: {\n one: '1 hora',\n other: '{{count}} horas'\n },\n xDays: {\n one: '1 dia',\n other: '{{count}} dias'\n },\n aboutXWeeks: {\n one: 'cerca de 1 semana',\n other: 'cerca de {{count}} semanas'\n },\n xWeeks: {\n one: '1 semana',\n other: '{{count}} semanas'\n },\n aboutXMonths: {\n one: 'cerca de 1 mês',\n other: 'cerca de {{count}} meses'\n },\n xMonths: {\n one: '1 mês',\n other: '{{count}} meses'\n },\n aboutXYears: {\n one: 'cerca de 1 ano',\n other: 'cerca de {{count}} anos'\n },\n xYears: {\n one: '1 ano',\n other: '{{count}} anos'\n },\n overXYears: {\n one: 'mais de 1 ano',\n other: 'mais de {{count}} anos'\n },\n almostXYears: {\n one: 'quase 1 ano',\n other: 'quase {{count}} anos'\n }\n};\n\nvar formatDistance = function formatDistance(token, count, options) {\n var result;\n var tokenValue = formatDistanceLocale[token];\n\n if (typeof tokenValue === 'string') {\n result = tokenValue;\n } else if (count === 1) {\n result = tokenValue.one;\n } else {\n result = tokenValue.other.replace('{{count}}', String(count));\n }\n\n if (options !== null && options !== void 0 && options.addSuffix) {\n if (options.comparison && options.comparison > 0) {\n return 'em ' + result;\n } else {\n return 'há ' + result;\n }\n }\n\n return result;\n};\n\nexport default formatDistance;","import buildFormatLongFn from \"../../../_lib/buildFormatLongFn/index.js\";\nvar dateFormats = {\n full: \"EEEE, d 'de' MMMM 'de' y\",\n long: \"d 'de' MMMM 'de' y\",\n medium: 'd MMM y',\n short: 'dd/MM/yyyy'\n};\nvar timeFormats = {\n full: 'HH:mm:ss zzzz',\n long: 'HH:mm:ss z',\n medium: 'HH:mm:ss',\n short: 'HH:mm'\n};\nvar dateTimeFormats = {\n full: \"{{date}} 'às' {{time}}\",\n long: \"{{date}} 'às' {{time}}\",\n medium: '{{date}}, {{time}}',\n short: '{{date}}, {{time}}'\n};\nvar formatLong = {\n date: buildFormatLongFn({\n formats: dateFormats,\n defaultWidth: 'full'\n }),\n time: buildFormatLongFn({\n formats: timeFormats,\n defaultWidth: 'full'\n }),\n dateTime: buildFormatLongFn({\n formats: dateTimeFormats,\n defaultWidth: 'full'\n })\n};\nexport default formatLong;","var formatRelativeLocale = {\n lastWeek: function lastWeek(date) {\n var weekday = date.getUTCDay();\n var last = weekday === 0 || weekday === 6 ? 'último' : 'última';\n return \"'\" + last + \"' eeee 'às' p\";\n },\n yesterday: \"'ontem às' p\",\n today: \"'hoje às' p\",\n tomorrow: \"'amanhã às' p\",\n nextWeek: \"eeee 'às' p\",\n other: 'P'\n};\n\nvar formatRelative = function formatRelative(token, date, _baseDate, _options) {\n var format = formatRelativeLocale[token];\n\n if (typeof format === 'function') {\n return format(date);\n }\n\n return format;\n};\n\nexport default formatRelative;","import buildLocalizeFn from \"../../../_lib/buildLocalizeFn/index.js\";\nvar eraValues = {\n narrow: ['AC', 'DC'],\n abbreviated: ['AC', 'DC'],\n wide: ['antes de cristo', 'depois de cristo']\n};\nvar quarterValues = {\n narrow: ['1', '2', '3', '4'],\n abbreviated: ['T1', 'T2', 'T3', 'T4'],\n wide: ['1º trimestre', '2º trimestre', '3º trimestre', '4º trimestre']\n};\nvar monthValues = {\n narrow: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'],\n abbreviated: ['jan', 'fev', 'mar', 'abr', 'mai', 'jun', 'jul', 'ago', 'set', 'out', 'nov', 'dez'],\n wide: ['janeiro', 'fevereiro', 'março', 'abril', 'maio', 'junho', 'julho', 'agosto', 'setembro', 'outubro', 'novembro', 'dezembro']\n};\nvar dayValues = {\n narrow: ['D', 'S', 'T', 'Q', 'Q', 'S', 'S'],\n short: ['dom', 'seg', 'ter', 'qua', 'qui', 'sex', 'sab'],\n abbreviated: ['domingo', 'segunda', 'terça', 'quarta', 'quinta', 'sexta', 'sábado'],\n wide: ['domingo', 'segunda-feira', 'terça-feira', 'quarta-feira', 'quinta-feira', 'sexta-feira', 'sábado']\n};\nvar dayPeriodValues = {\n narrow: {\n am: 'a',\n pm: 'p',\n midnight: 'mn',\n noon: 'md',\n morning: 'manhã',\n afternoon: 'tarde',\n evening: 'tarde',\n night: 'noite'\n },\n abbreviated: {\n am: 'AM',\n pm: 'PM',\n midnight: 'meia-noite',\n noon: 'meio-dia',\n morning: 'manhã',\n afternoon: 'tarde',\n evening: 'tarde',\n night: 'noite'\n },\n wide: {\n am: 'a.m.',\n pm: 'p.m.',\n midnight: 'meia-noite',\n noon: 'meio-dia',\n morning: 'manhã',\n afternoon: 'tarde',\n evening: 'tarde',\n night: 'noite'\n }\n};\nvar formattingDayPeriodValues = {\n narrow: {\n am: 'a',\n pm: 'p',\n midnight: 'mn',\n noon: 'md',\n morning: 'da manhã',\n afternoon: 'da tarde',\n evening: 'da tarde',\n night: 'da noite'\n },\n abbreviated: {\n am: 'AM',\n pm: 'PM',\n midnight: 'meia-noite',\n noon: 'meio-dia',\n morning: 'da manhã',\n afternoon: 'da tarde',\n evening: 'da tarde',\n night: 'da noite'\n },\n wide: {\n am: 'a.m.',\n pm: 'p.m.',\n midnight: 'meia-noite',\n noon: 'meio-dia',\n morning: 'da manhã',\n afternoon: 'da tarde',\n evening: 'da tarde',\n night: 'da noite'\n }\n};\n\nvar ordinalNumber = function ordinalNumber(dirtyNumber, options) {\n var number = Number(dirtyNumber);\n\n if ((options === null || options === void 0 ? void 0 : options.unit) === 'week') {\n return number + 'ª';\n }\n\n return number + 'º';\n};\n\nvar localize = {\n ordinalNumber: ordinalNumber,\n era: buildLocalizeFn({\n values: eraValues,\n defaultWidth: 'wide'\n }),\n quarter: buildLocalizeFn({\n values: quarterValues,\n defaultWidth: 'wide',\n argumentCallback: function argumentCallback(quarter) {\n return quarter - 1;\n }\n }),\n month: buildLocalizeFn({\n values: monthValues,\n defaultWidth: 'wide'\n }),\n day: buildLocalizeFn({\n values: dayValues,\n defaultWidth: 'wide'\n }),\n dayPeriod: buildLocalizeFn({\n values: dayPeriodValues,\n defaultWidth: 'wide',\n formattingValues: formattingDayPeriodValues,\n defaultFormattingWidth: 'wide'\n })\n};\nexport default localize;","import formatDistance from \"./_lib/formatDistance/index.js\";\nimport formatLong from \"./_lib/formatLong/index.js\";\nimport formatRelative from \"./_lib/formatRelative/index.js\";\nimport localize from \"./_lib/localize/index.js\";\nimport match from \"./_lib/match/index.js\";\n/**\n * @type {Locale}\n * @category Locales\n * @summary Portuguese locale (Brazil).\n * @language Portuguese\n * @iso-639-2 por\n * @author Lucas Duailibe [@duailibe]{@link https://github.com/duailibe}\n * @author Yago Carballo [@yagocarballo]{@link https://github.com/YagoCarballo}\n */\n\nvar locale = {\n code: 'pt-BR',\n formatDistance: formatDistance,\n formatLong: formatLong,\n formatRelative: formatRelative,\n localize: localize,\n match: match,\n options: {\n weekStartsOn: 0\n /* Sunday */\n ,\n firstWeekContainsDate: 1\n }\n};\nexport default locale;","import buildMatchFn from \"../../../_lib/buildMatchFn/index.js\";\nimport buildMatchPatternFn from \"../../../_lib/buildMatchPatternFn/index.js\";\nvar matchOrdinalNumberPattern = /^(\\d+)[ºªo]?/i;\nvar parseOrdinalNumberPattern = /\\d+/i;\nvar matchEraPatterns = {\n narrow: /^(ac|dc|a|d)/i,\n abbreviated: /^(a\\.?\\s?c\\.?|d\\.?\\s?c\\.?)/i,\n wide: /^(antes de cristo|depois de cristo)/i\n};\nvar parseEraPatterns = {\n any: [/^ac/i, /^dc/i],\n wide: [/^antes de cristo/i, /^depois de cristo/i]\n};\nvar matchQuarterPatterns = {\n narrow: /^[1234]/i,\n abbreviated: /^T[1234]/i,\n wide: /^[1234](º)? trimestre/i\n};\nvar parseQuarterPatterns = {\n any: [/1/i, /2/i, /3/i, /4/i]\n};\nvar matchMonthPatterns = {\n narrow: /^[jfmajsond]/i,\n abbreviated: /^(jan|fev|mar|abr|mai|jun|jul|ago|set|out|nov|dez)/i,\n wide: /^(janeiro|fevereiro|março|abril|maio|junho|julho|agosto|setembro|outubro|novembro|dezembro)/i\n};\nvar parseMonthPatterns = {\n narrow: [/^j/i, /^f/i, /^m/i, /^a/i, /^m/i, /^j/i, /^j/i, /^a/i, /^s/i, /^o/i, /^n/i, /^d/i],\n any: [/^ja/i, /^fev/i, /^mar/i, /^abr/i, /^mai/i, /^jun/i, /^jul/i, /^ago/i, /^set/i, /^out/i, /^nov/i, /^dez/i]\n};\nvar matchDayPatterns = {\n narrow: /^(dom|[23456]ª?|s[aá]b)/i,\n short: /^(dom|[23456]ª?|s[aá]b)/i,\n abbreviated: /^(dom|seg|ter|qua|qui|sex|s[aá]b)/i,\n wide: /^(domingo|(segunda|ter[cç]a|quarta|quinta|sexta)([- ]feira)?|s[aá]bado)/i\n};\nvar parseDayPatterns = {\n short: [/^d/i, /^2/i, /^3/i, /^4/i, /^5/i, /^6/i, /^s[aá]/i],\n narrow: [/^d/i, /^2/i, /^3/i, /^4/i, /^5/i, /^6/i, /^s[aá]/i],\n any: [/^d/i, /^seg/i, /^t/i, /^qua/i, /^qui/i, /^sex/i, /^s[aá]b/i]\n};\nvar matchDayPeriodPatterns = {\n narrow: /^(a|p|mn|md|(da) (manhã|tarde|noite))/i,\n any: /^([ap]\\.?\\s?m\\.?|meia[-\\s]noite|meio[-\\s]dia|(da) (manhã|tarde|noite))/i\n};\nvar parseDayPeriodPatterns = {\n any: {\n am: /^a/i,\n pm: /^p/i,\n midnight: /^mn|^meia[-\\s]noite/i,\n noon: /^md|^meio[-\\s]dia/i,\n morning: /manhã/i,\n afternoon: /tarde/i,\n evening: /tarde/i,\n night: /noite/i\n }\n};\nvar match = {\n ordinalNumber: buildMatchPatternFn({\n matchPattern: matchOrdinalNumberPattern,\n parsePattern: parseOrdinalNumberPattern,\n valueCallback: function valueCallback(value) {\n return parseInt(value, 10);\n }\n }),\n era: buildMatchFn({\n matchPatterns: matchEraPatterns,\n defaultMatchWidth: 'wide',\n parsePatterns: parseEraPatterns,\n defaultParseWidth: 'any'\n }),\n quarter: buildMatchFn({\n matchPatterns: matchQuarterPatterns,\n defaultMatchWidth: 'wide',\n parsePatterns: parseQuarterPatterns,\n defaultParseWidth: 'any',\n valueCallback: function valueCallback(index) {\n return index + 1;\n }\n }),\n month: buildMatchFn({\n matchPatterns: matchMonthPatterns,\n defaultMatchWidth: 'wide',\n parsePatterns: parseMonthPatterns,\n defaultParseWidth: 'any'\n }),\n day: buildMatchFn({\n matchPatterns: matchDayPatterns,\n defaultMatchWidth: 'wide',\n parsePatterns: parseDayPatterns,\n defaultParseWidth: 'any'\n }),\n dayPeriod: buildMatchFn({\n matchPatterns: matchDayPeriodPatterns,\n defaultMatchWidth: 'any',\n parsePatterns: parseDayPeriodPatterns,\n defaultParseWidth: 'any'\n })\n};\nexport default match;","import hasClass from './hasClass';\n/**\n * Adds specific class to a given element\n *\n * @param target The element to add class to\n * @param className The class to be added\n *\n * @returns The target element\n */\n\nexport default function addClass(target, className) {\n if (className) {\n if (target.classList) {\n target.classList.add(className);\n } else if (!hasClass(target, className)) {\n target.className = target.className + \" \" + className;\n }\n }\n\n return target;\n}","/**\n * Check whether an element has a specific class\n *\n * @param target The element to be checked\n * @param className The class to be checked\n *\n * @returns `true` if the element has the class, `false` otherwise\n */\nexport default function hasClass(target, className) {\n if (target.classList) {\n return !!className && target.classList.contains(className);\n }\n\n return (\" \" + target.className + \" \").indexOf(\" \" + className + \" \") !== -1;\n}","/**\n * Checks if the current environment is in the browser and can access and modify the DOM.\n */\nvar canUseDOM = !!(typeof window !== 'undefined' && window.document && window.document.createElement);\nexport default canUseDOM;","import canUseDOM from './canUseDOM';\n\nvar fallback = function fallback(context, node) {\n if (!node) return false;\n\n do {\n if (node === context) {\n return true;\n }\n } while (node.parentNode && (node = node.parentNode));\n\n return false;\n};\n/**\n * Checks if an element contains another given element.\n *\n * @param context The context element\n * @param node The element to check\n * @returns `true` if the given element is contained, `false` otherwise\n */\n\n\nvar contains = function contains(context, node) {\n if (!node) return false;\n\n if (context.contains) {\n return context.contains(node);\n } else if (context.compareDocumentPosition) {\n return context === node || !!(context.compareDocumentPosition(node) & 16);\n }\n\n return fallback(context, node);\n};\n\nexport default (function () {\n return canUseDOM ? contains : fallback;\n})();","import ownerDocument from './ownerDocument';\nimport getWindow from './getWindow';\nimport contains from './contains';\n\n/**\n * Get the offset of a DOM element\n * @param node The DOM element\n * @returns The offset of the DOM element\n */\nexport default function getOffset(node) {\n var doc = ownerDocument(node);\n var win = getWindow(doc);\n var docElem = doc && doc.documentElement;\n var box = {\n top: 0,\n left: 0,\n height: 0,\n width: 0\n };\n\n if (!doc) {\n return null;\n } // Make sure it's not a disconnected DOM node\n\n\n if (!contains(docElem, node)) {\n return box;\n }\n\n if ((node === null || node === void 0 ? void 0 : node.getBoundingClientRect) !== undefined) {\n box = node.getBoundingClientRect();\n }\n\n if ((box.width || box.height) && docElem && win) {\n box = {\n top: box.top + (win.pageYOffset || docElem.scrollTop) - (docElem.clientTop || 0),\n left: box.left + (win.pageXOffset || docElem.scrollLeft) - (docElem.clientLeft || 0),\n width: (box.width === null ? node.offsetWidth : box.width) || 0,\n height: (box.height === null ? node.offsetHeight : box.height) || 0\n };\n }\n\n return box;\n}","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport getOffsetParent from './getOffsetParent';\nimport getOffset from './getOffset';\nimport getStyle from './getStyle';\nimport scrollTop from './scrollTop';\nimport scrollLeft from './scrollLeft';\nimport nodeName from './nodeName';\n/**\n * Get the position of a DOM element\n * @param node The DOM element\n * @param offsetParent The offset parent of the DOM element\n * @param calcMargin Whether to calculate the margin\n * @returns The position of the DOM element\n */\n\nexport default function getPosition(node, offsetParent, calcMargin) {\n if (calcMargin === void 0) {\n calcMargin = true;\n }\n\n var parentOffset = {\n top: 0,\n left: 0\n };\n var offset = null; // Fixed elements are offset from window (parentOffset = {top:0, left: 0},\n // because it is its only offset parent\n\n if (getStyle(node, 'position') === 'fixed') {\n offset = node.getBoundingClientRect();\n } else {\n offsetParent = offsetParent || getOffsetParent(node);\n offset = getOffset(node);\n\n if (nodeName(offsetParent) !== 'html') {\n var nextParentOffset = getOffset(offsetParent);\n\n if (nextParentOffset) {\n parentOffset.top = nextParentOffset.top;\n parentOffset.left = nextParentOffset.left;\n }\n }\n\n parentOffset.top += parseInt(getStyle(offsetParent, 'borderTopWidth'), 10) - scrollTop(offsetParent) || 0;\n parentOffset.left += parseInt(getStyle(offsetParent, 'borderLeftWidth'), 10) - scrollLeft(offsetParent) || 0;\n } // Subtract parent offsets and node margins\n\n\n if (offset) {\n var marginTop = calcMargin ? parseInt(getStyle(node, 'marginTop'), 10) || 0 : 0;\n var marginLeft = calcMargin ? parseInt(getStyle(node, 'marginLeft'), 10) || 0 : 0;\n return _extends({}, offset, {\n top: offset.top - parentOffset.top - marginTop,\n left: offset.left - parentOffset.left - marginLeft\n });\n }\n\n return null;\n}","import ownerDocument from './ownerDocument';\nimport nodeName from './nodeName';\nimport getStyle from './getStyle';\n/**\n * Get the offset parent of a DOM element\n * @param node The DOM element\n * @returns The offset parent of the DOM element\n */\n\nexport default function getOffsetParent(node) {\n var doc = ownerDocument(node);\n var offsetParent = node === null || node === void 0 ? void 0 : node.offsetParent;\n\n while (offsetParent && nodeName(node) !== 'html' && getStyle(offsetParent, 'position') === 'static') {\n offsetParent = offsetParent.offsetParent;\n }\n\n return offsetParent || doc.documentElement;\n}","import { camelize } from './stringFormatter';\nvar msPattern = /^-ms-/;\nexport default function camelizeStyleName(name) {\n // The `-ms` prefix is converted to lowercase `ms`.\n // http://www.andismith.com/blog/2012/02/modernizr-prefixed/\n return camelize(name.replace(msPattern, 'ms-'));\n}","export default (function (node) {\n if (!node) {\n throw new TypeError('No Element passed to `getComputedStyle()`');\n }\n\n var doc = node.ownerDocument;\n\n if ('defaultView' in doc) {\n if (doc.defaultView.opener) {\n return node.ownerDocument.defaultView.getComputedStyle(node, null);\n }\n\n return window.getComputedStyle(node, null);\n }\n\n return null;\n});","import camelizeStyleName from './utils/camelizeStyleName';\nimport getComputedStyle from './utils/getComputedStyle';\nimport hyphenateStyleName from './utils/hyphenateStyleName';\n/**\n * Gets the value for a style property\n * @param node The DOM element\n * @param property The style property\n * @returns The value of the style property\n */\n\nexport default function getStyle(node, property) {\n if (property) {\n var value = node.style[camelizeStyleName(property)];\n\n if (value) {\n return value;\n }\n\n var styles = getComputedStyle(node);\n\n if (styles) {\n return styles.getPropertyValue(hyphenateStyleName(property));\n }\n }\n\n return node.style || getComputedStyle(node);\n}","import getWindow from './getWindow';\nimport getOffset from './getOffset';\n/**\n * Get the width of a DOM element\n * @param node The DOM element\n * @param client Whether to get the client width\n * @returns The width of the DOM element\n */\n\nexport default function getWidth(node, client) {\n var win = getWindow(node);\n\n if (win) {\n return win.innerWidth;\n }\n\n if (client) {\n return node.clientWidth;\n }\n\n var offset = getOffset(node);\n return offset ? offset.width : 0;\n}","/**\n * Get the Window object of browser\n * @param node The DOM element\n * @returns The Window object of browser\n */\nexport default function getWindow(node) {\n if (node === (node === null || node === void 0 ? void 0 : node.window)) {\n return node;\n }\n\n return (node === null || node === void 0 ? void 0 : node.nodeType) === 9 ? (node === null || node === void 0 ? void 0 : node.defaultView) || (node === null || node === void 0 ? void 0 : node.parentWindow) : null;\n}","var populated = false; // Browsers\n\nvar _ie;\n\nvar _firefox;\n\nvar _opera;\n\nvar _webkit;\n\nvar _chrome; // Actual IE browser for compatibility mode\n\n\nvar ieRealVersion; // Platforms\n\nvar _osx;\n\nvar _windows;\n\nvar _linux;\n\nvar _android; // Architectures\n\n\nvar win64; // Devices\n\nvar _iphone;\n\nvar _ipad;\n\nvar _native;\n\nvar _mobile;\n\nfunction populate() {\n if (populated) {\n return;\n }\n\n populated = true; // To work around buggy JS libraries that can't handle multi-digit\n // version numbers, Opera 10's user agent string claims it's Opera\n // 9, then later includes a Version/X.Y field:\n //\n // Opera/9.80 (foo) Presto/2.2.15 Version/10.10\n\n var uas = navigator.userAgent;\n var agent = /(?:MSIE.(\\d+\\.\\d+))|(?:(?:Firefox|GranParadiso|Iceweasel).(\\d+\\.\\d+))|(?:Opera(?:.+Version.|.)(\\d+\\.\\d+))|(?:AppleWebKit.(\\d+(?:\\.\\d+)?))|(?:Trident\\/\\d+\\.\\d+.*rv:(\\d+\\.\\d+))/.exec(uas);\n var os = /(Mac OS X)|(Windows)|(Linux)/.exec(uas);\n _iphone = /\\b(iPhone|iP[ao]d)/.exec(uas);\n _ipad = /\\b(iP[ao]d)/.exec(uas);\n _android = /Android/i.exec(uas);\n _native = /FBAN\\/\\w+;/i.exec(uas);\n _mobile = /Mobile/i.exec(uas); // Note that the IE team blog would have you believe you should be checking\n // for 'Win64; x64'. But MSDN then reveals that you can actually be coming\n // from either x64 or ia64; so ultimately, you should just check for Win64\n // as in indicator of whether you're in 64-bit IE. 32-bit IE on 64-bit\n // Windows will send 'WOW64' instead.\n\n win64 = !!/Win64/.exec(uas);\n\n if (agent) {\n if (agent[1]) {\n _ie = parseFloat(agent[1]);\n } else {\n _ie = agent[5] ? parseFloat(agent[5]) : NaN;\n } // IE compatibility mode\n // @ts-ignore\n\n\n if (_ie && document && document.documentMode) {\n // @ts-ignore\n _ie = document.documentMode;\n } // grab the \"true\" ie version from the trident token if available\n\n\n var trident = /(?:Trident\\/(\\d+.\\d+))/.exec(uas);\n ieRealVersion = trident ? parseFloat(trident[1]) + 4 : _ie;\n _firefox = agent[2] ? parseFloat(agent[2]) : NaN;\n _opera = agent[3] ? parseFloat(agent[3]) : NaN;\n _webkit = agent[4] ? parseFloat(agent[4]) : NaN;\n\n if (_webkit) {\n // We do not add the regexp to the above test, because it will always\n // match 'safari' only since 'AppleWebKit' appears before 'Chrome' in\n // the userAgent string.\n agent = /(?:Chrome\\/(\\d+\\.\\d+))/.exec(uas);\n _chrome = agent && agent[1] ? parseFloat(agent[1]) : NaN;\n } else {\n _chrome = NaN;\n }\n } else {\n _ie = NaN;\n _firefox = NaN;\n _opera = NaN;\n _chrome = NaN;\n _webkit = NaN;\n }\n\n if (os) {\n if (os[1]) {\n // Detect OS X version. If no version number matches, set osx to true.\n // Version examples: 10, 10_6_1, 10.7\n // Parses version number as a float, taking only first two sets of\n // digits. If only one set of digits is found, returns just the major\n // version number.\n var ver = /(?:Mac OS X (\\d+(?:[._]\\d+)?))/.exec(uas);\n _osx = ver ? parseFloat(ver[1].replace('_', '.')) : true;\n } else {\n _osx = false;\n }\n\n _windows = !!os[2];\n _linux = !!os[3];\n } else {\n _osx = false;\n _windows = false;\n _linux = false;\n }\n}\n/**\n * @deprecated\n */\n\n\nvar UserAgent = {\n /**\n * Check if the UA is Internet Explorer.\n *\n *\n * @return float|NaN Version number (if match) or NaN.\n */\n ie: function ie() {\n return populate() || _ie;\n },\n\n /**\n * Check if we're in Internet Explorer compatibility mode.\n *\n * @return bool true if in compatibility mode, false if\n * not compatibility mode or not ie\n */\n ieCompatibilityMode: function ieCompatibilityMode() {\n return populate() || ieRealVersion > _ie;\n },\n\n /**\n * Whether the browser is 64-bit IE. Really, this is kind of weak sauce; we\n * only need this because Skype can't handle 64-bit IE yet. We need to remove\n * this when we don't need it -- tracked by #601957.\n */\n ie64: function ie64() {\n return UserAgent.ie() && win64;\n },\n\n /**\n * Check if the UA is Firefox.\n *\n *\n * @return float|NaN Version number (if match) or NaN.\n */\n firefox: function firefox() {\n return populate() || _firefox;\n },\n\n /**\n * Check if the UA is Opera.\n *\n *\n * @return float|NaN Version number (if match) or NaN.\n */\n opera: function opera() {\n return populate() || _opera;\n },\n\n /**\n * Check if the UA is WebKit.\n *\n *\n * @return float|NaN Version number (if match) or NaN.\n */\n webkit: function webkit() {\n return populate() || _webkit;\n },\n\n /**\n * For Push\n * WILL BE REMOVED VERY SOON. Use UserAgent_DEPRECATED.webkit\n */\n safari: function safari() {\n return UserAgent.webkit();\n },\n\n /**\n * Check if the UA is a Chrome browser.\n *\n *\n * @return float|NaN Version number (if match) or NaN.\n */\n chrome: function chrome() {\n return populate() || _chrome;\n },\n\n /**\n * Check if the user is running Windows.\n *\n * @return bool `true' if the user's OS is Windows.\n */\n windows: function windows() {\n return populate() || _windows;\n },\n\n /**\n * Check if the user is running Mac OS X.\n *\n * @return float|bool Returns a float if a version number is detected,\n * otherwise true/false.\n */\n osx: function osx() {\n return populate() || _osx;\n },\n\n /**\n * Check if the user is running Linux.\n *\n * @return bool `true' if the user's OS is some flavor of Linux.\n */\n linux: function linux() {\n return populate() || _linux;\n },\n\n /**\n * Check if the user is running on an iPhone or iPod platform.\n *\n * @return bool `true' if the user is running some flavor of the\n * iPhone OS.\n */\n iphone: function iphone() {\n return populate() || _iphone;\n },\n mobile: function mobile() {\n return populate() || _iphone || _ipad || _android || _mobile;\n },\n // webviews inside of the native apps\n nativeApp: function nativeApp() {\n return populate() || _native;\n },\n android: function android() {\n return populate() || _android;\n },\n ipad: function ipad() {\n return populate() || _ipad;\n }\n};\nexport default UserAgent;","import canUseDOM from '../canUseDOM';\nvar useHasFeature;\n\nif (canUseDOM) {\n useHasFeature = document.implementation && document.implementation.hasFeature && // always returns true in newer browsers as per the standard.\n // @see http://dom.spec.whatwg.org/#dom-domimplementation-hasfeature\n document.implementation.hasFeature('', '') !== true;\n}\n\nfunction isEventSupported(eventNameSuffix, capture) {\n if (!canUseDOM || capture && !('addEventListener' in document)) {\n return false;\n }\n\n var eventName = \"on\" + eventNameSuffix;\n var isSupported = (eventName in document);\n\n if (!isSupported) {\n var element = document.createElement('div');\n element.setAttribute(eventName, 'return;');\n isSupported = typeof element[eventName] === 'function';\n }\n\n if (!isSupported && useHasFeature && eventNameSuffix === 'wheel') {\n // This is the only way to test support for the `wheel` event in IE9+.\n isSupported = document.implementation.hasFeature('Events.wheel', '3.0');\n }\n\n return isSupported;\n}\n\nexport default isEventSupported;","import UserAgent from './UserAgent';\nimport isEventSupported from './isEventSupported'; // Reasonable defaults\n\nvar PIXEL_STEP = 10;\nvar LINE_HEIGHT = 40;\nvar PAGE_HEIGHT = 800;\n\nfunction normalizeWheel(event) {\n var sX = 0;\n var sY = 0; // spinX, spinY\n\n var pX = 0;\n var pY = 0; // pixelX, pixelY\n // Legacy\n\n if ('detail' in event) {\n sY = event.detail;\n }\n\n if ('wheelDelta' in event) {\n sY = -event.wheelDelta / 120;\n }\n\n if ('wheelDeltaY' in event) {\n sY = -event.wheelDeltaY / 120;\n }\n\n if ('wheelDeltaX' in event) {\n sX = -event.wheelDeltaX / 120;\n } // side scrolling on FF with DOMMouseScroll\n\n\n if ('axis' in event && event.axis === event.HORIZONTAL_AXIS) {\n sX = sY;\n sY = 0;\n }\n\n pX = sX * PIXEL_STEP;\n pY = sY * PIXEL_STEP;\n\n if ('deltaY' in event) {\n pY = event.deltaY;\n }\n\n if ('deltaX' in event) {\n pX = event.deltaX;\n }\n\n if ((pX || pY) && event.deltaMode) {\n if (event.deltaMode === 1) {\n // delta in LINE units\n pX *= LINE_HEIGHT;\n pY *= LINE_HEIGHT;\n } else {\n // delta in PAGE units\n pX *= PAGE_HEIGHT;\n pY *= PAGE_HEIGHT;\n }\n } // Fall-back if spin cannot be determined\n\n\n if (pX && !sX) {\n sX = pX < 1 ? -1 : 1;\n }\n\n if (pY && !sY) {\n sY = pY < 1 ? -1 : 1;\n }\n\n return {\n spinX: sX,\n spinY: sY,\n pixelX: pX,\n pixelY: pY\n };\n}\n/**\n * The best combination if you prefer spinX + spinY normalization. It favors\n * the older DOMMouseScroll for Firefox, as FF does not include wheelDelta with\n * 'wheel' event, making spin speed determination impossible.\n */\n\n\nnormalizeWheel.getEventType = function () {\n if (UserAgent.firefox()) {\n return 'DOMMouseScroll';\n }\n\n return isEventSupported('wheel') ? 'wheel' : 'mousewheel';\n};\n\nexport default normalizeWheel;","import getGlobal from './utils/getGlobal';\nvar g = getGlobal();\n/**\n * @deprecated use `cancelAnimationFrame` instead\n */\n\nvar cancelAnimationFramePolyfill = g.cancelAnimationFrame || g.clearTimeout;\nexport default cancelAnimationFramePolyfill;","import canUseDOM from '../canUseDOM';\nimport { camelize } from './stringFormatter';\nvar memoized = {};\nvar prefixes = ['Webkit', 'ms', 'Moz', 'O'];\nvar prefixRegex = new RegExp(\"^(\" + prefixes.join('|') + \")\");\nvar testStyle = canUseDOM ? document.createElement('div').style : {};\n\nfunction getWithPrefix(name) {\n for (var i = 0; i < prefixes.length; i += 1) {\n var prefixedName = prefixes[i] + name;\n\n if (prefixedName in testStyle) {\n return prefixedName;\n }\n }\n\n return null;\n}\n/**\n * @param {string} property Name of a css property to check for.\n * @return {?string} property name supported in the browser, or null if not\n * supported.\n */\n\n\nfunction getVendorPrefixedName(property) {\n var name = camelize(property);\n\n if (memoized[name] === undefined) {\n var capitalizedName = name.charAt(0).toUpperCase() + name.slice(1);\n\n if (prefixRegex.test(capitalizedName)) {\n throw new Error(\"getVendorPrefixedName must only be called with unprefixed\\n CSS property names. It was called with \" + property);\n }\n\n memoized[name] = name in testStyle ? name : getWithPrefix(capitalizedName);\n }\n\n return memoized[name] || name;\n}\n\nexport default getVendorPrefixedName;","import getVendorPrefixedName from './getVendorPrefixedName';\nexport default {\n /**\n * @return {bool} True if browser supports css animations.\n */\n hasCSSAnimations: function hasCSSAnimations() {\n return !!getVendorPrefixedName('animationName');\n },\n\n /**\n * @return {bool} True if browser supports css transforms.\n */\n hasCSSTransforms: function hasCSSTransforms() {\n return !!getVendorPrefixedName('transform');\n },\n\n /**\n * @return {bool} True if browser supports css 3d transforms.\n */\n hasCSS3DTransforms: function hasCSS3DTransforms() {\n return !!getVendorPrefixedName('perspective');\n },\n\n /**\n * @return {bool} True if browser supports css transitions.\n */\n hasCSSTransitions: function hasCSSTransitions() {\n return !!getVendorPrefixedName('transition');\n }\n};","/**\n * Source code reference from:\n * https://github.com/facebook/fbjs/blob/d308fa83c9/packages/fbjs/src/dom/translateDOMPositionXY.js\n */\nimport BrowserSupportCore from './utils/BrowserSupportCore';\nimport getVendorPrefixedName from './utils/getVendorPrefixedName';\nimport getGlobal from './utils/getGlobal';\nvar g = getGlobal();\nvar TRANSFORM = getVendorPrefixedName('transform');\nvar BACKFACE_VISIBILITY = getVendorPrefixedName('backfaceVisibility');\nvar defaultConfig = {\n enable3DTransform: true\n};\n\nvar appendLeftAndTop = function appendLeftAndTop(style, x, y) {\n if (x === void 0) {\n x = 0;\n }\n\n if (y === void 0) {\n y = 0;\n }\n\n style.left = x + \"px\";\n style.top = y + \"px\";\n return style;\n};\n\nvar appendTranslate = function appendTranslate(style, x, y) {\n if (x === void 0) {\n x = 0;\n }\n\n if (y === void 0) {\n y = 0;\n }\n\n style[TRANSFORM] = \"translate(\" + x + \"px,\" + y + \"px)\";\n return style;\n};\n\nvar appendTranslate3d = function appendTranslate3d(style, x, y) {\n if (x === void 0) {\n x = 0;\n }\n\n if (y === void 0) {\n y = 0;\n }\n\n style[TRANSFORM] = \"translate3d(\" + x + \"px,\" + y + \"px,0)\";\n style[BACKFACE_VISIBILITY] = 'hidden';\n return style;\n};\n\nexport var getTranslateDOMPositionXY = function getTranslateDOMPositionXY(conf) {\n if (conf === void 0) {\n conf = defaultConfig;\n }\n\n if (conf.forceUseTransform) {\n return conf.enable3DTransform ? appendTranslate3d : appendTranslate;\n }\n\n if (BrowserSupportCore.hasCSSTransforms()) {\n var ua = g.window ? g.window.navigator.userAgent : 'UNKNOWN';\n var isSafari = /Safari\\//.test(ua) && !/Chrome\\//.test(ua); // It appears that Safari messes up the composition order\n // of GPU-accelerated layers\n // (see bug https://bugs.webkit.org/show_bug.cgi?id=61824).\n // Use 2D translation instead.\n\n if (!isSafari && BrowserSupportCore.hasCSS3DTransforms() && conf.enable3DTransform) {\n return appendTranslate3d;\n }\n\n return appendTranslate;\n }\n\n return appendLeftAndTop;\n};\nvar translateDOMPositionXY = getTranslateDOMPositionXY();\nexport default translateDOMPositionXY;","/**\n * Get the name of the DOM element\n * @param node The DOM element\n * @returns The name of the DOM element\n */\nexport default function nodeName(node) {\n var _node$nodeName;\n\n return (node === null || node === void 0 ? void 0 : node.nodeName) && (node === null || node === void 0 ? void 0 : (_node$nodeName = node.nodeName) === null || _node$nodeName === void 0 ? void 0 : _node$nodeName.toLowerCase());\n}","/**\n * Bind `target` event `eventName`'s callback `listener`.\n * @param target The DOM element\n * @param eventType The event name\n * @param listener The event listener\n * @param options The event options\n * @returns The event listener\n */\nexport default function on(target, eventType, listener, options) {\n if (options === void 0) {\n options = false;\n }\n\n target.addEventListener(eventType, listener, options);\n return {\n off: function off() {\n target.removeEventListener(eventType, listener, options);\n }\n };\n}","/**\n * Returns the top-level document object of the node.\n * @param node The DOM element\n * @returns The top-level document object of the node\n */\nexport default function ownerDocument(node) {\n return node && node.ownerDocument || document;\n}","/**\n * Remove a class from a given element\n *\n * @param target The element to remove the class from\n * @param className The class to be removed\n *\n * @returns The target element\n */\nexport default function removeClass(target, className) {\n if (className) {\n if (target.classList) {\n target.classList.remove(className);\n } else {\n target.className = target.className.replace(new RegExp(\"(^|\\\\s)\" + className + \"(?:\\\\s|$)\", 'g'), '$1').replace(/\\s+/g, ' ') // multiple spaces to one\n .replace(/^\\s*|\\s*$/g, ''); // trim the ends\n }\n }\n\n return target;\n}","import emptyFunction from './utils/emptyFunction';\nimport getGlobal from './utils/getGlobal';\nvar g = getGlobal();\nvar lastTime = 0;\n\nfunction _setTimeout(callback) {\n var currTime = Date.now();\n var timeDelay = Math.max(0, 16 - (currTime - lastTime));\n lastTime = currTime + timeDelay;\n return g.setTimeout(function () {\n callback(Date.now());\n }, timeDelay);\n}\n/**\n * @deprecated Use `requestAnimationFrame` instead.\n */\n\n\nvar requestAnimationFramePolyfill = g.requestAnimationFrame || _setTimeout; // Works around a rare bug in Safari 6 where the first request is never invoked.\n\nrequestAnimationFramePolyfill(emptyFunction);\nexport default requestAnimationFramePolyfill;","import getWindow from './getWindow';\n/**\n * Gets the number of pixels to scroll the element's content from the left edge.\n * @param node The DOM element\n */\n\nfunction scrollLeft(node, val) {\n var win = getWindow(node);\n var left = node.scrollLeft;\n var top = 0;\n\n if (win) {\n left = win.pageXOffset;\n top = win.pageYOffset;\n }\n\n if (val !== undefined) {\n if (win) {\n win.scrollTo(val, top);\n } else {\n node.scrollLeft = val;\n }\n }\n\n return left;\n}\n\nexport default scrollLeft;","import getWindow from './getWindow';\n/**\n * Gets the number of pixels that an element's content is scrolled vertically.\n * @param node The DOM element\n */\n\nfunction scrollTop(node, val) {\n var win = getWindow(node);\n var top = node.scrollTop;\n var left = 0;\n\n if (win) {\n top = win.pageYOffset;\n left = win.pageXOffset;\n }\n\n if (val !== undefined) {\n if (win) {\n win.scrollTo(left, val);\n } else {\n node.scrollTop = val;\n }\n }\n\n return top;\n}\n\nexport default scrollTop;","var _this = this;\n\nfunction makeEmptyFunction(arg) {\n return function () {\n return arg;\n };\n}\n\nfunction emptyFunction() {}\n\nemptyFunction.thatReturns = makeEmptyFunction;\nemptyFunction.thatReturnsFalse = makeEmptyFunction(false);\nemptyFunction.thatReturnsTrue = makeEmptyFunction(true);\nemptyFunction.thatReturnsNull = makeEmptyFunction(null);\n\nemptyFunction.thatReturnsThis = function () {\n return _this;\n};\n\nemptyFunction.thatReturnsArgument = function (arg) {\n return arg;\n};\n\nexport default emptyFunction;","// the only reliable means to get the global object is\n// `Function('return this')()`\n// However, this causes CSP violations in Chrome apps.\n// https://github.com/tc39/proposal-global\nfunction getGlobal() {\n if (typeof globalThis !== 'undefined') {\n return globalThis;\n }\n\n if (typeof self !== 'undefined') {\n return self;\n }\n\n if (typeof window !== 'undefined') {\n return window;\n }\n\n throw new Error('unable to locate global object');\n}\n\nexport default getGlobal;","import { hyphenate } from './stringFormatter';\nvar msPattern = /^ms-/;\nexport default (function (string) {\n return hyphenate(string).replace(msPattern, '-ms-');\n});","/* eslint-disable */\n\n/**\n * @example\n * underscoreName('getList');\n * => get_list\n */\nexport function underscore(string) {\n return string.replace(/([A-Z])/g, '_$1').toLowerCase();\n}\n/**\n * @example\n * camelize('font-size');\n * => fontSize\n */\n\nexport function camelize(string) {\n return string.replace(/\\-(\\w)/g, function (_char) {\n return _char.slice(1).toUpperCase();\n });\n}\n/**\n * @example\n * camelize('fontSize');\n * => font-size\n */\n\nexport function hyphenate(string) {\n return string.replace(/([A-Z])/g, '-$1').toLowerCase();\n}\n/**\n * @example\n * merge('{0} - A front-end {1} ','Suite','framework');\n * => Suite - A front-end framework\n */\n\nexport function merge(pattern) {\n var pointer = 0,\n i;\n\n for (i = 1; i < arguments.length; i += 1) {\n pattern = pattern.split(\"{\" + pointer + \"}\").join(arguments[i]);\n pointer += 1;\n }\n\n return pattern;\n}","'use strict';\n\n// do not edit .js files directly - edit src/index.jst\n\n\n\nmodule.exports = function equal(a, b) {\n if (a === b) return true;\n\n if (a && b && typeof a == 'object' && typeof b == 'object') {\n if (a.constructor !== b.constructor) return false;\n\n var length, i, keys;\n if (Array.isArray(a)) {\n length = a.length;\n if (length != b.length) return false;\n for (i = length; i-- !== 0;)\n if (!equal(a[i], b[i])) return false;\n return true;\n }\n\n\n\n if (a.constructor === RegExp) return a.source === b.source && a.flags === b.flags;\n if (a.valueOf !== Object.prototype.valueOf) return a.valueOf() === b.valueOf();\n if (a.toString !== Object.prototype.toString) return a.toString() === b.toString();\n\n keys = Object.keys(a);\n length = keys.length;\n if (length !== Object.keys(b).length) return false;\n\n for (i = length; i-- !== 0;)\n if (!Object.prototype.hasOwnProperty.call(b, keys[i])) return false;\n\n for (i = length; i-- !== 0;) {\n var key = keys[i];\n\n if (!equal(a[key], b[key])) return false;\n }\n\n return true;\n }\n\n // true if both NaN, false otherwise\n return a!==a && b!==b;\n};\n","'use strict';\n\nvar reactIs = require('react-is');\n\n/**\n * Copyright 2015, Yahoo! Inc.\n * Copyrights licensed under the New BSD License. See the accompanying LICENSE file for terms.\n */\nvar REACT_STATICS = {\n childContextTypes: true,\n contextType: true,\n contextTypes: true,\n defaultProps: true,\n displayName: true,\n getDefaultProps: true,\n getDerivedStateFromError: true,\n getDerivedStateFromProps: true,\n mixins: true,\n propTypes: true,\n type: true\n};\nvar KNOWN_STATICS = {\n name: true,\n length: true,\n prototype: true,\n caller: true,\n callee: true,\n arguments: true,\n arity: true\n};\nvar FORWARD_REF_STATICS = {\n '$$typeof': true,\n render: true,\n defaultProps: true,\n displayName: true,\n propTypes: true\n};\nvar MEMO_STATICS = {\n '$$typeof': true,\n compare: true,\n defaultProps: true,\n displayName: true,\n propTypes: true,\n type: true\n};\nvar TYPE_STATICS = {};\nTYPE_STATICS[reactIs.ForwardRef] = FORWARD_REF_STATICS;\nTYPE_STATICS[reactIs.Memo] = MEMO_STATICS;\n\nfunction getStatics(component) {\n // React v16.11 and below\n if (reactIs.isMemo(component)) {\n return MEMO_STATICS;\n } // React v16.12 and above\n\n\n return TYPE_STATICS[component['$$typeof']] || REACT_STATICS;\n}\n\nvar defineProperty = Object.defineProperty;\nvar getOwnPropertyNames = Object.getOwnPropertyNames;\nvar getOwnPropertySymbols = Object.getOwnPropertySymbols;\nvar getOwnPropertyDescriptor = Object.getOwnPropertyDescriptor;\nvar getPrototypeOf = Object.getPrototypeOf;\nvar objectPrototype = Object.prototype;\nfunction hoistNonReactStatics(targetComponent, sourceComponent, blacklist) {\n if (typeof sourceComponent !== 'string') {\n // don't hoist over string (html) components\n if (objectPrototype) {\n var inheritedComponent = getPrototypeOf(sourceComponent);\n\n if (inheritedComponent && inheritedComponent !== objectPrototype) {\n hoistNonReactStatics(targetComponent, inheritedComponent, blacklist);\n }\n }\n\n var keys = getOwnPropertyNames(sourceComponent);\n\n if (getOwnPropertySymbols) {\n keys = keys.concat(getOwnPropertySymbols(sourceComponent));\n }\n\n var targetStatics = getStatics(targetComponent);\n var sourceStatics = getStatics(sourceComponent);\n\n for (var i = 0; i < keys.length; ++i) {\n var key = keys[i];\n\n if (!KNOWN_STATICS[key] && !(blacklist && blacklist[key]) && !(sourceStatics && sourceStatics[key]) && !(targetStatics && targetStatics[key])) {\n var descriptor = getOwnPropertyDescriptor(sourceComponent, key);\n\n try {\n // Avoid failures from read-only properties\n defineProperty(targetComponent, key, descriptor);\n } catch (e) {}\n }\n }\n }\n\n return targetComponent;\n}\n\nmodule.exports = hoistNonReactStatics;\n","'use strict';\n\nmodule.exports = value => {\n\tif (typeof Blob === 'undefined') {\n\t\treturn false;\n\t}\n\n\treturn value instanceof Blob || Object.prototype.toString.call(value) === '[object Blob]';\n};\n","/*!\n * Determine if an object is a Buffer\n *\n * @author Feross Aboukhadijeh \n * @license MIT\n */\n\nmodule.exports = function isBuffer (obj) {\n return obj != null && obj.constructor != null &&\n typeof obj.constructor.isBuffer === 'function' && obj.constructor.isBuffer(obj)\n}\n","/*!\n * jQuery JavaScript Library v3.7.0\n * https://jquery.com/\n *\n * Copyright OpenJS Foundation and other contributors\n * Released under the MIT license\n * https://jquery.org/license\n *\n * Date: 2023-05-11T18:29Z\n */\n( function( global, factory ) {\n\n\t\"use strict\";\n\n\tif ( typeof module === \"object\" && typeof module.exports === \"object\" ) {\n\n\t\t// For CommonJS and CommonJS-like environments where a proper `window`\n\t\t// is present, execute the factory and get jQuery.\n\t\t// For environments that do not have a `window` with a `document`\n\t\t// (such as Node.js), expose a factory as module.exports.\n\t\t// This accentuates the need for the creation of a real `window`.\n\t\t// e.g. var jQuery = require(\"jquery\")(window);\n\t\t// See ticket trac-14549 for more info.\n\t\tmodule.exports = global.document ?\n\t\t\tfactory( global, true ) :\n\t\t\tfunction( w ) {\n\t\t\t\tif ( !w.document ) {\n\t\t\t\t\tthrow new Error( \"jQuery requires a window with a document\" );\n\t\t\t\t}\n\t\t\t\treturn factory( w );\n\t\t\t};\n\t} else {\n\t\tfactory( global );\n\t}\n\n// Pass this if window is not defined yet\n} )( typeof window !== \"undefined\" ? window : this, function( window, noGlobal ) {\n\n// Edge <= 12 - 13+, Firefox <=18 - 45+, IE 10 - 11, Safari 5.1 - 9+, iOS 6 - 9.1\n// throw exceptions when non-strict code (e.g., ASP.NET 4.5) accesses strict mode\n// arguments.callee.caller (trac-13335). But as of jQuery 3.0 (2016), strict mode should be common\n// enough that all such attempts are guarded in a try block.\n\"use strict\";\n\nvar arr = [];\n\nvar getProto = Object.getPrototypeOf;\n\nvar slice = arr.slice;\n\nvar flat = arr.flat ? function( array ) {\n\treturn arr.flat.call( array );\n} : function( array ) {\n\treturn arr.concat.apply( [], array );\n};\n\n\nvar push = arr.push;\n\nvar indexOf = arr.indexOf;\n\nvar class2type = {};\n\nvar toString = class2type.toString;\n\nvar hasOwn = class2type.hasOwnProperty;\n\nvar fnToString = hasOwn.toString;\n\nvar ObjectFunctionString = fnToString.call( Object );\n\nvar support = {};\n\nvar isFunction = function isFunction( obj ) {\n\n\t\t// Support: Chrome <=57, Firefox <=52\n\t\t// In some browsers, typeof returns \"function\" for HTML