`\n\twidth: 35px;\n\tmin-width: 35px;\n\tpath {\n\t\t${({ colorFill }) => colorFill && `fill: ${colorFill};`}\n\t}\n`;\n\nexport const ToastMessage = styled.div`\n\tdisplay: flex;\n\talign-items: center;\n\ttext-align: center;\n\tfont-size: 1em;\n\tline-height: 1em;\n\tmargin-left: 1em;\n\tmargin-right: 0.5em;\n\tmargin-bottom: 2px;\n`;\n\nexport const CustomLoader = styled(Loader)`\n\tdisplay: flex;\n\talign-items: center;\n\tjustify-content: flex-end;\n`;\n","import React from 'react';\nimport { toast } from 'react-toastify';\nimport CheckmarkAnimation from '../../../../../global/lottie/checkmark.json';\nimport {\n\tAnimationContainer,\n\tCustomLoader,\n\tToastMessage,\n} from '../Toast.styles';\nimport Lottie from 'react-lottie';\nimport ErrorAnimation from '../../../../../global/lottie/error.json';\n\nconst showToast = (\n\tmessage: string,\n\ttoastType: 'success' | 'error' | 'loading',\n) => {\n\tconst ToastComponent = () => {\n\t\tlet animationData: any = '';\n\t\tlet viewBoxSize: any = '';\n\t\tif (toastType == 'success') {\n\t\t\tanimationData = CheckmarkAnimation;\n\t\t\tviewBoxSize = '80 80 80 80';\n\t\t} else if (toastType == 'error') {\n\t\t\tanimationData = ErrorAnimation;\n\t\t\tviewBoxSize = '';\n\t\t}\n\t\tconst colorFill = '';\n\t\tconst animationOptions: any = {\n\t\t\tloop: false,\n\t\t\tautoplay: true,\n\t\t\tanimationData,\n\t\t\trendererSettings: {\n\t\t\t\tpreserveAspectRatio: 'xMaxYMax slice',\n\t\t\t\t// I had to slice it because it had a big padding on both animations\n\t\t\t\tviewBoxSize,\n\t\t\t},\n\t\t};\n\n\t\tfunction toastContent() {\n\t\t\tif (toastType === 'loading') {\n\t\t\t\treturn ;\n\t\t\t} else {\n\t\t\t\treturn (\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t);\n\t\t\t}\n\t\t}\n\n\t\treturn (\n\t\t\t\n\t\t\t\t{toastContent()}\n\t\t\t\t{message}\n\t\t\t
\n\t\t);\n\t};\n\n\treturn toast.dark(, {\n\t\tstyle: { background: '#313131' },\n\t});\n};\n\nexport { showToast };\n","import _axios, { AxiosRequestConfig, AxiosResponse, AxiosError } from 'axios';\nimport { apiUrl } from '../app/constants';\nimport store from '../app/redux/store';\nimport TokenStorage from '../app/utils/TokenStorage';\nimport { CLEAR_AUTH } from '../app/redux/auth';\n\nconst axios = _axios.create({\n\tbaseURL: apiUrl,\n\t// Modify this\n\ttimeout: 1000 * 7200, // 7200 seconds\n\tresponseType: 'json',\n});\n\nexport const axiosForExternal = _axios.create({\n\tbaseURL: apiUrl,\n\t// Modify this\n\ttimeout: 1000 * 7200, // 7200 seconds\n\t// responseType: 'json',\n});\n\naxios.interceptors.request.use((config: AxiosRequestConfig) => {\n\tconst identityToken =\n\t\tstore.getState().auth.identityToken || TokenStorage.getIdentity();\n\tconst accessToken = TokenStorage.getAccessToken();\n\tif (identityToken) {\n\t\tconfig.headers['Identity'] = identityToken;\n\t}\n\tif (accessToken) {\n\t\tif (!config.headers.Authorization) {\n\t\t\tconfig.headers.Authorization = `Bearer ${accessToken}`;\n\t\t}\n\t}\n\n\treturn config;\n});\n\naxios.interceptors.response.use(\n\t(res: AxiosResponse) => {\n\t\treturn res;\n\t},\n\t(error: AxiosError) => {\n\t\tconst { response } = error;\n\n\t\tif (\n\t\t\tresponse.status === 401 ||\n\t\t\t(response.status === 500 &&\n\t\t\t\tresponse.data.message &&\n\t\t\t\t(response.data.message.includes('authorization') ||\n\t\t\t\t\tresponse.data.message.includes('jwt expired') ||\n\t\t\t\t\tresponse.data.message.includes('invalid')))\n\t\t) {\n\t\t\t// LocalStorage.clear();\n\t\t\t// console.log('logging out', authConfig.logoutUrl);\n\t\t\t// store.dispatch(CLEAR_AUTH());\n\t\t}\n\t\treturn Promise.reject(error);\n\t},\n);\n\nexport default axios;\n","import {\n\tlighten as lightenColor,\n\tdarken as darkenColor,\n} from '@material-ui/core';\n\nimport { ColorCoefficientType } from './types';\n\nconst paletteColors = {\n\tneutral: '#050A31',\n\tdark: '#131A54',\n\tprimary: '#0074E8',\n\tbackground: '#F6F7FA',\n\twhite: '#FFF',\n\talert: '#F45AC1',\n\twarning: '#FA9B1E',\n\tsuccess: '#53BBC3',\n\taccent: {\n\t\tgreen: '#53DDE8',\n\t\tyellow: '#FFDC2C',\n\t\torange: '#FA9B1E',\n\t\tpink: '#F45AC1',\n\t\tpurple: '#8C4FFF',\n\t},\n};\n\nconst lighten = {\n\tprimary: (coefficient: ColorCoefficientType) =>\n\t\tlightenColor(paletteColors.primary, 1 - coefficient),\n\n\tneutral: (coefficient: ColorCoefficientType) =>\n\t\tlightenColor(paletteColors.neutral, 1 - coefficient),\n\n\tdark: (coefficient: ColorCoefficientType) =>\n\t\tlightenColor(paletteColors.dark, 1 - coefficient),\n\n\talert: (coefficient: ColorCoefficientType) =>\n\t\tlightenColor(paletteColors.alert, 1 - coefficient),\n\n\twarning: (coefficient: ColorCoefficientType) =>\n\t\tlightenColor(paletteColors.warning, 1 - coefficient),\n\n\tsuccess: (coefficient: ColorCoefficientType) =>\n\t\tlightenColor(paletteColors.success, 1 - coefficient),\n\n\tgreen: (coefficient: ColorCoefficientType) =>\n\t\tlightenColor(paletteColors.accent.green, 1 - coefficient),\n\n\tpink: (coefficient: ColorCoefficientType) =>\n\t\tlightenColor(paletteColors.accent.pink, 1 - coefficient),\n\n\tyellow: (coefficient: ColorCoefficientType) =>\n\t\tlightenColor(paletteColors.accent.yellow, 1 - coefficient),\n\n\torange: (coefficient: ColorCoefficientType) =>\n\t\tlightenColor(paletteColors.accent.orange, 1 - coefficient),\n\n\tpurple: (coefficient: ColorCoefficientType) =>\n\t\tlightenColor(paletteColors.accent.purple, 1 - coefficient),\n};\n\nconst darken = {\n\tprimary: (coefficient: ColorCoefficientType) =>\n\t\tdarkenColor(paletteColors.primary, coefficient),\n\n\tneutral: (coefficient: ColorCoefficientType) =>\n\t\tdarkenColor(paletteColors.neutral, coefficient),\n\n\tdark: (coefficient: ColorCoefficientType) =>\n\t\tdarkenColor(paletteColors.dark, coefficient),\n\n\talert: (coefficient: ColorCoefficientType) =>\n\t\tdarkenColor(paletteColors.alert, coefficient),\n\n\twarning: (coefficient: ColorCoefficientType) =>\n\t\tdarkenColor(paletteColors.warning, coefficient),\n\n\tsuccess: (coefficient: ColorCoefficientType) =>\n\t\tdarkenColor(paletteColors.success, coefficient),\n\n\tgreen: (coefficient: ColorCoefficientType) =>\n\t\tdarkenColor(paletteColors.accent.green, coefficient),\n\n\tpink: (coefficient: ColorCoefficientType) =>\n\t\tdarkenColor(paletteColors.accent.pink, coefficient),\n\n\tyellow: (coefficient: ColorCoefficientType) =>\n\t\tdarkenColor(paletteColors.accent.yellow, coefficient),\n\n\torange: (coefficient: ColorCoefficientType) =>\n\t\tdarkenColor(paletteColors.accent.orange, coefficient),\n\n\tpurple: (coefficient: ColorCoefficientType) =>\n\t\tdarkenColor(paletteColors.accent.purple, coefficient),\n};\n\nconst colors = {\n\t...paletteColors,\n\tlabel: '#303b8e',\n\tlabelTransparent: '#303b8e7e',\n\tsentiment: '#F2557A',\n\tsentimentTransparent: '#f2547933',\n\tsentimentStrong: '#b92323',\n\tdelivered: '#74A7E5',\n\tsent: '#74A7E5',\n\t'sent to carrier': '#74A7E5',\n\topened: '#61CD8D',\n\tbounced: '#FC7283',\n\t'in approvals': '#FE9E5F',\n\tpending: '#FE9E5F',\n\tprocessed: '#9191ed',\n\tscheduled: '#9191ed',\n\tdropped: '#e46464',\n\twhatsGreen: '#1CC908',\n\torange: '#e07a5f',\n\tlightBlue: '#5383f9',\n\tlightestBlue: '#f2fbfc',\n\tlightPurple: '#ede6fb',\n\tsoftRed: 'rgba(215, 97, 97, 0.12)',\n\tstrongRed: '#dd1616',\n\tlightGreen: '#effff5',\n\tgreen: '#19C6C2',\n\n\t// This color scheme is used to create general elements, text or containers in the app\n\tneutral: {\n\t\t'0': paletteColors.white,\n\t\t'50': lighten.neutral(0.05), // #f2f2f4\n\t\t'100': lighten.neutral(0.1), // #e6e6ea\n\t\t'200': lighten.neutral(0.3), // #b4b5c1\n\t\t'300': lighten.neutral(0.4), // #9b9dac\n\t\t'400': lighten.neutral(0.6), // #696c83\n\t\t'500': lighten.neutral(0.7), // #50536e\n\t\t'700': paletteColors.neutral, // #050A31\n\t},\n\n\tdark: {\n\t\t'400': lighten.dark(0.6), // #717598\n\t\t'500': lighten.dark(0.7), // #595e87\n\t\t'600': lighten.dark(0.8), // #424776\n\t\t'700': paletteColors.dark, // #131a54\n\t},\n\n\t// This color is used scheme for interactive elements\n\tprimary: {\n\t\t'50': lighten.primary(0.05), // #f6fafe\n\t\t'100': lighten.primary(0.1), // #edf5fd\n\t\t'200': lighten.primary(0.3), // #c9e1f9\n\t\t'300': lighten.primary(0.4), // #b7d7f8\n\t\t'400': lighten.primary(0.6), // #93c4f4\n\t\t'500': lighten.primary(0.7), // #81baf3\n\t\t'600': lighten.primary(0.8), // #6fb0f1\n\t\t'700': paletteColors.primary, // #4c9dee\n\t\t'900': darken.primary(0.3), // #356da6\n\t},\n\n\t// This color scheme is used for some interactive elements according to the mockups\n\tsecondary: {\n\t\t'50': '#ffe8dd',\n\t\t'100': '#ffd8c5',\n\t\t'300': '#ffb18d',\n\t\t'500': '#ff864e',\n\t\t'700': '#ff5c10',\n\t\t'900': '#cd490b',\n\t},\n\n\t// This color scheme is used for success states within the app\n\tsuccess: {\n\t\t'50': lighten.success(0.05), // #f6fbfc\n\t\t'100': lighten.success(0.1), // #edf8f9\n\t\t'300': lighten.success(0.4), // #bae3e7\n\t\t'500': lighten.success(0.7), // #86cfd5\n\t\t'700': paletteColors.success, // #53BBC3\n\t\t'900': darken.success(0.3), // #3a8288\n\t},\n\n\t// This color scheme is used for warning states within the app\n\twarning: {\n\t\t'50': lighten.warning(0.05), // #fefaf3\n\t\t'300': lighten.warning(0.4), // #fdd7a5\n\t\t'500': lighten.warning(0.7), // #fbb961\n\t\t'700': paletteColors.warning, // #FA9B1E\n\t\t'900': darken.warning(0.3), // #af6c15\n\t},\n\n\t// This color scheme is used for error states within the app\n\talert: {\n\t\t'50': lighten.alert(0.05), // #fef6fb\n\t\t'300': lighten.alert(0.4), // #fabde6\n\t\t'500': lighten.alert(0.7), // #f78bd3\n\t\t'700': paletteColors.alert, // #f45ac1\n\t\t'900': darken.alert(0.3), // #aa3e87\n\t},\n\n\t// This color scheme is used for tags\n\ttags: {\n\t\t'50': lighten.yellow(0.05), // #fffdf4\n\t\t'100': lighten.yellow(0.1), // #fffbe9\n\t\t'300': lighten.yellow(0.4), // #fff1aa\n\t\t'500': lighten.yellow(0.7), // #ffe66b\n\t\t'700': paletteColors.accent.yellow, // #ffdc2c\n\t\t'900': darken.yellow(0.3), // #b29a1e\n\t},\n\n\taccent: {\n\t\tpurple: {\n\t\t\t'300': lighten.purple(0.4), // #dccaff\n\t\t\t'700': paletteColors.accent.purple, // #8c4fff\n\t\t},\n\n\t\tyellow: {\n\t\t\t'300': lighten.yellow(0.4),\n\t\t\t'700': paletteColors.accent.yellow, // #FFDC2C\n\t\t},\n\n\t\tgreen: {\n\t\t\t'700': paletteColors.accent.green, // #53DDE8\n\t\t},\n\t},\n\n\tgradients: {\n\t\tprimary: `linear-gradient(90deg, #ff5c10 0%, #F6C93D 100%);`,\n\t\tsecondary: `linear-gradient(90deg, #00b9a5 0%, #009686 100%);`,\n\t},\n};\n\nconst fonts = {\n\tdefault:\n\t\t'Inter, -apple-system, BlinkMacSystemFont, Roboto, Helvetica, Arial, sans-serif',\n};\n\nconst fontSizes = {\n\th1: '24px',\n\th2: '20px',\n\tlarge: '16px',\n\tregular: '14px',\n\tsmall: '12px',\n\tsmaller: '10px',\n};\n\nconst border = {\n\tblock: `1px solid ${colors.neutral[100]}`,\n};\n\nconst borderRadius = {\n\tsubtle: '4px',\n\tsmooth: '6px',\n\tdefault: '8px',\n\trounded: '12px',\n\tround: '16px',\n\tfullRounded: '50%',\n\n\tcomponents: {\n\t\tsmaller: '12px',\n\t\tsmall: '16px',\n\t\tregular: '20px',\n\t\tlarge: '24px',\n\t},\n};\n\nconst buttonHeight = {\n\tsmaller: '24px',\n\tsmall: '32px',\n\tregular: '40px',\n\tlarge: '48px',\n};\n\nconst buttonFontSize = {\n\tsmaller: '12px',\n\tsmall: '14px',\n\tregular: '16px',\n\tlarge: '20px',\n};\n\nconst buttonPadding = {\n\tsmaller: '0px 16px',\n\tsmall: '4px 16px',\n\tregular: '8px 24px',\n\tlarge: '12px 32px',\n};\n\nconst iconButtonPadding = {\n\tsmall: '4px 8px',\n\tregular: '8px 16px',\n\tlarge: '12px 24px',\n};\n\nconst boxShadow = {\n\tdefault: '0 4px 10px 0 rgba(0, 0, 0, 0.15)',\n\thover: '0 3px 8px 0 rgba(0, 0, 0, 0.12)',\n\tbottom: '0px 3px 9px -2px rgba(0,0,0,0.12)',\n\tright: '3px 0 5px -2px rgba(0, 0, 0, 0.25)',\n\tglow: `0 0 4px 1px ${colors.neutral[200]}`,\n\tglowActive: `0 0 4px 2px ${colors.neutral[200]}`,\n\tbigCards: `0px 1px 5px ${colors.neutral[100]}`,\n\tselectedBigCards: `0 0 0 4px ${colors.secondary[700]}`,\n\tsmallCards: `0px 1px 3px ${colors.neutral[100]}`,\n\tselectedSmallCards: `0 0 0 2px ${colors.secondary[700]}`,\n\toptionCard: '0 1px 4px 0 rgba(46, 60, 74, 0.16)',\n\toptionCardSelected: '0 2px 8px 0 rgba(46, 60, 74, 0.16)',\n\twideCard: '0 2px 8px 0 rgba(46, 60, 74, 0.16)',\n\n\tlight: '0 1px 4px 0 rgba(46, 60, 74, 0.16)',\n\tmedium: '0 2px 8px 0 rgba(46, 60, 74, 0.16)',\n\tstrong: '0 4px 16px 0 rgba(46, 60, 74, 0.16)',\n\n\tcardHover: `1px 1px 3px ${paletteColors.dark}26`,\n\n\tmodal: `0px 2px 2px rgba(0, 0, 0, 0.05)`,\n\n\toptions: {\n\t\thovered: `0 0 0 1.6px ${colors.neutral[700]}, 0 0 0 2.4px ${colors.primary[50]}`,\n\t},\n\tcomponents: {\n\t\thovered: `0 0 0 2px ${colors.neutral[100]}`,\n\t\tfocused: `0 0 0 2px ${colors.primary[100]}`,\n\t},\n};\n\nconst transition = {\n\tshort: '0.1s cubic-bezier(0.645, 0.045, 0.355, 1)',\n\tlong: '0.3s cubic-bezier(0.645, 0.045, 0.355, 1)',\n\toneSecond: '1s cubic-bezier(0.645, 0.045, 0.355, 1)',\n\tcubicBezier: 'cubic-bezier(0.645, 0.045, 0.355, 1)',\n\n\tall: 'all 0.3s ease-in-out',\n\thover:\n\t\t'box-shadow 0.3s ease-in-out, color 0.3s ease-in-out, background 0.3s ease-in-out, border 0.3s ease-in-out',\n\ttypography:\n\t\t'color 0.3s ease-in-out, transform 0.3s ease-in-out, fill 0.3s ease-in-out',\n};\n\nconst inputSize = {\n\theight: '40px',\n};\n\nconst zIndex = {\n\tunder: -1,\n\tmin: 1,\n\tmid: 5,\n\tmax: 10,\n\tnavBar: 20,\n\toverlay: 30,\n};\n\nconst width = {\n\tpage: '1280px',\n};\n\nexport const GoodkindTheme = {\n\tname: 'Goodkind',\n\tcolors,\n\tlighten,\n\twidth,\n\tdarken,\n\tborder,\n\tfonts,\n\tfontSizes,\n\tborderRadius,\n\tboxShadow,\n\ttransition,\n\tbuttonHeight,\n\tbuttonFontSize,\n\tbuttonPadding,\n\ticonButtonPadding,\n\tinputSize,\n\tzIndex,\n};\n\nexport default GoodkindTheme;\n"],"names":["domain","clientId","redirectUri","logoutUrl","operators","orderTypes","ToastMessage","getGoodkindVersion","apiUrl","webRecordingUrl","mixpanelToken","videoPageUrlDomain","storytellerAlgoliaId","hotglueApiKey","hotglueEnvId","ServiceResponse","MixpanelEvent","ToastPosition","top","right","width","GoodKindApp","Android","IOS","intercomAppId","engagementScoreHint","GlobalStyle","CSSLoader","lazy","Routes","ROOT","document","querySelector","props","applicationId","clientToken","site","service","env","sampleRate","trackInteractions","S","dsn","integrations","release","environment","tracesSampleRate","Suspense","fallback","theme","store","useRefreshTokens","cacheLocation","onRedirectCallback","appState","targetUrl","window","location","pathname","hideProgressBar","style","mainType","getApprovalsTypes","editStoriesTypes","bulkApproveTypes","bulkDeleteTypes","bulkRejectTypes","getSingleStoryTypes","getSingleStory","storyId","FilterOptions","filterString","JSON","stringify","type","callAPI","payload","errorMessage","getApprovals","filter","field","value","custom","updateApprovalVideoCaptions","approvalVideoId","captions","updateApprovalVideoField","approvalId","bulkApprove","stories","successMessage","bulkReject","rejectionReason","getAssignedStoriesTypes","getAssignedStories","editStories","EditOptions","storyteller","storytellerFilter","storytellerId","id","bulkDelete","storiesId","data","length","saveAudienceTypes","saveAudience","saveAudienceObject","getAudienceTypes","getAudience","updateAudienceTypes","updateAudience","updateAudienceObject","deleteAudienceTypes","deleteAudience","setAudienceBuildingCount","getAudienceOptionsTypes","getAudienceByIdTypes","grantAccessTypes","grantAccess","workspaceId","email","reload","uploadProfilePictureTypes","uploadProfilePicture","pictureUrl","verifyTypes","setAuthClient","client","getAutomationsTypes","editAutomationTypes","createAutomationTypes","getSingleAutomationTypes","deleteAutomationTypes","getAutomations","createAutomation","automation","editAutomation","deleteAutomation","BBAuthTypes","BBRefreshTypes","BBListTypes","BBFundTypes","BBCampaignTypes","BBAppealTypes","BBMSAccountTypes","BBPublicKeyTypes","GetConstituentOfListsTypes","CORS_URL","AUTH_URL","BASE_URL","redirect_url","subscriptionKey","bbHeaders","Authorization","getBBAuthToken","code","body","grant_type","redirect_uri","headers","getRefreshToken","refresh_token","preserve_refresh_token","getCampaign","access_token","getAppeal","getFund","getCampaignTypes","getCampaignsCountTypes","filterCampaignsTypes","getCampaignOptionsTypes","createCampaignTypes","updateCampaignTypes","createDraftCampaignTypes","launchDraftCampaignTypes","addContactsToCampaignTypes","deactivateCampaignTypes","bulkDeleteDraftCampaignsTypes","getVerifiedStorytellersTypes","deactivateCampaign","deactivateCampaignObject","getVerifiedStorytellers","campaignId","getCampaignsCount","filterCampaigns","options","isFilter","getCampaignOptions","filterOptions","excludeAll","includeBoth","bulkDeleteDraftCampaigns","campaigns","updateCampaign","createCampaignObject","exportCampaignsTypes","exportCampaigns","url","method","responseType","exportSingleCampaignTypes","emailPreviewTypes","sendEmailPreview","noEmail","resendCampaignStoriesTypes","resendStoriesCounttypes","addContactToCampaign","values","getEmailTemplatesTypes","getEmailTemplates","resetCampaignState","saveCampaignTypes","saveCampaign","saveCampaignParams","customName","saveCurrentChildCampaignTypes","saveAndUpdateCurrentChildCampaignTypes","saveCurrentChildCampaign","saveChildCampaignParams","updateCurrentChild","launchCampaignTypes","launchCampaign","editCampaign","campaign","saveCampaignBulkTypes","duplicateCampaignTypes","duplicateCampaign","setCampaignTree","setCampaignName","name","CampaignStateEnum","SyncStatus","pagination","page","pageSize","CampaignDropdownFilter","operator","order","select","StorytellerDropdownFilter","TagDropdownFilter","contacts","exportContactsTypes","exportContactsPerCampaignTypes","filterContactsTypes","complexFilterContactstypes","uploadFlatfileContactsTypes","updateContactTagTypes","deleteContactTagTypes","softDeleteContactsTypes","filterRepliesActivityTypes","filterStoriesActivityTypes","getContactsByCampaignIdTypes","initialState","loading","update","contactsCount","pages","currentPage","error","response","repliesActivity","repliesActivityPagination","storiesActivity","storiesActivityPagination","filterCtaTypes","createCtaTypes","updateCtaTypes","softBulkTypes","getCtaOptionsTypes","filterCtas","createCta","CreateOptions","updateCta","form","softBulk","ctaIds","sendStorytellersTypes","authWorkspaceLoginTypes","sendStorytellers","SendStorytellers","authWorkspaceLogin","OnBoardingForm","workSpaceLoginInitialState","firstName","lastName","workspace","workspaceVertical","logo","state","currencyCode","primaryColor","secondaryColor","smsAlert","communicationPreference","defaultSendingVerified","defaultSmsSendingNumberVerified","billingStoryRates","organizationName","organizationUrl","defaultSmsSendingNumber","onboardingStage","templates","gateways","status","message","onBoardingForm","filterRepliesTypes","getSingleReplyTypes","setReplyStateTypes","bulkUpdateRepliesTypes","filterReplies","getSingleReply","replyId","setReplyState","bulkUpdateReplies","replyIds","sucessMessage","deleted","replyStates","getScheduledTypes","sendNowTypes","getScheduled","sendNow","updateScheduledVideoCaptionsTypes","updateScheduledVideoCaptions","scheduledVideoId","updateScheduledVideoFieldTypes","updateScheduledVideoField","scheduledId","getSentStoriesTypes","archiveStoriesTypes","undeleteStoriesTypes","getSentStories","archiveStories","undeleteStories","updateSentVideoCaptionsTypes","updateSentVideoCaptions","sentVideoId","updateSentVideoFieldTypes","updateSentVideoField","sentId","filterSharedVideoTypes","filterSharedVideo","infinite","paginationSuccessMapper","action","totalPages","count","normalizedData","entities","Object","keys","result","exportContactsSuccessMapper","reducers","NEW_CONTACT_TAGS","forEach","contact","_id","tags","extraReducers","createFetchReducer","audienceId","copyContacts","auxContact","contactId","tagIndex","findIndex","tag","tagId","newTags","edited","contactIds","reduce","objToReturn","rest","replies","entityNormalizer","idAttribute","campaignCount","paginationOptions","updateResponse","createDraftResponse","launchResponse","campaignOptions","savedCampaign","campaignTree","campaignName","totalCampaigns","verifiedStorytellers","normalizeResponse","updateTreeCampaign","saveCampaignMapper","normalizeCampaignTree","campaignSlice","RESET","EDIT_CAMPAIGN","isDraft","SET_CAMPAIGN_TREE","SET_CAMPAIGN_NAME","sharedVideoStats","contactsByPreference","updatedCampaign","pendingStories","pendingStoriesCount","assignedStories","assignedStoriesCount","includes","sendingAddresses","campaignCopy","unshift","label","campaignOptionsAll","currentCampaign","campaignTreeUpdated","map","setStatusChangeInCampaigns","campaignIds","newCampaignsCount","filterRecipesTypes","createFetchTypes","recipes","recipeToEdit","recipeslice","recipesCount","ctas","ctaSlice","ctasCount","ctaOptions","ctaCopy","ObjectToOptions","excludeTime","videos","approvals","approvalPagination","createAssignedStoryResponse","sendVideoResponse","totalStories","defaultStoriesPaginationMapper","cb","filterMapper","bulkActionSuccessMapper","story","storiesRest","storySlice","CLEAR_STORIES","CLEAR_RESPONSE","UPDATE_APPROVAL_VIDEO_CAPTIONS","entries","find","video","UPDATE_APPROVAL_VIDEO_FIELD","approval","STORY_CLEAR_ERROR","approvalSlice","storiesCount","UPDATE_VIDEO_CAPTIONS","UPDATE_VIDEO_FIELD","newStory","assignedTo","fullName","assignedSlice","assignedStoriesPaginationMapper","newObject","replySlice","repliesCount","defaultRepliesPaginationMapper","newReply","reply","newState","scheduledPaginationMapper","sentPaginationMapper","storytellers","storytellerOptions","storytellersCount","storytellerPendingInvites","storytellerPendingInvitesCount","admins","adminsCount","adminPendingInvites","adminPendingInvitesCount","createStorytellerMapper","newStoryteller","storytellerSlice","MANUALLY_ADD_STORYTELLER","newStorytellerId","newStorytellers","SET_VERIFICATION_LOADING","verificationLoading","CLEAR_STORYTELLERS","senderIdentities","storytellerCopy","storyTemplate","templatesCount","templateOptions","CLEAR_TEMPLATES","item","list","template","push","backgroundImageRequired","logoRequired","blackbaudToggle","insufficientData","blackbaudIntegrationRefresh","refresh_token_expires_in","environment_id","blackbaudGatewayRefresh","blackbaudIntegrationAuth","blackbaudGatewayAuth","blackbaudListConstituents","bbLists","bbAppeals","Array","bbFunds","bbCampaign","bbmsAccount","bbPublicKey","BBAuthSlice","endDate","Date","end_date","getTime","todayDate","now","public_key","arr","sharedVideos","sharedVideoSlice","tagSlice","tagOptions","auxTag","text","contactsUpdated","tagsAdded","concat","tagCopy","newTag","transactions","transactionSlice","customAttributesSchema","processStrategy","workspaces","workspaceInfoMapper","workspaceInfo","workspaceCustomAttributes","customAttributes","customAttributeSchema","normalizedCustomAttributes","hasBlackbaudIntegration","integration","test","integrationName","integrationOn","hasSalesforceIntegration","hasBlackbaudGateway","gateway","gatewayOn","workspaceSlice","domainData","zapierKey","firstLogin","RESET_WORKSPACE","domainVerified","dnsRecords","valid","integrationId","disconnectHotglueResponse","actions","storeIdentity","identityToken","TokenStorage","user","authSlice","accessToken","SET_AUTH_CLIENT","authClient","CLEAR_AUTH","logout","returnTo","authConfig","e","audience","audienceSlice","audienceCount","audienceBuildingCount","audienceOptions","SET_AUDIENCE_BUILDING_COUNT","restOfAudience","audienceCopy","automations","automationSlice","automationsCount","newAutomation","automationId","restOfAutomations","storeReducers","auth","recipe","cta","assigned","scheduled","sent","blackbaud","sharedVideo","transaction","onboarding","CLEAR_ALL_EXCEPT_AUTH","reducer","copyAuthState","middleware","serializableCheck","immutableCheck","dispatch","next","callFetch","shouldCallAPI","isArray","Error","requestType","successType","failureType","statusCode","clearAllExceptAuth","filterStoriesTypes","filterStoriesWithInfiniteTypes","exportStoriesTypes","createStoriesTypes","sendStoriesTypes","approvalCountTypes","getStoriesCountTypes","filterStories","createStory","sendStory","SendOptions","clearStories","getStoriesCount","storyStatus","getTemplateOptionsTypes","createStoryTemplateTypes","editStoryTemplateTypes","filterTemplatesTypes","filterTemplates","editStoryTemplate","params","createStoryTemplate","clearTemplates","importStorytellersTypes","verifyStorytellerTypes","resendStorytellerVerificationTypes","getStorytellerOptionsTypes","getStorytellerOptions","importStorytellers","exportStorytellersTypes","filterStorytellersTypes","filterStorytellers","filterStorytellerPendingInvitesTypes","filterStorytellerPendingInvites","search","fields","filterAdminsTypes","filterAdmins","filterAdminPendingInvitesTypes","filterAdminPendingInvites","searchObject","retrieveSavedAdmins","createStorytellerTypes","createStoryteller","updateStorytellerTypes","updateStoryteller","verifyStoryteller","resendStorytellerVerification","sendSmsAppLinkTypes","sendSmsAppLink","uploadStorytellerProfilePictureType","uploadStorytellerProfilePicture","profilePictureForm","clearStorytellers","bulkSoftDeleteStorytellersType","bulkSoftDeleteStorytellers","storytellerIds","filterTagsTypes","createTagsTypes","updateTagsTypes","deleteTagsTypes","createContactTagsTypes","getTagOptionsTypes","getTagOptions","filterTags","updateTag","tagIds","deleteTag","createTags","tagsText","createContactTags","actionPayload","noSuccessToast","filterTransactionTypes","filterTransactions","exportTransactionTypes","exportTransactions","useAppDispatch","uploadVideoTypes","uploadVideo","formdata","crop","filterVideoTypes","filterVideoWithInfiniteTypes","filterVideos","downloadVideoTypes","archiveVideoTypes","archiveVideo","videoId","toggleHideCaptionTypes","toggleHideCaptions","hideCaptions","favoriteVideoTypes","getStreamingUrlTypes","getStreamingUrl","azureId","proxy","getSingleVideoTypes","getSingleVideo","clearVideos","updateCaptionTypes","updateCaptions","language","dataByCue","getParsedCaptionTypes","getParsedCaptions","createCaptionSuggestionTypes","createSuggestion","suggestion","deleteCaptionSuggestionTypes","deleteSuggestion","suggestionId","getCaptionSuggestionTypes","getSuggestions","parent","key","transcript","confidence","index","defaultVideosPaginationMapper","paginationMapper","videosCount","videoSlice","loadingUpload","processingVideos","current","currentId","completed","showProcessingWidget","streaming","parsedCaptions","CLEAR_VIDEOS","jwt","urlWithProxy","newStreamingState","streamingUrl","streamingToken","transcriptText","parse","meta","favorite","videoFromResponse","de","stateCopy","suggestions","toRemove","splice","getWorkspaceByEmailTypes","updateWorkspaceGatewayTypes","WorkspaceInfoTypes","zapierKeyTypes","DisconnectBlackbaudGatewayTypes","disconnectWorkspaceIntegrationTypes","updateWorkspaceIntegrationTypes","updateHotglueCommunicationPreferenceTypes","updateHotglueSyncingScheduleTypes","uploadLogoTypes","updateWithLogoAndBackgroundtypes","updateWorkspaceTypes","verifyWorkspaceDomainDataTypes","verifyDomainTypes","setZapierIntegrationTypes","disconnectHotglueIntegrationTypes","updateCustomAttributesTypes","connectHotglueFlowTypes","getSendDataOutTargetFieldsTypes","setZapierIntegration","getWorkspaceByEmail","updateWorkspaceGateway","obj","DisconnectGateway","gatewayId","publicKey","updateWorkspaceIntegration","integrationBaseUrl","constituent_id","refreshToken","connectHotglueFlow","disconnectWorkspaceIntegration","updateHotglueCommunicationPreference","flowName","flow","defaultCommunicationPreference","updateHotglueSyncingSchedule","getWorkspaceInfo","updateWorkspace","updateWithLogoAndBackground","workspaceForm","verifyWorkspaceDomainData","resetWorkspace","disconnectHotglueIntegration","updateCustomAttributes","getSendDataOutTargetFields","NormalizedObject","textFormat","getAccessToken","stringValue","localStorage","getItem","getAuth0LocalValue","setAccessToken","setItem","getIdentity","setIdentity","defaultMapper","types","successMapper","errorMapper","actionTypes","REQUEST_TYPE","SUCCESS_TYPE","FAILURE_TYPE","reducerObject","handle","resetCustom","entity","definition","mergeStrategy","createdAtDate","createdAt","formattedCreatedAt","toLocaleString","month","getDate","getFullYear","toLocaleTimeString","trim","updatedAtDate","updatedAt","formattedUpdatedAt","undefined","AnimationContainer","transition","short","color","ThreeDotsContainer","Loader","className","animationOptions","loop","autoplay","animationData","rendererSettings","preserveAspectRatio","viewBoxSize","useEffect","defaultProps","colorFill","CustomLoader","showToast","toastType","display","alignItems","background","axios","baseURL","timeout","axiosForExternal","interceptors","request","use","config","res","Promise","reject","paletteColors","neutral","dark","primary","white","alert","warning","success","accent","green","yellow","orange","pink","purple","lighten","coefficient","darken","colors","labelTransparent","sentiment","sentimentTransparent","sentimentStrong","delivered","opened","bounced","pending","processed","dropped","whatsGreen","lightBlue","lightestBlue","lightPurple","softRed","strongRed","lightGreen","secondary","gradients","GoodkindTheme","border","block","fonts","default","fontSizes","h1","h2","large","regular","small","smaller","borderRadius","subtle","smooth","rounded","round","fullRounded","components","boxShadow","hover","bottom","glow","glowActive","bigCards","selectedBigCards","smallCards","selectedSmallCards","optionCard","optionCardSelected","wideCard","light","medium","strong","cardHover","modal","hovered","focused","long","oneSecond","cubicBezier","all","typography","buttonHeight","buttonFontSize","buttonPadding","iconButtonPadding","inputSize","height","zIndex","under","min","mid","max","navBar","overlay"],"sourceRoot":""}