\n onChangeEventDraft({\n property: name,\n rowIndex,\n value\n })\n }\n value={macroValues[name]}\n placeholder={name}\n />\n ),\n id: `cell${name}${rowIndex}`\n }))\n ],\n id: `row${rowIndex}`\n }\n}\n\nconst NewEventModal = ({\n clearError,\n errors,\n instructions,\n isNewEventSavable,\n isSaving,\n onClickClose,\n onClickSaveNewEvent,\n // eslint-disable-next-line react/prop-types\n rows,\n selectedEventName\n}) => {\n const [errorList, setErrorList] = useState([])\n const [errorCounter, setErrorCounter] = useState(0)\n\n const clearErrorList = () => {\n setErrorList([])\n clearError('newEvent')\n }\n\n const handleClickClose = () => {\n clearErrorList()\n onClickClose()\n }\n\n useEffect(() => {\n const hasNewError = !isEmpty(errors.newEvent)\n\n if (hasNewError) {\n setErrorList(currentErrorList => [\n ...currentErrorList,\n {\n ...DEFAULT_ERROR_ALERT_PROPS,\n children: [{errors.newEvent}],\n key: errorCounter\n }\n ])\n\n setErrorCounter(currentErrorCounter => currentErrorCounter + 1)\n }\n }, [errors.newEvent])\n\n return (\n \n
\n {selectedEventName}\n \n {instructions && (\n
\n \n \n )}\n
\n }\n />\n {/*\n // TODO: [nafeu] re-enable this option when building bulk-edit functionality\n
\n */}\n
\n
\n
\n
Something went wrong.}\n isDisabled={!isNewEventSavable}\n isLoading={isSaving}\n level=\"success\"\n loadingContent={Saving...}\n onClick={onClickSaveNewEvent}\n onError={() => {}}\n onSuccess={() => {}}\n resetOnSuccess\n >\n {errors.newEvent ? 'Retry' : 'Save'}\n \n
\n
\n )\n}\n\nNewEventModal.propTypes = {\n clearError: PropTypes.func.isRequired,\n errors: PropTypes.objectOf(PropTypes.string),\n instructions: PropTypes.string,\n isNewEventSavable: PropTypes.bool.isRequired,\n isSaving: PropTypes.bool.isRequired,\n onClickClose: PropTypes.func.isRequired,\n onClickSaveNewEvent: PropTypes.func.isRequired,\n selectedEventName: PropTypes.string.isRequired\n}\n\nNewEventModal.defaultProps = {\n errors: {},\n instructions: null\n}\n\nexport default NewEventModal\n","import PropTypes from 'prop-types'\nimport { Fragment } from 'react'\nimport Skeleton from 'react-loading-skeleton'\n\nimport { overlayOpaquenessTypes } from '../../../../../../../utils/customPropTypes'\nimport AsyncIconTextButton from '../../../../../../AsyncIconTextButton'\nimport CardPanel from '../../../../../../CardPanel'\nimport FlexTable from '../../../../../../FlexTable'\nimport FontAwesomeIcon from '../../../../../../FontAwesomeIcon'\nimport PageNotice from '../../../../../../PageNotice'\nimport { SKELETON_ROW_COUNT } from './constants'\nimport styles from './styles.module.scss'\n\nexport const buildS2SCallbacksTableRow = ({\n eventName,\n headers,\n id: callbackId,\n isHeadersRow,\n name,\n onClickEditCustomCallback,\n rowIndex\n}) => {\n if (isHeadersRow) {\n return {\n cells: headers.map((header, headerIndex) => ({\n cell: {header}
,\n id: `header${headerIndex}`\n })),\n id: 'headers'\n }\n }\n\n return {\n cells: [\n {\n cell: {name}
,\n id: `cellStatus${rowIndex}`\n },\n {\n cell: {eventName}
,\n id: `cellName${rowIndex}`\n },\n {\n cell: (\n onClickEditCustomCallback(callbackId)}\n onError={() => {}}\n resetOnSuccess\n >\n Edit\n \n ),\n id: `cellEdit${rowIndex}`\n }\n ],\n id: `row${rowIndex}`\n }\n}\n\n/*\n eslint-disable jsx-a11y/interactive-supports-focus,\n jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions\n*/\nconst S2SCallbacksTable = ({\n // eslint-disable-next-line no-unused-vars\n isLoading,\n onClickAddCustomCallback,\n overlayContent,\n overlayOpaqueness,\n rows\n}) => (\n \n \n Add a S2S Callback\n \n }\n >\n {isLoading ? (\n \n {Array.from(Array(SKELETON_ROW_COUNT)).map(() => (\n \n \n
\n \n ))}\n \n ) : (\n \n \n Send realtime data to your own data warehouse with a custom callback.\n \n \n \n )}\n \n)\n/*\n eslint-enable jsx-a11y/interactive-supports-focus,\n jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions\n*/\n\nS2SCallbacksTable.propTypes = {\n isLoading: PropTypes.bool.isRequired,\n onClickAddCustomCallback: PropTypes.bool.isRequired,\n overlayContent: PropTypes.node.isRequired,\n overlayOpaqueness: overlayOpaquenessTypes.isRequired,\n rows: PropTypes.arrayOf(\n PropTypes.shape({\n eventName: PropTypes.string.isRequired,\n name: PropTypes.bool.isRequired\n })\n ).isRequired\n}\n\nexport default S2SCallbacksTable\n","import { useRef, useState } from 'react'\nimport PropTypes from 'prop-types'\nimport { format, parseISO } from 'date-fns'\nimport TdKeyCell from './TdKeyCell'\nimport { deepCamelKeys } from '../../../../../../../utils/helpers'\nimport { post, put } from '../../../../../../../utils/request'\nimport { API_KEY_NAME_MAX_LENGTH } from './constants'\n\nimport styles from './styles.module.scss'\n\nconst KeyRow = ({\n // eslint-disable-next-line react/prop-types\n apiKey: apiKeyProp,\n canRevoke,\n integrated,\n isOrgKey,\n lastSeenDate,\n onError,\n onRemoveKeyRow,\n onShowRevokeModal\n}) => {\n const apiKey = deepCamelKeys(apiKeyProp)\n const baseApiKeyURL = `${window.location.pathname}/api_keys/${apiKey.id}`\n const revokeApiKeyURL = `${baseApiKeyURL}/disable`\n\n const [isEditing, setIsEditing] = useState(apiKey.isNew)\n const [name, setName] = useState(apiKey.name)\n const nameRef = useRef(null)\n\n const ESCAPE_KEYCODE = 27\n const ENTER_KEYCODE = 13\n\n const handleEnableEdit = () => {\n setIsEditing(true)\n }\n\n const handleDisableEdit = () => {\n setIsEditing(false)\n }\n\n const handleChangeName = async () => {\n const nameExists = nameRef.current.value.length > 0\n if (nameExists) {\n setName(nameRef.current.value)\n }\n handleDisableEdit()\n try {\n await put(baseApiKeyURL, { api_key: { name: nameRef.current.value } })\n } catch (error) {\n onError(error)\n }\n }\n\n const revokeSdkKey = async () => {\n onRemoveKeyRow()\n\n try {\n await post(revokeApiKeyURL)\n } catch (error) {\n onError(error)\n }\n }\n\n const handleRevoke = () => {\n if (!canRevoke) return\n\n onShowRevokeModal({ revokeSdkKey })\n }\n\n const handleOrgKeyRevoke = () => {\n onShowRevokeModal({ isOrgKeyParam: true, revokeSdkKey })\n }\n\n const onKeyUpName = event => {\n switch (event.keyCode) {\n case ESCAPE_KEYCODE:\n handleDisableEdit(event)\n break\n case ENTER_KEYCODE:\n handleChangeName(event)\n break\n default:\n }\n }\n\n const nameCell = () => (isEditing\n ? (\n \n \n \n {' '}\n \n {' '}\n \n \n
\n )\n : (\n \n {\n isOrgKey\n ? (\n \n Universal SDK Key\n \n deprecated\n \n \n )\n : (\n \n {name}\n \n \n )\n }\n
\n ))\n\n const newKeyBadge = () => (apiKey.isNew\n ? new\n : )\n\n const formattedLastSeenDate = () => {\n if (!integrated) {\n return (\n never\n )\n }\n\n if (lastSeenDate) {\n return (\n \n {format(parseISO(lastSeenDate), 'yyyy-MM-dd')}\n \n )\n }\n\n return (\n -\n )\n }\n\n return (\n \n \n {nameCell()}\n | \n \n \n {format(parseISO(apiKey.createdAt), 'yyyy-MM-dd')}\n {' '}\n {newKeyBadge()}\n | \n \n {formattedLastSeenDate()}\n | \n \n {\n isOrgKey\n ? (\n \n Disable\n \n )\n : (\n \n Revoke\n \n )\n }\n | \n
\n )\n}\n\nKeyRow.propTypes = {\n canRevoke: PropTypes.bool.isRequired,\n integrated: PropTypes.bool.isRequired,\n isOrgKey: PropTypes.bool,\n lastSeenDate: PropTypes.string,\n onError: PropTypes.func,\n onRemoveKeyRow: PropTypes.func,\n onShowRevokeModal: PropTypes.func\n}\n\nKeyRow.defaultProps = {\n isOrgKey: false,\n lastSeenDate: null,\n onError: () => {},\n onRemoveKeyRow: () => {},\n onShowRevokeModal: () => {}\n}\n\nexport default KeyRow\n","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___UmAg4\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1rA3A\",\"btn-toggle\":\"styles-module__btn-toggle___69gRT\",\"handle\":\"styles-module__handle___1HowX\",\"active\":\"styles-module__active___2eEpB\",\"focus\":\"styles-module__focus___1q2xg\",\"card-panel\":\"styles-module__card-panel___2PdmX\",\"panel-heading\":\"styles-module__panel-heading___4e7BK\",\"panel-title\":\"styles-module__panel-title____6SQO\",\"panel-subtitle\":\"styles-module__panel-subtitle___yIKlB\",\"panel-body\":\"styles-module__panel-body___pnOAG\",\"icon\":\"styles-module__icon___3vOcj\",\"icon--sm\":\"styles-module__icon--sm___3sZ85\",\"visibleIcon\":\"styles-module__visibleIcon___Q-u6-\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2mw7U\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3Bp6f\",\"btn-toggle\":\"styles-module__btn-toggle___tmXIK\",\"handle\":\"styles-module__handle___1QrXm\",\"active\":\"styles-module__active___1x2nq\",\"focus\":\"styles-module__focus___1Jbbz\",\"card-panel\":\"styles-module__card-panel___1ssil\",\"panel-heading\":\"styles-module__panel-heading___30A40\",\"panel-title\":\"styles-module__panel-title___2r4ms\",\"panel-subtitle\":\"styles-module__panel-subtitle___2aWdu\",\"panel-body\":\"styles-module__panel-body___3_Cl3\",\"label\":\"styles-module__label___3_YQQ\",\"formLabel\":\"styles-module__formLabel___2gTxL\"};","export const displaySettingsByValueType = {\n currency: {\n numberOfDigits: 2,\n prependWith: '$'\n },\n number: {\n numberOfDigits: 2,\n shouldDropTrailingZeroes: true\n },\n percentage: {\n numberOfDigits: 2,\n postfixWith: '%',\n shouldDropTrailingZeroes: true\n },\n wholeNumber: {\n numberOfDigits: 0\n }\n}\n\nexport const MIN_NUMBER_OF_DIGITS = 1\nexport const MAX_NUMBER_OF_DIGITS = 100\n","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2w7pH\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1ojbE\",\"btn-toggle\":\"styles-module__btn-toggle___1vpd8\",\"handle\":\"styles-module__handle___2kWAK\",\"active\":\"styles-module__active___1Gvpl\",\"focus\":\"styles-module__focus___3S0GT\",\"card-panel\":\"styles-module__card-panel___2cEgg\",\"panel-heading\":\"styles-module__panel-heading___1e27m\",\"panel-title\":\"styles-module__panel-title___1GE7n\",\"panel-subtitle\":\"styles-module__panel-subtitle___UBmQw\",\"panel-body\":\"styles-module__panel-body___3Fpv9\",\"buttonTabNavigation\":\"styles-module__buttonTabNavigation___3bkbM\",\"tabButton\":\"styles-module__tabButton___25H_P\",\"isActive\":\"styles-module__isActive___3zGZa\"};","export const UNLINKABLE_IDS = [-1, '-1', 0, '0', '00000000-0000-0000-0000-000000000000']\n\nexport const ENTITY_TYPES_TO_LINK_DETAILS = {\n ad_network_id: {\n baseHref: '/dashboard/integrations',\n title: 'View Channel'\n },\n app_id: {\n baseHref: '/dashboard/apps',\n title: 'View App'\n },\n campaign_id: {\n baseHref: '/dashboard/campaigns',\n title: 'View Campaign'\n }\n}\n\nexport const LINKABLE_ENTITY_TYPES = Object.keys(ENTITY_TYPES_TO_LINK_DETAILS)\n","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___5ZIZP\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2Mqg-\",\"btn-toggle\":\"styles-module__btn-toggle___dNjiQ\",\"handle\":\"styles-module__handle___ho2mf\",\"active\":\"styles-module__active___OyOWY\",\"focus\":\"styles-module__focus___2TMrG\",\"card-panel\":\"styles-module__card-panel___1jEtN\",\"panel-heading\":\"styles-module__panel-heading___2t2mG\",\"panel-title\":\"styles-module__panel-title___eMZWr\",\"panel-subtitle\":\"styles-module__panel-subtitle___11wdS\",\"panel-body\":\"styles-module__panel-body___2VnGl\",\"chartTypeButtons\":\"styles-module__chartTypeButtons___1HYs6\",\"chartTypeButton\":\"styles-module__chartTypeButton___3YuD3\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2yzEh\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1fkUa\",\"btn-toggle\":\"styles-module__btn-toggle___23efS\",\"handle\":\"styles-module__handle___2n0Vk\",\"active\":\"styles-module__active___2x3uc\",\"focus\":\"styles-module__focus___3oYhj\",\"card-panel\":\"styles-module__card-panel___251Ru\",\"panel-heading\":\"styles-module__panel-heading___1slji\",\"panel-title\":\"styles-module__panel-title___NXCN2\",\"panel-subtitle\":\"styles-module__panel-subtitle___2Hr-p\",\"panel-body\":\"styles-module__panel-body___1pSc4\",\"container\":\"styles-module__container____38VT\",\"containerWithFocusedInput\":\"styles-module__containerWithFocusedInput___1zi28\",\"input\":\"styles-module__input___3eVA0\",\"error\":\"styles-module__error___3PHE2\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2SO6s\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3l93U\",\"btn-toggle\":\"styles-module__btn-toggle___sTU6s\",\"handle\":\"styles-module__handle___e0NdD\",\"active\":\"styles-module__active___2IqCU\",\"focus\":\"styles-module__focus___3Nmgj\",\"card-panel\":\"styles-module__card-panel___-tz1l\",\"panel-heading\":\"styles-module__panel-heading___3o7Vy\",\"panel-title\":\"styles-module__panel-title___29up3\",\"panel-subtitle\":\"styles-module__panel-subtitle___3o6WG\",\"panel-body\":\"styles-module__panel-body___oXKJb\",\"iconContainer\":\"styles-module__iconContainer___3BBVp\",\"icon\":\"styles-module__icon___1XkKO\",\"popoverTemplate\":\"styles-module__popoverTemplate___13DJL\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1kQsS\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3eIao\",\"btn-toggle\":\"styles-module__btn-toggle___1sDsA\",\"handle\":\"styles-module__handle___26akL\",\"active\":\"styles-module__active___2_IUG\",\"focus\":\"styles-module__focus___1hOyb\",\"card-panel\":\"styles-module__card-panel___14zY_\",\"panel-heading\":\"styles-module__panel-heading___3azYH\",\"panel-title\":\"styles-module__panel-title___1ojV5\",\"panel-subtitle\":\"styles-module__panel-subtitle___3LL5E\",\"panel-body\":\"styles-module__panel-body___3PzAg\",\"flexTable\":\"styles-module__flexTable___2ZX8s\",\"row\":\"styles-module__row___26DNN\",\"cell\":\"styles-module__cell___cGy4j\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3C9e4\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3L_t0\",\"btn-toggle\":\"styles-module__btn-toggle___QVEwZ\",\"handle\":\"styles-module__handle___2koiR\",\"active\":\"styles-module__active___2M6Ty\",\"focus\":\"styles-module__focus___2nwNf\",\"card-panel\":\"styles-module__card-panel___3PXOW\",\"panel-heading\":\"styles-module__panel-heading___34XDj\",\"panel-title\":\"styles-module__panel-title___aC_9Z\",\"panel-subtitle\":\"styles-module__panel-subtitle___3D0-n\",\"panel-body\":\"styles-module__panel-body___aL2YG\",\"headerWithHelpText\":\"styles-module__headerWithHelpText___1jp9T\",\"header\":\"styles-module__header___1r7CX\",\"helpText\":\"styles-module__helpText___36iDK\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3wY2Q\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2tjdh\",\"btn-toggle\":\"styles-module__btn-toggle___1-gOV\",\"handle\":\"styles-module__handle___3RqU7\",\"active\":\"styles-module__active___23ApN\",\"focus\":\"styles-module__focus___2Tthl\",\"card-panel\":\"styles-module__card-panel___xt5Yj\",\"panel-heading\":\"styles-module__panel-heading___2DG0r\",\"panel-title\":\"styles-module__panel-title___2_Igb\",\"panel-subtitle\":\"styles-module__panel-subtitle___2BndU\",\"panel-body\":\"styles-module__panel-body___1IyoB\",\"lineTabNavigation\":\"styles-module__lineTabNavigation___cy_vs\",\"link\":\"styles-module__link___3jt-h\",\"isActive\":\"styles-module__isActive___13yn0\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3RW5v\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3hTC2\",\"btn-toggle\":\"styles-module__btn-toggle___4kGzg\",\"handle\":\"styles-module__handle___17hcW\",\"active\":\"styles-module__active___35YOk\",\"focus\":\"styles-module__focus___2XV8q\",\"card-panel\":\"styles-module__card-panel___W0XlV\",\"panel-heading\":\"styles-module__panel-heading___55Miq\",\"panel-title\":\"styles-module__panel-title___EkTJJ\",\"panel-subtitle\":\"styles-module__panel-subtitle___3jAEM\",\"panel-body\":\"styles-module__panel-body___2X4xj\",\"noValue\":\"styles-module__noValue___2I4XL\",\"truncate\":\"styles-module__truncate___NJP4U\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___26zQh\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___16mV2\",\"btn-toggle\":\"styles-module__btn-toggle___100aQ\",\"handle\":\"styles-module__handle___3fmJD\",\"active\":\"styles-module__active___vEwOm\",\"focus\":\"styles-module__focus___kyqi_\",\"card-panel\":\"styles-module__card-panel___3COFo\",\"panel-heading\":\"styles-module__panel-heading___1OZox\",\"panel-title\":\"styles-module__panel-title___1wAXf\",\"panel-subtitle\":\"styles-module__panel-subtitle___IGAYv\",\"panel-body\":\"styles-module__panel-body___3IhkZ\",\"sidebar\":\"styles-module__sidebar___1WX-a\",\"sidebarCollapsed\":\"styles-module__sidebarCollapsed___KU1pC\",\"sidebarContent\":\"styles-module__sidebarContent___1uHRs\",\"pane\":\"styles-module__pane___26WfM\",\"paneCollapsed\":\"styles-module__paneCollapsed___1qLdv\",\"list\":\"styles-module__list___2ZDch\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1KCOc\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___30zq-\",\"btn-toggle\":\"styles-module__btn-toggle___31Q0F\",\"handle\":\"styles-module__handle___2m_Ad\",\"active\":\"styles-module__active___1K96X\",\"focus\":\"styles-module__focus___31cSb\",\"card-panel\":\"styles-module__card-panel___3k5rk\",\"panel-heading\":\"styles-module__panel-heading___3BZn8\",\"panel-title\":\"styles-module__panel-title___w-6gS\",\"panel-subtitle\":\"styles-module__panel-subtitle___5ue0o\",\"panel-body\":\"styles-module__panel-body___zT4Pg\",\"btn\":\"styles-module__btn___11UhG\",\"disabled\":\"styles-module__disabled___2jvwt\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___xf-Ax\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1fyOO\",\"btn-toggle\":\"styles-module__btn-toggle___LUPdT\",\"handle\":\"styles-module__handle___1i4CF\",\"active\":\"styles-module__active___2bAOY\",\"focus\":\"styles-module__focus___HPWzF\",\"card-panel\":\"styles-module__card-panel___2v-A_\",\"panel-heading\":\"styles-module__panel-heading___3Np8W\",\"panel-title\":\"styles-module__panel-title___1Hmca\",\"panel-subtitle\":\"styles-module__panel-subtitle___2U8gf\",\"panel-body\":\"styles-module__panel-body___1cQJP\",\"container\":\"styles-module__container___2FsHu\",\"header\":\"styles-module__header___LSD2G\",\"input\":\"styles-module__input___2gP5w\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___tNLGH\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___ZMKPn\",\"btn-toggle\":\"styles-module__btn-toggle___3-_2w\",\"handle\":\"styles-module__handle___2VMUr\",\"active\":\"styles-module__active___3SSph\",\"focus\":\"styles-module__focus___1xwPw\",\"card-panel\":\"styles-module__card-panel___2juNU\",\"panel-heading\":\"styles-module__panel-heading___iVNA6\",\"panel-title\":\"styles-module__panel-title___2w3bW\",\"panel-subtitle\":\"styles-module__panel-subtitle___34UyV\",\"panel-body\":\"styles-module__panel-body___1U2Gy\",\"img\":\"styles-module__img___2S5Cb\",\"selectedItem\":\"styles-module__selectedItem___25r-A\",\"displayName\":\"styles-module__displayName___EC7j5\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1qG9i\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___SVsMe\",\"btn-toggle\":\"styles-module__btn-toggle___2cjwF\",\"handle\":\"styles-module__handle___tc03N\",\"active\":\"styles-module__active___1I4to\",\"focus\":\"styles-module__focus___3wTh4\",\"card-panel\":\"styles-module__card-panel___3Hlmy\",\"panel-heading\":\"styles-module__panel-heading___vOyQX\",\"panel-title\":\"styles-module__panel-title___2Z30h\",\"panel-subtitle\":\"styles-module__panel-subtitle___1hXCA\",\"panel-body\":\"styles-module__panel-body___3XLT1\",\"img\":\"styles-module__img___3YRDh\",\"imgDisabled\":\"styles-module__imgDisabled___1xCXB\",\"channelName\":\"styles-module__channelName___TEcTp\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___OyN9q\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1qpKy\",\"btn-toggle\":\"styles-module__btn-toggle___1AlUO\",\"handle\":\"styles-module__handle___3Vpjd\",\"active\":\"styles-module__active___2Yxrt\",\"focus\":\"styles-module__focus___1JXnX\",\"card-panel\":\"styles-module__card-panel___35Vr6\",\"panel-heading\":\"styles-module__panel-heading___1p16u\",\"panel-title\":\"styles-module__panel-title___1r84E\",\"panel-subtitle\":\"styles-module__panel-subtitle___2cwyh\",\"panel-body\":\"styles-module__panel-body___3VE2_\",\"pane\":\"styles-module__pane___2CcR3\",\"paneCollapsed\":\"styles-module__paneCollapsed___2qVx1\",\"datePicker\":\"styles-module__datePicker___3Pg_l\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2HCMy\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___b1TKE\",\"btn-toggle\":\"styles-module__btn-toggle___3e_Vc\",\"handle\":\"styles-module__handle___2RtbQ\",\"active\":\"styles-module__active___4EHDs\",\"focus\":\"styles-module__focus___24sQM\",\"card-panel\":\"styles-module__card-panel___2SbB4\",\"panel-heading\":\"styles-module__panel-heading___tVqrP\",\"panel-title\":\"styles-module__panel-title___3VPvb\",\"panel-subtitle\":\"styles-module__panel-subtitle___Ie4QT\",\"panel-body\":\"styles-module__panel-body___1BL85\",\"aemToggle\":\"styles-module__aemToggle___2cQJP\",\"tooltipContent\":\"styles-module__tooltipContent___1XDvb\",\"boldLink\":\"styles-module__boldLink___3fYW1\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1RYmR\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___V08dG\",\"btn-toggle\":\"styles-module__btn-toggle___1quBf\",\"handle\":\"styles-module__handle___10hoe\",\"active\":\"styles-module__active___3ELVA\",\"focus\":\"styles-module__focus___19QEu\",\"card-panel\":\"styles-module__card-panel___wsUvo\",\"panel-heading\":\"styles-module__panel-heading___24zT_\",\"panel-title\":\"styles-module__panel-title___3qRU2\",\"panel-subtitle\":\"styles-module__panel-subtitle___1Dfvf\",\"panel-body\":\"styles-module__panel-body___2zLnu\",\"layout\":\"styles-module__layout___1LSO2\",\"tableContainer\":\"styles-module__tableContainer___1OUuN\",\"tableContainerNoXScroll\":\"styles-module__tableContainerNoXScroll___2YCSH\",\"tooltip\":\"styles-module__tooltip___1f87v\",\"compactView\":\"styles-module__compactView___ekqQw\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1v3cF\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3Ofpf\",\"btn-toggle\":\"styles-module__btn-toggle___2hPOY\",\"handle\":\"styles-module__handle___2vepU\",\"active\":\"styles-module__active___3ezjx\",\"focus\":\"styles-module__focus___39D4C\",\"card-panel\":\"styles-module__card-panel___1P5V5\",\"panel-heading\":\"styles-module__panel-heading___mqoVd\",\"panel-title\":\"styles-module__panel-title___CHCfs\",\"panel-subtitle\":\"styles-module__panel-subtitle___aOQ-c\",\"panel-body\":\"styles-module__panel-body___nwC_N\",\"img\":\"styles-module__img___2vwmQ\",\"platformIcon\":\"styles-module__platformIcon___YkEuJ\",\"link\":\"styles-module__link___3M7pA\",\"appName\":\"styles-module__appName___3TMsc\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1vUPZ\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1pAcu\",\"btn-toggle\":\"styles-module__btn-toggle___2KzgR\",\"handle\":\"styles-module__handle___18auN\",\"active\":\"styles-module__active___2unYg\",\"focus\":\"styles-module__focus___2G8If\",\"card-panel\":\"styles-module__card-panel___3dHn7\",\"panel-heading\":\"styles-module__panel-heading___2Bgdj\",\"panel-title\":\"styles-module__panel-title___3wAcL\",\"panel-subtitle\":\"styles-module__panel-subtitle___3UQii\",\"panel-body\":\"styles-module__panel-body___2Umqp\",\"totalsRadioButton\":\"styles-module__totalsRadioButton___oTedx\",\"totalsRadioHeader\":\"styles-module__totalsRadioHeader___2XXiq\"};","import React from 'react'\nimport pluralize from 'pluralize'\n\nimport Select from '../Select/Select'\nimport Tooltip from 'rc-tooltip'\nimport PlatformIcon from '../PlatformIcon'\n\nimport styles from './styles.module.scss'\n\nconst filterButtonValue = (items, selectedItems, text) => {\n if (selectedItems.length === 0 || items.length === selectedItems.length) {\n return 'All'\n } if (selectedItems.length <= 2) {\n return selectedItems.map(selectedItem => items[selectedItem].name).join(', ') // e.g. Tapjoy, Applovin\n }\n\n return pluralize(text, selectedItems.length, true) // e.g. 3 Channels\n}\n\nconst getLookbackWindowValue = ({ lookbackWindows, selectedLookbackWindow }) => {\n const lookbackWindow = lookbackWindows[selectedLookbackWindow]\n\n let value = ''\n\n if (lookbackWindow) {\n if (/days/i.test(lookbackWindow.name)) {\n value = `Data from past ${lookbackWindow.name.toLowerCase()}`\n } else {\n value = `Data from ${lookbackWindow.name.toLowerCase()}`\n }\n }\n\n return value\n}\n\nconst appRenderer = (\n {\n icon_url: iconUrl, // eslint-disable-line camelcase\n name,\n platform\n }\n) => (\n \n

\n\n
\n\n
\n {name}\n \n
\n)\n\nconst channelRenderer = (\n {\n icon_url: iconUrl, // eslint-disable-line camelcase\n name\n }\n) => (\n \n

\n\n
\n {name}\n \n
\n)\n\nconst platformRenderer = (\n {\n id,\n name\n }\n) => (\n \n)\n\nexport const renderPlatformsFilter = (\n {\n onPlatformsSave,\n platforms,\n selectedPlatforms\n }\n) => {\n const selectButtonValue = filterButtonValue(\n platforms,\n selectedPlatforms,\n 'App Stores'\n )\n\n return (\n \n )\n}\n\nexport const renderAppsFilter = (\n {\n apps,\n onAppsSave,\n selectedAppIds\n }\n) => {\n const selectButtonValue = filterButtonValue(\n apps,\n selectedAppIds,\n 'App'\n )\n\n return (\n \n )\n}\n\nexport const renderChannelsFilter = (\n {\n channels,\n onChannelsSave,\n selectedChannelIds\n }\n) => {\n const selectButtonValue = filterButtonValue(\n channels,\n selectedChannelIds,\n 'Channel'\n )\n\n return (\n \n )\n}\n\nexport const renderLookbackWindowFilter = (\n {\n lookbackWindows,\n onLookbackWindowSave,\n selectedLookbackWindow\n }\n) => (\n \n)\n","export const DEFAULT_ERROR_TEXT = 'Something went wrong.'\nexport const BUTTON_LEVELS = {\n DANGER: 'danger',\n DEFAULT: 'default',\n SUCCESS: 'success',\n WARNING: 'warning'\n}\n","import { pickBy, xor } from 'lodash'\n\nimport { getQueryParams } from '../../contexts/ReportingFilters'\nimport { deepSnakeKeys, isPresent } from '../../utils/helpers'\nimport { VOID_END_DATE } from './DateFilter/constants'\n\nconst hasFilterChangesFor = ({ applied, unapplied }) => xor(applied, unapplied).length > 0\n\nexport const getFilterChanges = (\n {\n currentApps,\n currentChannels,\n currentCountries,\n currentEndDate,\n currentGranularity,\n currentGroupBy,\n currentStartDate,\n unappliedApps,\n unappliedChannels,\n unappliedCountries,\n unappliedEndDate,\n unappliedGranularity,\n unappliedGroupBy,\n unappliedStartDate\n }\n) => {\n const hasUnappliedApps = isPresent(unappliedApps)\n\n const hasAppsFilterChanges = hasUnappliedApps\n && hasFilterChangesFor({\n applied: currentApps,\n unapplied: unappliedApps\n })\n\n const hasUnappliedChannels = isPresent(unappliedChannels)\n\n const hasChannelsFilterChanges = hasUnappliedChannels\n && hasFilterChangesFor({\n applied: currentChannels,\n unapplied: unappliedChannels\n })\n\n const hasUnappliedCountries = isPresent(unappliedCountries)\n\n const hasCountriesFilterChanges = hasUnappliedCountries\n && hasFilterChangesFor({\n applied: currentCountries,\n unapplied: unappliedCountries\n })\n\n const hasDateFilterChanges = currentEndDate !== unappliedEndDate\n || currentStartDate !== unappliedStartDate\n\n const hasGranularityFilterChanges = currentGranularity !== unappliedGranularity\n\n const hasGroupByFilterChanges = currentGroupBy !== unappliedGroupBy\n\n const hasFilterChanges = hasAppsFilterChanges\n || hasChannelsFilterChanges\n || hasCountriesFilterChanges\n || hasDateFilterChanges\n || hasGranularityFilterChanges\n || hasGroupByFilterChanges\n\n const canApplyChanges = hasFilterChanges\n && hasUnappliedApps\n && hasUnappliedChannels\n && hasUnappliedCountries\n && unappliedEndDate !== VOID_END_DATE\n\n return {\n canApplyChanges,\n hasAppsFilterChanges,\n hasChannelsFilterChanges,\n hasCountriesFilterChanges,\n hasDateFilterChanges,\n hasFilterChanges,\n hasGranularityFilterChanges,\n hasGroupByFilterChanges\n }\n}\n\nexport const buildStateFromQueryParams = ({ currentUser, location, reportingFilters }) => {\n const {\n apps: currentApps,\n channels: currentChannels,\n countries: currentCountries,\n endDate: currentEndDate,\n granularity: currentGranularity,\n groupBy: currentGroupBy,\n startDate: currentStartDate\n } = getQueryParams({ currentUser, location, reportingFilters })\n\n return {\n currentApps,\n currentChannels,\n currentCountries,\n currentEndDate,\n currentGranularity,\n currentGroupBy,\n currentStartDate,\n unappliedApps: currentApps,\n unappliedChannels: currentChannels,\n unappliedCountries: currentCountries,\n unappliedEndDate: currentEndDate,\n unappliedGranularity: currentGranularity,\n unappliedGroupBy: currentGroupBy,\n unappliedStartDate: currentStartDate\n }\n}\n\nexport const buildQueryParamsFromFilterChanges = (\n {\n apps, channels, countries, endDate, eventName, granularity, groupBy, reportingFilters, startDate\n }\n) => {\n const { apps: allApps, channels: allChannels, countries: allCountries } = reportingFilters\n\n const urlParams = new URLSearchParams(pickBy(deepSnakeKeys({\n endDate,\n eventName,\n granularity,\n groupBy,\n startDate\n })))\n\n if (allApps.length !== apps.length) {\n apps.forEach(app => {\n urlParams.append('apps[]', app)\n })\n }\n\n if (allChannels.length !== channels.length) {\n channels.forEach(channel => {\n urlParams.append('ad_networks[]', channel)\n })\n }\n\n if (allCountries.length !== countries.length) {\n countries.forEach(country => {\n urlParams.append('countries[]', country)\n })\n }\n\n return urlParams.toString()\n}\n","// eslint-disable-next-line import/prefer-default-export\nexport const CAMPAIGN_ROW_SKELETON_HEIGHT = 50\n","import { pickBy, xor } from 'lodash'\nimport { snakeCase } from 'snake-case'\n\nimport {\n getMetricColumnsByReportType,\n getQueryParams,\n getReportTypeFromLocation,\n getSavedReportFromLocation,\n getSkQueryParams,\n isSkAdNetworkReport\n} from '../../../../contexts/ReportingFilters'\nimport { deepSnakeKeys, isPresent } from '../../../../utils/helpers'\nimport { VOID_END_DATE } from '../../../ReportingSidebar/DateFilter/constants'\n\nconst hasFilterChangesFor = ({ applied, unapplied }) =>\n xor(applied, unapplied).length > 0\n\nexport const getFilterChanges = ({\n currentApps,\n currentChannels,\n currentCountries,\n currentEndDate,\n currentGroupBy,\n currentStartDate,\n currentGranularity,\n currentMetrics,\n unappliedApps,\n unappliedChannels,\n unappliedCountries,\n unappliedEndDate,\n unappliedGranularity,\n unappliedGroupBy,\n unappliedStartDate,\n unappliedMetrics\n}) => {\n const hasUnappliedApps = isPresent(unappliedApps)\n\n const hasAppsFilterChanges =\n hasUnappliedApps &&\n hasFilterChangesFor({\n applied: currentApps,\n unapplied: unappliedApps\n })\n\n const hasUnappliedChannels = isPresent(unappliedChannels)\n\n const hasChannelsFilterChanges =\n hasUnappliedChannels &&\n hasFilterChangesFor({\n applied: currentChannels,\n unapplied: unappliedChannels\n })\n\n const hasCountriesFilterChanges = currentCountries !== unappliedCountries\n\n const hasDateFilterChanges =\n currentEndDate !== unappliedEndDate ||\n currentStartDate !== unappliedStartDate\n\n const hasGranularityFilterChanges =\n currentGranularity !== unappliedGranularity\n\n const hasGroupByFilterChanges = currentGroupBy !== unappliedGroupBy\n\n const hasMetricsFilterChanges = currentMetrics !== unappliedMetrics\n\n const hasFilterChanges =\n hasAppsFilterChanges ||\n hasChannelsFilterChanges ||\n hasCountriesFilterChanges ||\n hasDateFilterChanges ||\n hasGranularityFilterChanges ||\n hasGroupByFilterChanges ||\n hasMetricsFilterChanges\n\n const canApplyChanges =\n hasFilterChanges &&\n hasUnappliedApps &&\n hasUnappliedChannels &&\n unappliedEndDate !== VOID_END_DATE\n\n return {\n canApplyChanges,\n hasAppsFilterChanges,\n hasChannelsFilterChanges,\n hasCountriesFilterChanges,\n hasDateFilterChanges,\n hasFilterChanges,\n hasGranularityFilterChanges,\n hasGroupByFilterChanges,\n hasMetricsFilterChanges\n }\n}\n\nexport const buildStateFromQueryParams = ({\n currentUser,\n location,\n reportingFilters,\n metricColumnsByReport\n}) => {\n const reportType = getReportTypeFromLocation(location)\n const currentMetrics = getMetricColumnsByReportType({\n location,\n metricColumnsByReport,\n reportType\n })\n\n const getReportQueryParams = isSkAdNetworkReport(reportType)\n ? getSkQueryParams\n : getQueryParams\n\n const {\n apps: currentApps,\n channels: currentChannels,\n endDate: currentEndDate,\n groupBy: currentGroupBy,\n countries: currentCountries,\n granularity: currentGranularity,\n startDate: currentStartDate\n } = getReportQueryParams({\n currentUser,\n location,\n reportingFilters\n })\n\n const savedReport = getSavedReportFromLocation({\n currentStartDate,\n location,\n reportType,\n reportingFilters\n })\n\n const canUseSavedReport = savedReport && !reportingFilters.isFilterDirty\n\n const state = {\n currentApps: canUseSavedReport ? savedReport.appIds : currentApps,\n currentChannels: canUseSavedReport\n ? savedReport.adNetworkIds\n : currentChannels,\n currentCountries: canUseSavedReport\n ? savedReport.countries\n : currentCountries,\n currentEndDate,\n currentGranularity: canUseSavedReport\n ? savedReport.granularity\n : currentGranularity,\n currentGroupBy: canUseSavedReport ? savedReport.groupBy : currentGroupBy,\n currentMetrics: canUseSavedReport ? savedReport.metrics : currentMetrics,\n currentStartDate,\n selectedReport: getReportTypeFromLocation(location),\n unappliedApps: canUseSavedReport ? savedReport.appIds : currentApps,\n unappliedChannels: canUseSavedReport\n ? savedReport.adNetworkIds\n : currentChannels,\n unappliedCountries: canUseSavedReport\n ? savedReport.countries\n : currentCountries,\n unappliedEndDate: currentEndDate,\n unappliedGranularity: canUseSavedReport\n ? savedReport.granularity\n : currentGranularity,\n unappliedGroupBy: canUseSavedReport ? savedReport.groupBy : currentGroupBy,\n unappliedMetrics: canUseSavedReport ? savedReport.metrics : currentMetrics,\n unappliedStartDate: currentStartDate\n }\n\n const {\n apps: allApps,\n channels: allChannels,\n countries: allCountries\n } = reportingFilters\n\n let dataExporterQuery = {\n endDate: state.currentEndDate,\n granularity: state.currentGranularity,\n groupBy: state.currentGroupBy,\n metrics: state.currentMetrics,\n startDate: state.currentStartDate\n }\n\n if (state.currentApps && allApps.length !== state.currentApps.length) {\n dataExporterQuery = { ...dataExporterQuery, appIds: state.currentApps }\n }\n\n if (\n state.currentChannels &&\n allChannels.length !== state.currentChannels.length\n ) {\n dataExporterQuery = {\n ...dataExporterQuery,\n adNetworkIds: state.currentChannels\n }\n }\n\n if (\n state.currentCountries &&\n allCountries.length !== state.currentCountries.length\n ) {\n dataExporterQuery = {\n ...dataExporterQuery,\n countries: state.currentCountries\n }\n }\n\n return { ...state, dataExporterQuery }\n}\n\nexport const buildQueryParamsFromFilterChanges = ({\n apps,\n channels,\n countries,\n endDate,\n granularity,\n groupBy,\n metrics,\n startDate,\n reportingFilters,\n selectedReport\n}) => {\n const snakeCasedKeys = deepSnakeKeys({\n endDate,\n granularity,\n groupBy,\n reportType: selectedReport,\n startDate\n })\n\n const urlParams = new URLSearchParams(pickBy(snakeCasedKeys))\n\n const {\n apps: allApps,\n channels: allChannels,\n countries: allCountries\n } = reportingFilters\n\n metrics.forEach(metric => {\n urlParams.append('metrics[]', snakeCase(metric))\n })\n\n if (allApps.length !== apps.length) {\n apps.forEach(app => {\n urlParams.append('app_ids[]', app)\n })\n }\n\n if (allChannels.length !== channels.length) {\n channels.forEach(channel => {\n urlParams.append('ad_network_ids[]', channel)\n })\n }\n\n if (!isSkAdNetworkReport(selectedReport)) {\n if (allCountries.length !== countries.length) {\n countries.forEach(country => {\n urlParams.append('countries[]', country)\n })\n }\n }\n\n return urlParams.toString()\n}\n","// eslint-disable-next-line import/prefer-default-export\nexport const FUSE_OPTIONS = {\n distance: 100,\n keys: ['displayName'],\n location: 0,\n minMatchCharLength: 1,\n shouldSort: true,\n threshold: 0.3\n}\n\nexport const MAX_DISPLAY_COUNT = 10\nexport const METRIC_LIST_HEIGHT_OFFSET = 375\nexport const METRIC_LIST_ITEM_SIZE = 50\n","import { pickBy, xor } from 'lodash'\n\nimport { getSkQueryParams } from '../../../../contexts/ReportingFilters'\nimport { deepSnakeKeys, isPresent } from '../../../../utils/helpers'\nimport { VOID_END_DATE } from '../../../ReportingSidebar/DateFilter/constants'\n\nconst hasFilterChangesFor = ({ applied, unapplied }) => xor(applied, unapplied).length > 0\n\nexport const getFilterChanges = (\n {\n currentApps,\n currentChannels,\n currentEndDate,\n currentGroupBy,\n currentStartDate,\n unappliedApps,\n unappliedChannels,\n unappliedEndDate,\n unappliedGroupBy,\n unappliedStartDate\n }\n) => {\n const hasUnappliedApps = isPresent(unappliedApps)\n\n const hasAppsFilterChanges = hasUnappliedApps\n && hasFilterChangesFor({\n applied: currentApps,\n unapplied: unappliedApps\n })\n\n const hasUnappliedChannels = isPresent(unappliedChannels)\n\n const hasChannelsFilterChanges = hasUnappliedChannels\n && hasFilterChangesFor({\n applied: currentChannels,\n unapplied: unappliedChannels\n })\n\n const hasDateFilterChanges = currentEndDate !== unappliedEndDate\n || currentStartDate !== unappliedStartDate\n\n const hasGroupByFilterChanges = currentGroupBy !== unappliedGroupBy\n\n const hasFilterChanges = hasAppsFilterChanges\n || hasChannelsFilterChanges\n || hasDateFilterChanges\n || hasGroupByFilterChanges\n\n const canApplyChanges = hasFilterChanges\n && hasUnappliedApps\n && hasUnappliedChannels\n && unappliedEndDate !== VOID_END_DATE\n\n return {\n canApplyChanges,\n hasAppsFilterChanges,\n hasChannelsFilterChanges,\n hasDateFilterChanges,\n hasFilterChanges,\n hasGroupByFilterChanges\n }\n}\n\nexport const buildStateFromQueryParams = ({ currentUser, location, reportingFilters }) => {\n const {\n apps: currentApps,\n channels: currentChannels,\n endDate: currentEndDate,\n groupBy: currentGroupBy,\n startDate: currentStartDate\n } = getSkQueryParams({ currentUser, location, reportingFilters })\n\n return {\n currentApps,\n currentChannels,\n currentEndDate,\n currentGroupBy,\n currentStartDate,\n unappliedApps: currentApps,\n unappliedChannels: currentChannels,\n unappliedEndDate: currentEndDate,\n unappliedGroupBy: currentGroupBy,\n unappliedStartDate: currentStartDate\n }\n}\n\nexport const buildQueryParamsFromFilterChanges = (\n {\n apps, channels, endDate, groupBy, reportingFilters, startDate\n }\n) => {\n const { apps: allApps, channels: allChannels } = reportingFilters\n\n const urlParams = new URLSearchParams(pickBy(deepSnakeKeys({\n endDate,\n groupBy,\n startDate\n })))\n\n if (allApps.length !== apps.length) {\n apps.forEach(app => {\n urlParams.append('apps[]', app)\n })\n }\n\n if (allChannels.length !== channels.length) {\n channels.forEach(channel => {\n urlParams.append('ad_networks[]', channel)\n })\n }\n\n return urlParams.toString()\n}\n","import { camelCase } from 'camel-case'\n\nimport {\n BASE_JSONAPI_POINTER, LOGIN_PATH, NETWORK_ERROR_MSG, UNAUTHORIZED_ACCESS_MSG\n} from './constants'\nimport { displayErrorMessage } from './toastNotifications'\n\nconst pointerToField = pointer => camelCase(pointer.split('/').pop())\nconst redirectLocation = errorObject => errorObject.meta.location\n\n/**\n * 401 Unauthorized\n * Display unauthorized error message and redirect user to login page\n */\nexport const handleUnauthorizedResponse = () => {\n displayErrorMessage(UNAUTHORIZED_ACCESS_MSG, {\n autoClose: 3500,\n closeButton: false,\n closeOnClick: false,\n hideProgressBar: true,\n onClose: () => { window.location.href = LOGIN_PATH },\n pauseOnHover: false,\n pauseOnFocusLoss: false\n })\n}\n\n/**\n * 409 Conflict\n * Redirect to the conflicted entity that is specified in the meta location member of the response\n * @param {Error} error The error resposne\n */\nexport const handleConflictResponse = error => {\n const { errors } = error.response.data\n\n window.location.href = redirectLocation(errors[0])\n}\n\n/**\n * 422 Unprocessable Entity\n * Uses the errors in the response to properly set errors in our forms\n * @param {Error} error The error response\n * @param {function} setErrors Callback function to set errors in the form\n*/\nexport const handleUnprocessableEntityResponse = (error, setErrors) => {\n const { errors } = error.response.data\n\n const errorMessages = errors.reduce((accumulator, error) => {\n const { source: { pointer }, title } = error\n\n if (pointer !== BASE_JSONAPI_POINTER) {\n const field = pointerToField(pointer)\n accumulator[field] = title\n }\n\n return accumulator\n }, {})\n\n setErrors(errorMessages)\n}\n\nexport const handleNetworkErrorResponse = () => {\n displayErrorMessage(NETWORK_ERROR_MSG, {\n autoClose: false,\n closeButton: false,\n closeOnClick: false,\n hideProgressBar: true,\n pauseOnHover: false,\n pauseOnFocusLoss: false\n })\n}\n\nexport const transformMetricColumnsFromServer = metricColumnsByReportObj => {\n const metricColumnsByReport = {}\n\n Object.keys(metricColumnsByReportObj).forEach(reportPage => {\n metricColumnsByReport[reportPage] = metricColumnsByReportObj[reportPage]\n .map(metricKey => camelCase(metricKey))\n })\n\n return metricColumnsByReport\n}\n","import React, { useState } from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport { noop } from 'lodash'\n\nimport FontAwesomeIcon from '../FontAwesomeIcon'\nimport { get } from '../../utils/request'\n\nconst AsyncActionButton = ({\n className,\n text,\n level,\n icon,\n hideOnSuccess,\n loadingText,\n url,\n successText,\n successLevel,\n onSuccess\n}) => {\n const [isLoading, setIsLoading] = useState(false)\n const [isError, setIsError] = useState(false)\n const [isSuccess, setIsSuccess] = useState(false)\n\n const handleClick = async () => {\n setIsLoading(true)\n\n try {\n await get(url)\n setIsLoading(false)\n setIsSuccess(true)\n onSuccess()\n } catch (error) {\n window.Honeybadger.notify(error)\n setIsError(true)\n }\n }\n\n if (isError) {\n return Something went wrong.
\n }\n\n if (isSuccess && hideOnSuccess) {\n return ''\n }\n\n const levelClass = `btn-${isSuccess ? successLevel : level}`\n\n const buttonIcon = () => {\n if (isLoading) return \n if (isError) return \n if (isSuccess) return \n\n return \n }\n\n const buttonText = () => {\n if (isLoading) return loadingText\n if (isError) return 'Something went wrong.'\n if (isSuccess) return successText\n\n return text\n }\n\n return (\n \n {buttonIcon()}\n {' '}\n {buttonText()}\n
\n )\n}\n\nAsyncActionButton.propTypes = {\n className: PropTypes.string,\n hideOnSuccess: PropTypes.bool,\n icon: PropTypes.string,\n level: PropTypes.string,\n loadingText: PropTypes.string,\n onSuccess: PropTypes.func,\n successLevel: PropTypes.string,\n successText: PropTypes.string,\n text: PropTypes.string.isRequired,\n url: PropTypes.string.isRequired\n}\n\nAsyncActionButton.defaultProps = {\n className: '',\n hideOnSuccess: false,\n icon: null,\n level: 'success',\n loadingText: 'Submitting...',\n onSuccess: noop,\n successLevel: 'success',\n successText: 'Submission Successful'\n}\n\nexport default AsyncActionButton\n","import React, { useEffect, useState, useMemo } from 'react'\nimport { useQuery } from 'react-query'\nimport { useLocation } from 'react-router-dom'\nimport {\n isArray,\n isEmpty,\n isNull,\n flatten\n} from 'lodash'\nimport classNames from 'classnames'\nimport PropTypes from 'prop-types'\n\nimport AwaitingDataOverlay from '../AwaitingDataOverlay'\nimport ChartFailed from '../ChartFailed'\nimport GroupingTitle from './GroupingTitle'\nimport NoDataOverlay from '../NoDataOverlay'\nimport HistogramActions from './HistogramActions'\nimport OnboardingActionOverlay from '../OnboardingActionOverlay'\nimport Chart from './Chart'\n\nimport {\n useOnboardingStatusState, getConversionValueHistogramOnboardingStatus\n} from '../../contexts/OnboardingStatus'\n\nimport {\n buildQueryParams,\n useReportingFiltersState,\n getQueryParams\n} from '../../contexts/ReportingFilters'\n\nimport {\n useGroupedSummaryTableSettingsState\n} from '../../contexts/GroupedSummaryTableSettings'\n\nimport { useCurrentUserState } from '../../contexts/CurrentUser'\nimport { fetchConversionValueDataByGroupBy } from '../../api/reporting'\n\nimport { fetchMockConversionValueDataForApp } from '../../utils/mock'\n\nimport styles from './styles.module.scss'\n\nimport {\n getValidValueRangeOptions,\n getValidComparisonSelectorOptions\n} from './helpers'\n\nimport {\n CONVERSION_VALUE_QUERY_OVERRIDES,\n DEFAULT_QUERY_OPTIONS,\n DEFAULT_VALUE_RANGE\n} from './constants'\n\nconst ConversionValueHistogram = ({ className }) => {\n const location = useLocation()\n const onboardingStatus = useOnboardingStatusState()\n const reportingFilters = useReportingFiltersState()\n const { currentUser } = useCurrentUserState()\n const { groupBy } = getQueryParams({ currentUser, location, reportingFilters })\n\n const {\n isFetchingTableData,\n tableData: groupedSummaryTableData\n } = useGroupedSummaryTableSettingsState()\n\n const validComparisonSelectorOptions = useMemo(\n () => getValidComparisonSelectorOptions({\n groupBy,\n groupedSummaryTableData\n }),\n [groupBy, groupedSummaryTableData]\n )\n\n const defaultComparison = [validComparisonSelectorOptions[0]]\n\n const [selectedComparison, setSelectedComparison] = useState(defaultComparison)\n\n useEffect(() => {\n setSelectedComparison(defaultComparison)\n }, [groupedSummaryTableData])\n\n const [conversionValueHistogramData, setConversionValueHistogramData] = useState(null)\n\n const [valueRange, setValueRange] = useState(DEFAULT_VALUE_RANGE)\n\n const [isBarChart, setIsBarChart] = useState(true)\n\n const {\n isMocking,\n metricDefinitionForOverlay\n } = getConversionValueHistogramOnboardingStatus({ onboardingStatus })\n\n const queryParamsForFetchingData = {\n ...buildQueryParams({ currentUser, location, reportingFilters }),\n ...CONVERSION_VALUE_QUERY_OVERRIDES\n }\n\n const queryKey = JSON.stringify(queryParamsForFetchingData)\n\n const fetchConversionValueHistogramData = isMocking\n ? fetchMockConversionValueDataForApp\n : fetchConversionValueDataByGroupBy\n\n const {\n data: allFetchedConversionValueHistogramData,\n isError,\n isFetching,\n isLoading,\n refetch\n } = useQuery(\n [\n 'ConversionValueHistogramData',\n queryKey,\n location.search,\n selectedComparison\n ],\n () => (\n fetchConversionValueHistogramData({\n groupBy,\n params: queryParamsForFetchingData,\n selectedComparison\n })\n ),\n DEFAULT_QUERY_OPTIONS\n )\n\n const isPullingData = isLoading || isFetching || isNull(allFetchedConversionValueHistogramData)\n\n useEffect(() => {\n if (isError) {\n setConversionValueHistogramData([])\n } else {\n setConversionValueHistogramData(allFetchedConversionValueHistogramData)\n }\n }, [allFetchedConversionValueHistogramData, isError, isFetching, isLoading])\n\n const { hasRecentlyReceivedFirstEvents } = onboardingStatus\n\n const validValueRangeOptions = getValidValueRangeOptions(allFetchedConversionValueHistogramData)\n\n const flattenedConversionValueHistogramData = flatten(conversionValueHistogramData)\n\n const hasNoDataToDisplay = !isMocking\n && !isError\n && !isPullingData\n && !hasRecentlyReceivedFirstEvents\n && isArray(flattenedConversionValueHistogramData)\n && isEmpty(flattenedConversionValueHistogramData)\n\n const isAwaitingDataToBeCalculated = !isMocking\n && !isError\n && !isPullingData\n && hasRecentlyReceivedFirstEvents\n && isEmpty(flattenedConversionValueHistogramData)\n\n const handleChangeValueRange = updatedValueRange => {\n setValueRange(updatedValueRange)\n }\n\n const handleChangeComparison = updatedComparison => {\n setSelectedComparison(updatedComparison)\n }\n\n const firstGroupBy = groupBy && groupBy[0]\n\n return (\n \n
\n
\n \n\n \n
\n\n {hasNoDataToDisplay &&
}\n\n {isAwaitingDataToBeCalculated && (\n
\n )}\n
\n\n
\n \n
\n\n {isMocking &&
}\n\n {isError &&
}\n
\n )\n}\n\nConversionValueHistogram.propTypes = {\n className: PropTypes.oneOfType([\n PropTypes.array,\n PropTypes.string\n ])\n}\n\nConversionValueHistogram.defaultProps = {\n className: ''\n}\n\nexport default ConversionValueHistogram\n","import React from 'react'\nimport CardHeader from '../../CardHeader'\n\nconst GroupingTitle = () => Conversion Value Distribution\n\nexport default GroupingTitle\n","import React from 'react'\nimport PropTypes from 'prop-types'\nimport {\n arrayOfSelectableValueRanges,\n arrayOfSelectableComparisonOptions\n} from '../../../utils/customPropTypes'\n\nimport ComparisonSelector from './ComparisonSelector'\nimport ChartTypeButtons from './ChartTypeButtons'\nimport ValueRangeSelector from './ValueRangeSelector'\n\nconst HistogramActions = ({\n comparisonOptions,\n isFetching,\n isBarChart,\n setIsBarChart,\n onChangeComparison,\n onChangeValueRange,\n selectedComparison,\n valueRange,\n valueRangeOptions\n}) => (\n \n \n \n \n
\n)\n\nHistogramActions.propTypes = {\n comparisonOptions: arrayOfSelectableComparisonOptions.isRequired,\n isBarChart: PropTypes.bool,\n isFetching: PropTypes.bool.isRequired,\n onChangeComparison: PropTypes.func.isRequired,\n onChangeValueRange: PropTypes.func.isRequired,\n selectedComparison: PropTypes.arrayOf(\n PropTypes.shape({\n id: PropTypes.string,\n name: PropTypes.string\n })\n ).isRequired,\n setIsBarChart: PropTypes.func.isRequired,\n valueRange: PropTypes.shape({\n id: PropTypes.string,\n name: PropTypes.string\n }).isRequired,\n valueRangeOptions: arrayOfSelectableValueRanges.isRequired\n}\n\nHistogramActions.defaultProps = {\n isBarChart: true\n}\n\nexport default HistogramActions\n","import React from 'react'\nimport PropTypes from 'prop-types'\nimport { components } from 'react-select'\n\nimport { arrayOfSelectableComparisonOptions } from '../../../../utils/customPropTypes'\nimport stylesObj from './styles.module.scss'\nimport { PRIMARY_COLORS } from '../../../../utils/react-select'\nimport { CONVERSION_VALUE_HISTOGRAM_COLORS } from '../../../../utils/charts'\nimport { MAX_SELECTION_COUNT, MIN_SELECTION_COUNT } from './constants'\n\nimport { getComparisonSelectorOptionLabel } from '../../helpers'\n\nimport Dropdown from '../../../Dropdown'\n\nconst customStylesObj = {\n container: styles => ({\n ...styles,\n cursor: 'pointer',\n marginRight: stylesObj.comparisonSelectorMarginRight,\n width: '100%'\n }),\n control: () => ({\n backgroundColor: stylesObj.controlBgColor,\n borderRadius: stylesObj.controlBorderRadius,\n display: 'flex',\n flexGrow: 0,\n flexShrink: 1,\n fontFamily: stylesObj.controlFontFamily,\n fontSize: stylesObj.controlFontSize,\n fontWeight: stylesObj.controlFontWeight,\n lineHeight: stylesObj.controlLineHeight\n }),\n loadingIndicator: styles => ({\n ...styles,\n color: PRIMARY_COLORS.base\n }),\n multiValue: styles => ({\n ...styles,\n backgroundColor: 'none'\n })\n}\n\nconst ComparisonSelector = ({\n onChangeComparison,\n comparisonOptions,\n selectedComparison,\n isLoading\n}) => {\n const multiLabelColorMappingById = selectedComparison.reduce(\n (mapping, { id }, index) => ({\n ...mapping,\n [id]: CONVERSION_VALUE_HISTOGRAM_COLORS[index]\n }),\n {}\n )\n\n // eslint-disable-next-line react/prop-types\n const MultiValueLabel = ({ children, data, ...rest }) => {\n // eslint-disable-next-line react/prop-types\n const { id } = data\n\n return (\n // eslint-disable-next-line react/jsx-props-no-spreading\n \n \n {children}
\n \n )\n }\n\n const customStyles = {\n ...customStylesObj,\n multiValueLabel: (styles, data) => {\n // eslint-disable-next-line react/prop-types\n const { index } = data\n const color = CONVERSION_VALUE_HISTOGRAM_COLORS[index]\n\n return {\n ...styles,\n alignItems: 'center',\n color,\n display: 'flex',\n fontSize: stylesObj.controlFontSize\n }\n },\n multiValueRemove: (styles, data) => {\n // eslint-disable-next-line react/prop-types\n const { index } = data\n const color = CONVERSION_VALUE_HISTOGRAM_COLORS[index]\n\n // eslint-disable-next-line react/prop-types\n const shouldHideRemoveButton = selectedComparison.length < MAX_SELECTION_COUNT\n\n if (shouldHideRemoveButton) {\n return {\n ...styles,\n display: 'none'\n }\n }\n\n return {\n ...styles,\n ':hover': {},\n color\n }\n }\n }\n\n // eslint-disable-next-line react/prop-types\n const isOptionDisabled = () => selectedComparison.length > MIN_SELECTION_COUNT\n\n const getOptionValue = option => option.id\n\n return (\n \n )\n}\n\nComparisonSelector.propTypes = {\n comparisonOptions: arrayOfSelectableComparisonOptions.isRequired,\n isLoading: PropTypes.bool.isRequired,\n onChangeComparison: PropTypes.func.isRequired,\n selectedComparison: PropTypes.arrayOf(\n PropTypes.shape({\n id: PropTypes.string,\n name: PropTypes.string\n })\n ).isRequired\n}\n\nexport default ComparisonSelector\n","import { Fragment } from 'react'\n\nimport GroupedSummaryTable from '../../../GroupedSummaryTable'\nimport { REPORTS_BY_VALUE } from '../constants'\nimport KPICards from '../KPICards'\nimport ReportsSelector from '../ReportsSelector'\n\nconst CreativesPage = () => (\n \n \n\n \n\n \n \n)\n\nexport default CreativesPage\n","import { getButtonDetailsFromRequirement } from '../../../contexts/OnboardingStatus'\nimport { oneOfOnboardingRequirements } from '../../../utils/customPropTypes'\nimport FontAwesomeIcon from '../../FontAwesomeIcon'\nimport styles from './styles.module.scss'\n\nconst MissingRequirementBtn = ({ missingOnboardingRequirement }) => {\n const { href, icon, iconType, text } = getButtonDetailsFromRequirement(\n missingOnboardingRequirement\n )\n\n const handleClick = () => {\n if (window.amplitudeInstance) {\n window.amplitudeInstance.logEvent(\n 'CLICK_MISSING_ONBOARDING_REQUIREMENT',\n {\n buttonHref: href,\n buttonText: text,\n path: window.location.pathname\n }\n )\n }\n\n return true\n }\n\n return (\n \n )\n}\n\nMissingRequirementBtn.propTypes = {\n missingOnboardingRequirement: oneOfOnboardingRequirements.isRequired\n}\n\nexport default MissingRequirementBtn\n","import arrayToSentence from 'array-to-sentence'\n\nimport { missingRequirementToSentence } from '../../../contexts/OnboardingStatus'\nimport { arrayOfOnboardingRequirements } from '../../../utils/customPropTypes'\n\nimport styles from './styles.module.scss'\n\nconst MissingRequirementsMessage = ({ missingOnboardingRequirements }) => {\n const missingRequirementsSentencesList = missingOnboardingRequirements.map(requirement => (\n missingRequirementToSentence(requirement)\n ))\n\n const missingRequirementsMessage = arrayToSentence(missingRequirementsSentencesList)\n\n return (\n \n To see your data here,
\n add {missingRequirementsMessage}\n
\n )\n}\n\nMissingRequirementsMessage.propTypes = {\n missingOnboardingRequirements: arrayOfOnboardingRequirements.isRequired\n}\n\nexport default MissingRequirementsMessage\n","import classNames from 'classnames'\nimport { differenceBy, filter, isEmpty, isEqual, noop } from 'lodash'\nimport React, { useEffect, useState } from 'react'\nimport { useLocation } from 'react-router-dom'\nimport { useDeepCompareEffect } from 'use-deep-compare'\n\nimport { saveMetrics } from '../../../api/reporting'\nimport {\n useGroupedSummaryTableSettingsDispatch,\n useGroupedSummaryTableSettingsState\n} from '../../../contexts/GroupedSummaryTableSettings'\nimport { useMetricDefinitionsState } from '../../../contexts/MetricDefinitions'\nimport { getReportPageFromPathname } from '../../../contexts/ReportingFilters'\nimport ClickOutsideAlerter from '../../ClickOutsideAlerter'\nimport ApplyMetricsButton from './ApplyMetricsButton'\nimport Filter from './Filter'\nimport Header from './Header'\nimport {\n buildSelectableMetrics,\n buildSelectedMetrics,\n isMatchedBySearch\n} from './helpers'\nimport ItemList from './ItemList'\nimport styles from './styles.module.scss'\n\nconst ColumnEditorPane = () => {\n const state = useGroupedSummaryTableSettingsState()\n const dispatch = useGroupedSummaryTableSettingsDispatch()\n\n const { isColumnEditorOpen, metricColumnsByReport } = state\n\n const { metricDefinitions } = useMetricDefinitionsState()\n\n const location = useLocation()\n const reportPage = getReportPageFromPathname(location.pathname)\n\n const selectableMetrics = buildSelectableMetrics(metricDefinitions)\n const selectedMetrics = buildSelectedMetrics({\n metricDefinitions,\n selectedMetricKeys: metricColumnsByReport[reportPage]\n })\n\n const [hasSelectedMetricsChanged, setHasSelectedMetricsChanged] =\n useState(false)\n const [searchText, setSearchText] = useState('')\n const [currentSelectableMetrics, setCurrentSelectableMetrics] =\n useState(selectableMetrics)\n const [currentSelectedMetrics, setCurrentSelectedMetrics] =\n useState(selectedMetrics)\n\n useDeepCompareEffect(() => {\n setCurrentSelectedMetrics(selectedMetrics)\n }, [selectedMetrics])\n\n useEffect(() => {\n setSearchText('')\n }, [isColumnEditorOpen])\n\n useDeepCompareEffect(() => {\n if (isEmpty(searchText)) {\n setCurrentSelectableMetrics(selectableMetrics)\n } else {\n const updatedSelectableMetrics = filter(selectableMetrics, metric =>\n isMatchedBySearch({\n metricDefinition: metricDefinitions[metric.id],\n searchText\n })\n )\n\n setCurrentSelectableMetrics(updatedSelectableMetrics)\n }\n }, [searchText, selectableMetrics])\n\n const getAvailableMetrics = () =>\n differenceBy(currentSelectableMetrics, currentSelectedMetrics, 'id')\n\n const handleChangeSearch = event => {\n const { value } = event.target\n\n setSearchText(value)\n }\n\n const handleClickAvailable = metric => {\n setHasSelectedMetricsChanged(true)\n setCurrentSelectedMetrics([...currentSelectedMetrics, metric])\n }\n\n const handleClickSelected = metric => {\n setHasSelectedMetricsChanged(true)\n\n const updatedSelectedMetrics = filter(\n currentSelectedMetrics,\n selectedMetric => !isEqual(selectedMetric, metric)\n )\n\n setCurrentSelectedMetrics(updatedSelectedMetrics)\n }\n\n const currentSelectedMetricIds = currentSelectedMetrics.map(\n metric => metric.id\n )\n\n // TODO: [nafeu, ricky] find a more elegant solution to saving custom metrics into msets [TENJIN-23964]\n const selectedMetricsWithoutCustomMetrics = currentSelectedMetricIds.filter(\n metric => metric[0] !== 'z'\n )\n\n const handleClickApply = () => {\n saveMetrics({\n metrics: selectedMetricsWithoutCustomMetrics,\n report: reportPage\n })\n\n dispatch({\n payload: { metrics: currentSelectedMetricIds, reportPage },\n type: 'APPLY_METRICS'\n })\n }\n\n const handleClickCancel = () => {\n setCurrentSelectedMetrics(selectedMetrics)\n\n dispatch({\n payload: {},\n type: 'CLOSE_COLUMN_EDITOR'\n })\n }\n\n const handleClickClearSearch = () => {\n setSearchText('')\n }\n\n const handleChangeSelectedSortOrder = updatedSelectedMetrics => {\n const originalOrder = selectedMetrics.map(item => item.id).join('')\n const updatedOrder = updatedSelectedMetrics.map(item => item.id).join('')\n const hasOrderChanged = updatedOrder !== originalOrder\n\n if (hasOrderChanged) {\n setHasSelectedMetricsChanged(true)\n }\n\n setCurrentSelectedMetrics(updatedSelectedMetrics)\n }\n\n const className = classNames(styles.groupedSummaryTableMetrics, {\n [styles.visibleGroupedSummaryTableMetrics]: isColumnEditorOpen\n })\n\n const availableMetrics = getAvailableMetrics()\n\n return (\n \n \n \n )\n}\n\nexport default ColumnEditorPane\n","import classNames from 'classnames'\nimport PropTypes from 'prop-types'\n\nimport styles from '../styles.module.scss'\n\nconst ApplyMetricsButton = ({ hasSelectedMetricsChanged, isColumnEditorOpen, onClickApply }) => {\n const className = classNames(styles.innerSaveBtn, {\n [styles.activeInnerSaveBtn]: isColumnEditorOpen\n })\n\n const buttonClass = classNames('btn', 'btn-success', {\n [styles.disabled]: !hasSelectedMetricsChanged\n })\n\n return (\n \n \n
\n )\n}\n\nApplyMetricsButton.propTypes = {\n hasSelectedMetricsChanged: PropTypes.bool.isRequired,\n isColumnEditorOpen: PropTypes.bool.isRequired,\n onClickApply: PropTypes.func.isRequired\n}\n\nexport default ApplyMetricsButton\n","import classNames from 'classnames'\nimport PropTypes from 'prop-types'\n\nimport FontAwesomeIcon from '../../../FontAwesomeIcon'\n\nimport styles from '../styles.module.scss'\n\nconst Filter = ({ onChangeSearch, onClearSearch, searchText }) => (\n \n
\n Refine by\n
\n\n
\n\n
\n \n \n
\n)\n\nFilter.propTypes = {\n onChangeSearch: PropTypes.func.isRequired,\n onClearSearch: PropTypes.func.isRequired,\n searchText: PropTypes.string.isRequired\n}\n\nexport default Filter\n","import PropTypes from 'prop-types'\n\nimport FontAwesomeIcon from '../../../FontAwesomeIcon'\n\nimport styles from '../styles.module.scss'\n\nconst Header = ({ onClickCancel }) => (\n \n
Edit Metrics
\n
\n \n
\n
\n)\n\nHeader.propTypes = {\n onClickCancel: PropTypes.func.isRequired\n}\n\nexport default Header\n","import { isEmpty } from 'lodash'\nimport PropTypes from 'prop-types'\nimport { useMemo, useState } from 'react'\nimport { ReactSortable } from 'react-sortablejs'\n\n// eslint-disable-next-line import/no-cycle\nimport { useMetricDefinitionsState } from '../../../../contexts/MetricDefinitions'\nimport { METRIC_CATEGORY } from '../../../../contexts/MetricDefinitions/constants'\nimport MetricTooltip from '../../../MetricTooltip'\nimport AvailableItem from '../AvailableItem'\nimport CategorySelector from '../CategorySelector'\nimport { sortMetricsAlphabeticallyWithXDay } from '../helpers'\nimport SelectedItem from '../SelectedItem'\nimport styles from '../styles.module.scss'\nimport { isNewMetric } from './helpers'\n\nconst { id: allCategoriesId } = METRIC_CATEGORY.ALL\n\nconst ItemList = ({\n availableMetrics,\n onChangeSelectedSortOrder,\n onClickAvailable,\n onClickSelected,\n selectedMetrics\n}) => {\n const { metricDefinitions, metricsByCategory } = useMetricDefinitionsState()\n\n const [selectedCategory, setSelectedCategory] = useState(allCategoriesId)\n\n const handleClickCategory = category => setSelectedCategory(category)\n\n const availableMetricsFilteredByCategory = useMemo(() => {\n const showAllMetrics =\n isEmpty(selectedCategory) || selectedCategory === allCategoriesId\n\n if (showAllMetrics) {\n return availableMetrics.sort(sortMetricsAlphabeticallyWithXDay)\n }\n\n return availableMetrics\n .filter(({ id: metricKey }) =>\n metricsByCategory[selectedCategory].metrics.includes(metricKey)\n )\n .sort(sortMetricsAlphabeticallyWithXDay)\n }, [availableMetrics, selectedCategory])\n\n /*\n eslint-disable jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions\n */\n return (\n \n
\n
Selected Metrics
\n
\n
\n {selectedMetrics.map(item => (\n \n onClickSelected(item)}>\n \n
\n \n ))}\n \n
\n
\n
\n
Available Metrics
\n
\n
\n {availableMetricsFilteredByCategory.map(item => (\n
\n onClickAvailable(item)}>\n
\n
\n \n ))}\n
\n
\n
\n )\n /*\n eslint-enable jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions\n */\n}\n\nItemList.propTypes = {\n availableMetrics: PropTypes.arrayOf(PropTypes.object).isRequired,\n onChangeSelectedSortOrder: PropTypes.func.isRequired,\n onClickAvailable: PropTypes.func.isRequired,\n onClickSelected: PropTypes.func.isRequired,\n selectedMetrics: PropTypes.arrayOf(PropTypes.object).isRequired\n}\n\nexport default ItemList\n","import PropTypes from 'prop-types'\n\nimport Badge from '../../../Badge'\nimport ArrowIcon from '../ArrowIcon'\nimport styles from '../styles.module.scss'\n\nconst AvailableItem = ({ item, isNew }) => (\n \n
\n
\n
{item.name}\n {isNew &&
NEW
}\n
\n
\n)\n\nAvailableItem.propTypes = {\n isNew: PropTypes.bool,\n item: PropTypes.shape({\n id: PropTypes.string.isRequired,\n name: PropTypes.string.isRequired\n }).isRequired\n}\n\nAvailableItem.defaultProps = {\n isNew: false\n}\n\nexport default AvailableItem\n","import classNames from 'classnames'\nimport { keys } from 'lodash'\nimport PropTypes from 'prop-types'\nimport Tooltip from 'rc-tooltip'\nimport { useState } from 'react'\n\n// eslint-disable-next-line import/no-cycle\nimport { METRIC_CATEGORY } from '../../../../contexts/MetricDefinitions/constants'\nimport { sortMetricCategoryIds } from '../../../../contexts/MetricDefinitions/helpers'\nimport Badge from '../../../Badge'\nimport FontAwesomeIcon from '../../../FontAwesomeIcon'\nimport styles from '../styles.module.scss'\nimport { TOOLTIP_MOUSE_ENTER_DELAY } from './constants'\n\nconst CategorySelector = ({\n onClickCategory,\n selectedCategory,\n metricsByCategory\n}) => {\n const [showCategories, setShowCategories] = useState(false)\n\n const handleClickShowCategories = () =>\n setShowCategories(currentShowCategories => !currentShowCategories)\n\n const handleClickCategory = category => {\n onClickCategory(category)\n setShowCategories(false)\n }\n /*\n eslint-disable jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions\n */\n return (\n \n
\n Metric Categories\n {showCategories ? (\n \n ) : (\n \n )}\n
\n {showCategories &&\n keys(metricsByCategory)\n .sort(sortMetricCategoryIds)\n .map(category => {\n const { label, tooltip } = METRIC_CATEGORY[category]\n const { count, hasNewMetrics } = metricsByCategory[category]\n\n const isSelected = selectedCategory === category\n\n return (\n
{tooltip} \n }\n placement=\"left\"\n trigger=\"hover\"\n >\n handleClickCategory(category)}\n >\n
\n
{label}
\n {hasNewMetrics &&
new}\n
\n
{count}
\n
\n \n )\n })}\n \n )\n}\n/*\n eslint-enable jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions\n*/\n\nCategorySelector.propTypes = {\n metricsByCategory: PropTypes.shape({\n category: PropTypes.shape({\n count: PropTypes.number,\n metrics: PropTypes.arrayOf(PropTypes.string)\n })\n }).isRequired,\n onClickCategory: PropTypes.func.isRequired,\n selectedCategory: PropTypes.string.isRequired\n}\n\nexport default CategorySelector\n","import classNames from 'classnames'\nimport PropTypes from 'prop-types'\n\nimport ArrowIcon from '../ArrowIcon'\nimport DragIcon from '../DragIcon'\n\nimport styles from '../styles.module.scss'\n\nconst SelectedItem = ({ item }) => {\n const className = classNames(\n styles.innerListItem,\n styles.selectedInnerListItem\n )\n\n return (\n \n
\n
\n {item.name}\n
\n
\n
\n )\n}\n\nSelectedItem.propTypes = {\n item: PropTypes.shape({\n id: PropTypes.string.isRequired,\n name: PropTypes.string.isRequired\n }).isRequired\n}\n\nexport default SelectedItem\n","import classNames from 'classnames'\n\nimport FontAwesomeIcon from '../../../FontAwesomeIcon'\n\nimport styles from '../styles.module.scss'\n\nconst DragIcon = () => {\n const className = classNames(styles.innerListItemIcon, styles.dragIcon)\n\n return (\n \n \n
\n )\n}\n\nexport default DragIcon\n","import { useLocation } from 'react-router-dom'\n\nimport CardHeader from '../../CardHeader'\n\nimport { getQueryParams, useReportingFiltersState } from '../../../contexts/ReportingFilters'\nimport { useCurrentUserState } from '../../../contexts/CurrentUser'\nimport { getGroupNameFromGroupBy } from '../../../utils/helpers'\n\nconst GroupingTitle = () => {\n const reportingFilters = useReportingFiltersState()\n const location = useLocation()\n const { currentUser } = useCurrentUserState()\n const { groupBy } = getQueryParams({ currentUser, location, reportingFilters })\n const groupName = getGroupNameFromGroupBy(groupBy)\n\n return {groupName}\n}\n\nexport default GroupingTitle\n","import PropTypes from 'prop-types'\nimport { useEffect, useMemo, useRef } from 'react'\nimport { useLocation } from 'react-router-dom'\nimport {\n useExpanded,\n useFlexLayout,\n useGlobalFilter,\n useSortBy,\n useTable\n} from 'react-table'\nimport { useSticky } from 'react-table-sticky'\n\nimport {\n useGroupedSummaryTableSettingsDispatch,\n useGroupedSummaryTableSettingsState\n} from '../../../contexts/GroupedSummaryTableSettings'\nimport { useMetricDefinitionsState } from '../../../contexts/MetricDefinitions'\nimport { getReportPageFromPathname } from '../../../contexts/ReportingFilters'\nimport useRefSize from '../../../hooks/useRefSize'\nimport { customGlobalFilter } from '../helpers'\nimport TableInstance from '../TableInstance'\nimport { INITIAL_STATE_SORT_BY, NAME_COLUMN_MODE_EXTENDED } from './constants'\nimport { getColumnsForSelectedMetrics, getDefaultHeaders } from './helpers'\n\nconst Table = ({\n globalFilter,\n hasNoData,\n isAllExpandable,\n isCompactViewMode,\n isPullingData,\n isUsingGroupByForNameHeader,\n onClickRow,\n tableContainerWidth,\n tableData,\n tableRowsLoadingById\n}) => {\n const { metricDefinitions } = useMetricDefinitionsState()\n\n const location = useLocation()\n const reportPage = getReportPageFromPathname(location.pathname)\n\n const {\n rules: drilldownRules,\n metricColumnsByReport,\n isAllExpanded,\n nameColumnMode\n } = useGroupedSummaryTableSettingsState()\n\n const isNameExtended = nameColumnMode === NAME_COLUMN_MODE_EXTENDED\n\n const tableSettingsDispatch = useGroupedSummaryTableSettingsDispatch()\n\n const toggleAllExpanded = () => {\n tableSettingsDispatch({\n payload: {},\n type: 'TOGGLE_ALL_EXPANDED'\n })\n }\n\n const doneExpandingAll = () => {\n tableSettingsDispatch({\n payload: {},\n type: 'DONE_EXPANDING_ALL'\n })\n }\n\n const selectedMetrics = metricColumnsByReport[reportPage]\n\n const tableRef = useRef(null)\n const tableSize = useRefSize(tableRef)\n\n const [columns, data] = useMemo(() => {\n const memoizedColumns = [\n ...getDefaultHeaders({\n drilldownRules,\n isAllExpandable,\n isCompactViewMode,\n isNameExtended,\n isPullingData,\n isUsingGroupByForNameHeader\n }),\n ...getColumnsForSelectedMetrics({\n isCompactViewMode,\n metricDefinitions,\n selectedMetrics,\n tableContainerWidth,\n tableWidth: tableSize.width\n })\n ]\n\n const memoizedData = tableData || []\n\n return [memoizedColumns, memoizedData]\n }, [\n drilldownRules,\n isCompactViewMode,\n isNameExtended,\n metricDefinitions,\n selectedMetrics,\n tableContainerWidth,\n tableData,\n tableSize.width\n ])\n\n const tableInstance = useTable(\n {\n autoResetExpanded: false,\n autoResetGlobalFilter: false,\n autoResetSortBy: false,\n columns,\n data,\n disableMultiSort: true,\n getSubRows: row => row.subRows,\n globalFilter: customGlobalFilter,\n initialState: { sortBy: INITIAL_STATE_SORT_BY }\n },\n /*\n Note: The ordering of react-table hooks is important here\n https://github.com/tannerlinsley/react-table/issues/1493\n */\n useFlexLayout,\n useGlobalFilter,\n useSortBy,\n useExpanded,\n useSticky\n )\n\n useEffect(() => {\n if (isPullingData) {\n tableInstance.toggleAllRowsExpanded(false)\n }\n }, [isPullingData, tableInstance])\n\n return (\n \n )\n}\n\nTable.propTypes = {\n globalFilter: PropTypes.string.isRequired,\n hasNoData: PropTypes.bool.isRequired,\n isAllExpandable: PropTypes.bool,\n isCompactViewMode: PropTypes.bool,\n isLoading: PropTypes.bool,\n isPullingData: PropTypes.bool,\n isUsingGroupByForNameHeader: PropTypes.bool,\n onClickRow: PropTypes.func.isRequired,\n tableContainerWidth: PropTypes.number,\n tableData: PropTypes.arrayOf(PropTypes.object),\n // eslint-disable-next-line react/forbid-prop-types\n tableRowsLoadingById: PropTypes.object.isRequired\n}\n\nTable.defaultProps = {\n isAllExpandable: false,\n isCompactViewMode: false,\n isLoading: false,\n isPullingData: false,\n isUsingGroupByForNameHeader: false,\n tableContainerWidth: null,\n tableData: []\n}\n\nexport default Table\n","import { forwardRef, useEffect } from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport { isEmpty, map } from 'lodash'\n\nimport Table from '../../Table'\nimport TableData from '../../Table/Data'\nimport TableFakeRows from '../../Table/FakeRows'\nimport TableHeader from '../../Table/Header'\nimport TableRow from '../../Table/Row'\nimport TableSkeletonRows from '../../Table/SkeletonRows'\nimport TableNoDataRow from '../../Table/NoDataRow'\n\nimport { getTopLevelRowsById } from '../../Table/helpers'\n\nimport styles from './styles.module.scss'\n\n/* eslint-disable react/prop-types */\nconst TableInstance = forwardRef((props, ref) => {\n/* eslint-enable react/prop-types */\n const {\n getTableBodyProps,\n getTableProps,\n globalFilter,\n hasNoData,\n headerGroups,\n isAllExpandable,\n isAllExpanded,\n doneExpandingAll,\n isCompactViewMode,\n isPullingData,\n onClickRow,\n prepareRow,\n rows,\n setGlobalFilter,\n state: { expanded },\n tableRowsLoadingById,\n toggleAllExpanded\n } = props\n\n useEffect(() => {\n setGlobalFilter(globalFilter)\n }, [globalFilter])\n\n const hasNoRowsOfData = isEmpty(rows)\n\n const shouldShowTableData = !(isPullingData || hasNoRowsOfData || hasNoData)\n\n const hasNoSearchDataToDisplay = !isPullingData\n && !hasNoData\n && hasNoRowsOfData\n && globalFilter.length > 0\n\n const topLevelRowsById = getTopLevelRowsById(rows)\n\n /* eslint-disable react/jsx-props-no-spreading */\n return (\n \n
\n {\n // eslint-disable-next-line react/prop-types\n headerGroups.map(headerGroup => (\n
\n {headerGroup.headers.map(column => {\n const isNameColumn = column.id === 'name'\n const tableHeaderClassName = classNames(styles.header, {\n [styles.nameHeader]: isNameColumn,\n [styles.compactHeader]: isCompactViewMode,\n 'u-flexJustifyEnd': isCompactViewMode && !isNameColumn\n })\n\n const hideReactTableTooltips = { title: undefined }\n\n const sortByProps = column.getSortByToggleProps({ ...hideReactTableTooltips })\n const title = isNameColumn ? null : sortByProps.title\n\n const onClick = async event => {\n const isExpander = event.target.className.includes('expandIcon')\n\n if (isExpander) {\n toggleAllExpanded()\n\n const invokeRowClick = async row => {\n const shouldToggleRow = (isAllExpanded && expanded[row.id])\n || (!isAllExpanded && !expanded[row.id])\n\n if (shouldToggleRow) {\n const toggleRowExpandedProps = row.getToggleRowExpandedProps()\n\n await onClickRow(row)\n toggleRowExpandedProps.onClick(event)\n }\n }\n\n const allInvokedRowClicks = map(rows, row => invokeRowClick(row))\n\n await Promise.all(allInvokedRowClicks)\n\n doneExpandingAll()\n } else {\n sortByProps.onClick(event)\n }\n }\n\n return (\n
\n {column.render('Header')}\n \n )\n })}\n
\n ))\n }\n
\n\n
\n {isPullingData && (\n
\n )}\n\n {shouldShowTableData && (\n // eslint-disable-next-line react/prop-types\n rows.map(row => {\n prepareRow(row)\n\n const isExpanded = expanded[row.id]\n const isLoading = tableRowsLoadingById[row.id]\n\n const toggleRowExpandedProps = row.getToggleRowExpandedProps()\n\n const onClick = async event => {\n if (!isLoading) {\n if (!isExpanded) {\n await onClickRow(row)\n setGlobalFilter(globalFilter)\n }\n toggleRowExpandedProps.onClick(event)\n }\n }\n\n return (\n
\n {row.cells.map((cell, index) => {\n const isFirstColumn = index === 0\n\n const isNameColumn = cell.column.id === 'name'\n\n const tdClassName = classNames(\n {\n [styles.nameCell]: isNameColumn,\n [styles.depthOne]: isFirstColumn && row.depth === 1,\n [styles.depthTwo]: isFirstColumn && row.depth === 2,\n [styles.depthThree]: isFirstColumn && row.depth === 3,\n [styles.depthFour]: isFirstColumn && row.depth === 4,\n [styles.paddingForSortIcon]: !isNameColumn\n },\n styles.cell\n )\n\n return (\n \n {cell.render('Cell', {\n isExpanded,\n isLoading\n })}\n \n )\n })}\n \n )\n })\n )}\n\n {hasNoData && (\n
\n )}\n\n {hasNoSearchDataToDisplay && (\n
\n )}\n
\n
\n )\n /* eslint-enable react/jsx-props-no-spreading */\n})\n\nTableInstance.propTypes = {\n globalFilter: PropTypes.string.isRequired,\n hasNoData: PropTypes.bool.isRequired,\n isCompactViewMode: PropTypes.bool,\n isPullingData: PropTypes.bool,\n setGlobalFilter: PropTypes.func.isRequired,\n tableRowsLoadingById: PropTypes.object // eslint-disable-line react/forbid-prop-types\n}\n\nTableInstance.defaultProps = {\n isCompactViewMode: false,\n isPullingData: false,\n tableRowsLoadingById: {}\n}\n\nexport default TableInstance\n","import { forwardRef, Fragment } from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport Tooltip from 'rc-tooltip'\n\nimport FontAwesomeIcon from '../../FontAwesomeIcon'\n\nimport { getLinkDetailsByTableRow } from './helpers'\nimport { LINKABLE_ENTITY_TYPES } from './constants'\n\nimport styles from './styles.module.scss'\n\nconst DataRowExternalLink = forwardRef((props, ref) => {\n const {\n className,\n fieldType,\n row\n } = props\n\n const isLinkableFieldType = LINKABLE_ENTITY_TYPES.includes(fieldType)\n\n const {\n href,\n title\n } = isLinkableFieldType ? getLinkDetailsByTableRow({ fieldType, row }) : {}\n\n const handleClick = ev => {\n ev.stopPropagation()\n\n return true\n }\n\n const shouldRenderLinkPlaceholder = !href && isLinkableFieldType\n\n return (\n \n {href && (\n {title}}\n placement=\"top\"\n >\n \n \n \n \n )}\n\n {shouldRenderLinkPlaceholder && (\n \n )}\n \n )\n})\n\nDataRowExternalLink.propTypes = {\n fieldType: PropTypes.string.isRequired,\n row: PropTypes.object.isRequired // eslint-disable-line react/forbid-prop-types\n}\n\nexport default DataRowExternalLink\n","import PropTypes from 'prop-types'\nimport { useLocation } from 'react-router-dom'\n\nimport {\n getReportPageFromPathname,\n isCustomReportPage\n} from '../../../contexts/ReportingFilters'\nimport DownloadCSVButtonClient from '../../DownloadCSVButtonClient'\nimport EditColumnsButton from './EditColumnsButton'\nimport GlobalFilter from './GlobalFilter'\nimport TableViewModeButtons from './TableViewModeButtons'\nimport ToggleNameExtendedButton from './ToggleNameExtendedButton'\n\nconst TableActions = ({\n globalFilter,\n isCompactViewMode,\n isNameExtended,\n isFilterDisabled,\n onTableViewModeClick,\n onToggleNameExtended,\n setGlobalFilter,\n // eslint-disable-next-line react/prop-types\n tableData\n}) => {\n const location = useLocation()\n const reportPage = getReportPageFromPathname(location.pathname)\n\n const canShowCSVDownloadButton = !isCustomReportPage(reportPage)\n\n return (\n \n {window.gon.feature_flags.includes('name_column_extender') && (\n
\n )}\n\n
\n\n
\n\n
\n\n {canShowCSVDownloadButton &&
}\n
\n )\n}\n\nTableActions.propTypes = {\n globalFilter: PropTypes.string.isRequired,\n isCompactViewMode: PropTypes.bool.isRequired,\n isFilterDisabled: PropTypes.bool.isRequired,\n isNameExtended: PropTypes.bool.isRequired,\n onTableViewModeClick: PropTypes.func.isRequired,\n onToggleNameExtended: PropTypes.func.isRequired,\n setGlobalFilter: PropTypes.func.isRequired\n}\n\nexport default TableActions\n","import Tooltip from 'rc-tooltip'\nimport classNames from 'classnames'\nimport { CSVLink } from 'react-csv'\nimport PropTypes from 'prop-types'\nimport { useLocation } from 'react-router-dom'\n\nimport {\n useReportingFiltersState,\n getReportPageFromPathname,\n getGroupByFromQuery,\n getUrlSearchParams,\n getStartDateFromQuery,\n getEndDateFromQuery,\n isDataExporterPage\n} from '../../contexts/ReportingFilters'\n\nimport { useMetricDefinitionsState } from '../../contexts/MetricDefinitions'\nimport { useCurrentUserState } from '../../contexts/CurrentUser'\n\nimport FontAwesomeIcon from '../FontAwesomeIcon'\n\nimport { buildCSVData, getCSVHeaders, getCSVFilename } from './helpers'\nimport { TOOLTIP_MOUSE_ENTER_DELAY } from '../../utils/constants'\n\nimport { arrayOfTableData } from '../../utils/customPropTypes'\n\nconst DownloadCSVButtonClient = ({ data }) => {\n const { metricDefinitions } = useMetricDefinitionsState()\n const { selectedApps, apps } = useReportingFiltersState()\n const { currentUser } = useCurrentUserState()\n\n const date = new Date()\n const location = useLocation()\n const query = getUrlSearchParams(location.search)\n const reportPage = getReportPageFromPathname(location.pathname)\n\n const startDate = getStartDateFromQuery({ currentUser, date, query })\n const endDate = getEndDateFromQuery({ currentUser, date, query })\n const groupBy = getGroupByFromQuery({ query, reportPage })\n\n const isDataExporter = isDataExporterPage(location)\n\n const csvData = buildCSVData({\n apps,\n data,\n groupBy,\n isDataExporter,\n metricDefinitions,\n reportPage,\n selectedApps\n })\n\n const headers = getCSVHeaders(csvData)\n const filename = getCSVFilename({ endDate, groupBy, startDate })\n\n return (\n \n Download CSV}\n placement=\"top\"\n >\n \n Download CSV\n \n \n
\n )\n}\n\nDownloadCSVButtonClient.propTypes = {\n data: arrayOfTableData\n}\n\nDownloadCSVButtonClient.defaultProps = {\n data: []\n}\n\nexport default DownloadCSVButtonClient\n","import PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport FontAwesomeIcon from '../../../FontAwesomeIcon'\nimport {\n useGroupedSummaryTableSettingsDispatch\n} from '../../../../contexts/GroupedSummaryTableSettings'\n\nconst EditColumnsButton = ({ className }) => {\n const dispatch = useGroupedSummaryTableSettingsDispatch()\n\n const handleClickEditColumns = () => {\n dispatch({\n payload: {},\n type: 'OPEN_COLUMN_EDITOR'\n })\n }\n\n return (\n \n \n
\n )\n}\n\nEditColumnsButton.propTypes = {\n className: PropTypes.string\n}\n\nEditColumnsButton.defaultProps = {\n className: null\n}\n\nexport default EditColumnsButton\n","import { useState } from 'react'\nimport PropTypes from 'prop-types'\nimport { useAsyncDebounce } from 'react-table'\nimport classNames from 'classnames'\n\nimport FontAwesomeIcon from '../../../FontAwesomeIcon'\nimport SearchInput from '../../../SearchInputV2'\n\nimport { GLOBAL_FILTER_DEBOUNCE_MS } from '../../constants'\n\nimport styles from './styles.module.scss'\n\nconst GlobalFilter = ({\n globalFilter,\n isDisabled,\n setGlobalFilter\n}) => {\n const [searchText, setSearchText] = useState(globalFilter)\n\n const onChange = useAsyncDebounce(value => {\n setGlobalFilter(value)\n }, GLOBAL_FILTER_DEBOUNCE_MS)\n\n return (\n \n )\n}\n\nGlobalFilter.propTypes = {\n globalFilter: PropTypes.string.isRequired,\n isDisabled: PropTypes.bool.isRequired,\n setGlobalFilter: PropTypes.func.isRequired\n}\n\nexport default GlobalFilter\n","import PropTypes from 'prop-types'\nimport Tooltip from 'rc-tooltip'\nimport classNames from 'classnames'\n\nimport FontAwesomeIcon from '../../../FontAwesomeIcon'\n\nimport { DEFAULT_BTN_CLASS_NAME } from './constants'\n\nconst TableViewModeButtons = ({ className, isCompactViewMode, onClick }) => {\n const compressBtnClassName = classNames(DEFAULT_BTN_CLASS_NAME, {\n active: isCompactViewMode\n })\n\n const expandBtnClassName = classNames(DEFAULT_BTN_CLASS_NAME, {\n active: !isCompactViewMode\n })\n\n return (\n \n Compact View}\n placement=\"top\"\n >\n \n \n\n Default View}\n placement=\"top\"\n >\n \n \n
\n )\n}\n\nTableViewModeButtons.propTypes = {\n className: PropTypes.string,\n isCompactViewMode: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nTableViewModeButtons.defaultProps = {\n className: null\n}\n\nexport default TableViewModeButtons\n","import classNames from 'classnames'\nimport PropTypes from 'prop-types'\nimport Tooltip from 'rc-tooltip'\n\nimport FontAwesomeIcon from '../../../FontAwesomeIcon'\n\n/* eslint-disable react/prop-types,\n react/destructuring-assignment,\n jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions */\nconst ToggleNameExtendedButton = ({ className, isNameExtended, onClick }) => (\n \n
\n {isNameExtended ? 'Shorten Name Column' : 'Extend Name Column'}\n \n }\n placement=\"top\"\n >\n \n \n
\n \n
\n)\n/* eslint-enable react/prop-types,\n react/destructuring-assignment,\n jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions */\n\nToggleNameExtendedButton.propTypes = {\n className: PropTypes.string,\n isNameExtended: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nToggleNameExtendedButton.defaultProps = {\n className: null\n}\n\nexport default ToggleNameExtendedButton\n","import { useCallback } from 'react'\nimport PropTypes from 'prop-types'\nimport { Link, useLocation } from 'react-router-dom'\nimport classNames from 'classnames'\nimport Skeleton from 'react-loading-skeleton'\nimport { isEmpty, noop } from 'lodash'\n\nimport AwaitingDataOverlay from '../../../AwaitingDataOverlay'\nimport CardHeader from '../../../CardHeader'\nimport Chart from './Chart'\nimport ChartFailed from '../../../ChartFailed'\nimport NoDataOverlay from '../../../NoDataOverlay'\nimport OnboardingActionOverlay from '../../../OnboardingActionOverlay'\nimport ReportingDataMetricValueDisplay from '../../../ReportingDataMetricValueDisplay'\n\nimport { useMetricDefinitionsDispatch } from '../../../../contexts/MetricDefinitions'\nimport { useOnboardingStatusState } from '../../../../contexts/OnboardingStatus'\nimport { isBlank, stripTrailingSlash } from '../../../../utils/helpers'\nimport {\n metricDefinitionObject,\n userAcquisitionReportObject\n} from '../../../../utils/customPropTypes'\n\nimport styles from './styles.module.scss'\n\nconst KPICard = ({\n groupedStatsData, index, isError, isFetchingGroupedStatsData, isFetchingSummaryData, isMocking,\n metricDefinition, onReloadClick, report, value\n}) => {\n const location = useLocation()\n\n const {\n displayName, valueType, calculatedAsLabel\n } = metricDefinition\n\n const renderKPIData = useCallback(() => {\n const valueClassName = classNames(styles.kpiDataValue, {\n [styles.valueSkeleton]: isFetchingSummaryData\n })\n\n const valueIconClassName = classNames({ [styles.kpiDataNoValue]: isBlank(value) })\n\n return (\n \n
\n {displayName}\n \n\n
\n {isFetchingSummaryData ? (\n
\n ) : (\n
\n )}\n\n
\n {calculatedAsLabel}\n
\n
\n
\n )\n }, [calculatedAsLabel, displayName, isFetchingSummaryData, value, valueType])\n\n const isCardOnTheLeft = index % 2 === 0\n const isCardOnTheRight = index % 2 === 1\n\n const className = classNames(styles.card, {\n [styles.leftCard]: isCardOnTheLeft,\n [styles.rightCard]: isCardOnTheRight\n })\n\n const metricDefinitionsDispatch = useMetricDefinitionsDispatch()\n\n const onClickLink = () => {\n metricDefinitionsDispatch({ payload: { reportPage: report.value }, type: 'CHANGE_REPORT_PAGE' })\n }\n\n const { hasRecentlyReceivedFirstEvents } = useOnboardingStatusState()\n\n const hasNoGroupedStatsData = !isMocking\n && !isError\n && !isFetchingGroupedStatsData\n && !hasRecentlyReceivedFirstEvents\n && isEmpty(groupedStatsData)\n\n const hasFailedLoadingData = !isMocking && isError\n\n const isAwaitingDataToBeCalculated = !isMocking\n && !isError\n && !isFetchingGroupedStatsData\n && hasRecentlyReceivedFirstEvents\n && isEmpty(groupedStatsData)\n\n return (\n \n
\n
\n {renderKPIData()}\n\n \n
\n \n\n {isMocking &&
}\n {hasFailedLoadingData &&
}\n {hasNoGroupedStatsData &&
}\n {isAwaitingDataToBeCalculated && (\n
\n )}\n
\n )\n}\n\nKPICard.propTypes = {\n groupedStatsData: PropTypes.arrayOf(PropTypes.object).isRequired,\n index: PropTypes.number.isRequired,\n isError: PropTypes.bool.isRequired,\n isFetchingGroupedStatsData: PropTypes.bool.isRequired,\n isFetchingSummaryData: PropTypes.bool.isRequired,\n isMocking: PropTypes.bool.isRequired,\n metricDefinition: metricDefinitionObject.isRequired,\n onReloadClick: PropTypes.func.isRequired,\n report: userAcquisitionReportObject.isRequired,\n value: PropTypes.oneOfType([PropTypes.string, PropTypes.number])\n}\n\nKPICard.defaultProps = {\n value: null\n}\n\nexport default KPICard\n","import { useMemo } from 'react'\nimport PropTypes from 'prop-types'\nimport {\n Chart, HighchartsChart, HighchartsProvider, Tooltip, XAxis, YAxis\n} from 'react-jsx-highcharts'\nimport { renderToString } from 'react-dom/server'\nimport Highcharts from 'highcharts'\nimport { useLocation } from 'react-router-dom'\nimport { useDeepCompareMemo } from 'use-deep-compare'\nimport { cloneDeep } from 'lodash'\n\nimport ChartSkeleton from '../../../../KPITabs/Chart/skeleton'\nimport TooltipPoint from '../../../../TooltipPoint'\nimport {\n arrayOfHighchartsSeriesData,\n metricDefinitionObject\n} from '../../../../../utils/customPropTypes'\nimport { getQueryParams, useReportingFiltersState } from '../../../../../contexts/ReportingFilters'\nimport { useCurrentUserState } from '../../../../../contexts/CurrentUser'\nimport useHighchartsReflowEffect from '../../../../../hooks/useHighchartsReflowEffect'\n\nimport { buildSeries, getXAxisMinMax } from './helpers'\nimport { CHART_SKELETON_HEIGHT, PLOT_OPTIONS } from './constants'\n\nconst KPICardChart = ({ data, isFetching, metricDefinition }) => {\n if (isFetching) {\n return \n }\n\n const {\n components: { kpiCard: { chartType } }, valueType\n } = metricDefinition\n\n const reportingFilters = useReportingFiltersState()\n\n const { countries, isSidebarCollapsed } = reportingFilters\n\n useHighchartsReflowEffect([isSidebarCollapsed])\n\n const location = useLocation()\n\n const { currentUser } = useCurrentUserState()\n\n const queryParams = getQueryParams({ currentUser, location, reportingFilters })\n\n const { endDate, groupBy, startDate } = queryParams\n\n const series = useDeepCompareMemo(() => (\n buildSeries({ chartType, data, metricDefinitionKey: metricDefinition.key })\n ), [chartType, data, metricDefinition.key])\n\n const pointFormatter = useMemo(() => function formatter() {\n return renderToString(\n \n )\n }, [groupBy, valueType])\n\n const xAxis = useMemo(() => {\n const {\n max,\n min\n } = getXAxisMinMax({ endDate, startDate })\n\n return (\n \n )\n }, [endDate, startDate])\n\n const plotOptions = cloneDeep(PLOT_OPTIONS)\n\n if (series.length > 1) {\n plotOptions.area.stacking = 'normal'\n }\n\n return (\n \n \n \n\n {xAxis}\n\n \n {series}\n \n\n {point.key}\"\n pointFormatter={pointFormatter}\n shadow={false}\n shared\n useHTML\n xDateFormat=\"%b %d, %Y\"\n />\n \n \n )\n}\n\nKPICardChart.propTypes = {\n data: arrayOfHighchartsSeriesData,\n isFetching: PropTypes.bool.isRequired,\n metricDefinition: metricDefinitionObject.isRequired\n}\n\nKPICardChart.defaultProps = {\n data: []\n}\n\nexport default KPICardChart\n","import { useLocation } from 'react-router-dom'\nimport { snakeCase } from 'snake-case'\nimport Tooltip from 'rc-tooltip'\nimport classNames from 'classnames'\nimport PropTypes from 'prop-types'\n\nimport {\n buildQueryParams, getReportPageFromPathname, isPublisherPage, isSkAdNetworkPage,\n useReportingFiltersState\n} from '../../contexts/ReportingFilters'\n\nimport {\n useGroupedSummaryTableSettingsState\n} from '../../contexts/GroupedSummaryTableSettings'\n\nimport { useCurrentUserState } from '../../contexts/CurrentUser'\nimport FontAwesomeIcon from '../FontAwesomeIcon'\nimport { deepSnakeKeys } from '../../utils/helpers'\n\nimport { getQueryURLForDataExporterV1 } from './helpers'\n\nimport styles from './styles.module.scss'\n\nconst DataExporterButton = ({ className }) => {\n const location = useLocation()\n const reportPage = getReportPageFromPathname(location.pathname)\n const { metricColumnsByReport } = useGroupedSummaryTableSettingsState()\n const { currentUser } = useCurrentUserState()\n const reportingFilters = useReportingFiltersState()\n\n const params = {\n ...deepSnakeKeys(buildQueryParams({ currentUser, location, reportingFilters })),\n granularity: 'totals-daily',\n metrics: metricColumnsByReport[reportPage].map(\n metric => snakeCase(metric)\n )\n }\n\n if (isPublisherPage(reportPage)) {\n params.report_type = 'ad_revenue'\n } else if (isSkAdNetworkPage(reportPage)) {\n params.report_type = 'sk_ad_network_report'\n\n delete params.granularity\n }\n\n const href = getQueryURLForDataExporterV1({ location, params })\n\n return (\n \n )\n}\n\nDataExporterButton.propTypes = {\n className: PropTypes.string\n}\n\nDataExporterButton.defaultProps = {\n className: null\n}\n\nexport default DataExporterButton\n","import ReportsSelector from '../../ReportsSelector'\nimport { REPORTS_BY_VALUE } from '../../constants'\n\nconst NoCustomEventsPage = () => (\n \n
\n\n
You have no custom events.
\n
\n Install the Tenjin SDK to view additional reports regarding in-app purchases\n and customized user behavior events.\n
\n
\n \n Install the SDK\n \n
\n
\n)\n\nexport default NoCustomEventsPage\n","import { useCallback, useState, useEffect } from 'react'\nimport PropTypes from 'prop-types'\nimport Select from 'react-select'\nimport { useHistory, useLocation } from 'react-router-dom'\nimport { debounce } from 'lodash'\n\nimport {\n getDefaultValue, getUrlWithCustomEventName, handleGroupLabelFormat\n} from './helpers'\nimport { PRIMARY_COLORS } from '../../../../../utils/react-select'\nimport { arrayOfSelectableCustomEvents } from '../../../../../utils/customPropTypes'\n\nimport { CUSTOM_EVENTS_SEARCH_DEBOUNCE_MS } from './constants'\n\nimport styles from './styles.module.scss'\n\nconst customStyles = {\n menu: provided => ({\n ...provided,\n zIndex: styles.menuZIndex\n })\n}\n\nconst CustomEventsSelector = ({\n customEvents,\n currentCustomEventName,\n onMenuScrollToBottom,\n onChangeSearchInput\n}) => {\n const [activeCustomEventSearch, setActiveCustomEventSearch] = useState('')\n\n useEffect(() => {\n onChangeSearchInput(activeCustomEventSearch)\n }, [activeCustomEventSearch])\n\n const history = useHistory()\n const location = useLocation()\n\n const handleChange = newCustomEvent => {\n if (newCustomEvent.value !== currentCustomEventName) {\n history.push(getUrlWithCustomEventName({ customEventName: newCustomEvent.value, location }))\n }\n }\n\n const handleInputChange = useCallback(debounce(newInputValue => {\n setActiveCustomEventSearch(newInputValue)\n }, CUSTOM_EVENTS_SEARCH_DEBOUNCE_MS), [])\n\n const filterOption = ({ data, label: labelProp, value }, searchStrProp) => {\n const label = labelProp.toLocaleLowerCase()\n const searchStr = searchStrProp?.toLocaleLowerCase()\n\n if (label.includes(searchStr) || value.includes(searchStr)) return true\n\n const currentGroup = customEvents.find(group => group.label.appId === data.appId)\n\n if (currentGroup.label.name.toLocaleLowerCase().includes(searchStr)) return true\n\n return false\n }\n\n return (\n \n
Active In-App Event
\n \n )\n}\n\nCustomEventsSelector.propTypes = {\n currentCustomEventName: PropTypes.string.isRequired,\n customEvents: arrayOfSelectableCustomEvents,\n onChangeSearchInput: PropTypes.func.isRequired,\n onMenuScrollToBottom: PropTypes.func.isRequired\n}\n\nCustomEventsSelector.defaultProps = {\n customEvents: []\n}\n\nexport default CustomEventsSelector\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\n\nimport { SUMMARY_BLOCKS, TABS } from './constants'\n\nconst Purchasers = () => (\n \n)\n\nexport default Purchasers\n","import { map } from 'lodash'\nimport PropTypes from 'prop-types'\nimport { useEffect } from 'react'\nimport { useLocation } from 'react-router-dom'\n\nimport { useCurrentUserState } from '../../contexts/CurrentUser'\nimport { useFeatureFlagsState } from '../../contexts/FeatureFlags'\nimport {\n groupMetricDefinitonsByOnboardingStatus,\n useOnboardingStatusState\n} from '../../contexts/OnboardingStatus'\nimport { useReportingFiltersState } from '../../contexts/ReportingFilters'\nimport {\n kpiTabGroupedStatsMetricDefinitionObject,\n kpiTabSummaryMetricDefinitionObject\n} from '../../utils/customPropTypes'\nimport {\n buildMockDataForGroupedStats,\n buildMockDataForSummary,\n performQueriesFor,\n useDataFromGroupedQueries,\n useDataFromSummaryQueries\n} from './helpers'\nimport Presenter from './presentation'\n\nconst KPITabs = ({\n groupedStatsMetricDefinitions,\n summaryMetricDefinitions\n}) => {\n const location = useLocation()\n\n const source = new URLSearchParams(location.search).get('source')\n\n const onboardingStatus = useOnboardingStatusState()\n const { currentUser } = useCurrentUserState()\n const reportingFilters = useReportingFiltersState()\n const { featureFlags } = useFeatureFlagsState()\n\n const {\n mockableMetricDefinitions: mockableGroupedStatsMetricDefinitions,\n queryableMetricDefinitions: queryableGroupedStatsMetricDefinitions\n } = groupMetricDefinitonsByOnboardingStatus({\n metricDefinitions: groupedStatsMetricDefinitions,\n onboardingStatus\n })\n\n const {\n mockableMetricDefinitions: mockableSummaryMetricDefinitions,\n queryableMetricDefinitions: queryableSummaryMetricDefinitions\n } = groupMetricDefinitonsByOnboardingStatus({\n metricDefinitions: summaryMetricDefinitions,\n onboardingStatus\n })\n\n const groupedQueriesResult = performQueriesFor({\n currentUser,\n featureFlags,\n location,\n metricDefinitions: queryableGroupedStatsMetricDefinitions,\n reportingFilters\n })\n\n const groupedStatsDataByMetric = {\n ...useDataFromGroupedQueries(groupedQueriesResult),\n ...buildMockDataForGroupedStats(mockableGroupedStatsMetricDefinitions)\n }\n\n const summaryQueriesResult = performQueriesFor({\n currentUser,\n featureFlags,\n location,\n metricDefinitions: queryableSummaryMetricDefinitions,\n reportingFilters\n })\n\n const summaryDataByMetric = {\n ...useDataFromSummaryQueries(summaryQueriesResult),\n ...buildMockDataForSummary(mockableSummaryMetricDefinitions)\n }\n\n const isError = groupedQueriesResult.isError || summaryQueriesResult.isError\n\n const refetchData = () => {\n groupedQueriesResult.queries.forEach(query => query.refetch())\n summaryQueriesResult.queries.forEach(query => query.refetch())\n }\n\n const onReloadClick = () => refetchData()\n\n useEffect(refetchData, [source])\n\n return (\n \n )\n}\n\nKPITabs.propTypes = {\n groupedStatsMetricDefinitions: PropTypes.arrayOf(\n kpiTabGroupedStatsMetricDefinitionObject\n ).isRequired,\n summaryMetricDefinitions: PropTypes.arrayOf(\n kpiTabSummaryMetricDefinitionObject\n ).isRequired\n}\n\nexport default KPITabs\n","import { useMemo, useState } from 'react'\nimport PropTypes from 'prop-types'\nimport { renderToString } from 'react-dom/server'\nimport {\n Chart, HighchartsChart, HighchartsProvider, Tooltip, YAxis\n} from 'react-jsx-highcharts'\nimport Highcharts from 'highcharts'\nimport { useLocation } from 'react-router-dom'\nimport { useDeepCompareMemo } from 'use-deep-compare'\nimport { merge } from 'lodash'\n\nimport ChartSkeleton from './skeleton'\nimport TooltipPoint from '../../TooltipPoint'\nimport XDaySelector from './XDaySelector'\n\nimport { kpiTabGroupedStatsMetricDefinitionObject } from '../../../utils/customPropTypes'\nimport { getQueryParams, useReportingFiltersState } from '../../../contexts/ReportingFilters'\nimport { useCurrentUserState } from '../../../contexts/CurrentUser'\nimport useHighchartsReflowEffect from '../../../hooks/useHighchartsReflowEffect'\n\nimport { buildSeries, buildXAxis } from './helpers'\nimport { PLOT_OPTIONS, X_DAY_RANGES } from './constants'\n\nimport styles from './styles.module.scss'\n\nconst KPITabsChart = (\n {\n activeMetricDefinition,\n data,\n isFetching,\n visibleSeriesIds\n }\n) => {\n if (isFetching) {\n return \n }\n\n const {\n components: {\n kpiTabChart: {\n minY, minYRange, xAxisType, yAxis: yAxisLabel\n }\n },\n valueType\n } = activeMetricDefinition\n\n const reportingFilters = useReportingFiltersState()\n\n const { countries, isSidebarCollapsed } = reportingFilters\n\n useHighchartsReflowEffect([isSidebarCollapsed])\n\n const location = useLocation()\n\n const { currentUser } = useCurrentUserState()\n\n const queryParams = getQueryParams({ currentUser, location, reportingFilters })\n\n const { endDate, groupBy, startDate } = queryParams\n\n const isDisplayingXDayData = xAxisType === 'xday'\n\n const [xDayRange, setXDayRange] = useState(isDisplayingXDayData ? X_DAY_RANGES[0].value : null)\n\n const series = useDeepCompareMemo(() => (\n buildSeries({ activeMetricDefinition, data, visibleSeriesIds })\n ), [activeMetricDefinition, data, visibleSeriesIds])\n\n const pointFormatter = useMemo(() => function formatter() {\n return renderToString(\n \n )\n }, [groupBy, valueType])\n\n const xAxis = useMemo(() => (\n buildXAxis({\n endDate, isXDay: xAxisType === 'xday', startDate, xDayRange\n })\n ), [endDate, startDate, xAxisType, xDayRange])\n\n const headerFormat = useMemo(() => (\n `\n {point.key}${xAxisType === 'xday' ? '-Day' : ''}\n `\n ), [xAxisType])\n\n const plotBands = useMemo(() => {\n if (minY && minY < 0) {\n return [\n {\n color: 'rgba(255, 0, 0, 0.1)',\n from: -Infinity,\n to: 0\n },\n {\n color: 'rgba(0, 255, 0, 0.1)',\n from: 0,\n to: Infinity\n }\n ]\n }\n\n return []\n }, [minY])\n\n return (\n \n {isDisplayingXDayData && (\n setXDayRange(newXDayRange)}\n />\n )}\n\n \n \n \n\n {xAxis}\n\n \n {yAxisLabel}\n\n {series}\n \n\n \n \n \n
\n )\n}\n\nKPITabsChart.propTypes = {\n activeMetricDefinition: kpiTabGroupedStatsMetricDefinitionObject.isRequired,\n data: PropTypes.object, // eslint-disable-line react/forbid-prop-types\n isFetching: PropTypes.bool,\n visibleSeriesIds: PropTypes.arrayOf(PropTypes.string)\n}\n\nKPITabsChart.defaultProps = {\n data: {},\n isFetching: false,\n visibleSeriesIds: []\n}\n\nexport default KPITabsChart\n","import PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport { map } from 'lodash'\n\nimport { X_DAY_RANGES } from '../constants'\n\nconst XDaySelector = ({ currentXDayRange, onClick }) => {\n const handleClick = xDayRange => {\n if (currentXDayRange !== xDayRange) {\n onClick(xDayRange)\n }\n }\n\n return (\n \n {X_DAY_RANGES.map(({ displayName, value }) => (\n \n ))}\n
\n )\n}\n\nXDaySelector.propTypes = {\n currentXDayRange: PropTypes.oneOf(map(X_DAY_RANGES, 'value')).isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nexport default XDaySelector\n","import PropTypes from 'prop-types'\nimport Skeleton from 'react-loading-skeleton'\n\nimport OnboardingActionOverlay from '../../OnboardingActionOverlay'\nimport ReportingDataMetricValueDisplay from '../../ReportingDataMetricValueDisplay'\nimport SummaryBlock from './SummaryBlock'\n\nimport { kpiTabSummaryMetricDefinitionObject } from '../../../utils/customPropTypes'\n\nimport styles from './styles.module.scss'\n\nconst SummaryBlocks = (\n {\n isFetching,\n metricDefinitions,\n mockedMetricDefinitionKeys,\n summaryDataByMetric\n }\n) => (\n \n {metricDefinitions.map(metricDefinition => {\n let overlay = null\n\n if (mockedMetricDefinitionKeys.includes(metricDefinition.key)) {\n overlay = \n }\n\n return (\n \n ) : (\n \n )}\n />\n )\n })}\n
\n)\n\nSummaryBlocks.propTypes = {\n isFetching: PropTypes.bool,\n metricDefinitions: PropTypes.arrayOf(kpiTabSummaryMetricDefinitionObject).isRequired,\n mockedMetricDefinitionKeys: PropTypes.arrayOf(PropTypes.string),\n summaryDataByMetric: PropTypes.object // eslint-disable-line react/forbid-prop-types\n}\n\nSummaryBlocks.defaultProps = {\n isFetching: false,\n mockedMetricDefinitionKeys: [],\n summaryDataByMetric: {}\n}\n\nexport default SummaryBlocks\n","import PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport CardHeader from '../../CardHeader'\nimport { kpiTabGroupedStatsMetricDefinitionObject } from '../../../utils/customPropTypes'\nimport MetricTooltip from '../../MetricTooltip'\n\nimport styles from './styles.module.scss'\n\nconst TabButtons = ({\n activeMetricDefinition, metricDefinitions, onClick\n}) => (\n \n {metricDefinitions.map(metricDefinition => {\n const isActiveTab = metricDefinition.key === activeMetricDefinition.key\n\n const tabClassName = classNames(styles.tab, {\n [styles.active]: isActiveTab\n })\n\n return (\n
\n \n \n )\n })}\n
\n)\n\nTabButtons.propTypes = {\n activeMetricDefinition: kpiTabGroupedStatsMetricDefinitionObject.isRequired,\n metricDefinitions: PropTypes.arrayOf(kpiTabGroupedStatsMetricDefinitionObject).isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nexport default TabButtons\n","import { Fragment, useMemo, useState } from 'react'\nimport PropTypes from 'prop-types'\nimport Select, { components as ReactSelectComponents } from 'react-select'\nimport ReactNbsp from 'react-nbsp'\nimport { useLocation } from 'react-router-dom'\nimport { sortBy } from 'lodash'\nimport classNames from 'classnames'\n\nimport FontAwesomeIcon from '../../FontAwesomeIcon'\nimport HelpText from '../../HelpText'\nimport ReportingDataImg from '../../ReportingDataImg'\nimport ReportingDataNameDisplay from '../../ReportingDataNameDisplay'\n\nimport { getQueryParams, useReportingFiltersState } from '../../../contexts/ReportingFilters'\nimport { useCurrentUserState } from '../../../contexts/CurrentUser'\nimport { getGroupNameFromGroupBy } from '../../../utils/helpers'\nimport { CHART_COLORS } from '../../../utils/charts'\n\nimport { kpiTabGroupedStatsMetricDefinitionObject } from '../../../utils/customPropTypes'\n\nimport styles from './styles.module.scss'\n\n// styles overrides for react-select\n// https://react-select.com/styles\nconst customStyles = {\n container: provided => ({\n ...provided,\n zIndex: styles.containerZIndex\n }),\n multiValue: (provided, state) => ({\n ...provided,\n backgroundColor: styles.multiValueBgColor,\n border: `1px solid ${styles.multiValueBorderColor}`,\n borderRadius: '8px',\n position: 'relative'\n })\n}\n\nconst VisibleDataSelector = (\n {\n maxSelectable,\n metricDefinition,\n onChange,\n selectable,\n selected\n }\n) => {\n const [isShowingSelector, setIsShowingSelector] = useState(true)\n\n const reportingFilters = useReportingFiltersState()\n const { countries } = reportingFilters\n\n const location = useLocation()\n\n const { currentUser } = useCurrentUserState()\n\n const queryParams = getQueryParams({ currentUser, location, reportingFilters })\n\n const { groupBy } = queryParams\n\n const selectedIds = selected.map(item => item.id)\n\n const formatOptionLabel = useMemo(() => ({\n iconUrl, id, name, platform\n }) => {\n const color = CHART_COLORS[selectedIds.indexOf(id)]\n\n return (\n \n
\n\n
}\n name={name}\n platform={platform}\n />\n
\n )\n }, [countries, groupBy, selectedIds])\n\n const groupByName = getGroupNameFromGroupBy(groupBy)\n\n /* eslint-disable react/prop-types,react/jsx-props-no-spreading */\n const Menu = useMemo(() => (\n props => {\n const optionSelectedLength = props.getValue().length || 0\n\n return (\n \n {optionSelectedLength < maxSelectable ? (\n props.children\n ) : (\n \n Max limit of {maxSelectable} achieved\n
\n )}\n \n )\n }\n ), [maxSelectable])\n /* eslint-enable react/prop-types,react/jsx-props-no-spreading */\n\n return (\n \n \n\n {isShowingSelector && (\n \n \n )}\n
\n )\n}\n\nVisibleDataSelector.propTypes = {\n maxSelectable: PropTypes.number.isRequired,\n metricDefinition: kpiTabGroupedStatsMetricDefinitionObject.isRequired,\n onChange: PropTypes.func.isRequired,\n selectable: PropTypes.arrayOf(PropTypes.object),\n selected: PropTypes.arrayOf(PropTypes.object)\n}\n\nVisibleDataSelector.defaultProps = {\n selectable: [],\n selected: []\n}\n\nexport default VisibleDataSelector\n","import PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport styles from './styles.module.scss'\n\nconst HelpText = ({ children, className }) => (\n {children}\n)\n\nHelpText.propTypes = {\n children: PropTypes.node.isRequired,\n className: PropTypes.string\n}\n\nHelpText.defaultProps = {\n className: ''\n}\n\nexport default HelpText\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\n\nimport { SUMMARY_BLOCKS, TABS } from './constants'\n\nconst PurchaseXDay = () => (\n \n)\n\nexport default PurchaseXDay\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\n\nimport { SUMMARY_BLOCKS, TABS } from './constants'\n\nconst RetentionXDay = () => (\n \n)\n\nexport default RetentionXDay\n","import { Fragment } from 'react'\n\nimport KPIDrilldownFraud from './KPIDrilldown/Fraud'\nimport KPITabsFraud from './KPITabs/Fraud'\nimport GroupedSummaryTable from '../../../GroupedSummaryTable'\nimport ReportsSelector from '../ReportsSelector'\n\nimport { REPORTS_BY_VALUE } from '../constants'\n\nconst FraudPage = () => (\n \n \n\n \n\n \n\n \n \n)\n\nexport default FraudPage\n","import KPIDrilldown from '../../../../../KPIDrilldown'\n\nimport { METRIC_DEFINITION_KEYS } from './constants'\n\nconst Fraud = () => (\n \n)\n\nexport default Fraud\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\n\nimport { SUMMARY_BLOCKS, TABS } from './constants'\n\nconst Fraud = () => (\n \n)\n\nexport default Fraud\n","import { Fragment } from 'react'\n\nimport ReportsSelector from '../ReportsSelector'\nimport GroupedSummaryTable from '../../../GroupedSummaryTable'\nimport KPICards from '../KPICards'\n\nimport { REPORTS_BY_VALUE } from '../constants'\n\nconst OverviewPage = () => (\n \n \n\n \n\n \n \n)\n\nexport default OverviewPage\n","import { Fragment } from 'react'\n\nimport KPIDrilldownRetention from './KPIDrilldown/Retention'\nimport KPITabsRetention from './KPITabs/Retention'\nimport GroupedSummaryTable from '../../../GroupedSummaryTable'\nimport ReportsSelector from '../ReportsSelector'\n\nimport { REPORTS_BY_VALUE } from '../constants'\n\nconst RetentionPage = () => (\n \n \n\n \n\n \n\n \n \n)\n\nexport default RetentionPage\n","import KPIDrilldown from '../../../../../KPIDrilldown'\n\nimport { METRIC_DEFINITION_KEYS } from './constants'\n\nconst Retention = () => (\n \n)\n\nexport default Retention\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\n\nimport { SUMMARY_BLOCKS, TABS } from './constants'\n\nconst Retention = () => (\n \n)\n\nexport default Retention\n","import { Fragment } from 'react'\n\nimport GroupedSummaryTable from '../../../GroupedSummaryTable'\nimport { REPORTS_BY_VALUE } from '../constants'\nimport ReportsSelector from '../ReportsSelector'\nimport SourceToggle from '../SourceToggle'\nimport KPIDrilldownRevenue from './KPIDrilldown/Revenue'\nimport KPITabsTotalLTV from './KPITabs/TotalLTV'\nimport KPITabsTotalLTVPerUser from './KPITabs/TotalLTVPerUser'\nimport KPITabsTotalRevenue from './KPITabs/TotalRevenue'\nimport KPITabsTotalRevenuePerDAU from './KPITabs/TotalRevenuePerDAU'\n\nconst RevenuePage = () => (\n \n \n\n \n\n \n\n \n\n \n\n \n\n \n\n \n \n)\n\nexport default RevenuePage\n","import KPIDrilldown from '../../../../../KPIDrilldown'\n\nimport { METRIC_DEFINITION_KEYS } from './constants'\n\nconst Revenue = () => (\n \n)\n\nexport default Revenue\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\nimport { getSummaryBlocks, getTabs } from './helpers'\n\nconst TotalLTV = () => (\n \n)\n\nexport default TotalLTV\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\nimport { getSummaryBlocks, getTabs } from './helpers'\n\nconst TotalLTVPerUser = () => (\n \n)\n\nexport default TotalLTVPerUser\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\nimport { getSummaryBlocks, getTabs } from './helpers'\n\nconst TotalRevenue = () => (\n \n)\n\nexport default TotalRevenue\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\nimport { getSummaryBlocks, getTabs } from './helpers'\n\nconst TotalRevenuePerDAU = () => (\n \n)\n\nexport default TotalRevenuePerDAU\n","import { Fragment } from 'react'\n\nimport GroupedSummaryTable from '../../../GroupedSummaryTable'\nimport { REPORTS_BY_VALUE } from '../constants'\nimport ReportsSelector from '../ReportsSelector'\nimport SourceToggle from '../SourceToggle'\nimport KPIDrilldownROI from './KPIDrilldown/XDayROI'\nimport KPITabsLifetimeROI from './KPITabs/LifetimeROI'\nimport KPITabsROI from './KPITabs/ROI'\n\nconst RoiPage = () => (\n \n \n\n \n\n \n\n \n\n \n\n \n \n)\n\nexport default RoiPage\n","import KPIDrilldown from '../../../../../KPIDrilldown'\n\nimport { METRIC_DEFINITION_KEYS } from './constants'\n\nconst XDayROI = () => (\n \n)\n\nexport default XDayROI\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\nimport { getSummaryBlocks, getTabs } from './helpers'\n\nconst LifetimeROI = () => (\n \n)\n\nexport default LifetimeROI\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\n\nimport { SUMMARY_BLOCKS, TABS } from './constants'\n\nconst ROI = () => (\n \n)\n\nexport default ROI\n","import { Fragment } from 'react'\n\nimport KPITabsCost from './KPITabs/Cost'\nimport KPITabsSpend from './KPITabs/Spend'\nimport GroupedSummaryTable from '../../../GroupedSummaryTable'\nimport ReportsSelector from '../ReportsSelector'\n\nimport { REPORTS_BY_VALUE } from '../constants'\n\nconst SpendPage = () => (\n \n \n\n \n\n \n\n \n \n)\n\nexport default SpendPage\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\n\nimport { SUMMARY_BLOCKS, TABS } from './constants'\n\nconst Cost = () => (\n \n)\n\nexport default Cost\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\n\nimport { SUMMARY_BLOCKS, TABS } from './constants'\n\nconst Spend = () => (\n \n)\n\nexport default Spend\n","import { Fragment } from 'react'\n\nimport KPITabsUsage from './KPITabs/Usage'\nimport KPITabsUsageXDay from './KPITabs/UsageXDay'\nimport ReportsSelector from '../ReportsSelector'\n\nimport { REPORTS_BY_VALUE } from '../constants'\n\nconst UsagePage = () => (\n \n \n\n \n\n \n \n)\n\nexport default UsagePage\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\n\nimport { SUMMARY_BLOCKS, TABS } from './constants'\n\nconst Usage = () => (\n \n)\n\nexport default Usage\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\n\nimport { SUMMARY_BLOCKS, TABS } from './constants'\n\nconst UsageXDay = () => (\n \n)\n\nexport default UsageXDay\n","import { Fragment } from 'react'\n\nimport KPIDrilldownCostPerRetainedUser from './KPIDrilldown/CostPerRetainedUser'\nimport KPIDrilldownCostPer1000Sessions from './KPIDrilldown/CostPer1000Sessions'\nimport KPITabsLifetimeCost from './KPITabs/LifetimeCost'\nimport KPITabsCostPer1000Sessions from './KPITabs/CostPer1000Sessions'\nimport ReportsSelector from '../ReportsSelector'\nimport GroupedSummaryTable from '../../../GroupedSummaryTable'\n\nimport { REPORTS_BY_VALUE } from '../constants'\n\nconst ValuePage = () => (\n \n \n\n \n\n \n\n \n\n \n\n \n \n)\n\nexport default ValuePage\n","import KPIDrilldown from '../../../../../KPIDrilldown'\n\nimport { METRIC_DEFINITION_KEYS } from './constants'\n\nconst CostPerRetainedUser = () => (\n \n)\n\nexport default CostPerRetainedUser\n","import KPIDrilldown from '../../../../../KPIDrilldown'\n\nimport { METRIC_DEFINITION_KEYS } from './constants'\n\nconst CostPer1000Sessions = () => (\n \n)\n\nexport default CostPer1000Sessions\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\n\nimport { SUMMARY_BLOCKS, TABS } from './constants'\n\nconst LifetimeCost = () => (\n \n)\n\nexport default LifetimeCost\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\n\nimport { SUMMARY_BLOCKS, TABS } from './constants'\n\nconst CostPer1000Sessions = () => (\n \n)\n\nexport default CostPer1000Sessions\n","import React from 'react'\nimport Tooltip from 'rc-tooltip'\nimport classNames from 'classnames'\nimport PropTypes from 'prop-types'\n\nimport FontAwesomeIcon from '../../../FontAwesomeIcon'\nimport { DEFAULT_BTN_CLASS_NAME } from './constants'\nimport { TOOLTIP_MOUSE_ENTER_DELAY } from '../../../../utils/constants'\n\nimport styles from './styles.module.scss'\n\nconst ChartTypeButtons = ({ className, isBarChart, setIsBarChart }) => {\n const barChartBtnClassName = classNames(DEFAULT_BTN_CLASS_NAME, styles.chartTypeButton, {\n active: isBarChart\n })\n\n const splineChartBtnClassName = classNames(DEFAULT_BTN_CLASS_NAME, styles.chartTypeButton, {\n active: !isBarChart\n })\n\n return (\n \n Bar Chart}\n placement=\"top\"\n >\n \n \n\n Spline Chart}\n placement=\"top\"\n >\n \n \n
\n )\n}\n\nChartTypeButtons.propTypes = {\n className: PropTypes.string,\n isBarChart: PropTypes.bool,\n setIsBarChart: PropTypes.func.isRequired\n}\n\nChartTypeButtons.defaultProps = {\n className: null,\n isBarChart: true\n}\n\nexport default ChartTypeButtons\n","import React from 'react'\nimport PropTypes from 'prop-types'\nimport { arrayOfSelectableValueRanges } from '../../../../utils/customPropTypes'\n\nimport Dropdown from '../../../Dropdown'\n\nconst ValueRangeSelector = ({\n onChangeValueRange,\n valueRangeOptions,\n valueRange\n}) => (\n option.name}\n getOptionValue={option => option.id}\n isClearable={false}\n isSearchable={false}\n onChange={onChangeValueRange}\n options={valueRangeOptions}\n value={valueRange}\n />\n)\n\nValueRangeSelector.propTypes = {\n onChangeValueRange: PropTypes.func.isRequired,\n valueRange: PropTypes.shape({\n id: PropTypes.string,\n name: PropTypes.string\n }).isRequired,\n valueRangeOptions: arrayOfSelectableValueRanges.isRequired\n}\n\nexport default ValueRangeSelector\n","import React, { useMemo, useState, useEffect } from 'react'\nimport PropTypes from 'prop-types'\nimport {\n Chart, HighchartsChart, HighchartsProvider, XAxis, YAxis, Tooltip\n} from 'react-jsx-highcharts'\nimport Highcharts from 'highcharts'\nimport { cloneDeep, map } from 'lodash'\n\nimport ChartSkeleton from '../../KPITabs/Chart/skeleton'\nimport { arrayOfHighchartsSeriesData } from '../../../utils/customPropTypes'\nimport { useReportingFiltersState } from '../../../contexts/ReportingFilters'\nimport useHighchartsReflowEffect from '../../../hooks/useHighchartsReflowEffect'\n\nimport { buildSeries, getMinXByValueRange, getTooltipOptionsByGroupBy } from './helpers'\n\nimport {\n CHART_SKELETON_HEIGHT,\n PLOT_OPTIONS,\n X_AXIS_OPTIONS,\n CHART_RENDERER_DELAY_MS\n} from './constants'\n\n/*\n Note: this DelayedChartRenderer is a hack to handle\n a bizarre HighCharts render compatibility error\n with React that was causing a TypeError\n*/\n// eslint-disable-next-line react/prop-types\nconst DelayedChartRenderer = ({ children }) => {\n const [isShown, setIsShown] = useState(false)\n\n useEffect(() => {\n setTimeout(() => {\n setIsShown(true)\n }, CHART_RENDERER_DELAY_MS)\n }, [0])\n\n return isShown ? children : \n}\n\nconst ConversionValueHistogramChart = ({\n allData,\n groupBy,\n selectedComparison,\n isBarChart,\n isFetching,\n valueRange\n}) => {\n const reportingFilters = useReportingFiltersState()\n\n const { isSidebarCollapsed } = reportingFilters\n\n useHighchartsReflowEffect([isSidebarCollapsed])\n\n const plotOptions = cloneDeep(PLOT_OPTIONS)\n\n const series = useMemo(() => map(allData, (data, dataIndex) => (\n buildSeries({\n data,\n dataIndex,\n isBarChart,\n selectedComparisonObject: selectedComparison[dataIndex]\n })\n )), [allData, isBarChart])\n\n const minXValue = getMinXByValueRange(valueRange)\n\n if (isFetching) {\n return \n }\n\n return (\n \n \n \n \n\n {/* eslint-disable react/jsx-props-no-spreading */}\n \n Conversion Values\n \n\n {series}\n\n \n {/* eslint-enable react/jsx-props-no-spreading */}\n \n \n \n )\n}\n\nConversionValueHistogramChart.propTypes = {\n allData: PropTypes.arrayOf(arrayOfHighchartsSeriesData),\n groupBy: PropTypes.string,\n isBarChart: PropTypes.bool,\n isFetching: PropTypes.bool.isRequired,\n selectedComparison: PropTypes.arrayOf(\n PropTypes.shape({\n id: PropTypes.string,\n name: PropTypes.string\n })\n ).isRequired,\n valueRange: PropTypes.shape({\n id: PropTypes.string,\n name: PropTypes.string\n }).isRequired\n}\n\nConversionValueHistogramChart.defaultProps = {\n allData: [],\n groupBy: '',\n isBarChart: true\n}\n\nexport default ConversionValueHistogramChart\n","import FormTextField from '../../FormTextField/FormTextField'\n\nconst AppDestinationUrlFormField = () => (\n \n)\n\nexport default AppDestinationUrlFormField\n","import { Fragment, useState } from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport Admin from './Admin'\nimport Analyze from './Analyze'\nimport Automate from './Automate'\nimport Configure from './Configure'\nimport Diagnose from './Diagnose'\nimport Impersonate from './Impersonate'\nimport MyAccount from './MyAccount'\nimport Notifications from './Notifications'\nimport Support from './Support'\nimport SwitchOrgs from './SwitchOrgs'\n\nimport { useCurrentUserState } from '../../../contexts/CurrentUser'\n\nimport styles from './styles.module.scss'\n\nconst Modal = ({ isVisible, setIsVisible }) => {\n const [isShowingSwitchOrgs, setIsShowingSwitchOrgs] = useState(false)\n const [isShowingImpersonate, setIsShowingImpersonate] = useState(false)\n\n const { currentUser } = useCurrentUserState()\n\n return (\n \n {!(isShowingSwitchOrgs || isShowingImpersonate) && (\n
\n \n\n \n\n \n\n \n\n \n\n \n\n \n\n {currentUser.admin && (\n \n )}\n \n )}\n\n {isShowingImpersonate && (\n
\n )}\n\n {isShowingSwitchOrgs && (\n
\n )}\n
\n )\n}\n\nModal.propTypes = {\n setIsVisible: PropTypes.func.isRequired\n}\n\nexport default Modal\n","import PropTypes from 'prop-types'\n\nimport Link from '../Link'\nimport Section from '../Section'\nimport SectionContent from '../SectionContent'\nimport SectionHeader from '../SectionHeader'\n\nimport { useCurrentUserState } from '../../../../contexts/CurrentUser'\n\nconst Admin = ({ isShowingImpersonate, setIsShowingImpersonate }) => {\n const {\n currentUser: { isActingAsUser }\n } = useCurrentUserState()\n\n const onImpersonateClick = ev => {\n ev.preventDefault()\n\n setIsShowingImpersonate(!isShowingImpersonate)\n }\n\n /* eslint-disable jsx-a11y/anchor-is-valid */\n return (\n \n Admin\n\n \n \n Impersonate {isActingAsUser && '(Active)'}\n \n\n \n Apps\n \n\n \n Attribution Imports\n \n\n \n Attribution Providers\n \n\n \n Callback Status\n \n\n \n Callback Templates\n \n\n \n Campaign Buckets\n \n\n \n Campaign Merge\n \n\n \n Customer Database Metrics\n \n\n \n DataVaults\n \n\n \n Email Imports\n \n\n \n Exchange Rates\n \n\n \n Features\n \n\n \n Historical Stats\n \n\n \n Marketing Channels\n \n\n \n Publisher Apps\n \n\n \n SK Ad Networks\n \n\n \n SK Apps\n \n\n \n Background Jobs\n \n\n \n DailyStats Worker Stats\n \n\n \n Data Pipelines\n \n \n \n )\n /* eslint-enable jsx-a11y/anchor-is-valid */\n}\n\nAdmin.propTypes = {\n isShowingImpersonate: PropTypes.bool.isRequired,\n setIsShowingImpersonate: PropTypes.func.isRequired\n}\n\nexport default Admin\n","import { Fragment } from 'react'\n\nimport Label from '../Label'\nimport Link from '../Link'\nimport Section from '../Section'\nimport SectionContent from '../SectionContent'\nimport SectionHeader from '../SectionHeader'\n\nimport { useCurrentUserState } from '../../../../contexts/CurrentUser'\n\nconst Analyze = () => {\n const {\n accessControl: {\n canViewUserAcquisition,\n canViewAdMonetization,\n canViewDataExporter\n }\n } = useCurrentUserState()\n\n if (!(canViewUserAcquisition || canViewAdMonetization || canViewDataExporter)) {\n return null\n }\n\n return (\n \n Analyze\n\n \n {(canViewUserAcquisition || canViewAdMonetization) && (\n \n \n\n {canViewUserAcquisition && (\n \n User Acquisition\n \n )}\n\n {canViewAdMonetization && (\n \n Ad Monetization\n \n )}\n \n )}\n\n {canViewDataExporter && (\n \n \n\n \n Data Exporter\n \n \n )}\n \n \n )\n}\n\nexport default Analyze\n","import Label from '../Label'\nimport Link from '../Link'\nimport Section from '../Section'\nimport SectionContent from '../SectionContent'\nimport SectionHeader from '../SectionHeader'\n\nimport { useCurrentUserState } from '../../../../contexts/CurrentUser'\n\nconst Automate = () => {\n const {\n accessControl: {\n canViewDataVaultCredentials,\n canViewAccessTokens\n }\n } = useCurrentUserState()\n\n if (!(canViewDataVaultCredentials || canViewAccessTokens)) {\n return null\n }\n\n return (\n \n Automate\n\n \n {canViewDataVaultCredentials && (\n \n DataVault Credentials\n \n )}\n\n {canViewAccessTokens && (\n \n Access Tokens\n \n )}\n\n \n\n \n DataVault\n \n\n \n Reporting Metrics API\n \n\n \n Campaign Management API\n \n \n \n )\n}\n\nexport default Automate\n","import Label from '../Label'\nimport Link from '../Link'\nimport Section from '../Section'\nimport SectionContent from '../SectionContent'\nimport SectionHeader from '../SectionHeader'\n\nimport { useCurrentUserState } from '../../../../contexts/CurrentUser'\n\nconst Configure = () => {\n const {\n accessControl: {\n canViewApps,\n canViewCampaigns,\n canViewChannels\n }\n } = useCurrentUserState()\n\n if (!(canViewApps || canViewCampaigns || canViewChannels)) {\n return null\n }\n\n return (\n \n Configure\n\n \n {canViewApps && (\n \n Apps\n \n )}\n\n {canViewChannels && (\n \n Channels\n \n )}\n\n {canViewCampaigns && (\n \n Campaigns\n \n )}\n\n \n\n \n Attribution\n \n\n \n Event callback\n \n \n \n )\n}\n\nexport default Configure\n","import { Fragment } from 'react'\n\nimport Label from '../Label'\nimport Link from '../Link'\nimport Section from '../Section'\nimport SectionContent from '../SectionContent'\nimport SectionHeader from '../SectionHeader'\n\nimport { useCurrentUserState } from '../../../../contexts/CurrentUser'\nimport { useHealthState } from '../../../../contexts/Health'\n\nconst Diagnose = () => {\n const {\n accessControl: {\n canViewHealth,\n canViewCampaignBuckets,\n canViewSdkLiveData,\n canViewTestDevices,\n canViewStatusUpdates,\n canViewCampaignMerge\n }\n } = useCurrentUserState()\n\n const { unlinkedCampaignsAndAdPlacementsCount } = useHealthState()\n\n if (!(canViewHealth\n || canViewCampaignBuckets\n || canViewSdkLiveData\n || canViewTestDevices\n || canViewStatusUpdates\n || canViewCampaignMerge)) {\n return null\n }\n\n return (\n \n Diagnose\n\n \n {(canViewHealth || canViewCampaignBuckets) && (\n \n \n\n {canViewHealth && (\n \n Health\n \n {unlinkedCampaignsAndAdPlacementsCount}\n
\n \n )}\n\n {canViewCampaignBuckets && (\n \n Campaign Buckets\n \n )}\n\n {canViewCampaignMerge && (\n \n Campaign Merge\n \n )}\n \n )}\n\n {(canViewSdkLiveData || canViewTestDevices) && (\n \n \n\n {canViewSdkLiveData && (\n \n SDK Live Data\n \n )}\n\n {canViewTestDevices && (\n \n Test Devices\n \n )}\n \n )}\n\n {canViewStatusUpdates && (\n \n \n\n \n Status Updates\n \n \n )}\n \n \n )\n}\n\nexport default Diagnose\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\n\nimport BackLink from '../BackLink'\nimport Label from '../Label'\nimport Link from '../Link'\nimport Section from '../Section'\nimport SectionContent from '../SectionContent'\nimport SectionHeader from '../SectionHeader'\n\nimport { useCurrentUserState } from '../../../../contexts/CurrentUser'\n\nconst Impersonate = ({ setIsShowingImpersonate }) => {\n const buildImpersonateLink = org => `/dashboard/admin/users/${org.user_id}/become`\n\n const { currentUser, recentOrgs } = useCurrentUserState()\n\n const impersonatableOrgs = recentOrgs\n .filter(org => org.id !== currentUser.organizationId)\n .map(org => (\n \n {org.name}\n \n ))\n\n return (\n \n setIsShowingImpersonate(false)} />\n\n Impersonate\n\n \n {currentUser.isActingAsUser && (\n \n Revert to Self\n \n )}\n\n \n Organizations\n \n\n \n Users\n \n\n {impersonatableOrgs.length > 0 && (\n \n \n\n {impersonatableOrgs}\n \n )}\n \n \n )\n}\n\nImpersonate.propTypes = {\n setIsShowingImpersonate: PropTypes.func.isRequired\n}\n\nexport default Impersonate\n","import PropTypes from 'prop-types'\n\nimport { useCurrentUserState } from '../../../../contexts/CurrentUser'\nimport Label from '../Label'\nimport Link from '../Link'\nimport PtiMeter from '../../../Navigation/MyAccount/PtiMeter'\nimport Section from '../Section'\nimport SectionContent from '../SectionContent'\nimport SectionHeader from '../SectionHeader'\nimport SignOutLink from '../SignOutLink'\nimport styles from './styles.module.scss'\n\nconst MyAccount = ({ isShowingSwitchOrgs, setIsShowingSwitchOrgs }) => {\n const {\n accessControl: {\n canViewGdprRequests,\n canViewManageOrganization,\n canViewManageUser,\n canViewMonthlyEvents\n },\n currentUser,\n switchableOrgs\n } = useCurrentUserState()\n\n const onSwitchOrgsClick = ev => {\n ev.preventDefault()\n\n setIsShowingSwitchOrgs(!isShowingSwitchOrgs)\n }\n\n /* eslint-disable jsx-a11y/anchor-is-valid */\n return (\n \n My Account\n\n \n \n \n\n \n
\n\n {switchableOrgs.length > 0 && (\n \n Switch Organizations\n \n )}\n\n {canViewMonthlyEvents &&\n (window.gon.feature_flags.includes('usage_and_billing') ? (\n \n
\n
\n Usage & Billing\n \n
\n ) : (\n Monthly Activity\n ))}\n\n {canViewGdprRequests && (\n GDPR Requests\n )}\n\n {canViewManageUser && Manage User}\n\n {canViewManageOrganization && (\n Manage Organization\n )}\n\n \n \n \n )\n /* eslint-enable jsx-a11y/anchor-is-valid */\n}\n\nMyAccount.propTypes = {\n isShowingSwitchOrgs: PropTypes.bool.isRequired,\n setIsShowingSwitchOrgs: PropTypes.func.isRequired\n}\n\nexport default MyAccount\n","import classNames from 'classnames'\nimport PropTypes from 'prop-types'\n\nimport LoadingBar from '../../../LoadingBar'\nimport styles from './styles.module.scss'\n\nconst PtiMeter = ({ className }) => (\n \n
\n 32% of PTI Allowance\n
\n
\n
\n
\n 6,400 of 20,000\n
\n paid attributions used\n
\n
\n)\n\nPtiMeter.propTypes = {\n className: PropTypes.string\n}\n\nPtiMeter.defaultProps = {\n className: ''\n}\n\nexport default PtiMeter\n","import Link from '../Link'\n\nconst SignOutLink = () => (\n \n Sign Out\n \n)\n\nexport default SignOutLink\n","import Link from '../Link'\nimport Section from '../Section'\nimport SectionContent from '../SectionContent'\nimport SectionHeader from '../SectionHeader'\n\nimport { useCurrentUserState } from '../../../../contexts/CurrentUser'\n\nconst Notifications = () => {\n const {\n accessControl: {\n canViewAlertDefinitions,\n canViewNotifications\n }\n } = useCurrentUserState()\n\n if (!(canViewAlertDefinitions || canViewNotifications)) {\n return null\n }\n\n return (\n \n Notifications\n\n \n\n {canViewAlertDefinitions && (\n \n Configure Alerts\n \n )}\n\n {canViewNotifications && (\n \n View All\n \n )}\n \n \n )\n}\n\nexport default Notifications\n","import Link from '../Link'\nimport Section from '../Section'\nimport SectionContent from '../SectionContent'\nimport SectionHeader from '../SectionHeader'\n\nimport { useCurrentUserState } from '../../../../contexts/CurrentUser'\n\nconst Support = () => {\n const {\n accessControl: {\n canViewSupport\n }\n } = useCurrentUserState()\n\n if (!canViewSupport) return null\n\n const handleSupportClick = ev => {\n ev.preventDefault()\n\n if (window.Intercom) {\n window.Intercom('show')\n }\n }\n\n /* eslint-disable jsx-a11y/anchor-is-valid */\n return (\n \n Support\n\n \n \n Documentation\n \n\n \n APIs\n \n\n \n SDKs\n \n\n \n Chat with Support\n \n \n \n )\n /* eslint-enable jsx-a11y/anchor-is-valid */\n}\n\nexport default Support\n","import PropTypes from 'prop-types'\n\nimport BackLink from '../BackLink'\nimport Link from '../Link'\nimport Section from '../Section'\nimport SectionContent from '../SectionContent'\nimport SectionHeader from '../SectionHeader'\n\nimport { useCurrentUserState } from '../../../../contexts/CurrentUser'\n\nimport styles from './styles.module.scss'\n\nconst SwitchOrgs = ({ setIsShowingSwitchOrgs }) => {\n const { currentUser, switchableOrgs } = useCurrentUserState()\n\n if (switchableOrgs.length === 0) return null\n\n const buildSwitchingOrgLink = org => `/dashboard/organizations/${org.id}/switch`\n\n return (\n \n setIsShowingSwitchOrgs(false)} />\n\n Switch Organizations\n\n \n {currentUser.organizationName} (Active)
\n\n {switchableOrgs.map(org => (\n \n {org.name}\n \n ))}\n \n \n )\n}\n\nSwitchOrgs.propTypes = {\n setIsShowingSwitchOrgs: PropTypes.func.isRequired\n}\n\nexport default SwitchOrgs\n","import { useCallback } from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport Skeleton from 'react-loading-skeleton'\nimport { isNull } from 'lodash'\n\nimport AwaitingDataOverlay from '../AwaitingDataOverlay'\nimport CardHeader from '../CardHeader'\nimport ChartFailed from '../ChartFailed'\nimport NoDataOverlay from '../NoDataOverlay'\nimport OnboardingActionOverlay from '../OnboardingActionOverlay'\nimport ReportingDataMetricValueDisplay from '../ReportingDataMetricValueDisplay'\n\nimport { isBlank } from '../../utils/helpers'\nimport { metricDefinitionObject, onboardingStatusObject } from '../../utils/customPropTypes'\n\nimport styles from './styles.module.scss'\n\nconst KPICard = ({\n index, isError, isFetching, isMocking, value, metricDefinition,\n onReloadClick, onboardingStatus, isTwoCardLayout, cardCount\n}) => {\n const renderKPIData = useCallback(() => {\n const valueClassName = classNames(styles.value, {\n [styles.valueSkeleton]: isFetching\n })\n\n const { calculatedAsLabel, displayName, valueType } = metricDefinition\n\n const valueIconClassName = classNames({ [styles.dataNoValue]: isBlank(value) })\n\n return (\n \n
\n {displayName}\n \n\n
\n {isFetching ? (\n
\n ) : (\n
\n )}\n\n
\n {calculatedAsLabel}\n
\n
\n
\n )\n }, [isFetching, value])\n\n let isCardOnTheLeft\n let isCardOnTheRight\n let isFirstCard\n let isMiddleCard\n let isLastCard\n\n if (isTwoCardLayout) {\n isCardOnTheLeft = index % 2 === 0\n isCardOnTheRight = index % 2 === 1\n } else {\n isFirstCard = index === 0\n isMiddleCard = index > 0 && index < (cardCount - 1)\n isLastCard = index === cardCount\n }\n\n const className = classNames(styles.card, {\n [styles.leftCard]: isCardOnTheLeft,\n [styles.rightCard]: isCardOnTheRight,\n [styles.firstCard]: isFirstCard,\n [styles.middleCard]: isMiddleCard,\n [styles.lastCard]: isLastCard\n })\n\n const { hasRecentlyReceivedFirstEvents } = onboardingStatus\n\n const hasNoSummaryData = !isMocking\n && !isError\n && !isFetching\n && !hasRecentlyReceivedFirstEvents\n && isNull(value)\n\n const hasFailedLoadingData = !isMocking && isError\n\n const isAwaitingDataToBeCalculated = !isMocking\n && !isError\n && !isFetching\n && hasRecentlyReceivedFirstEvents\n && isNull(value)\n\n return (\n \n
\n {renderKPIData()}\n
\n\n {isMocking &&
}\n {hasFailedLoadingData &&
}\n {hasNoSummaryData &&
}\n {isAwaitingDataToBeCalculated && (\n
\n )}\n
\n )\n}\n\nKPICard.propTypes = {\n cardCount: PropTypes.number,\n index: PropTypes.number.isRequired,\n isError: PropTypes.bool.isRequired,\n isFetching: PropTypes.bool.isRequired,\n isMocking: PropTypes.bool.isRequired,\n isTwoCardLayout: PropTypes.bool,\n metricDefinition: metricDefinitionObject.isRequired,\n onReloadClick: PropTypes.func.isRequired,\n onboardingStatus: onboardingStatusObject.isRequired,\n value: PropTypes.oneOfType([PropTypes.string, PropTypes.number])\n}\n\nKPICard.defaultProps = {\n cardCount: 2,\n isTwoCardLayout: true,\n value: null\n}\n\nexport default KPICard\n","import { useState } from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport styles from './styles.module.scss'\nimport Dropdown from '../../Dropdown'\nimport {\n DOCUMENTATION_LINKS,\n PLATFORM_SDK_OPTIONS,\n ROLE_DEVELOPER,\n ROLE_MARKETER\n} from '../constants'\nimport {\n arrayOfPlatformSDKOptions,\n arrayOfRoleObjects,\n platformSDKObject,\n roleObject\n} from '../../../utils/customPropTypes'\n\nconst RoleContentMarketer = ({ onClickWithTracking }) => (\n \n)\n\nconst RoleContentDeveloper = ({\n onChangePlatformSDK,\n onClickWithTracking,\n platformSDKOptions,\n selectedPlatformSDK\n}) => {\n const { linkText, linkUrl } = selectedPlatformSDK\n\n return (\n \n )\n}\n\nconst Overlay = ({\n className,\n onChangeSelectedRole,\n onClickWithTracking,\n onClosePopup,\n roleOptions,\n selectedRole\n}) => {\n const [selectedPlatformSDK, setSelectedPlatformSDK] = useState(PLATFORM_SDK_OPTIONS[0])\n\n const handleChangePlatformSDK = updatedPlatformSDK => {\n setSelectedPlatformSDK(updatedPlatformSDK)\n }\n\n return (\n \n
\n
{\n if (event.key === 'Enter') { onClosePopup() }\n }}\n className={styles.hideButton}\n onClick={onClosePopup}\n >\n Hide\n
\n
\n\n
Welcome To Tenjin!
\n\n
\n
What's your role?
\n
option.label}\n getOptionValue={option => option.value}\n isClearable={false}\n isSearchable={false}\n onChange={onChangeSelectedRole}\n options={roleOptions}\n value={selectedRole}\n />\n \n\n {selectedRole.value === ROLE_MARKETER && (\n
\n )}\n {selectedRole.value === ROLE_DEVELOPER && (\n
\n )}\n\n
\n
\n )\n}\n\nRoleContentMarketer.propTypes = {\n onClickWithTracking: PropTypes.func.isRequired\n}\n\nRoleContentDeveloper.propTypes = {\n onChangePlatformSDK: PropTypes.func.isRequired,\n onClickWithTracking: PropTypes.func.isRequired,\n platformSDKOptions: arrayOfPlatformSDKOptions.isRequired,\n selectedPlatformSDK: platformSDKObject.isRequired\n}\n\nOverlay.propTypes = {\n className: PropTypes.string,\n onChangeSelectedRole: PropTypes.func.isRequired,\n onClickWithTracking: PropTypes.func.isRequired,\n onClosePopup: PropTypes.func.isRequired,\n roleOptions: arrayOfRoleObjects.isRequired,\n selectedRole: roleObject.isRequired\n}\n\nOverlay.defaultProps = {\n className: null\n}\n\nexport default Overlay\n","import React from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport { format, parseISO } from 'date-fns'\n\nimport FontAwesomeIcon from '../FontAwesomeIcon'\n\nimport { isBlankValue } from '../ReportingDataMetricValueDisplay/helpers'\n\nimport styles from './styles.module.scss'\n\nconst ReportingDataDateDisplay = ({\n className,\n iconClassName,\n value\n}) => {\n if (isBlankValue(value)) {\n return (\n \n \n \n )\n }\n\n return (\n \n {format(parseISO(value), 'yyyy-MM-dd')}\n \n )\n}\n\nReportingDataDateDisplay.propTypes = {\n className: PropTypes.string,\n iconClassName: PropTypes.string,\n value: PropTypes.oneOfType([\n PropTypes.string,\n PropTypes.number\n ])\n}\n\nReportingDataDateDisplay.defaultProps = {\n className: null,\n iconClassName: null,\n value: ''\n}\n\nexport default ReportingDataDateDisplay\n","import PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\n\nimport styles from './styles.module.scss'\n\nconst VisibilityIcon = ({ isOpen }) => (\n \n)\n\nVisibilityIcon.propTypes = {\n isOpen: PropTypes.bool.isRequired\n}\n\nexport default VisibilityIcon\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\nimport Tooltip from 'rc-tooltip'\n\nimport ListItem from '../../Filter/Pane/ListItem'\nimport MultiSelectIcon from '../../Filter/Pane/ListItem/MultiSelectIcon'\nimport PlatformIcon from '../../../PlatformIcon'\n\nimport { TOOLTIP_MOUSE_ENTER_DELAY } from '../../../../utils/constants'\nimport { associatableAppObject } from '../../../../utils/customPropTypes'\n\nimport styles from './styles.module.scss'\n\nconst AppsListItem = (\n {\n app,\n isSelected,\n onClick\n }\n) => (\n \n {app.iconUrl && (\n
\n )}\n\n \n\n {app.name}}\n placement=\"top\"\n >\n {app.name}
\n \n \n )}\n onClick={onClick}\n selectionIcon={}\n />\n)\n\nAppsListItem.propTypes = {\n app: associatableAppObject.isRequired,\n isSelected: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nexport default AppsListItem\n","import PropTypes from 'prop-types'\n\nimport styles from './styles.module.scss'\n\nconst Subtitle = ({ children }) => (\n {children}
\n)\n\nSubtitle.propTypes = {\n children: PropTypes.node.isRequired\n}\n\nexport default Subtitle\n","import { useMemo } from 'react'\nimport PropTypes from 'prop-types'\nimport { xor } from 'lodash'\nimport { camelCase } from 'camel-case'\n\nimport PlatformFilter from './PlatformFilter'\nimport { arrayOfAssociatableApps } from '../../../../utils/customPropTypes'\nimport { isPresent } from '../../../../utils/helpers'\n\nconst isActivePlatformFilter = ({ selectable, selected }) => (\n xor(selectable, selected).length === 0\n)\n\nconst PlatformFilters = (\n {\n apps,\n onClick,\n selectedApps\n }\n) => {\n const appIdsByPlatform = useMemo(() => {\n const appIdsByPlatformObj = {\n amazon: [],\n android: [],\n androidOther: [],\n ios: []\n }\n\n apps.forEach(app => {\n const appPlatform = camelCase(app.platform || '')\n\n if (appIdsByPlatformObj[appPlatform]) {\n appIdsByPlatformObj[appPlatform].push(app.id)\n }\n })\n\n return appIdsByPlatformObj\n }, [apps])\n\n const hasSelectedApps = isPresent(selectedApps)\n\n const iosFilterSelected = useMemo(() => (\n hasSelectedApps\n && isActivePlatformFilter({\n selectable: appIdsByPlatform.ios,\n selected: selectedApps\n })\n ), [appIdsByPlatform.ios, hasSelectedApps, selectedApps])\n\n const androidFilterSelected = useMemo(() => (\n hasSelectedApps\n && isActivePlatformFilter({\n selectable: appIdsByPlatform.android,\n selected: selectedApps\n })\n ), [appIdsByPlatform.android, hasSelectedApps, selectedApps])\n\n const androidOtherFilterSelected = useMemo(() => (\n hasSelectedApps\n && isActivePlatformFilter({\n selectable: appIdsByPlatform.androidOther,\n selected: selectedApps\n })\n ), [appIdsByPlatform.androidOther, hasSelectedApps, selectedApps])\n\n const amazonFilterSelected = useMemo(() => (\n hasSelectedApps\n && isActivePlatformFilter({\n selectable: appIdsByPlatform.amazon,\n selected: selectedApps\n })\n ), [appIdsByPlatform.amazon, hasSelectedApps, selectedApps])\n\n return (\n \n
onClick(appIdsByPlatform.ios)}\n platform=\"ios\"\n />\n onClick(appIdsByPlatform.android)}\n platform=\"android\"\n />\n onClick(appIdsByPlatform.amazon)}\n platform=\"amazon\"\n />\n onClick(appIdsByPlatform.androidOther)}\n platform=\"androidOther\"\n />\n \n )\n}\n\nPlatformFilters.propTypes = {\n apps: arrayOfAssociatableApps.isRequired,\n onClick: PropTypes.func.isRequired,\n selectedApps: PropTypes.arrayOf(PropTypes.string).isRequired\n}\n\nexport default PlatformFilters\n","import PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport { isEmpty, map } from 'lodash'\n\nimport styles from './styles.module.scss'\n\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\nimport { arrayOfSelectedItemIcons } from '../../../../../utils/customPropTypes'\n\nconst SelectedItem = ({\n item,\n displayName,\n onClickSelectedItem,\n icons\n}) => {\n const className = classNames(\n styles.selectedItem,\n 'u-display-block'\n )\n\n const handleClickSelectedItem = () => {\n onClickSelectedItem(item)\n }\n\n const hasIcons = icons && !isEmpty(icons)\n\n /* eslint-disable jsx-a11y/click-events-have-key-events */\n return (\n \n
\n {hasIcons && map(icons, ({ name: alt, url: src }) => (\n

\n ))}\n
{displayName}
\n
\n )\n /* eslint-enable jsx-a11y/click-events-have-key-events */\n}\n\nSelectedItem.propTypes = {\n displayName: PropTypes.string.isRequired,\n icons: arrayOfSelectedItemIcons,\n // eslint-disable-next-line react/forbid-prop-types\n item: PropTypes.object.isRequired,\n onClickSelectedItem: PropTypes.func.isRequired\n}\n\nSelectedItem.defaultProps = {\n icons: null\n}\n\nexport default SelectedItem\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport Tooltip from 'rc-tooltip'\n\nimport ListItem from '../../Filter/Pane/ListItem'\nimport MultiSelectIcon from '../../Filter/Pane/ListItem/MultiSelectIcon'\nimport { channelObject } from '../../../../utils/customPropTypes'\nimport { TOOLTIP_MOUSE_ENTER_DELAY } from '../../../../utils/constants'\n\nimport styles from './styles.module.scss'\n\nconst ChannelsListItem = (\n {\n channel,\n isGroupingBySiteId,\n isSelected,\n onClick,\n selectedChannels\n }\n) => {\n let tooltipText\n\n const isDisabled = !isSelected\n && isGroupingBySiteId\n && selectedChannels.length >= 1\n\n if (isDisabled) {\n tooltipText = 'Can only select 1 channel when grouping by Site ID'\n }\n\n return (\n \n {channel.iconUrl && (\n
\n )}\n\n {channel.name}}\n placement=\"top\"\n >\n {channel.name}
\n \n \n )}\n onClick={onClick}\n selectionIcon={}\n tooltipText={tooltipText}\n />\n )\n}\n\nChannelsListItem.propTypes = {\n channel: channelObject.isRequired,\n isGroupingBySiteId: PropTypes.bool.isRequired,\n isSelected: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired,\n selectedChannels: PropTypes.arrayOf(PropTypes.number).isRequired\n}\n\nexport default ChannelsListItem\n","import { useMemo } from 'react'\nimport PropTypes from 'prop-types'\nimport { difference, map, xor } from 'lodash'\n\nimport QuickSelectorBtn from '../../Filter/Pane/QuickSelectorBtn'\n\nimport { arrayOfChannels } from '../../../../utils/customPropTypes'\nimport { isPresent } from '../../../../utils/helpers'\nimport { NON_PAID_CHANNEL_IDS } from './constants'\n\nconst PaidFilter = (\n {\n channels,\n isDisabled,\n onClick,\n selectedChannels\n }\n) => {\n const paidChannelIds = difference(map(channels, 'id'), NON_PAID_CHANNEL_IDS)\n\n if (paidChannelIds.length === 0) return null\n\n const hasSelectedChannels = isPresent(selectedChannels)\n\n const paidFilterSelected = useMemo(() => (\n hasSelectedChannels\n && xor(paidChannelIds, selectedChannels).length === 0\n ), [hasSelectedChannels, paidChannelIds, selectedChannels])\n\n return (\n \n onClick(paidChannelIds)}\n >\n Paid Channels\n \n
\n )\n}\n\nPaidFilter.propTypes = {\n channels: arrayOfChannels.isRequired,\n isDisabled: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired,\n selectedChannels: PropTypes.arrayOf(PropTypes.number).isRequired\n}\n\nexport default PaidFilter\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\nimport Tooltip from 'rc-tooltip'\n\nimport ListItem from '../../Filter/Pane/ListItem'\nimport MultiSelectIcon from '../../Filter/Pane/ListItem/MultiSelectIcon'\nimport { countryObject } from '../../../../utils/customPropTypes'\nimport { TOOLTIP_MOUSE_ENTER_DELAY } from '../../../../utils/constants'\n\nimport styles from './styles.module.scss'\n\nconst CountriesListItem = (\n {\n country,\n isSelected,\n onClick\n }\n) => (\n \n {country.emojiFlag}
\n\n {country.name}}\n placement=\"top\"\n >\n {country.name}
\n \n \n )}\n onClick={onClick}\n selectionIcon={}\n />\n)\n\nCountriesListItem.propTypes = {\n country: countryObject.isRequired,\n isSelected: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nexport default CountriesListItem\n","import PropTypes from 'prop-types'\n\nimport Filter from '../Filter'\nimport FontAwesomeIcon from '../../FontAwesomeIcon'\nimport Label from '../Filter/Label'\nimport ListItem from './ListItem'\nimport Pane from '../Filter/Pane'\n\nimport { useReportingFiltersState } from '../../../contexts/ReportingFilters'\nimport { oneOfSelectableGranularities } from '../../../utils/customPropTypes'\n\nconst GranularityFilter = (\n {\n hasFilterChanges,\n isCollapsed,\n isOpen,\n onChange,\n onCloseClick,\n onLabelClick,\n selectedGranularity\n }\n) => {\n const { granularities } = useReportingFiltersState()\n\n const granularity = granularities.find(gran => gran.id === selectedGranularity)\n\n const listItems = granularities.map(gran => (\n onChange(gran.id)}\n />\n ))\n\n return (\n }\n hasFilterChanges={hasFilterChanges}\n isCollapsed={isCollapsed}\n isDisabled={false}\n isOpen={isOpen}\n isTooltipDisabled={!isCollapsed}\n labelTitle=\"Granularity\"\n onClick={onLabelClick}\n tooltipText={`Granularity - ${granularity.name}`}\n >\n {granularity.name}\n \n )}\n pane={(\n \n {listItems}\n \n )}\n />\n )\n}\n\nGranularityFilter.propTypes = {\n hasFilterChanges: PropTypes.bool.isRequired,\n isCollapsed: PropTypes.bool.isRequired,\n isOpen: PropTypes.bool.isRequired,\n onChange: PropTypes.func.isRequired,\n onCloseClick: PropTypes.func.isRequired,\n onLabelClick: PropTypes.func.isRequired,\n selectedGranularity: oneOfSelectableGranularities.isRequired\n}\n\nexport default GranularityFilter\n","import PropTypes from 'prop-types'\n\nimport ListItem from '../../Filter/Pane/ListItem'\nimport SingleSelectIcon from '../../Filter/Pane/ListItem/SingleSelectIcon'\n\nimport { granularityObject } from '../../../../utils/customPropTypes'\n\nconst GranularityListItem = (\n {\n granularity,\n isSelected,\n onClick\n }\n) => (\n }\n />\n)\n\nGranularityListItem.propTypes = {\n granularity: granularityObject.isRequired,\n isSelected: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nexport default GranularityListItem\n","import PropTypes from 'prop-types'\n\nimport Filter from '../Filter'\nimport FontAwesomeIcon from '../../FontAwesomeIcon'\nimport Label from '../Filter/Label'\nimport ListItem from './ListItem'\nimport Pane from '../Filter/Pane'\nimport TargetingTags from './TargetingTags'\n\nimport { useReportingFiltersState } from '../../../contexts/ReportingFilters'\n\nconst GroupByFilter = (\n {\n hasFilterChanges,\n isCollapsed,\n isOpen,\n onChange,\n onCloseClick,\n onLabelClick,\n selectedChannels,\n selectedGroupBy\n }\n) => {\n const { canGroupByTargetingTags, groupBys, targetingTags } = useReportingFiltersState()\n\n const groupableItems = [\n ...groupBys,\n ...targetingTags\n ]\n\n const currentGroupBy = groupableItems.find(({ id }) => id === selectedGroupBy)\n\n const listItems = groupBys.map(groupBy => (\n onChange(groupBy.id)}\n selectedChannels={selectedChannels}\n />\n ))\n\n if (canGroupByTargetingTags && targetingTags.length > 0) {\n listItems.push(\n \n )\n }\n\n return (\n }\n hasFilterChanges={hasFilterChanges}\n isCollapsed={isCollapsed}\n isDisabled={false}\n isOpen={isOpen}\n isTooltipDisabled={!isCollapsed}\n labelTitle=\"Group By\"\n onClick={onLabelClick}\n tooltipText={`Group By - ${currentGroupBy.name}`}\n >\n {currentGroupBy.name}\n \n )}\n pane={(\n \n {listItems}\n \n )}\n />\n )\n}\n\nGroupByFilter.propTypes = {\n hasFilterChanges: PropTypes.bool.isRequired,\n isCollapsed: PropTypes.bool.isRequired,\n isOpen: PropTypes.bool.isRequired,\n onChange: PropTypes.func.isRequired,\n onCloseClick: PropTypes.func.isRequired,\n onLabelClick: PropTypes.func.isRequired,\n selectedChannels: PropTypes.arrayOf(PropTypes.number).isRequired,\n selectedGroupBy: PropTypes.string.isRequired\n}\n\nexport default GroupByFilter\n","import PropTypes from 'prop-types'\nimport { useLocation } from 'react-router-dom'\n\nimport { getReportPageFromPathname } from '../../../../contexts/ReportingFilters'\nimport {\n CREATIVE_GROUP_BY_ID_STR,\n CREATIVES_REPORT_STR,\n CUSTOM_REPORT_STR,\n SITE_ID_GROUP_BY_ID_STR\n} from '../../../../contexts/ReportingFilters/constants'\nimport ListItem from '../../Filter/Pane/ListItem'\nimport SingleSelectIcon from '../../Filter/Pane/ListItem/SingleSelectIcon'\n\nconst GroupByListItem = ({\n groupBy,\n isSelected,\n onClick,\n selectedChannels\n}) => {\n let tooltipText\n\n const { pathname } = useLocation()\n\n const reportPage = getReportPageFromPathname(pathname)\n\n const isDisabledSiteId =\n groupBy.id === SITE_ID_GROUP_BY_ID_STR &&\n (selectedChannels.length > 1 || reportPage === CUSTOM_REPORT_STR)\n\n const isDisabledCreative =\n groupBy.id === CREATIVE_GROUP_BY_ID_STR &&\n reportPage !== CREATIVES_REPORT_STR\n\n const isDisabled = isDisabledSiteId || isDisabledCreative\n\n if (isDisabledSiteId) {\n tooltipText =\n selectedChannels.length > 1\n ? 'Must select only 1 Channel to group by Site ID'\n : \"Can't group by Site ID for custom events\"\n } else if (isDisabledCreative) {\n tooltipText = 'Only available in creatives report'\n }\n\n return (\n }\n tooltipText={tooltipText}\n />\n )\n}\n\nGroupByListItem.propTypes = {\n groupBy: PropTypes.shape({ id: PropTypes.string, name: PropTypes.string })\n .isRequired,\n isSelected: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired,\n selectedChannels: PropTypes.arrayOf(PropTypes.number).isRequired\n}\n\nexport default GroupByListItem\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\n\nimport ListItem from '../../Filter/Pane/ListItem'\nimport SingleSelectIcon from '../../Filter/Pane/ListItem/SingleSelectIcon'\n\nimport { useReportingFiltersState } from '../../../../contexts/ReportingFilters'\n\nimport styles from './styles.module.scss'\n\nconst TargetingTags = (\n {\n onChange,\n selectedGroupBy\n }\n) => {\n const { targetingTags } = useReportingFiltersState()\n\n return (\n \n \n Targeting Tags\n
\n\n {targetingTags.map(targetingTag => (\n onChange(targetingTag.id)}\n selectionIcon={}\n />\n ))}\n \n )\n}\n\nTargetingTags.propTypes = {\n onChange: PropTypes.func.isRequired,\n selectedGroupBy: PropTypes.string.isRequired\n}\n\nexport default TargetingTags\n","import PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport styles from './styles.module.scss'\n\nconst Toolbar = ({ className, children }) => (\n \n {children}\n
\n)\n\nToolbar.propTypes = {\n children: PropTypes.node.isRequired,\n className: PropTypes.string\n}\n\nToolbar.defaultProps = {\n className: null\n}\n\nexport default Toolbar\n","import { Fragment, useEffect } from 'react'\nimport { Route } from 'react-router-dom'\n\nimport PublisherPage from './PublisherPage'\nimport ReportingContent from '../../ReportingContent'\nimport ReportingSidebar from '../../ReportingSidebar'\n\nimport useFlashMessagesHook from '../../../hooks/useFlashMessagesHook'\n// Note: disabled nav link updates for issue TENJIN-11310\n// import useUpdateNavLinksFromFilterEffect from '../../../hooks/useUpdateNavLinksFromFiltersHook'\n\nconst AdMonetizationPage = ({ match }) => {\n useEffect(() => {\n document.title = `Ad Revenue Reports - Tenjin`\n })\n\n useFlashMessagesHook()\n\n // Note: disabled nav link updates for issue TENJIN-11310\n // useUpdateNavLinksFromFilterEffect()\n\n return (\n \n \n\n \n\n \n \n \n )\n}\n\nexport default AdMonetizationPage\n","import { Fragment } from 'react'\n\nimport GroupedSummaryTable from '../../../GroupedSummaryTable'\nimport KPIDrilldownAdRevenue from './KPIDrilldown/AdRevenue'\nimport KPITabsAdRevenue from './KPITabs/AdRevenue'\nimport KPITabsEffectiveCost from './KPITabs/EffectiveCost'\n\nconst PublisherPage = () => (\n \n \n\n \n\n \n\n \n \n)\n\nexport default PublisherPage\n","import KPIDrilldown from '../../../../../KPIDrilldown'\n\nimport { METRIC_DEFINITION_KEYS } from './constants'\n\nconst AdRevenue = () => (\n \n)\n\nexport default AdRevenue\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\n\nimport { SUMMARY_BLOCKS, TABS } from './constants'\n\nconst AdRevenue = () => (\n \n)\n\nexport default AdRevenue\n","import KPITabsWrapper from '../../../../../KPITabs/wrapper'\n\nimport { SUMMARY_BLOCKS, TABS } from './constants'\n\nconst EffectiveCost = () => (\n \n)\n\nexport default EffectiveCost\n","import PropTypes from 'prop-types'\n\nimport styles from './styles.module.scss'\nimport Dropdown from '../../../Dropdown'\n\nimport {\n appObject,\n channelObject,\n arrayOfAppObjects,\n arrayOfChannels\n} from '../../../../utils/customPropTypes'\n\nconst CampaignFilters = ({\n apps,\n channels,\n lookbackWindows,\n selectedApp,\n selectedChannel,\n selectedLookback,\n onChangeSelectedApp,\n onChangeSelectedChannel,\n onChangeSelectedLookback\n}) => (\n \n option.name}\n getOptionValue={option => option.id}\n isClearable={false}\n isSearchable\n onChange={onChangeSelectedApp}\n options={apps}\n value={selectedApp}\n placeholder=\"Select an app\"\n />\n option.name}\n getOptionValue={option => option.id}\n isClearable={false}\n isSearchable\n onChange={onChangeSelectedChannel}\n options={channels}\n value={selectedChannel}\n placeholder=\"Select a channel\"\n />\n option.label}\n getOptionValue={option => option.value}\n isClearable={false}\n isSearchable\n onChange={onChangeSelectedLookback}\n options={lookbackWindows}\n value={selectedLookback}\n />\n
\n)\n\nCampaignFilters.propTypes = {\n apps: arrayOfAppObjects,\n channels: arrayOfChannels,\n lookbackWindows: PropTypes.arrayOf(\n PropTypes.shape({\n label: PropTypes.string.isRequired,\n value: PropTypes.number.isRequired\n })\n ).isRequired,\n onChangeSelectedApp: PropTypes.func.isRequired,\n onChangeSelectedChannel: PropTypes.func.isRequired,\n onChangeSelectedLookback: PropTypes.func.isRequired,\n selectedApp: appObject,\n selectedChannel: channelObject,\n selectedLookback: PropTypes.shape({\n label: PropTypes.string.isRequired,\n value: PropTypes.number.isRequired\n })\n}\n\nCampaignFilters.defaultProps = {\n apps: [],\n channels: [],\n selectedApp: null,\n selectedChannel: null,\n selectedLookback: null\n}\n\nexport default CampaignFilters\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\nimport Modal from 'react-modal'\n\nimport styles from './styles.module.scss'\nimport SearchInput from '../../../SearchInputV2'\nimport ConfirmationModalContent from '../../../ConfirmationModalContent'\nimport { defaultModalStyles } from '../../../../utils/modal'\nimport CampaignColumns from './CampaignColumns'\n\n/*\n eslint-disable jsx-a11y/interactive-supports-focus,\n jsx-a11y/click-events-have-key-events\n*/\nconst StandaloneCampaignMergeTool = ({\n closeModal,\n isMergeable,\n isModalOpen,\n isEmptyState,\n isError,\n isMerging,\n isLoading,\n onCancelMerge,\n onChangeSearchText,\n onClickMergeCampaigns,\n onClickReportedCampaign,\n onClickTrackedCampaign,\n onConfirmMerge,\n reportedCampaigns,\n searchText,\n selectedReportedCampaign,\n selectedTrackedCampaign,\n setSearchText,\n trackedCampaigns\n}) => (\n \n \n
\n
Raw Campaigns
\n
\n {\n 'Consolidate campaigns by merging one Tenjin campaign with tracked data'\n + ' to its matching Ad Network campaign with reported data.'\n }\n
\n
\n
\n
\n \n
\n
\n
\n \n \n \n \n)\n/*\n eslint-enable jsx-a11y/interactive-supports-focus,\n jsx-a11y/click-events-have-key-events\n*/\n\nStandaloneCampaignMergeTool.propTypes = {\n closeModal: PropTypes.func.isRequired,\n isEmptyState: PropTypes.bool.isRequired,\n isError: PropTypes.bool.isRequired,\n isLoading: PropTypes.bool.isRequired,\n isMergeable: PropTypes.bool.isRequired,\n isMerging: PropTypes.bool.isRequired,\n isModalOpen: PropTypes.bool,\n onCancelMerge: PropTypes.func.isRequired,\n onChangeSearchText: PropTypes.func.isRequired,\n onClickMergeCampaigns: PropTypes.func.isRequired,\n onClickReportedCampaign: PropTypes.func.isRequired,\n onClickTrackedCampaign: PropTypes.func.isRequired,\n onConfirmMerge: PropTypes.func.isRequired,\n reportedCampaigns: PropTypes.arrayOf(\n PropTypes.shape({\n id: PropTypes.string,\n name: PropTypes.string,\n reportedInstalls: PropTypes.number,\n spend: PropTypes.number\n })\n ),\n searchText: PropTypes.string,\n selectedReportedCampaign: PropTypes.string,\n selectedTrackedCampaign: PropTypes.string,\n setSearchText: PropTypes.func.isRequired,\n trackedCampaigns: PropTypes.arrayOf(\n PropTypes.shape({\n id: PropTypes.string,\n name: PropTypes.string,\n reportedInstalls: PropTypes.number,\n spend: PropTypes.number\n })\n )\n}\n\nStandaloneCampaignMergeTool.defaultProps = {\n isModalOpen: false,\n reportedCampaigns: [],\n searchText: '',\n selectedReportedCampaign: null,\n selectedTrackedCampaign: null,\n trackedCampaigns: []\n}\n\nexport default StandaloneCampaignMergeTool\n","import { Fragment } from 'react'\nimport classNames from 'classnames'\nimport PropTypes from 'prop-types'\nimport Tooltip from 'rc-tooltip'\n\nimport styles from './styles.module.scss'\nimport { formatNumberForDisplay } from '../../../../ReportingDataMetricValueDisplay/helpers'\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\nimport { TOOLTIP_MOUSE_ENTER_DELAY } from '../../../../../utils/constants'\nimport CampaignRowsSkeleton from './skeleton'\n\nconst emptyStateMessage = (\n \n Select an app and channel to view
campaigns eligible for merging.\n
\n)\n\nconst missingCampaignsMessage = (\n \n No campaigns found.\n
\n)\n\n/*\n eslint-disable jsx-a11y/interactive-supports-focus,\n jsx-a11y/click-events-have-key-events\n*/\nconst CampaignColumns = ({\n isError,\n isLoading,\n isMerging,\n isMergeable,\n isEmptyState,\n onClickMergeCampaigns,\n onClickReportedCampaign,\n onClickTrackedCampaign,\n reportedCampaigns,\n selectedReportedCampaign,\n selectedTrackedCampaign,\n trackedCampaigns\n}) => {\n const isTrackedCampaignSelected = selectedTrackedCampaign !== null\n const isReportedCampaignSelected = selectedReportedCampaign !== null\n\n const canClickMerge = isMergeable && !isLoading && !isMerging\n const showSelectionPrompt = !isEmptyState && !isLoading && !isMerging\n\n const isMissingTrackedCampaigns = !isEmptyState\n && !isLoading\n && !isMerging\n && trackedCampaigns.length === 0\n\n const isMissingReportedCampaigns = !isEmptyState\n && !isLoading\n && !isMerging\n && reportedCampaigns.length === 0\n\n return (\n \n \n
\n
\n TENJIN CAMPAIGNS{' '}\n {showSelectionPrompt && (\n isTrackedCampaignSelected ? (\n 1 Selected\n ) : (\n Select 1\n )\n )}\n
\n
\n
\n
Campaign Name
\n
Tracked Installs
\n
\n {isEmptyState && emptyStateMessage}\n {isMissingTrackedCampaigns && missingCampaignsMessage}\n {!isEmptyState && (\n (isLoading || isMerging) ? (\n
\n ) : (\n trackedCampaigns.map(({ id, name, trackedInstalls }) => (\n
onClickTrackedCampaign(id)}\n role=\"button\"\n >\n
\n {name}}\n placement=\"top\"\n >\n {name}\n \n
\n {id}\n
\n
{trackedInstalls || '-'}
\n
\n ))\n )\n )}\n
\n
\n
\n
\n AD NETWORK CAMPAIGNS{' '}\n {showSelectionPrompt && (\n isReportedCampaignSelected ? (\n 1 Selected\n ) : (\n Select 1\n )\n )}\n
\n
\n
\n
Campaign Name
\n
Reported Installs
\n
Spend
\n
\n {isEmptyState && emptyStateMessage}\n {isMissingReportedCampaigns && missingCampaignsMessage}\n {!isEmptyState && (\n (isLoading || isMerging) ? (\n
\n ) : (\n reportedCampaigns.map(({\n id,\n name,\n reportedInstalls,\n spend\n }) => (\n
onClickReportedCampaign(id)}\n role=\"button\"\n >\n
\n {name}}\n placement=\"top\"\n >\n {name}\n \n
\n {id}\n
\n
\n {reportedInstalls || '-'}\n
\n
\n {spend ? (\n \n ${formatNumberForDisplay({ number: spend, numberOfDigits: 2 })}\n \n ) : '-'}\n
\n
\n ))\n )\n )}\n
\n
\n
\n {isMerging ? (\n \n \n
\n ) : (\n {}}\n role=\"button\"\n >\n {isError ? 'Something went wrong.' : 'Merge Campaigns'}\n
\n )}\n \n )\n}\n/*\n eslint-enable jsx-a11y/interactive-supports-focus,\n jsx-a11y/click-events-have-key-events\n*/\n\nCampaignColumns.propTypes = {\n isEmptyState: PropTypes.bool.isRequired,\n isError: PropTypes.bool.isRequired,\n isLoading: PropTypes.bool.isRequired,\n isMergeable: PropTypes.bool.isRequired,\n isMerging: PropTypes.bool.isRequired,\n onClickMergeCampaigns: PropTypes.func.isRequired,\n onClickReportedCampaign: PropTypes.func.isRequired,\n onClickTrackedCampaign: PropTypes.func.isRequired,\n reportedCampaigns: PropTypes.arrayOf(\n PropTypes.shape({\n id: PropTypes.string,\n name: PropTypes.string,\n reportedInstalls: PropTypes.number,\n spend: PropTypes.number\n })\n ),\n selectedReportedCampaign: PropTypes.string,\n selectedTrackedCampaign: PropTypes.string,\n trackedCampaigns: PropTypes.arrayOf(\n PropTypes.shape({\n id: PropTypes.string,\n name: PropTypes.string,\n reportedInstalls: PropTypes.number,\n spend: PropTypes.number\n })\n )\n}\n\nCampaignColumns.defaultProps = {\n reportedCampaigns: [],\n selectedReportedCampaign: null,\n selectedTrackedCampaign: null,\n trackedCampaigns: []\n}\n\nexport default CampaignColumns\n","import PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport { Fragment, useState } from 'react'\nimport AppDetail from './AppDetail'\nimport EnableSdkKeyButton from './EnableSdkKeyButton'\nimport { apiKeyObject, apiKeyAppObject, apiKeyDateObject } from '../../../../../../../../utils/customPropTypes'\nimport { getSdkKeyUpdatedAtDate, getLastSeenDateString } from './helpers'\nimport styles from './styles.module.scss'\n\nconst SdkKeyRow = ({\n app,\n handleDeleteRow,\n lastSeenDate,\n sdkKey\n}) => {\n const [isDisabled, setIsDisabled] = useState(false)\n\n const orgIcon = () => (\n \n \n Organization key\n
\n )\n\n const handleDeleteRowError = () => {\n setIsDisabled(true)\n }\n\n return (\n \n \n \n \n | \n \n \n {sdkKey.name}\n \n \n {sdkKey.authenticationToken} \n \n | \n \n {app ? : orgIcon()}\n | \n \n {getSdkKeyUpdatedAtDate(sdkKey)}\n | \n \n {getLastSeenDateString(lastSeenDate)}\n | \n
\n {\n isDisabled && (\n \n \n This SDK key ({sdkKey.authenticationToken} ) cannot be enabled, likely due\n to the app already having too many enabled SDK keys. If this key still needs to be\n enabled, check the app page and disable other unused SDK keys before proceeding.\n | \n
\n )\n }\n \n )\n}\n\nSdkKeyRow.propTypes = {\n app: apiKeyAppObject,\n handleDeleteRow: PropTypes.func.isRequired,\n lastSeenDate: apiKeyDateObject,\n sdkKey: apiKeyObject.isRequired\n}\n\nSdkKeyRow.defaultProps = {\n app: null,\n lastSeenDate: {}\n}\n\nexport default SdkKeyRow\n","import classNames from 'classnames'\nimport { apiKeyAppObject } from '../../../../../../../../../utils/customPropTypes'\nimport PlatformIcon from '../../../../../../../../PlatformIcon'\nimport styles from './styles.module.scss'\nimport { DASHBOARD_ADMIN_APPS_URL, DASHBOARD_APPS_URL } from './constants'\n\nconst AppDetail = ({\n app\n}) => {\n const appAdminUrl = `${DASHBOARD_ADMIN_APPS_URL}${app.id}/edit`\n const appUrl = `${DASHBOARD_APPS_URL}${app.id}`\n\n return (\n \n )\n}\n\nAppDetail.propTypes = {\n app: apiKeyAppObject.isRequired\n}\n\nexport default AppDetail\n","import PropTypes from 'prop-types'\nimport { useState } from 'react'\nimport { post } from '../../../../../../../../../utils/request'\nimport { noop } from '../../../../../../../../../utils/helpers'\nimport { API_KEY_BASE_URL } from './constants'\n\nconst EnableSdkKeyButton = ({\n handleDeleteRow,\n handleDeleteRowError,\n sdkKeyId\n}) => {\n const enableUrl = `${API_KEY_BASE_URL}${sdkKeyId}/enable`\n const [isUpdating, setIsUpdating] = useState(false)\n const handleClick = async () => {\n setIsUpdating(true)\n try {\n await post(enableUrl)\n handleDeleteRow()\n } catch (error) {\n handleDeleteRowError()\n setIsUpdating(false)\n }\n }\n\n return (\n \n )\n}\n\nEnableSdkKeyButton.propTypes = {\n handleDeleteRow: PropTypes.func.isRequired,\n handleDeleteRowError: PropTypes.func.isRequired,\n sdkKeyId: PropTypes.number.isRequired\n}\n\nexport default EnableSdkKeyButton\n","import React, { useState, Fragment } from 'react'\nimport { isEmpty } from 'lodash'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport CancelButton from './CancelButton'\nimport EditButton from './EditButton'\nimport SaveButton from './SaveButton'\nimport CommissionValue from './CommissionValue'\nimport DateValue from './DateValue'\nimport { ERROR_MESSAGE, ESCAPE_KEYCODE } from './constants'\nimport {\n hasStarted,\n makeRequest,\n parseDeductionRecord,\n todayDateString\n} from './helpers'\nimport { revenueDeductionObject } from '../../../../../../utils/customPropTypes'\nimport { getNumberAsPercentage } from './CommissionValue/EditCommissionValueInput/helpers'\nimport ShowCommissionValue from './CommissionValue/ShowCommissionValue'\nimport styles from './styles.module.scss'\n\nconst AppStoreCommission = ({\n allowedDeductionValues,\n defaultDeduction,\n revenueDeduction\n}) => {\n const [deductionRecord, setDeductionRecord] = useState(revenueDeduction)\n\n const isNew = isEmpty(deductionRecord)\n\n const initialDeductionValue = isNew ? defaultDeduction : deductionRecord.deduction\n const initialEndDate = isNew ? '' : (deductionRecord.endDate || '')\n const initialStartDate = isNew ? todayDateString() : deductionRecord.startDate\n\n const [deduction, setDeduction] = useState(initialDeductionValue)\n const [errorMsg, setErrorMsg] = useState('')\n const [isEditing, setIsEditing] = useState(false)\n const [isUpdating, setIsUpdating] = useState(false)\n const [startDate, setStartDate] = useState(initialStartDate)\n const [endDate, setEndDate] = useState(initialEndDate)\n\n const baseURL = `${window.location.pathname}/revenue_deductions`\n\n const cancelEdit = () => {\n setDeduction(initialDeductionValue)\n setStartDate(initialStartDate)\n setEndDate(initialEndDate)\n setIsEditing(false)\n }\n\n const handleClickSave = async () => {\n setErrorMsg('')\n setIsUpdating(true)\n\n try {\n const data = { deduction, endDate, startDate }\n const response = await makeRequest({ baseURL, data, record: deductionRecord })\n setDeductionRecord(parseDeductionRecord(response))\n setIsEditing(false)\n } catch (error) {\n setErrorMsg(ERROR_MESSAGE)\n } finally {\n setIsUpdating(false)\n }\n }\n\n const actionButton = () => {\n if (!isEditing) {\n return \n }\n\n return (\n \n \n \n \n )\n }\n\n const handleKeyUp = event => {\n if (event.keyCode === ESCAPE_KEYCODE) {\n cancelEdit()\n }\n }\n\n const showWarning = !isEmpty(endDate) && defaultDeduction !== deduction\n\n const revertWarningClassName = classNames({\n [styles.warningRow]: showWarning,\n [styles.row]: showWarning,\n hidden: !showWarning\n })\n\n const showCurrentRevShare = !isEditing && startDate && !hasStarted(startDate)\n\n const currentRevShareRow = () => (\n \n \n \n \n \n | \n \n \n Current app store commission\n \n | \n
\n )\n\n return (\n \n
\n
\n Set the App Store Commission for In-App Purchases and Subscriptions\n
\n
\n
\n
\n \n \n \n App Store Commission\n | \n \n Dates Valid\n | \n \n \n | \n
\n \n \n {showCurrentRevShare && currentRevShareRow()}\n \n \n setDeduction(Number(newValue))}\n />\n | \n \n \n \n \n | \n \n {actionButton()}\n | \n
\n \n
\n
\n Automatically reverts to\n {' '}\n {getNumberAsPercentage(defaultDeduction)}%\n after end date\n
\n
\n )\n}\n\nAppStoreCommission.propTypes = {\n allowedDeductionValues: PropTypes.arrayOf(PropTypes.number),\n defaultDeduction: PropTypes.number.isRequired,\n revenueDeduction: revenueDeductionObject\n}\n\nAppStoreCommission.defaultProps = {\n allowedDeductionValues: [],\n revenueDeduction: {}\n}\n\nexport default AppStoreCommission\n","import PropTypes from 'prop-types'\n\nconst CancelButton = ({\n handleClickCancel,\n isUpdating\n}) => {\n const isDisabled = isUpdating\n\n return (\n \n )\n}\n\nCancelButton.propTypes = {\n handleClickCancel: PropTypes.func.isRequired,\n isUpdating: PropTypes.bool.isRequired\n}\n\nexport default CancelButton\n","import React from 'react'\nimport PropTypes from 'prop-types'\n\nconst EditButton = ({\n setIsEditing\n}) => (\n \n)\n\nEditButton.propTypes = {\n setIsEditing: PropTypes.func.isRequired\n}\n\nexport default EditButton\n","import PropTypes from 'prop-types'\nimport React from 'react'\n\nconst SaveButton = ({\n handleClickSave,\n isUpdating\n}) => {\n const isDisabled = isUpdating\n\n return (\n \n )\n}\n\nSaveButton.propTypes = {\n handleClickSave: PropTypes.func.isRequired,\n isUpdating: PropTypes.bool.isRequired\n}\n\nexport default SaveButton\n","import React from 'react'\nimport PropTypes from 'prop-types'\nimport { isEmpty } from 'lodash'\nimport EditCommissionValueSelector from './EditCommissionValueSelector'\nimport EditCommissionValueInput from './EditCommissionValueInput'\nimport ShowCommissionValue from './ShowCommissionValue'\n\nconst CommissionValue = ({\n allowedDeductionValues,\n deduction,\n handleKeyUp,\n isEditing,\n setDeduction\n}) => {\n if (!isEditing) {\n return \n }\n\n if (isEmpty(allowedDeductionValues)) {\n return \n }\n\n return (\n \n )\n}\n\nCommissionValue.propTypes = {\n allowedDeductionValues: PropTypes.arrayOf(PropTypes.number).isRequired,\n deduction: PropTypes.number.isRequired,\n handleKeyUp: PropTypes.func.isRequired,\n isEditing: PropTypes.bool.isRequired,\n setDeduction: PropTypes.func.isRequired\n}\n\nexport default CommissionValue\n","import React, { Fragment } from 'react'\nimport PropTypes from 'prop-types'\nimport { getDecimalByPercent } from '../../helpers'\nimport { isEqualFloat } from './helpers'\nimport RadioButton from '../../../../../../../RadioButton/RadioButton'\n\nconst EditCommissionValueSelector = ({\n allowedDeductionValues,\n deduction,\n handleKeyUp,\n setDeduction\n}) => (\n \n {allowedDeductionValues.map(allowedDeduction => (\n setDeduction(event.target.value)}\n onKeyUp={handleKeyUp}\n value={allowedDeduction.toString()}\n >\n {getDecimalByPercent(allowedDeduction)}\n \n ))}\n \n)\n\nEditCommissionValueSelector.propTypes = {\n allowedDeductionValues: PropTypes.arrayOf(PropTypes.number).isRequired,\n deduction: PropTypes.number.isRequired,\n handleKeyUp: PropTypes.func.isRequired,\n setDeduction: PropTypes.func.isRequired\n}\n\nexport default EditCommissionValueSelector\n","import React, { useState, useRef } from 'react'\nimport PropTypes from 'prop-types'\nimport {\n MAX_DEDUCTION_PERCENT,\n MIN_DEDUCTION_PERCENT\n} from './constants'\nimport {\n getNumberAsPercentage,\n sanitizePercentage\n} from './helpers'\nimport styles from './styles.module.scss'\n\nconst EditCommissionValueInput = ({\n deduction,\n setDeduction\n}) => {\n const ref = useRef(null)\n\n const handleOnBlur = () => {\n const { current: { value } } = ref\n\n const sanitizedValue = sanitizePercentage(value)\n\n setDeduction(sanitizedValue / MAX_DEDUCTION_PERCENT)\n ref.current.value = sanitizedValue\n }\n\n const defaultPercentValue = getNumberAsPercentage(deduction)\n\n return (\n \n )\n}\n\nEditCommissionValueInput.propTypes = {\n deduction: PropTypes.number.isRequired,\n setDeduction: PropTypes.func.isRequired\n}\n\nexport default EditCommissionValueInput\n","import React from 'react'\nimport PropTypes from 'prop-types'\nimport EditDateValue from './EditDateValue'\nimport ShowDateValue from './ShowDateValue'\n\nconst DateValue = ({\n endDate,\n handleKeyUp,\n isEditing,\n isNew,\n setEndDate,\n setStartDate,\n startDate\n}) => {\n if (isEditing) {\n return (\n \n )\n }\n\n if (isNew) {\n return 'Ongoing'\n }\n\n return \n}\n\nDateValue.propTypes = {\n endDate: PropTypes.string.isRequired,\n handleKeyUp: PropTypes.func.isRequired,\n isEditing: PropTypes.bool.isRequired,\n isNew: PropTypes.bool.isRequired,\n setEndDate: PropTypes.func.isRequired,\n setStartDate: PropTypes.func.isRequired,\n startDate: PropTypes.string.isRequired\n}\n\nexport default DateValue\n","import React, { useState } from 'react'\nimport PropTypes from 'prop-types'\nimport { isEmpty } from 'lodash'\nimport classNames from 'classnames'\n\nimport { validDateRange, validDates } from './helpers'\nimport { todayDateString, hasStarted } from '../../helpers'\n\nimport styles from './styles.module.scss'\n\nconst EditDateValue = ({\n endDate,\n handleKeyUp,\n setEndDate,\n setStartDate,\n startDate\n}) => {\n const initialInputType = isEmpty(endDate) ? 'text' : 'date'\n\n const [endDateInputType, setEndDateInputType] = useState(initialInputType)\n\n const today = todayDateString()\n const minStartDate = today\n const maxStartDate = endDate\n const minEndDate = hasStarted(startDate) ? today : startDate\n\n const handleStartDateUpdate = event => {\n const hasValidDates = validDateRange(event.target.value, endDate)\n if (hasValidDates) {\n setStartDate(event.target.value)\n }\n }\n\n const handleEndDateChange = event => {\n const hasValidDates = validDates(startDate, event.target.value)\n if (hasValidDates) {\n setEndDate(event.target.value)\n }\n }\n\n const handleEndDateBlur = () => {\n const hasValidDateRange = validDateRange(startDate, endDate)\n if (!hasValidDateRange) {\n setEndDate('')\n }\n\n const shouldDisplayPlaceholder = isEmpty(endDate)\n if (shouldDisplayPlaceholder) {\n setEndDateInputType('text')\n }\n }\n\n return (\n \n
\n \n
\n
\n to\n
\n
\n setEndDateInputType('date')}\n onKeyUp={handleKeyUp}\n placeholder=\"Ongoing\"\n type={endDateInputType}\n min={minEndDate}\n value={endDate}\n />\n
\n
\n )\n}\n\nEditDateValue.propTypes = {\n endDate: PropTypes.string.isRequired,\n handleKeyUp: PropTypes.func.isRequired,\n setEndDate: PropTypes.func.isRequired,\n setStartDate: PropTypes.func.isRequired,\n startDate: PropTypes.string.isRequired\n}\n\nexport default EditDateValue\n","import React, { Fragment } from 'react'\nimport PropTypes from 'prop-types'\nimport { formatDate } from './helpers'\n\nconst ShowDateValue = ({\n endDate,\n startDate\n}) => (\n \n \n {formatDate(startDate)}\n
\n \n -\n
\n \n {formatDate(endDate, 'Ongoing')}\n
\n \n)\n\nShowDateValue.propTypes = {\n endDate: PropTypes.string.isRequired,\n startDate: PropTypes.string.isRequired\n}\n\nexport default ShowDateValue\n","import { Fragment, useState } from 'react'\nimport PropTypes from 'prop-types'\nimport { find, includes } from 'lodash'\n\nimport { getNavigationOptions } from './helpers'\n\nimport LineTabNavigation from '../../../../../LineTabNavigation'\nimport AppSelector from '../../../../../AppSelector'\n\nimport { arrayOfAppObjects, appObject } from '../../../../../../utils/customPropTypes'\nimport { deepCamelKeys, replaceSubstringInUrlAndPushState } from '../../../../../../utils/helpers'\nimport {\n useAppIntegrationDispatch,\n useAppIntegrationState\n} from '../../../../../../contexts/AppIntegrations'\n\nconst TabNavigation = ({\n app,\n apps: appsProp,\n setIsLoading,\n isAsync\n}) => {\n const currentPath = window.location.pathname\n\n const apps = deepCamelKeys(appsProp)\n\n const appMissing = !includes(apps.map(app => app.id), app.id)\n if (appMissing) {\n apps.push(app)\n }\n\n const [options, setOptions] = useState(getNavigationOptions({ app, setIsLoading }))\n\n if (isAsync) {\n const { currentApp } = useAppIntegrationState()\n const appIntegrationDispatch = useAppIntegrationDispatch()\n\n const handleChangeAppAsynchronously = selectedApp => {\n setOptions(getNavigationOptions({ app: selectedApp, setIsLoading }))\n appIntegrationDispatch({ payload: selectedApp, type: 'UPDATE_CURRENT_APP' })\n // TODO: [nafeu] deprecate this and anywhere it is used in favor of react-router-dom\n replaceSubstringInUrlAndPushState({\n currentSubstring: currentApp.id,\n newSubstring: selectedApp.id\n })\n }\n\n return (\n \n \n \n \n )\n }\n\n const { handleChangeAppRedirect } = find(options, option => option.isActive()) || {}\n\n return (\n \n \n \n \n )\n}\n\nTabNavigation.propTypes = {\n app: appObject.isRequired,\n apps: arrayOfAppObjects.isRequired,\n isAsync: PropTypes.bool,\n setIsLoading: PropTypes.func\n}\n\nTabNavigation.defaultProps = {\n isAsync: false,\n setIsLoading: () => {}\n}\n\nexport default TabNavigation\n","import classNames from 'classnames'\nimport PropTypes from 'prop-types'\nimport Tooltip from 'rc-tooltip'\nimport { Fragment } from 'react'\n\nimport {\n useAppIntegrationDispatch,\n useAppIntegrationState\n} from '../../../../../../contexts/AppIntegrations'\nimport { TOOLTIP_MOUSE_ENTER_DELAY } from '../../../../../../utils/constants'\nimport ChannelSelector from '../../../../../ChannelSelector'\nimport FontAwesomeIcon from '../../../../../FontAwesomeIcon'\nimport ToggleButton from '../../../../../ToggleButton'\nimport { TABS } from '../constants'\nimport { getAttributionTabUrl } from '../helpers'\nimport AdNetworkInstructions from './AdNetworkInstructions'\nimport AppChannelInstructions from './AppChannelInstructions'\nimport AppInstructions from './AppInstructions'\nimport AttributionTable from './AttributionTable'\nimport {\n ATTRIBUTION_TYPE_KEY_CLICK,\n ATTRIBUTION_TYPE_KEY_IMPRESSION,\n ATTRIBUTION_WINDOW_LEVEL_KEY_APP,\n ATTRIBUTION_WINDOW_LEVEL_KEY_APP_CHANNEL,\n TEXT_APP,\n TEXT_APP_CHANNEL_ATTRIBUTION_WINDOW,\n TEXT_ATTRIBUTION_WINDOW,\n TEXT_CUSTOM_ATTRIBUTION_WINDOW_NOT_SUPPORTED,\n TEXT_OVERRIDE_APP_SETTINGS,\n TEXT_OVERRIDE_APP_SETTINGS_TOOLTIP\n} from './constants'\nimport { getChannelsFilteredByAdSpend } from './helpers'\nimport useUpdateAttributionSettings from './hooks/useUpdateAttributionSetting'\nimport styles from './styles.module.scss'\n\nconst AttributionTab = () => {\n const {\n currentAppChannelOverrideToggleOn,\n currentChannel,\n currentApp,\n channels\n } = useAppIntegrationState()\n\n const {\n resetAppChannelAttributionWindow,\n setDefaultAppChannelAttributionWindow\n } = useUpdateAttributionSettings()\n\n const handleToggleOverideAppSettings = () => {\n if (currentAppChannelOverrideToggleOn) {\n resetAppChannelAttributionWindow()\n } else {\n setDefaultAppChannelAttributionWindow()\n }\n }\n\n const appIntegrationDispatch = useAppIntegrationDispatch()\n\n const channelsFilteredByAdSpend = getChannelsFilteredByAdSpend(channels)\n\n const handleChangeChannel = channel => {\n const url = getAttributionTabUrl({\n actionId: TABS.ATTRIBUTION,\n appId: currentApp.id,\n channelId: channel.custom ? channel.shortId : channel.id\n })\n\n window.history.pushState({}, '', url)\n appIntegrationDispatch({ payload: channel, type: 'UPDATE_CURRENT_CHANNEL' })\n }\n\n const supportCustomAttributionWindows =\n currentChannel?.customAttributionWindows || false\n\n const AttributionPanel = ({ title, body }) => (\n \n )\n\n AttributionPanel.propTypes = {\n body: PropTypes.node.isRequired,\n title: PropTypes.node.isRequired\n }\n\n const CustomAttributionWindowNotSupportedMessage = () => {\n const adNetworkName = currentChannel?.name || ''\n return (\n \n \n \n \n {adNetworkName} {TEXT_CUSTOM_ATTRIBUTION_WINDOW_NOT_SUPPORTED}\n
\n )\n }\n\n const AttributionPanelTitle = () => (\n \n {TEXT_APP}\n \n \n \n {TEXT_APP_CHANNEL_ATTRIBUTION_WINDOW}\n
\n )\n\n const AttributionWindowSupported = () => (\n \n \n \n
\n
{TEXT_OVERRIDE_APP_SETTINGS}\n
{TEXT_OVERRIDE_APP_SETTINGS_TOOLTIP}}\n placement=\"top\"\n >\n \n \n
\n \n
\n \n }\n body={\n \n {currentChannel?.selfAttributing && }\n \n \n \n }\n />\n )\n\n const AttributionWindowNotSupported = () => (\n \n \n \n }\n body={\n \n \n \n }\n />\n )\n\n return (\n \n
\n \n \n \n \n }\n />\n \n \n {currentChannel && supportCustomAttributionWindows && (\n \n )}\n {currentChannel && !supportCustomAttributionWindows && (\n \n )}\n \n )\n}\n\nexport default AttributionTab\n","import classNames from 'classnames'\nimport {\n APP_INTEGRATION_PATH, TEXT_CHANNELS, TEXT_CHANNEL_SELECTOR_TITLE,\n TEXT_CHANNEL_SELECTOR_MESSAGE, TEXT_CHANNEL_SELECTOR_MESSAGE_END\n} from '../constants'\nimport styles from '../styles.module.scss'\n\nconst AdNetworkInstructions = () => (\n \n
\n {TEXT_CHANNEL_SELECTOR_TITLE}\n
\n
\n {TEXT_CHANNEL_SELECTOR_MESSAGE}\n
\n {TEXT_CHANNELS}\n \n {TEXT_CHANNEL_SELECTOR_MESSAGE_END}\n
\n
\n)\nexport default AdNetworkInstructions\n","import classNames from 'classnames'\n\nimport FontAwesomeIcon from '../../../../../../FontAwesomeIcon'\nimport { TEXT_APP_CHANNEL_INSTRUCTIONS } from '../constants'\nimport styles from '../styles.module.scss'\n\nconst AppChannelInstructions = () => (\n \n \n \n \n {TEXT_APP_CHANNEL_INSTRUCTIONS}\n
\n)\n\nexport default AppChannelInstructions\n","import { TEXT_APP_INSTRUCTIONS } from '../constants'\n\nconst AppInstructions = () => (\n \n {TEXT_APP_INSTRUCTIONS}\n
\n)\nexport default AppInstructions\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport styles from '../styles.module.scss'\nimport { isBlank } from '../../../../../../../utils/helpers'\nimport FontAwesomeIcon from '../../../../../../FontAwesomeIcon'\n\nconst TableHeader = ({ typeLabel, levelLabel, adNetworkName }) => {\n const LabelDivider = () => (\n \n \n \n )\n return (\n \n
\n {typeLabel}\n
\n
\n
\n {!isBlank(adNetworkName)\n && {adNetworkName} }\n {levelLabel}\n
\n
\n )\n}\n\nTableHeader.propTypes = {\n adNetworkName: PropTypes.string,\n levelLabel: PropTypes.string.isRequired,\n typeLabel: PropTypes.string.isRequired\n}\n\nTableHeader.defaultProps = {\n adNetworkName: ''\n}\nexport default TableHeader\n","import PropTypes from 'prop-types'\nimport FontAwesomeIcon from '../../../../../../../FontAwesomeIcon'\nimport {\n TEXT_EDIT_BUTTON\n} from '../../constants'\n\nconst WindowEditEnabled = ({\n onEnableEdit,\n timeLabel\n}) => (\n \n \n {timeLabel}\n \n \n \n \n \n)\n\nWindowEditEnabled.propTypes = {\n onEnableEdit: PropTypes.func.isRequired,\n timeLabel: PropTypes.string.isRequired\n}\n\nexport default WindowEditEnabled\n","import PropTypes from 'prop-types'\n\nimport { arrayOfAttributionWindowTimeTypes } from '../../../../../../../../utils/customPropTypes'\nimport { TYPE_DAYS, TYPE_HOURS } from '../../constants'\nimport EditButton from '../EditButton'\nimport SelectFormTimeType from '../SelectFormTimeType'\nimport SelectFormTimeValue from '../SelectFormTimeValue'\n\nconst WindowEditMode = ({\n isLoading,\n onEditCancel,\n onTimeTypeChange,\n onTimeValueChange,\n onWindowSave,\n supportedTimeTypes,\n timeType,\n timeValue\n}) => (\n \n \n \n \n \n)\n\nWindowEditMode.propTypes = {\n isLoading: PropTypes.bool.isRequired,\n onEditCancel: PropTypes.func.isRequired,\n onTimeTypeChange: PropTypes.func.isRequired,\n onTimeValueChange: PropTypes.func.isRequired,\n onWindowSave: PropTypes.func.isRequired,\n supportedTimeTypes: arrayOfAttributionWindowTimeTypes,\n timeType: PropTypes.string.isRequired,\n timeValue: PropTypes.number.isRequired\n}\n\nWindowEditMode.defaultProps = {\n supportedTimeTypes: [TYPE_DAYS, TYPE_HOURS]\n}\n\nexport default WindowEditMode\n","import PropTypes from 'prop-types'\nimport FontAwesomeIcon from '../../../../../../../FontAwesomeIcon'\n\nconst EditButton = ({\n isLoading,\n onEditCancel,\n onWindowSave\n}) => (\n \n \n \n \n)\n\nEditButton.propTypes = {\n isLoading: PropTypes.bool.isRequired,\n onEditCancel: PropTypes.func.isRequired,\n onWindowSave: PropTypes.func.isRequired\n}\n\nexport default EditButton\n","import PropTypes from 'prop-types'\n\nimport { arrayOfAttributionWindowTimeTypes } from '../../../../../../../../utils/customPropTypes'\nimport {\n TEXT_DAYS,\n TEXT_DAYS_RANGE,\n TEXT_HOURS,\n TEXT_HOURS_RANGE,\n TYPE_DAYS,\n TYPE_HOURS\n} from '../../constants'\nimport styles from '../../styles.module.scss'\n\nconst getTimeTypeLabel = timeType =>\n timeType === TYPE_DAYS ? TEXT_DAYS_RANGE : TEXT_HOURS_RANGE\n\nconst timeTypeOptions = {\n [TYPE_DAYS]: TEXT_DAYS,\n [TYPE_HOURS]: TEXT_HOURS\n}\n\nconst SelectFormTimeType = ({\n onTimeTypeChange,\n supportedTimeTypes,\n timeType\n}) => (\n \n \n \n \n)\n\nSelectFormTimeType.propTypes = {\n onTimeTypeChange: PropTypes.func.isRequired,\n supportedTimeTypes: arrayOfAttributionWindowTimeTypes,\n timeType: PropTypes.string.isRequired\n}\n\nSelectFormTimeType.defaultProps = {\n supportedTimeTypes: [TYPE_DAYS, TYPE_HOURS]\n}\n\nexport default SelectFormTimeType\n","import PropTypes from 'prop-types'\nimport { getTimeRange } from '../../utils'\nimport styles from '../../styles.module.scss'\n\nconst SelectFormTimeValue = ({\n onTimeValueChange,\n timeType,\n timeValue\n}) => (\n \n \n \n)\n\nSelectFormTimeValue.propTypes = {\n onTimeValueChange: PropTypes.func.isRequired,\n timeType: PropTypes.string.isRequired,\n timeValue: PropTypes.number.isRequired\n}\n\nexport default SelectFormTimeValue\n","import { camelCase } from 'camel-case'\nimport classNames from 'classnames'\nimport {\n find,\n isEmpty,\n isNil,\n isObject,\n mapValues,\n omitBy,\n pick,\n uniq,\n without\n} from 'lodash'\nimport PropTypes from 'prop-types'\nimport { Fragment, useEffect, useState } from 'react'\nimport Modal from 'react-modal'\nimport {\n Redirect,\n Route,\n Switch,\n useHistory,\n useLocation,\n useParams\n} from 'react-router-dom'\nimport { ToastContainer } from 'react-toastify'\nimport { snakeCase } from 'snake-case'\n\nimport {\n createCallbackGroup,\n fetchCallbackHealth,\n fetchChannelSettings,\n fetchS2SCallbacks,\n saveCredentialSettings,\n toggleCallbackGroup,\n toggleMetaAem,\n updateCallbackGroup\n} from '../../../../../../api/apps'\nimport {\n getCustomCallbackCreationUrl,\n getCustomCallbackUrl\n} from '../../../../../../api/apps/helpers'\nimport {\n CHANNELS,\n FIRST_ITEM,\n PLATFORMS\n} from '../../../../../../utils/constants'\nimport {\n appObject,\n arrayOfChannelObjects\n} from '../../../../../../utils/customPropTypes'\nimport { deepCamelKeys } from '../../../../../../utils/helpers'\nimport { defaultModalStyles } from '../../../../../../utils/modal'\nimport { displayErrorMessage } from '../../../../../../utils/toastNotifications'\nimport BoldLink from '../../../../../BoldLink'\nimport Button from '../../../../../Button'\nimport ButtonTabNavigation from '../../../../../ButtonTabNavigation'\nimport { OVERLAY_OPAQUENESS } from '../../../../../CardPanel/constants'\nimport ChannelSelector from '../../../../../ChannelSelector'\nimport FontAwesomeIcon from '../../../../../FontAwesomeIcon'\nimport HeaderWithHelpText from '../../../../../HeaderWithHelpText'\nimport PopoutLink from '../../../../../PopoutLink'\nimport {\n PATH_CALLBACKS,\n PATH_DASHBOARD_APPS,\n PATH_DASHBOARD_INTEGRATIONS\n} from '../constants'\nimport AemToggle from './AemToggle'\nimport CallbacksTable, { buildCallbacksTableRow } from './CallbacksTable'\nimport { MIN_ROW_LENGTH_RENDER_COUNT } from './CallbacksTable/constants'\nimport {\n CALLBACK_HEALTH_SUCCESS_THRESHOLD,\n CALLBACKS_TABLE_HEADERS,\n CHANNEL_SETTINGS_ERROR,\n DEFAULT_ERROR_MESSAGE,\n EDIT_CALLBACK_MODAL_HEADERS,\n HEADER_INDEX_OFFSET,\n HEALTH_TABLE_HEADERS,\n NEW_EVENT_DRAFT_DEFAULTS,\n NEW_EVENT_EMPTY_ROW,\n NEW_EVENT_MODAL_HEADERS,\n PRESERVED_CREDENTIAL_FACEBOOK_APP_ID,\n PRESERVED_KEYS_FOR_CASE_TRANSFORMATION,\n S2S_CALLBACKS_TABLE_HEADERS,\n SUB_TABS,\n USER_FILTER_OPTIONS\n} from './constants'\nimport CredentialsCard, { buildFieldElements } from './CredentialsCard'\nimport EditCallbackModal, {\n buildEditCallbackModalRow\n} from './EditCallbackModal'\nimport HealthTable, { buildHealthTableRow } from './HealthTable'\nimport {\n getCredentialsFromSettings,\n getFieldSetFromSettings,\n getModalHeadersForRequiredMacros,\n getRequiredMacrosMappingForDraft,\n getSortedCallbackGroupsForTable,\n getSortedCallbackHealthForTable,\n getSortedS2SCallbacksForTable,\n validateEditedCallbackDraft,\n validateNewEventDraft\n} from './helpers'\nimport NewEventModal, { buildNewEventModalRow } from './NewEventModal'\nimport S2SCallbacksTable, {\n buildS2SCallbacksTableRow\n} from './S2SCallbacksTable'\nimport styles from './styles.module.scss'\n\nconst HelpTextHeader = () => (\n \n Can't find the channel you're looking for? Make sure you've\n added it in the \n Channels Tab\n first \n \n \n)\n\nconst EmptyStateOverlay = () => (\n \n Select a channel in the dropdown above\n
\n to view required settings.\n
\n)\n\nconst MissingIntegrationOverlay = () => (\n \n This channel has not been integrated yet.\n
\n)\n\nconst MissingCredentialsOverlay = () => (\n \n No settings available for this channel.\n
\n)\n\nconst MissingCallbacksOverlay = () => (\n \n No callbacks available for this channel.\n
\n)\n\nconst CallbackHealthEmptyStateOverlay = () => (\n \n Great news!\n
\n None of your callbacks require attention.\n
\n)\n\nconst S2SCallbacksEmptyStateOverlay = () => (\n No S2S Callbacks found.
\n)\n\nconst CallbacksTab = ({ app, channels, isAdmin }) => {\n const history = useHistory()\n const location = useLocation()\n const urlParams = deepCamelKeys(useParams())\n\n const appId = app.id\n\n const filteredChannels = channels.filter(\n ({ custom, callbackRequired }) => !custom && callbackRequired\n )\n\n const [selectedChannel, setSelectedChannel] = useState(null)\n const [isEditingCredentials, setIsEditingCredentials] = useState(true)\n const [savingState, setSavingState] = useState([])\n const [loadingState, setLoadingState] = useState([])\n const [isNavigating, setIsNavigating] = useState(false)\n const [originalCredentials, setOriginalCredentials] = useState({})\n const [credentials, setCredentials] = useState({})\n const [fieldSet, setFieldSet] = useState([])\n const [errors, setErrors] = useState({})\n\n const [isEventOptionsVisible, setIsEventOptionsVisible] = useState(false)\n\n const [isNewEventModalOpen, setIsNewEventModalOpen] = useState(false)\n const [newEventDraft, setNewEventDraft] = useState(NEW_EVENT_DRAFT_DEFAULTS)\n\n const [isEditCallbackModalOpen, setIsEditCallbackModalOpen] = useState(false)\n const [editedCallbackDraft, setEditedCallbackDraft] = useState(null)\n\n const [callbackGroupTemplates, setCallbackGroupTemplates] = useState({})\n const [callbackGroups, setCallbackGroups] = useState([])\n\n const [callbackHealth, setCallbackHealth] = useState([])\n const [s2sCallbacks, setS2sCallbacks] = useState([])\n\n const [adNetworkSettings, setAdNetworkSettings] = useState({})\n const [adNetworkSettingsError, setAdNetworkSettingsError] = useState({})\n\n const [callbackInstructions, setCallbackInstructions] = useState()\n\n const [isMissingIntegration, setIsMissingIntegration] = useState(false)\n\n const openNewEventModal = () => setIsNewEventModalOpen(true)\n const closeNewEventModal = () => setIsNewEventModalOpen(false)\n\n const openEditCallbackModal = () => setIsEditCallbackModalOpen(true)\n const closeEditCallbackModal = () => setIsEditCallbackModalOpen(false)\n\n const setLoading = loadingKey =>\n setLoadingState(currentLoadingState =>\n uniq([...currentLoadingState, loadingKey])\n )\n const isLoading = loadingKey => loadingState.includes(loadingKey)\n const clearLoading = loadingKey =>\n setLoadingState(currentLoadingState =>\n without(currentLoadingState, loadingKey)\n )\n\n const setAllLoading = () => {\n setLoadingState(currentLoadingState =>\n uniq([\n ...currentLoadingState,\n 'credentials',\n 'callbacks',\n 'health',\n 's2sCallbacks'\n ])\n )\n }\n\n const clearAllLoading = () => {\n setLoadingState([])\n }\n\n const setSaving = savingKey =>\n setSavingState(currentSavingState =>\n uniq([...currentSavingState, savingKey])\n )\n const clearSaving = savingKey =>\n setSavingState(currentSavingState => without(currentSavingState, savingKey))\n const isSaving = savingKey => savingState.includes(savingKey)\n\n const clearError = errorKey => {\n setErrors(currentErrors => ({ ...currentErrors, [errorKey]: null }))\n }\n\n const setError = ({ error, errorKey }) => {\n setErrors(currentErrors => ({\n ...currentErrors,\n [errorKey]: error.response?.data?.error || DEFAULT_ERROR_MESSAGE\n }))\n }\n\n const rehydrateWithChannelSettings = data => {\n const {\n addableCallbackGroupTemplates,\n adNetworkSettings: fetchedAdNetworkSettings,\n callbackInstructions: fetchedcallbackInstructions,\n credentialSettings,\n toggleableCallbackGroups\n } = data\n\n setFieldSet(getFieldSetFromSettings(credentialSettings))\n\n const updatedCredentials = getCredentialsFromSettings(credentialSettings)\n\n setOriginalCredentials(updatedCredentials)\n setCredentials(updatedCredentials)\n setCallbackGroups(toggleableCallbackGroups)\n setCallbackInstructions(fetchedcallbackInstructions)\n\n if (addableCallbackGroupTemplates) {\n setCallbackGroupTemplates(addableCallbackGroupTemplates)\n }\n\n if (fetchedAdNetworkSettings) {\n setAdNetworkSettings(fetchedAdNetworkSettings)\n }\n }\n\n const fetchSelectedChannelSettings = async () => {\n setErrors({})\n setIsMissingIntegration(false)\n setAllLoading()\n\n try {\n const { data } = await fetchChannelSettings({\n appId,\n channelId: selectedChannel.id\n })\n\n const formattedData = deepCamelKeys(\n data,\n PRESERVED_KEYS_FOR_CASE_TRANSFORMATION\n )\n\n const isNotIntegrated = isEmpty(formattedData)\n\n if (isNotIntegrated) {\n setIsMissingIntegration(true)\n } else {\n rehydrateWithChannelSettings(formattedData)\n }\n\n clearAllLoading()\n } catch (error) {\n window.Honeybadger.notify(error)\n setErrors(CHANNEL_SETTINGS_ERROR)\n clearAllLoading()\n }\n }\n\n const fetchSelectedCallbackHealth = async () => {\n clearError('health')\n setLoading('health')\n\n try {\n const { data } = await fetchCallbackHealth(appId)\n\n setCallbackHealth(data)\n\n clearLoading('health')\n } catch (error) {\n window.Honeybadger.notify(error)\n setError({ error, errorKey: 'health' })\n clearLoading('health')\n }\n }\n\n const fetchSelectedS2SCallbacks = async () => {\n clearError('s2sCallbacks')\n setLoading('s2sCallbacks')\n\n try {\n const { data } = await fetchS2SCallbacks(appId)\n\n setS2sCallbacks(data)\n\n clearLoading('s2sCallbacks')\n } catch (error) {\n window.Honeybadger.notify(error)\n setError({ error, errorKey: 's2sCallbacks' })\n clearLoading('s2sCallbacks')\n }\n }\n\n const updateCallbackGroupChannelFilter = async ({\n callbackGroupId,\n value\n }) => {\n clearError('callbacks')\n setLoading('callbacks')\n\n try {\n const { data } = await updateCallbackGroup({\n appId,\n callbackGroupId,\n channelId: selectedChannel.id,\n params: {\n callbackGroup: {\n userFilter: snakeCase(value)\n }\n }\n })\n\n const { toggleableCallbackGroups } = deepCamelKeys(\n data,\n PRESERVED_KEYS_FOR_CASE_TRANSFORMATION\n )\n\n setCallbackGroups(toggleableCallbackGroups)\n\n clearLoading('callbacks')\n } catch (error) {\n window.Honeybadger.notify(error)\n setError({ error, errorKey: 'callbacks' })\n clearLoading('callbacks')\n }\n }\n\n const toggleActivatableCallbackGroup = async ({ callbackGroupId, value }) => {\n clearError('callbacks')\n setSaving('callbacks')\n\n try {\n const { data } = await toggleCallbackGroup({\n appId,\n callbackGroupId,\n channelId: selectedChannel.id,\n params: {\n callbackGroup: {\n active: value\n }\n }\n })\n\n const { toggleableCallbackGroups } = data\n\n setCallbackGroups(toggleableCallbackGroups)\n\n clearSaving('callbacks')\n } catch (error) {\n window.Honeybadger.notify(error)\n setError({ error, errorKey: 'callbacks' })\n clearSaving('callbacks')\n }\n }\n\n const handleChangeCallbackGroupUserFilter = ({ callbackGroupId, value }) => {\n updateCallbackGroupChannelFilter({ callbackGroupId, value })\n }\n\n const handleToggleCallbackGroup = ({ callbackGroupId, active }) => {\n toggleActivatableCallbackGroup({ callbackGroupId, value: !active })\n }\n\n const handleToggleMetaAem = async () => {\n clearError('metaAem')\n setLoading('metaAem')\n\n try {\n const { data } = await toggleMetaAem({\n appId,\n channelId: selectedChannel.id,\n params: {\n adNetworkSettings: {\n metaAemToggle: !adNetworkSettings.metaAemToggle\n }\n }\n })\n\n const {\n adNetworkSettings: fetchedAdNetworkSettings,\n error: fetchedAdNetworkSettingsError\n } = data\n\n setAdNetworkSettings(fetchedAdNetworkSettings)\n setAdNetworkSettingsError(fetchedAdNetworkSettingsError)\n\n clearLoading('metaAem')\n } catch (error) {\n window.Honeybadger.notify(error)\n setError({ error, errorKey: 'metaAem' })\n clearLoading('metaAem')\n }\n }\n\n const clearCurrentChannel = () => {\n setAdNetworkSettings({})\n setCallbackGroups([])\n setCallbackGroupTemplates({})\n setCallbackInstructions(null)\n setCredentials({})\n setErrors({})\n setFieldSet([])\n setOriginalCredentials({})\n setLoadingState([])\n setSavingState([])\n }\n\n useEffect(() => {\n if (selectedChannel) {\n clearCurrentChannel()\n fetchSelectedChannelSettings()\n }\n }, [selectedChannel])\n\n useEffect(() => {\n fetchSelectedCallbackHealth()\n fetchSelectedS2SCallbacks()\n }, [])\n\n useEffect(() => {\n const isChannelIdInUrl = urlParams.integrationId\n const isChannelNotLoaded = selectedChannel === null\n\n if (isChannelIdInUrl && isChannelNotLoaded) {\n const activeChannel = find(channels, {\n id: Number(urlParams.integrationId)\n })\n\n if (activeChannel) {\n setSelectedChannel(activeChannel)\n }\n }\n }, [urlParams])\n\n useEffect(() => {\n if (adNetworkSettingsError) {\n displayErrorMessage(adNetworkSettingsError)\n }\n }, [adNetworkSettingsError])\n\n const handleChangeChannel = channel => {\n history.push(\n `${PATH_DASHBOARD_APPS}/${appId}${PATH_CALLBACKS}/${SUB_TABS.INTEGRATIONS.BASE_PATH}/${channel.id}`\n )\n setSelectedChannel(channel)\n }\n\n const handleClickEdit = () => setIsEditingCredentials(true)\n\n const handleClickSave = async () => {\n clearError('credentials')\n setSaving('credentials')\n\n try {\n const { data } = await saveCredentialSettings({\n appId,\n channelId: selectedChannel.id,\n params: {\n credentialSettings: credentials\n }\n })\n\n rehydrateWithChannelSettings(data)\n\n clearSaving('credentials')\n } catch (error) {\n window.Honeybadger.notify(error)\n setError({ error, errorKey: 'credentials' })\n clearSaving('credentials')\n }\n }\n\n const handleClickRetry = () => {\n setErrors({})\n setIsEditingCredentials(true)\n }\n\n const handleClickAddEvent = ({ name, groupType }) => {\n const callbackGroupTemplate = find(callbackGroupTemplates[groupType], {\n name\n })\n\n const userFilterDefaultSettings = (() => {\n if (!callbackGroupTemplate.userFilterDefault) return {}\n\n const defaultValue = find(\n callbackGroupTemplate.userFilterOptions || USER_FILTER_OPTIONS,\n {\n value: callbackGroupTemplate.userFilterDefault\n }\n )\n\n return { userFilter: defaultValue } || {}\n })()\n\n setNewEventDraft({\n ...newEventDraft,\n groupType,\n rows: [\n {\n ...NEW_EVENT_EMPTY_ROW,\n callbackName: name,\n ...getRequiredMacrosMappingForDraft({\n callbackGroupTemplate,\n credentials\n }),\n ...userFilterDefaultSettings\n }\n ],\n selectedCallbackGroupTemplate: callbackGroupTemplate\n })\n setIsEventOptionsVisible(false)\n openNewEventModal()\n }\n\n const handleChangeEventDraft = ({ rowIndex, property, value }) => {\n setNewEventDraft({\n ...newEventDraft,\n rows: newEventDraft.rows.map((row, index) => {\n const isMatchingRow = rowIndex === index\n\n if (isMatchingRow) {\n return { ...row, [property]: value }\n }\n\n return row\n })\n })\n }\n\n const handleClickEditCallback = callbackId => {\n const callback = find(callbackGroups, { id: callbackId })\n\n setEditedCallbackDraft({\n ...editedCallbackDraft,\n isDirty: false,\n rows: [\n {\n ...{\n callbackName: callback.name,\n eventDefinition: callback.event,\n userFilter: callback.userFilter,\n userFilterOptions: USER_FILTER_OPTIONS\n },\n ...callback.macros.reduce((mapping, { name, value }) => {\n // eslint-disable-next-line no-param-reassign\n mapping[name] = { label: value, value }\n\n return mapping\n }, {})\n }\n ],\n selectedCallback: callback\n })\n\n openEditCallbackModal()\n }\n\n const handleChangeEditableCallbackDraft = ({ rowIndex, property, value }) => {\n setEditedCallbackDraft({\n ...editedCallbackDraft,\n isDirty: true,\n rows: editedCallbackDraft.rows.map((row, index) => {\n const isMatchingRow = rowIndex === index\n\n if (!isMatchingRow) return row\n\n let processedValue = value\n\n if (property === 'userFilter') {\n processedValue = value.value\n }\n\n if (property === 'eventDefinition') {\n processedValue = value.name\n }\n\n return { ...row, [property]: processedValue }\n })\n })\n }\n\n const handleClickSaveNewEvent = async () => {\n clearError('newEvent')\n setSaving('newEvent')\n\n try {\n const { selectedCallbackGroupTemplate, rows } = newEventDraft\n\n const { fixedEventDefinition } = selectedCallbackGroupTemplate\n const { eventDefinitions } = callbackGroupTemplates\n\n // TODO: [nafeu] update this to handle all rows when implementing bulk edit\n const rowToSave = rows[FIRST_ITEM]\n\n const {\n callbackName: name,\n eventDefinition,\n userFilter: { value: userFilter },\n ...macroValues\n } = rowToSave\n\n const eventDefinitionId = (\n (fixedEventDefinition &&\n find(eventDefinitions, { name: fixedEventDefinition })) ||\n eventDefinition\n ).id\n\n const params = {\n callbackGroupTemplateId: selectedCallbackGroupTemplate?.id,\n eventDefinitionId,\n macroValues: mapValues(\n omitBy(\n pick(\n macroValues,\n selectedCallbackGroupTemplate?.requiredMacros.map(\n ({ name: callbackName }) => callbackName\n ) || []\n ),\n isNil\n ),\n value => (isObject(value) ? value.value : value)\n ),\n name,\n userFilter: snakeCase(userFilter)\n }\n\n await createCallbackGroup({\n appId,\n channelId: selectedChannel.id,\n params\n })\n\n clearSaving('newEvent')\n closeNewEventModal()\n fetchSelectedChannelSettings()\n } catch (error) {\n window.Honeybadger.notify(error)\n setError({ error, errorKey: 'newEvent' })\n clearSaving('newEvent')\n }\n }\n\n const handleClickSaveEditedCallback = async () => {\n clearError('editedCallback')\n setSaving('editedCallback')\n\n try {\n const { selectedCallback, rows } = editedCallbackDraft\n const { eventDefinitions } = callbackGroupTemplates\n\n // TODO: [nafeu] update this to handle all rows when implementing bulk edit\n const rowToSave = rows[FIRST_ITEM]\n\n const {\n callbackName: name,\n eventDefinition,\n userFilter,\n ...macroValues\n } = rowToSave\n\n const params = {\n callbackGroup: {\n eventDefinitionId: find(eventDefinitions, { name: eventDefinition })\n ?.id,\n macroValues: mapValues(\n pick(\n macroValues,\n selectedCallback?.macros.map(\n ({ name: callbackName }) => callbackName\n ) || []\n ),\n value => (isObject(value) ? value.value : value)\n ),\n name,\n userFilter: snakeCase(userFilter)\n }\n }\n\n const { data } = await updateCallbackGroup({\n appId,\n callbackGroupId: selectedCallback.id,\n channelId: selectedChannel.id,\n params\n })\n\n const { toggleableCallbackGroups } = deepCamelKeys(\n data,\n PRESERVED_KEYS_FOR_CASE_TRANSFORMATION\n )\n\n setCallbackGroups(toggleableCallbackGroups)\n\n clearSaving('editedCallback')\n closeEditCallbackModal()\n fetchSelectedChannelSettings()\n } catch (error) {\n window.Honeybadger.notify(error)\n setError({ error, errorKey: 'editedCallback' })\n clearSaving('editedCallback')\n }\n }\n\n const onSuccess = () => {\n setIsEditingCredentials(false)\n }\n\n const handleClickCancel = () => {\n setCredentials(originalCredentials)\n setIsEditingCredentials(false)\n }\n\n const handleClickAddCustomCallback = () => {\n setIsNavigating(true)\n window.location.href = getCustomCallbackCreationUrl(appId)\n }\n\n const handleClickEditCustomCallback = callbackId => {\n setIsNavigating(true)\n window.location.href = getCustomCallbackUrl({ appId, callbackId })\n }\n\n const handleClickSubTab = subTab => {\n history.push(`${PATH_DASHBOARD_APPS}/${appId}${PATH_CALLBACKS}/${subTab}`)\n }\n\n const ErrorOverlay = () => (\n \n \n Something Went Wrong.\n \n \n \n )\n\n const isMissingCredentials = isEmpty(credentials)\n const isMissingCallbackGroupTemplates =\n isEmpty(callbackGroupTemplates?.standard) &&\n isEmpty(callbackGroupTemplates?.advanced)\n const isMissingCallbackGroups = isEmpty(callbackGroups)\n const isMissingCallbackHealthData = isEmpty(callbackHealth)\n const isMissingS2SCallbacks = isEmpty(s2sCallbacks)\n\n const isCallbackHealthGreen =\n !isMissingCallbackHealthData &&\n callbackHealth\n .filter(({ health }) => !isNil(health))\n .every(({ health }) => health >= CALLBACK_HEALTH_SUCCESS_THRESHOLD)\n\n const isMissingChannel =\n selectedChannel === null || selectedChannel === undefined\n const showFooter =\n isEditingCredentials &&\n !isMissingChannel &&\n !isMissingIntegration &&\n !isMissingCredentials\n const showEditButton = !isEditingCredentials\n\n const showCallbackHealthEmptyState = isMissingCallbackHealthData\n\n const showS2SCallbacksEmptyState = isMissingS2SCallbacks && !isNavigating\n\n const credentialsCardOverlayContent = (() => {\n if (errors.credentials) return \n if (isMissingChannel) return \n if (isMissingIntegration) return \n if (isMissingCredentials) return \n\n return ''\n })()\n\n const credentialsCardOverlayOpaqueness = (() => {\n if (errors.credentials || isSaving('credentials'))\n return OVERLAY_OPAQUENESS.MORE\n if (\n isMissingChannel ||\n isMissingIntegration ||\n (!isLoading('credentials') && isMissingCredentials)\n )\n return OVERLAY_OPAQUENESS.FULL\n\n return OVERLAY_OPAQUENESS.NONE\n })()\n\n const callbacksTableOverlayContent = (() => {\n if (errors.callbacks) return \n if (isMissingChannel) return \n if (isMissingIntegration) return \n if (isMissingCallbackGroups) return \n\n return ''\n })()\n\n const callbacksTableOverlayOpaqueness = (() => {\n if (errors.callbacks || isSaving('callbacks'))\n return OVERLAY_OPAQUENESS.MORE\n if (\n isMissingChannel ||\n isMissingIntegration ||\n (!isLoading('callbacks') && isMissingCallbackGroups)\n )\n return OVERLAY_OPAQUENESS.FULL\n\n return OVERLAY_OPAQUENESS.NONE\n })()\n\n const healthTableOverlayContent = (() => {\n if (errors.health) return \n if (showCallbackHealthEmptyState) return \n\n return ''\n })()\n\n const healthTableOverlayOpaqueness = (() => {\n if (errors.health || isSaving('health')) return OVERLAY_OPAQUENESS.MORE\n if (showCallbackHealthEmptyState) return OVERLAY_OPAQUENESS.FULL\n\n return OVERLAY_OPAQUENESS.NONE\n })()\n\n const s2sCallbacksTableOverlayContent = (() => {\n if (errors.s2sCallbacks) return \n if (showS2SCallbacksEmptyState) return \n\n return ''\n })()\n\n const s2sCallbacksTableOverlayOpaqueness = (() => {\n if (errors.s2sCallbacks || isSaving('s2sCallbacks') || isNavigating)\n return OVERLAY_OPAQUENESS.MORE\n if (showS2SCallbacksEmptyState) return OVERLAY_OPAQUENESS.FULL\n\n return OVERLAY_OPAQUENESS.NONE\n })()\n\n const callbacksTableRows = [\n CALLBACKS_TABLE_HEADERS,\n ...getSortedCallbackGroupsForTable(callbackGroups)\n ]\n .map(row => ({\n ...row,\n onChangeCallbackGroup: handleChangeCallbackGroupUserFilter,\n onClickEditCallback: handleClickEditCallback,\n onToggleCallbackGroup: handleToggleCallbackGroup\n }))\n .map(buildCallbacksTableRow)\n\n const newEventModalRows = [\n getModalHeadersForRequiredMacros({\n callbackGroupTemplate: newEventDraft.selectedCallbackGroupTemplate,\n defaultHeaders: NEW_EVENT_MODAL_HEADERS,\n groupType: newEventDraft.groupType,\n selectedChannel\n }),\n ...newEventDraft.rows\n ].map((newEventData, rowIndex) =>\n buildNewEventModalRow({\n ...newEventData,\n callbackGroupTemplate: newEventDraft.selectedCallbackGroupTemplate,\n eventDefinitions: callbackGroupTemplates.eventDefinitions,\n groupType: newEventDraft.groupType,\n onChangeEventDraft: handleChangeEventDraft,\n rowIndex: rowIndex - HEADER_INDEX_OFFSET\n })\n )\n\n const editedCallbackModalRows = editedCallbackDraft\n ? [\n getModalHeadersForRequiredMacros({\n callback: editedCallbackDraft.selectedCallback,\n defaultHeaders: EDIT_CALLBACK_MODAL_HEADERS,\n selectedChannel\n }),\n ...editedCallbackDraft.rows\n ].map((editedCallbackData, rowIndex) =>\n buildEditCallbackModalRow({\n ...editedCallbackData,\n callback: editedCallbackDraft.selectedCallback,\n eventDefinitions: callbackGroupTemplates.eventDefinitions,\n onChangeEditedCallbackDraft: handleChangeEditableCallbackDraft,\n rowIndex: rowIndex - HEADER_INDEX_OFFSET\n })\n )\n : []\n\n const fields = fieldSet.map(fieldData =>\n buildFieldElements({\n ...fieldData,\n credentials,\n error: errors[fieldData.id],\n isEditingCredentials,\n setCredentials\n })\n )\n\n const s2sCallbacksTableRows = [\n S2S_CALLBACKS_TABLE_HEADERS,\n ...getSortedS2SCallbacksForTable(s2sCallbacks)\n ].map((s2sCallbackData, rowIndex) =>\n buildS2SCallbacksTableRow({\n ...s2sCallbackData,\n onClickEditCustomCallback: handleClickEditCustomCallback,\n rowIndex: rowIndex - HEADER_INDEX_OFFSET\n })\n )\n\n const healthTableRows = [\n HEALTH_TABLE_HEADERS,\n ...getSortedCallbackHealthForTable(callbackHealth)\n ].map((row, rowIndex) => buildHealthTableRow({ ...row, appId }, rowIndex))\n\n const buildHealthBadge = () => {\n if (isMissingCallbackHealthData) return ''\n if (isCallbackHealthGreen) {\n return (\n \n )\n }\n\n return (\n \n )\n }\n\n const subTabNavigationOptions = [\n {\n handleClick: () =>\n handleClickSubTab(\n `${SUB_TABS.INTEGRATIONS.BASE_PATH}${\n selectedChannel ? `/${selectedChannel.id}` : ''\n }`\n ),\n id: SUB_TABS.INTEGRATIONS.BASE_PATH,\n isActive: () =>\n location.pathname.includes(SUB_TABS.INTEGRATIONS.BASE_PATH),\n label: SUB_TABS.INTEGRATIONS.LABEL\n },\n {\n handleClick: () => handleClickSubTab(SUB_TABS.S2S_CALLBACKS.PATH),\n id: SUB_TABS.S2S_CALLBACKS.PATH,\n isActive: () => location.pathname.includes(SUB_TABS.S2S_CALLBACKS.PATH),\n label: SUB_TABS.S2S_CALLBACKS.LABEL\n },\n {\n badge: buildHealthBadge(),\n handleClick: () => handleClickSubTab(SUB_TABS.HEALTH.PATH),\n id: SUB_TABS.HEALTH.PATH,\n isActive: () => location.pathname.includes(SUB_TABS.HEALTH.PATH),\n label: SUB_TABS.HEALTH.LABEL\n }\n ]\n\n const isNewEventSavable = validateNewEventDraft(newEventDraft)\n\n const isEditedCallbackSavable =\n validateEditedCallbackDraft(editedCallbackDraft)\n\n const showAemToggle =\n new URLSearchParams(window.location.search)\n .get('flag')\n ?.includes('aem_toggle') ||\n (app.platform === PLATFORMS.ios.id &&\n selectedChannel?.id === CHANNELS.META.id)\n\n const isAemToggleDisabled = (() => {\n const facebookAppIdValue =\n originalCredentials[PRESERVED_CREDENTIAL_FACEBOOK_APP_ID] ||\n originalCredentials[camelCase(PRESERVED_CREDENTIAL_FACEBOOK_APP_ID)]\n\n return isNil(facebookAppIdValue) || isEmpty(facebookAppIdValue)\n })()\n\n const IntegrationsTab = () => (\n \n \n \n
\n {showAemToggle && (\n
\n )}\n
\n \n \n \n \n \n \n \n \n \n )\n\n const S2SCallbacksTab = () => (\n \n )\n\n const HealthTab = () => (\n \n )\n\n return (\n \n \n \n \n \n \n \n \n \n \n \n \n
\n \n )\n}\n\nCallbacksTab.propTypes = {\n app: appObject.isRequired,\n channels: arrayOfChannelObjects.isRequired,\n isAdmin: PropTypes.bool.isRequired\n}\n\nexport default CallbacksTab\n","import classNames from 'classnames'\nimport PropTypes from 'prop-types'\n\nimport BoldLink from '../../../../../../BoldLink'\nimport FontAwesomeIcon from '../../../../../../FontAwesomeIcon'\nimport FormLabelWithTooltip from '../../../../../../FormLabelWithTooltip'\nimport Toggle from '../../../../../../Toggle'\nimport { META_AEM_LINK } from './constants'\nimport styles from './styles.module.scss'\n\nconst TooltipContent = (\n \n Turn on the toggle to share data from users who have\n
\n opted out of the ATT prompt\n
\n
\n More information on{' '}\n \n Meta's AEM Page \n \n
\n)\n\nconst AemToggle = ({ className, isDisabled, isOn, isToggling, onToggle }) => (\n \n {} : onToggle}\n />\n \n Aggregated Events Measurement\n \n
\n)\n\nAemToggle.propTypes = {\n className: PropTypes.string,\n isDisabled: PropTypes.bool.isRequired,\n isOn: PropTypes.bool.isRequired,\n isToggling: PropTypes.bool.isRequired,\n onToggle: PropTypes.func.isRequired\n}\n\nAemToggle.defaultProps = {\n className: ''\n}\n\nexport default AemToggle\n","import PropTypes from 'prop-types'\nimport { Fragment } from 'react'\n\nimport FontAwesomeIcon from '../../../../../../../FontAwesomeIcon'\nimport { GROUP_TYPE_ADVANCED, GROUP_TYPE_STANDARD } from '../../constants'\nimport styles from './styles.module.scss'\n\n/*\n eslint-disable jsx-a11y/interactive-supports-focus,\n jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions\n*/\nconst StandardOptions = ({ onClickEventOption, options }) =>\n options.map(({ id, name }) => (\n \n onClickEventOption({\n groupType: GROUP_TYPE_STANDARD,\n name\n })\n }\n >\n {name}\n
\n ))\n\nconst AdvancedOptions = ({ onClickEventOption, options }) =>\n options.map(({ name }) => (\n \n onClickEventOption({\n groupType: GROUP_TYPE_ADVANCED,\n name\n })\n }\n >\n {name}{' '}\n \n not recommended\n \n
\n ))\n\nconst EventOptions = ({\n eventOptions,\n onClickEventOption,\n setShowAdvancedCallbacks,\n showAdvancedCallbacks\n}) => (\n \n \n {showAdvancedCallbacks ? (\n
\n ) : (\n
\n )}\n
\n {eventOptions.advanced.length > 0 && (\n setShowAdvancedCallbacks(!showAdvancedCallbacks)}\n >\n {showAdvancedCallbacks ? '< Back' : 'Advanced'}\n
\n )}\n \n)\n\n/*\n eslint-enable jsx-a11y/interactive-supports-focus,\n jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions\n*/\n\nEventOptions.propTypes = {\n eventOptions: PropTypes.shape({\n advanced: PropTypes.arrayOf(\n PropTypes.shape({\n id: PropTypes.string.isRequired,\n name: PropTypes.string.isRequired\n })\n ),\n standard: PropTypes.arrayOf(\n PropTypes.shape({\n id: PropTypes.string.isRequired,\n name: PropTypes.string.isRequired\n })\n )\n }).isRequired,\n onClickEventOption: PropTypes.func.isRequired,\n setShowAdvancedCallbacks: PropTypes.func.isRequired,\n showAdvancedCallbacks: PropTypes.bool.isRequired\n}\n\nexport default EventOptions\n","import classNames from 'classnames'\nimport { format, parseISO } from 'date-fns'\nimport { isNil } from 'lodash'\nimport PropTypes from 'prop-types'\nimport { Fragment, useEffect, useMemo, useRef, useState } from 'react'\nimport Skeleton from 'react-loading-skeleton'\n\nimport {\n fetchCvSchema,\n saveCvSchema,\n toggleSkanReadiness\n} from '../../../../../../api/apps'\nimport { oneOfSkAppClaimStatuses } from '../../../../../../utils/customPropTypes'\nimport { parseCSV } from '../../../../../../utils/helpers'\nimport Alert from '../../../../../Alert'\nimport CardPanel from '../../../../../CardPanel'\nimport CopyButton from '../../../../../CopyButton'\nimport FormLabelWithTooltip from '../../../../../FormLabelWithTooltip'\nimport PopoutLink from '../../../../../PopoutLink'\nimport SyncButton from '../../../../../SyncButton'\nimport Toggle from '../../../../../Toggle'\nimport SkAdNetworkStatus from '../../SkAdNetworkStatus'\nimport {\n CV_SAMPLE_CSV_FILE,\n CV_SAMPLE_CSV_URL,\n CV_SAMPLE_CSV_WITH_META_URL,\n DATE_FORMAT_UPLOADED_AT,\n ERROR_RESET_TIMEOUT_MS,\n KNOWLEDGE_BASE_CV_MAPPING_RECOMMENDATION_URL,\n KNOWLEDGE_BASE_UPLOAD_CV_SCHEMA,\n MMP_CONNECTION_URL_BASE,\n SKELETON_ROW_COUNT\n} from './constants'\nimport CSVPreviewTable from './CSVPreviewTable'\nimport { getCvSchemaFromJson, getJsonFromCvSchema } from './helpers'\nimport styles from './styles.module.scss'\n\nconst SkAdNetworkTab = ({\n appId,\n isSkAppClaimable,\n skAppClaimStatus,\n storeId\n}) => {\n const [isLoading, setIsLoading] = useState(false)\n const [isUploading, setIsUploading] = useState(false)\n const [isError, setIsError] = useState(false)\n const [cvSchema, setCvSchema] = useState(null)\n const [schemaExists, setSchemaExists] = useState(false)\n\n const [isToggleDisabled, setToggleDisabled] = useState(true)\n const [isSkanFeaturesOn, setIsSkanFeaturesOn] = useState(true)\n\n const fileInputRef = useRef(null)\n\n const cvSampleCsvUrl = CV_SAMPLE_CSV_WITH_META_URL\n const isVerified = skAppClaimStatus === 'verified'\n\n const handleError = () => {\n setTimeout(() => {\n setIsError(false)\n }, ERROR_RESET_TIMEOUT_MS)\n }\n\n const handleUploadSuccess = updatedCvSchema => {\n setCvSchema(updatedCvSchema)\n setIsUploading(false)\n setToggleDisabled(false)\n setSchemaExists(true)\n }\n\n const handleFileChange = event => {\n const selectedFile = event.target.files[0]\n\n if (selectedFile) {\n const reader = new FileReader()\n\n reader.onload = async readerEvent => {\n setIsError(false)\n setIsUploading(true)\n\n try {\n const csvData = readerEvent.target.result\n const parsedCvSchema = getCvSchemaFromJson({\n appId,\n description: selectedFile.name,\n jsonData: parseCSV(csvData)\n })\n\n const { data: updatedCvSchema } = await saveCvSchema({\n appId,\n params: parsedCvSchema\n })\n\n handleUploadSuccess(updatedCvSchema)\n } catch (error) {\n window.Honeybadger.notify(error)\n setIsError(true)\n setIsUploading(false)\n }\n }\n\n reader.readAsText(selectedFile)\n }\n }\n\n const handleClickUpload = () => {\n fileInputRef.current.click()\n }\n\n const handleClickToggle = async () => {\n if (isToggleDisabled) return\n\n setIsLoading(true)\n\n try {\n const {\n data: { isOn }\n } = await toggleSkanReadiness({\n appId,\n params: { isOn: isSkanFeaturesOn }\n })\n\n setIsSkanFeaturesOn(isOn)\n setIsLoading(false)\n } catch (error) {\n window.Honeybadger.notify(error)\n setIsError(true)\n setIsLoading(false)\n }\n }\n\n useEffect(() => {\n const loadCvSchema = async () => {\n setIsLoading(true)\n\n try {\n const { data: fetchedCvSchema } = await fetchCvSchema(appId)\n\n const fetchedCvSchemaExists = fetchedCvSchema.id\n\n if (fetchedCvSchemaExists) {\n setToggleDisabled(false)\n setIsSkanFeaturesOn(fetchedCvSchema.online)\n setCvSchema(fetchedCvSchema)\n setSchemaExists(true)\n }\n\n setIsLoading(false)\n } catch (error) {\n window.Honeybadger.notify(error)\n setIsError(true)\n setIsLoading(false)\n }\n }\n\n loadCvSchema()\n }, [])\n\n const cvSchemaJson = useMemo(() => {\n if (cvSchema) {\n return getJsonFromCvSchema(cvSchema)\n }\n\n return null\n }, [cvSchema])\n\n const showEmptyState = !isSkanFeaturesOn && !isLoading && !isUploading\n const showUploadInstructions = isNil(cvSchema) && !isLoading\n const showMmpUrl = schemaExists\n const showCvSchema = !isNil(cvSchema) && !isLoading\n const showAlert = !schemaExists\n const showLoadingSkeleton = isLoading || isUploading\n const showUploadButton = isSkanFeaturesOn\n const showFilename = !isUploading && !isLoading\n const showCvSchemaJson = cvSchemaJson !== null\n\n const SkanConfigurationActions = () => (\n \n \n \n Enabling the SKAN features will ensure that your CV schema is shared\n with all partners.\n \n }\n placement=\"right\"\n className={styles.skanFeaturesLabel}\n >\n SKAN Features\n \n
\n )\n\n const ConversionValueMappingFooter = () => (\n \n
\n {showUploadButton && (\n
\n {schemaExists && (\n \n )}\n Something went wrong.}\n isDisabled={isLoading}\n isError={isError}\n isLoading={isUploading}\n level=\"success\"\n loadingContent={uploading...}\n onClick={handleClickUpload}\n onError={handleError}\n resetOnSuccess\n >\n {schemaExists ? 'Update csv' : 'Upload csv'}\n \n \n )}\n
\n )\n\n const LoadingSkeleton = () => (\n \n \n \n
\n \n {Array.from(Array(SKELETON_ROW_COUNT)).map(() => (\n \n \n
\n \n ))}\n \n )\n\n const EmptyStateOverlay = () => (\n \n To map conversion values, you must turn SKAN Features on.\n
\n Enabling SKAN Features will ensure that your conversion value schema is\n shared with all partners.\n
\n )\n\n const ErrorOverlay = () => (\n Something went wrong.
\n )\n\n const overlayContent = (() => {\n if (isError) return \n if (showEmptyState) return \n\n return ''\n })()\n\n const overlayOpaqueness = (() => {\n if (showEmptyState) return 'full'\n\n return 'none'\n })()\n\n const tooltipText = () => {\n if (isVerified && showMmpUrl) {\n return 'Copy and paste this URL into the ad network dashboard.'\n } else if (isVerified) {\n return 'MMP Connection URL will be available once you upload a conversion value mapping'\n }\n return 'MMP Connection URL will be available once the app is verified and a conversion value' +\n ' mapping has been uploaded'\n }\n return (\n \n
}\n className={styles.skanConfigurationPanel}\n >\n
\n
\n {tooltipText()}}>\n MMP Connection Url:\n \n {showMmpUrl && (\n \n )}\n
\n \n {isVerified && (\n
\n \n
\n Learn more about Conversion Value Mapping\n \n
\n \n }\n overlayContent={overlayContent}\n overlayOpaqueness={overlayOpaqueness}\n >\n \n {showLoadingSkeleton &&
}\n {showCvSchema && (\n
\n {showAlert && (\n
\n Important: Confirm that you are manually\n updating conversion values in the SDK, and that your\n uploaded schema matches your SKAN methods to avoid\n campaign optimization issues.\n \n )}\n {showFilename && (\n
\n \n {cvSchema.description}\n \n \n uploaded{' '}\n {format(\n parseISO(cvSchema.createdAt),\n DATE_FORMAT_UPLOADED_AT\n )}\n \n \n )}\n {showCvSchemaJson && (\n
\n )}\n
\n )}\n {showUploadInstructions && (\n
\n \n
\n
\n 2. Call our SKAN methods in the SDK to update your\n conversion values\n
\n
\n 3. Upload the file once you've added your data\n
\n
\n \n
\n For more help, view our docs\n \n
\n Uploaded schema must adhere to the template.\n
\n If you're running Meta campaigns that use SKAN as an\n attribution method, make sure to enable Meta Callbacks.\n
\n
\n \n )}\n
\n \n \n )}\n
\n )\n}\n\nSkAdNetworkTab.propTypes = {\n appId: PropTypes.string.isRequired,\n isSkAppClaimable: PropTypes.bool.isRequired,\n skAppClaimStatus: oneOfSkAppClaimStatuses.isRequired,\n storeId: PropTypes.string.isRequired\n}\n\nexport default SkAdNetworkTab\n","import React, { useState } from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport { camelCase } from 'camel-case'\n\nimport { oneOfSkAppClaimStatuses } from '../../../../../utils/customPropTypes'\n\nimport Badge from '../../../../Badge'\nimport FormLabelWithTooltip from '../../../../FormLabelWithTooltip'\n\nimport styles from './styles.module.scss'\n\nimport {\n DASHBOARD_APPS_URL,\n DASHBOARD_APPS_CLAIM_SK_APP_PATH\n} from '../../../../../api/dashboard/constants'\nimport {\n COPY_BY_APP_CLAIM_STATUS_MAPPING,\n APP_CLAIM_STATUS_PROCESSING_REQUEST,\n APP_CLAIM_STATUS_UNVERIFIED\n} from './constants'\n\nimport AsyncActionButton from '../../../../AsyncActionButton'\n\nconst SkAdNetworkStatus = ({\n appId,\n className,\n isClaimable,\n status\n}) => {\n const actionUrl = `${DASHBOARD_APPS_URL}${appId}${DASHBOARD_APPS_CLAIM_SK_APP_PATH}`\n\n const [appClaimStatus, setAppClaimStatus] = useState(camelCase(status))\n\n const handleVerifyOwnershipSuccess = () => {\n const flashMessage = document.querySelector('#alert-sk-app-claim-success')\n\n flashMessage.style.display = 'block'\n\n setAppClaimStatus(APP_CLAIM_STATUS_PROCESSING_REQUEST)\n }\n\n const {\n badgeText,\n badgeLevel,\n helpText\n } = COPY_BY_APP_CLAIM_STATUS_MAPPING[appClaimStatus]\n\n const isUnverified = appClaimStatus === APP_CLAIM_STATUS_UNVERIFIED\n const isVerifiable = isUnverified && isClaimable\n const helpTextOverride = isUnverified && !isVerifiable ? '' : helpText\n\n return (\n \n
\n SKAN Status:\n \n
{badgeText}\n
{helpTextOverride}
\n {isVerifiable && (\n
\n )}\n
\n )\n}\n\nSkAdNetworkStatus.propTypes = {\n appId: PropTypes.string.isRequired,\n className: PropTypes.string,\n isClaimable: PropTypes.bool.isRequired,\n status: oneOfSkAppClaimStatuses.isRequired\n}\n\nSkAdNetworkStatus.defaultProps = {\n className: ''\n}\n\nexport default SkAdNetworkStatus\n","import classNames from 'classnames'\nimport { keys } from 'lodash'\nimport PropTypes from 'prop-types'\nimport { snakeCase } from 'snake-case'\n\nimport { FIRST_ITEM } from '../../../../../../../utils/constants'\nimport { getWidthByStringLength } from '../../../../../../../utils/helpers'\nimport FlexTable from '../../../../../../FlexTable'\nimport { COLUMN_CHARACTER_LENGTH_MULTIPLIER } from './constants'\nimport styles from './styles.module.scss'\n\nexport const buildCSVPreviewRow = (\n { headers, isHeadersRow, ...columns },\n rowIndex\n) => {\n if (isHeadersRow) {\n return {\n cells: headers.map((header, headerIndex) => ({\n cell: {snakeCase(header)}
,\n flex: 'none',\n id: `header${headerIndex}`,\n width: getWidthByStringLength({\n inputString: header,\n widthMultiplier: COLUMN_CHARACTER_LENGTH_MULTIPLIER\n })\n })),\n id: 'headers'\n }\n }\n\n return {\n cells: keys(columns).map((columnKey, columnIndex) => ({\n cell: {columns[columnKey]}
,\n flex: 'none',\n id: `cell${columnKey}${rowIndex}${columnIndex}`,\n title: columns[columnKey],\n width: getWidthByStringLength({\n inputString: columnKey,\n widthMultiplier: COLUMN_CHARACTER_LENGTH_MULTIPLIER\n })\n })),\n id: `row${rowIndex}`\n }\n}\n\nconst CSVPreviewTable = ({ cvSchemaJson, cellClassName }) => {\n const headers = keys(cvSchemaJson[FIRST_ITEM])\n\n const rows = [\n {\n headers,\n isHeadersRow: true\n },\n ...cvSchemaJson\n ].map(buildCSVPreviewRow)\n\n return (\n \n \n
\n )\n}\n\nCSVPreviewTable.propTypes = {\n cellClassName: PropTypes.string,\n cvSchemaJson: PropTypes.arrayOf(\n PropTypes.shape({\n conversionValue: PropTypes.string.isRequired,\n conversionValueType: PropTypes.string.isRequired,\n currency: PropTypes.string,\n customEventName: PropTypes.string.isRequired,\n googleEventName: PropTypes.string,\n maxRange: PropTypes.string,\n metaEventName: PropTypes.string,\n minRange: PropTypes.string,\n postbackSequenceIndex: PropTypes.string.isRequired,\n tiktokEventName: PropTypes.string\n })\n ).isRequired\n}\n\nCSVPreviewTable.defaultProps = {\n cellClassName: ''\n}\n\nexport default CSVPreviewTable\n","import { useState } from 'react'\nimport PropTypes from 'prop-types'\nimport { CopyToClipboard } from 'react-copy-to-clipboard'\nimport Tooltip from 'rc-tooltip'\nimport { COPIED_TEXT_DELAY } from './constants'\n\nconst TdKeyCell = ({\n token\n}) => {\n const [tooltipVisible, setTooltipVisible] = useState(false)\n const [previousTimeoutId, setPreviousTimeoutId] = useState(null)\n\n const onVisibleChange = visible => {\n if (!visible) {\n const id = setTimeout(() => {\n setTooltipVisible(false)\n }, COPIED_TEXT_DELAY)\n setPreviousTimeoutId(id)\n }\n }\n\n const onCopy = () => {\n setTooltipVisible(true)\n clearTimeout(previousTimeoutId)\n }\n\n return (\n \n {token} \n \n Copied}\n visible={tooltipVisible}\n onVisibleChange={onVisibleChange}\n placement=\"top\"\n >\n Copy\n \n \n | \n )\n}\n\nTdKeyCell.propTypes = {\n token: PropTypes.string.isRequired\n}\n\nexport default TdKeyCell\n","import { Fragment } from 'react'\nimport classNames from 'classnames'\nimport PropTypes from 'prop-types'\nimport Tooltip from 'rc-tooltip'\n\nimport { formatNumberForDisplay } from '../../../../../ReportingDataMetricValueDisplay/helpers'\nimport CampaignRowsSkeleton from './skeleton'\nimport { TOOLTIP_MOUSE_ENTER_DELAY } from '../../../../../../utils/constants'\n\nimport styles from './styles.module.scss'\n\nconst emptyStateMessage = (\n \n No reported campaigns found.\n
\n)\n\nconst errorStateMessage = (\n \n Something went wrong.\n
\n)\n\nconst CampaignsList = ({\n isError,\n isLoading,\n isMerging,\n isEmptyState,\n onClickMergeCampaign,\n reportedCampaigns\n}) => {\n if (isLoading || isMerging) {\n return \n }\n\n if (isError) {\n return errorStateMessage\n }\n\n if (isEmptyState) {\n return emptyStateMessage\n }\n /*\n eslint-disable jsx-a11y/interactive-supports-focus,\n jsx-a11y/click-events-have-key-events\n */\n return (\n \n
\n
Campaign Name
\n
Reported Installs
\n
Spend
\n
\n
\n {reportedCampaigns.map(({\n id,\n name,\n reportedInstalls,\n spend\n }) => (\n
\n
\n {name}}\n placement=\"top\"\n >\n {name}\n \n
\n {id}\n
\n
\n {reportedInstalls || '-'}\n
\n
\n {spend ? (\n \n ${formatNumberForDisplay({ number: spend, numberOfDigits: 2 })}\n \n ) : '-'}\n
\n
\n
onClickMergeCampaign(id)}>\n Merge\n
\n
\n
\n ))}\n
\n )\n /*\n eslint-enable jsx-a11y/interactive-supports-focus,\n jsx-a11y/click-events-have-key-events\n */\n}\n\nCampaignsList.propTypes = {\n isEmptyState: PropTypes.bool.isRequired,\n isError: PropTypes.bool.isRequired,\n isLoading: PropTypes.bool.isRequired,\n isMerging: PropTypes.bool.isRequired,\n onClickMergeCampaign: PropTypes.func.isRequired,\n reportedCampaigns: PropTypes.arrayOf(\n PropTypes.shape({\n id: PropTypes.string,\n installs: PropTypes.number,\n name: PropTypes.string,\n spend: PropTypes.spend\n })\n ).isRequired\n}\n\nexport default CampaignsList\n","import React from 'react'\n\nimport FormTextField from '../../../../../FormTextField/FormTextField'\n\nconst DeviceNameFormField = () => {\n return (\n \n )\n}\n\nexport default DeviceNameFormField\n","import React, { useCallback } from 'react'\nimport { renderToString } from 'react-dom/server'\nimport { oneOfSelectablePlatforms } from '../../../../../../utils/customPropTypes'\nimport { PLATFORMS } from '../../../../../../utils/constants'\nimport FormHelpPopover from '../../../../../FormHelpPopover/FormHelpPopover'\nimport FormTextField from '../../../../../FormTextField/FormTextField'\nimport { camelCase } from 'camel-case'\n\nconst inputPopoverContent = (platform) => (\n \n { PLATFORMS[platform].deviceIdentifiers.advertisingId.description }\n
\n)\n\nconst AdvertisingIdFormField = ({\n platform: platformProp\n}) => {\n const platform = camelCase(platformProp)\n\n const platformTitle = (platform) => {\n return PLATFORMS[platform].deviceIdentifiers.advertisingId.label\n }\n \n const helpPopoverComponent = useCallback(() => {\n return (\n \n )\n })\n\n return (\n \n )\n}\n\nAdvertisingIdFormField.propTypes = {\n platform: oneOfSelectablePlatforms.isRequired\n}\n\nexport default AdvertisingIdFormField\n","import React, { useCallback } from 'react'\nimport { renderToString } from 'react-dom/server'\nimport { PLATFORMS } from '../../../../../../utils/constants'\nimport FormHelpPopover from '../../../../../FormHelpPopover/FormHelpPopover'\nimport FormTextField from '../../../../../FormTextField/FormTextField'\n\nconst inputPopoverContent = (\n \n { PLATFORMS.ios.deviceIdentifiers.developerDeviceId.description }\n
\n)\n\nconst DeveloperDeviceIdFormField = () => {\n const title = PLATFORMS.ios.deviceIdentifiers.developerDeviceId.label\n\n const helpPopoverComponent = useCallback(() => {\n return (\n \n )\n })\n\n return (\n \n )\n}\n\nexport default DeveloperDeviceIdFormField\n","import React from 'react'\n\nimport Dropdown from '../../../../../Dropdown'\nimport { arrayOfAppObjects } from '../../../../../../utils/customPropTypes'\n\nconst AppSelectDropDown = ({\n onChange,\n options,\n value\n}) => {\n\n return (\n option.name}\n getOptionValue={option => option.id}\n isClearable={false}\n isSearchable\n onChange={onChange}\n options={options}\n value={value}\n placeholder=\"Select an app\"\n />\n )\n}\n\nAppSelectDropDown.propTypes = {\n onChange: PropTypes.func,\n options: arrayOfAppObjects.isRequired,\n value: PropTypes.object\n}\n\nexport default AppSelectDropDown\n","import React from 'react'\nimport Dropdown from '../../../../../Dropdown'\nimport { PLATFORMS } from '../../../../../../utils/constants'\n\nconst DeviceTypeDropDown = ({\n onChange,\n value\n}) => {\n\n const formOptions = [\n { \n label: PLATFORMS.ios.deviceIdentifiers.advertisingId.label,\n value: PLATFORMS.ios.deviceIdentifiers.advertisingId.value\n },\n { \n label: PLATFORMS.ios.deviceIdentifiers.developerDeviceId.label,\n value: PLATFORMS.ios.deviceIdentifiers.developerDeviceId.value\n },\n ]\n \n return (\n option.label}\n getOptionValue={option => option.value}\n isClearable={false}\n isSearchable\n onChange={onChange}\n options={formOptions}\n value={value}\n placeholder=\"Select an iOS ID Type\"\n />\n )\n}\n\nDeviceTypeDropDown.propTypes = {\n onChange: PropTypes.func,\n value: PropTypes.object\n}\n\nexport default DeviceTypeDropDown\n","import { Fragment, useEffect } from 'react'\nimport { Route } from 'react-router-dom'\n\nimport PageHeader from '../../PageHeader'\nimport PageSubtext from '../../PageSubtext/PageSubtext'\nimport PageNotice from '../../PageNotice'\nimport Presenter from './presentation'\nimport ReportingContent from '../../ReportingContent'\nimport ReportingSidebar from './ReportingSidebar'\nimport useFlashMessagesHook from '../../../hooks/useFlashMessagesHook'\n\nimport { DATA_EXPORTER_SUBHEADING, DATA_EXPORTER_NOTICE } from './constants'\n\n/* eslint-disable react/prop-types */\nconst DataExporterPage = ({ match }) => {\n useEffect(() => {\n document.title = 'Data Exporter - Tenjin'\n })\n\n useFlashMessagesHook()\n\n return (\n \n \n\n \n Data Exporter\n {DATA_EXPORTER_SUBHEADING}\n {DATA_EXPORTER_NOTICE}\n\n \n \n \n )\n}\n/* eslint-enable react/prop-types */\n\nexport default DataExporterPage\n","import { useEffect, useRef, useState } from 'react'\nimport { useQuery } from 'react-query'\nimport { useLocation } from 'react-router-dom'\nimport {\n isArray,\n isEmpty,\n isNull,\n includes,\n filter\n} from 'lodash'\nimport classNames from 'classnames'\nimport PropTypes from 'prop-types'\n\nimport AwaitingDataOverlay from '../../../AwaitingDataOverlay'\nimport ChartFailed from '../../../ChartFailed'\nimport NoDataOverlay from '../../../NoDataOverlay'\nimport PaginatedTable from './PaginatedTable'\nimport TableContainer from '../../../Table/Container'\nimport OnboardingActionOverlay from '../../../OnboardingActionOverlay'\n\nimport { useMetricDefinitionsState } from '../../../../contexts/MetricDefinitions'\nimport {\n useOnboardingStatusState, getGroupedSummaryTableOnboardingStatus\n} from '../../../../contexts/OnboardingStatus'\n\nimport {\n useGroupedSummaryTableSettingsState\n} from '../../../../contexts/GroupedSummaryTableSettings'\n\nimport {\n getReportPageFromReportType,\n getReportTypeFromLocation,\n useReportingFiltersState,\n useReportingFiltersDispatch,\n isSkAdNetworkReport\n} from '../../../../contexts/ReportingFilters'\n\nimport { stripTotalsFromGranularity } from '../../../../utils/helpers'\n\nimport { getQueryFunctionForDataExporter, saveTableViewMode } from '../../../../api/reporting'\n\nimport usePrevious from '../../../../hooks/usePrevious'\nimport useRefSize from '../../../../hooks/useRefSize'\n\nimport { fetchMockAppLevelDataByDateForMetrics } from '../../../../utils/mock'\nimport { UA_METRICS_AVAILABLE_IN_SK_AD_NETWORK_REPORT } from '../../../../utils/constants'\n\nimport styles from './styles.module.scss'\n\nimport { DEFAULT_QUERY_OPTIONS } from './constants'\n\nconst ExporterPreviewTable = ({ className }) => {\n const { metricDefinitions } = useMetricDefinitionsState()\n const location = useLocation()\n const onboardingStatus = useOnboardingStatusState()\n\n const reportingFilters = useReportingFiltersState()\n const reportingFiltersDispatch = useReportingFiltersDispatch()\n\n const reportType = getReportTypeFromLocation(location)\n const reportPage = getReportPageFromReportType(reportType)\n\n const {\n metricColumnsByReport, viewMode: tableViewMode\n } = useGroupedSummaryTableSettingsState()\n\n const [tableData, setTableData] = useState(null)\n\n const setTableDataInSettings = fetchedTableData => {\n reportingFiltersDispatch({\n payload: { dataExporterTableData: fetchedTableData },\n type: 'SET_DATA_EXPORTER_TABLE_DATA'\n })\n }\n\n const setIsFetchingTableData = isFetchingDataExporterTableData => {\n reportingFiltersDispatch({\n payload: { isFetchingDataExporterTableData },\n type: 'SET_IS_FETCHING_DATA_EXPORTER_TABLE_DATA'\n })\n }\n\n const prevTableViewMode = usePrevious(tableViewMode)\n\n useEffect(() => {\n const hasTableViewModeChanges = prevTableViewMode && tableViewMode !== prevTableViewMode\n\n if (hasTableViewModeChanges) {\n saveTableViewMode(tableViewMode)\n }\n }, [prevTableViewMode, tableViewMode])\n\n const selectedMetricDefinitions = metricColumnsByReport[reportPage].map(\n metric => metricDefinitions[metric]\n )\n\n const { isMocking, metricDefinitionForOverlay } = getGroupedSummaryTableOnboardingStatus({\n onboardingStatus,\n selectedMetricDefinitions\n })\n\n let queryParamsForFetchingData = reportingFilters.dataExporterQuery\n\n const queryKey = JSON.stringify(queryParamsForFetchingData)\n\n const isGroupedByDate = includes(queryParamsForFetchingData.granularity, 'totals')\n\n if (isGroupedByDate) {\n queryParamsForFetchingData = {\n ...queryParamsForFetchingData,\n granularity: stripTotalsFromGranularity(\n queryParamsForFetchingData.granularity\n )\n }\n }\n\n /*\n TODO: Remove this once UA metrics are supported in DEv2\n (reference: TENJIN-11758, TENJIN-12909)\n */\n const shouldHideUaMetrics = isSkAdNetworkReport(reportType)\n\n if (shouldHideUaMetrics) {\n queryParamsForFetchingData = {\n ...queryParamsForFetchingData,\n metrics: filter(\n queryParamsForFetchingData.metrics,\n metric => !includes(UA_METRICS_AVAILABLE_IN_SK_AD_NETWORK_REPORT, metric)\n )\n }\n }\n\n const fetchExporterPreviewTableData = (isMocking || isEmpty(queryParamsForFetchingData))\n ? fetchMockAppLevelDataByDateForMetrics\n : getQueryFunctionForDataExporter({ isGroupedByDate, reportPage })\n\n const {\n data: groupedSummaryData,\n isError,\n isFetching,\n isLoading,\n refetch\n } = useQuery(['ExporterPreviewTableData', queryKey], () => (\n fetchExporterPreviewTableData({ isFlat: true, params: queryParamsForFetchingData })\n ), DEFAULT_QUERY_OPTIONS)\n\n const isPullingData = isLoading || isFetching || isNull(tableData)\n\n useEffect(() => {\n if (isLoading || isFetching) {\n setIsFetchingTableData(isLoading || isFetching)\n return\n }\n\n if (isError) {\n setTableData([])\n setTableDataInSettings([])\n } else {\n setTableData(groupedSummaryData)\n setTableDataInSettings(groupedSummaryData)\n }\n\n setIsFetchingTableData(false)\n }, [groupedSummaryData, isError, isFetching, isLoading])\n\n const { hasRecentlyReceivedFirstEvents } = onboardingStatus\n\n const hasNoDataToDisplay = !isMocking\n && !isError\n && !isPullingData\n && !hasRecentlyReceivedFirstEvents\n && isArray(tableData)\n && isEmpty(tableData)\n\n const isAwaitingDataToBeCalculated = !isMocking\n && !isError\n && !isPullingData\n && hasRecentlyReceivedFirstEvents\n && isEmpty(tableData)\n\n const shouldHaveNoHorizontalScroll = hasNoDataToDisplay\n || isAwaitingDataToBeCalculated\n\n const tableContainerClassName = classNames(styles.tableContainer, {\n [styles.tableContainerNoXScroll]: shouldHaveNoHorizontalScroll\n })\n\n const tableContainerRef = useRef(null)\n const tableContainerSize = useRefSize(tableContainerRef)\n\n return (\n \n
\n
\n \n\n {hasNoDataToDisplay && }\n\n {isAwaitingDataToBeCalculated && (\n \n )}\n \n
\n\n {isMocking &&
}\n\n {isError &&
}\n
\n )\n}\n\nExporterPreviewTable.propTypes = {\n className: PropTypes.oneOfType([\n PropTypes.array,\n PropTypes.string\n ])\n}\n\nExporterPreviewTable.defaultProps = {\n className: ''\n}\n\nexport default ExporterPreviewTable\n","import { useMemo, useRef } from 'react'\nimport { useLocation } from 'react-router-dom'\nimport PropTypes from 'prop-types'\nimport {\n useBlockLayout,\n useExpanded,\n useGlobalFilter,\n usePagination,\n useSortBy,\n useTable\n} from 'react-table'\nimport {\n includes,\n head,\n keys,\n isArray\n} from 'lodash'\nimport { camelCase } from 'camel-case'\n\nimport { deepCamelKeys } from '../../../../../utils/helpers'\n\nimport PaginatedTableInstance from '../PaginatedTableInstance'\n\nimport {\n INITIAL_STATE_SORT_BY,\n DEFAULT_PAGE_INDEX,\n DEFAULT_PAGE_SIZE\n} from './constants'\n\nimport { getColumnsForSelectedMetrics, getDefaultHeaders } from './helpers'\nimport { useMetricDefinitionsState } from '../../../../../contexts/MetricDefinitions'\nimport {\n useGroupedSummaryTableSettingsState\n} from '../../../../../contexts/GroupedSummaryTableSettings'\nimport {\n useReportingFiltersState,\n getReportTypeFromLocation\n} from '../../../../../contexts/ReportingFilters'\nimport useRefSize from '../../../../../hooks/useRefSize'\n\nconst PaginatedTable = ({\n hasNoData,\n isPullingData,\n tableContainerWidth,\n tableData,\n selectedMetrics\n}) => {\n const location = useLocation()\n const reportType = getReportTypeFromLocation(location)\n\n const { metricDefinitions } = useMetricDefinitionsState()\n const { rules: drilldownRules } = useGroupedSummaryTableSettingsState()\n\n const { dataExporterQuery, countries } = useReportingFiltersState()\n\n const tableRef = useRef(null)\n const tableSize = useRefSize(tableRef)\n\n const showDate = !includes(dataExporterQuery.granularity, 'totals')\n\n const columnKeys = keys(head(tableData))\n\n const groupBy = dataExporterQuery.groupBy && (\n isArray(dataExporterQuery.groupBy)\n ? deepCamelKeys(dataExporterQuery.groupBy)\n : camelCase(dataExporterQuery.groupBy)\n )\n\n const [columns, data] = useMemo(\n () => {\n const memoizedColumns = [\n ...getDefaultHeaders({\n columnKeys,\n countries,\n groupBy,\n reportType,\n showDate\n }),\n ...getColumnsForSelectedMetrics({\n isUsingDates: showDate,\n metricDefinitions,\n selectedMetrics,\n tableContainerWidth,\n tableWidth: tableSize.width\n })\n ]\n\n const memoizedData = tableData || []\n\n return [memoizedColumns, memoizedData]\n },\n [\n drilldownRules, metricDefinitions, selectedMetrics, tableContainerWidth,\n tableData, tableSize.width\n ]\n )\n\n const tableInstance = useTable(\n {\n autoResetExpanded: false,\n autoResetGlobalFilter: false,\n autoResetSortBy: false,\n columns,\n data,\n disableMultiSort: true,\n getSubRows: row => row.subRows,\n initialState: {\n pageIndex: DEFAULT_PAGE_INDEX,\n pageSize: DEFAULT_PAGE_SIZE,\n sortBy: INITIAL_STATE_SORT_BY\n }\n },\n /*\n Note: The ordering of react-table hooks is important here\n https://github.com/tannerlinsley/react-table/issues/1493\n */\n useBlockLayout,\n useGlobalFilter,\n useSortBy,\n useExpanded,\n usePagination\n )\n\n return (\n \n )\n}\n\nPaginatedTable.propTypes = {\n hasNoData: PropTypes.bool.isRequired,\n isLoading: PropTypes.bool,\n isPullingData: PropTypes.bool,\n selectedMetrics: PropTypes.arrayOf(PropTypes.string),\n tableContainerWidth: PropTypes.number,\n tableData: PropTypes.arrayOf(PropTypes.object)\n}\n\nPaginatedTable.defaultProps = {\n isLoading: false,\n isPullingData: false,\n selectedMetrics: [],\n tableContainerWidth: null,\n tableData: []\n}\n\nexport default PaginatedTable\n","import { forwardRef } from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport { isEmpty } from 'lodash'\n\nimport TableData from '../../../../Table/Data'\nimport TableFakeRows from '../../../../Table/FakeRows'\nimport TableHeader from '../../../../Table/Header'\nimport TableRow from '../../../../Table/Row'\nimport TableSkeletonRows from '../../../../Table/SkeletonRows'\nimport TableNoDataRow from '../../../../Table/NoDataRow'\nimport PaginationControls from '../PaginationControls'\n\nimport { getTopLevelRowsById } from '../../../../Table/helpers'\n\nimport styles from './styles.module.scss'\n\nconst PaginatedTableInstance = forwardRef((props, ref) => {\n /* eslint-disable react/prop-types */\n const {\n canNextPage,\n canPreviousPage,\n getTableBodyProps,\n getTableProps,\n gotoPage,\n hasNoData,\n headerGroups,\n isPullingData,\n nextPage,\n page,\n pageCount,\n pageOptions,\n prepareRow,\n previousPage,\n rows,\n setPageSize,\n state: { pageIndex, pageSize }\n } = props\n /* eslint-enable react/prop-types */\n\n const hasNoRowsOfData = isEmpty(page)\n\n const shouldShowTableData = !(isPullingData || hasNoRowsOfData || hasNoData)\n\n const hasNoSearchDataToDisplay = !isPullingData\n && !hasNoData\n && hasNoRowsOfData\n\n const topLevelRowsById = getTopLevelRowsById(page)\n\n /* eslint-disable react/jsx-props-no-spreading */\n return (\n \n
\n
\n {\n // eslint-disable-next-line react/prop-types\n headerGroups.map(headerGroup => (\n
\n {headerGroup.headers.map(column => {\n const isNameColumn = column.id === 'name'\n\n const hideReactTableTooltips = { title: undefined }\n\n const sortByProps = column.getSortByToggleProps({ ...hideReactTableTooltips })\n const title = isNameColumn ? null : sortByProps.title\n\n const onClick = async event => {\n sortByProps.onClick(event)\n }\n\n return (\n
\n {column.render('Header')}\n \n )\n })}\n
\n ))\n }\n
\n\n
\n {isPullingData && (\n
\n )}\n\n {shouldShowTableData && (\n // eslint-disable-next-line react/prop-types\n page.map(row => {\n prepareRow(row)\n\n return (\n
\n {row.cells.map((cell, index) => {\n const isFirstColumn = index === 0\n\n const isNameColumn = cell.column.id === 'name'\n\n /*\n TODO: Remove this section and nesting related code as\n data exporter does not handle row expansion\n */\n const tdClassName = classNames(\n {\n [styles.nameCell]: isNameColumn,\n [styles.depthOne]: isFirstColumn && row.depth === 1,\n [styles.depthTwo]: isFirstColumn && row.depth === 2,\n [styles.depthThree]: isFirstColumn && row.depth === 3,\n [styles.depthFour]: isFirstColumn && row.depth === 4,\n [styles.paddingForSortIcon]: !isNameColumn\n },\n styles.cell\n )\n\n return (\n \n {cell.render('Cell')}\n \n )\n })}\n \n )\n })\n )}\n\n {hasNoData && (\n
\n )}\n\n {hasNoSearchDataToDisplay && (\n
\n )}\n
\n
\n )\n /* eslint-enable react/jsx-props-no-spreading */\n})\n\nPaginatedTableInstance.propTypes = {\n hasNoData: PropTypes.bool.isRequired,\n isPullingData: PropTypes.bool\n}\n\nPaginatedTableInstance.defaultProps = {\n isPullingData: false\n}\n\nexport default PaginatedTableInstance\n","import PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport styles from './styles.module.scss'\n\nimport Toolbar from '../../../../Toolbar'\nimport ToolbarButton from '../../../../ToolbarButton'\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\nimport PageSelector from './PageSelector'\nimport PageSizeSelector from './PageSizeSelector'\n\nconst PaginationControls = ({\n canNextPage,\n canPreviousPage,\n className,\n gotoPage,\n isPullingData,\n nextPage,\n pageCount,\n pageIndex,\n pageOptions,\n pageSize,\n previousPage,\n rowCount,\n setPageSize\n}) => (\n \n
\n gotoPage(0)}\n disabled={!canPreviousPage}\n >\n \n \n previousPage()}\n disabled={!canPreviousPage}\n >\n \n \n nextPage()}\n disabled={!canNextPage}\n >\n \n \n gotoPage(pageCount - 1)}\n disabled={!canNextPage}\n >\n \n \n \n
\n
\n
\n)\n\nPaginationControls.propTypes = {\n canNextPage: PropTypes.bool.isRequired,\n canPreviousPage: PropTypes.bool.isRequired,\n className: PropTypes.string,\n gotoPage: PropTypes.func.isRequired,\n isPullingData: PropTypes.bool.isRequired,\n nextPage: PropTypes.func.isRequired,\n pageCount: PropTypes.number.isRequired,\n pageIndex: PropTypes.number.isRequired,\n pageOptions: PropTypes.arrayOf(PropTypes.number).isRequired,\n pageSize: PropTypes.number.isRequired,\n previousPage: PropTypes.bool.isRequired,\n rowCount: PropTypes.number.isRequired,\n setPageSize: PropTypes.func.isRequired\n}\n\nPaginationControls.defaultProps = {\n className: null\n}\n\nexport default PaginationControls\n","import PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport styles from './styles.module.scss'\nimport Dropdown from '../../../../../Dropdown'\nimport FontAwesomeIcon from '../../../../../FontAwesomeIcon'\n\nconst PageSelector = ({\n className,\n gotoPage,\n isPullingData,\n pageIndex,\n pageOptions\n}) => {\n const handleChangePageSize = ({ value: updatedPageSize }) => gotoPage(updatedPageSize)\n\n const formattedPageOptions = pageOptions.map(pageOption => ({\n label: String(pageOption + 1),\n value: pageOption\n }))\n\n const noValueSymbol = \n\n const value = {\n label: isPullingData ? noValueSymbol : `${pageIndex + 1} of ${pageOptions.length}`,\n value: pageIndex\n }\n\n return (\n \n option.label}\n getOptionValue={option => option.value}\n isClearable={false}\n isSearchable\n onChange={handleChangePageSize}\n options={formattedPageOptions}\n value={value}\n placeholder=\"Select page\"\n />\n
\n )\n}\n\nPageSelector.propTypes = {\n className: PropTypes.string,\n gotoPage: PropTypes.func.isRequired,\n isPullingData: PropTypes.bool.isRequired,\n pageIndex: PropTypes.func.isRequired,\n pageOptions: PropTypes.arrayOf(PropTypes.number).isRequired\n}\n\nPageSelector.defaultProps = {\n className: null\n}\n\nexport default PageSelector\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport styles from './styles.module.scss'\n\nimport { PAGE_SIZE_OPTIONS } from './constants'\nimport Dropdown from '../../../../../Dropdown'\nimport { calculateRowRange, getAllRowsText } from './helpers'\nimport FontAwesomeIcon from '../../../../../FontAwesomeIcon'\n\nconst PageSizeSelector = ({\n className,\n isPullingData,\n pageIndex,\n pageSize,\n rowCount,\n setPageSize\n}) => {\n const isShowingAllRows = pageSize >= rowCount\n\n const handleChangePageSize = ({ value: updatedPageSize }) => setPageSize(updatedPageSize)\n\n const allRowsText = getAllRowsText(rowCount)\n\n const { end, start } = calculateRowRange({ pageIndex, pageSize, rowCount })\n\n const someRowsText = (\n \n {pageSize}{' '}\n \n Viewing {start}-{end} of {rowCount} rows.\n \n \n )\n\n const rowsLabel = isShowingAllRows ? allRowsText : someRowsText\n\n const noValueSymbol = \n\n const value = {\n label: isPullingData ? noValueSymbol : rowsLabel,\n value: pageSize\n }\n\n return (\n \n option.label}\n getOptionValue={option => option.value}\n isClearable={false}\n onChange={handleChangePageSize}\n options={PAGE_SIZE_OPTIONS}\n value={value}\n placeholder=\"Select page size\"\n />\n
\n )\n}\n\nPageSizeSelector.propTypes = {\n className: PropTypes.string,\n isPullingData: PropTypes.bool.isRequired,\n pageIndex: PropTypes.number.isRequired,\n pageSize: PropTypes.number.isRequired,\n rowCount: PropTypes.number.isRequired,\n setPageSize: PropTypes.func.isRequired\n}\n\nPageSizeSelector.defaultProps = {\n className: null\n}\n\nexport default PageSizeSelector\n","import { Fragment } from 'react'\nimport classNames from 'classnames'\nimport { useLocation } from 'react-router-dom'\n\nimport DeleteReportBtn from './DeleteReportBtn'\nimport DownloadCSVBtn from './DownloadCSVBtn'\nimport SaveReportBtn from './SaveReportBtn'\nimport SavedReportSelector from './SavedReportSelector'\n\nimport {\n isSkAdNetworkReport,\n getReportTypeFromLocation\n} from '../../../../contexts/ReportingFilters'\n\nconst ExporterActions = () => {\n const location = useLocation()\n const reportType = getReportTypeFromLocation(location)\n\n const allowSave = !isSkAdNetworkReport(reportType)\n\n const className = classNames('u-flex', 'u-flexJustifyStart')\n\n return (\n \n {allowSave && (\n \n \n \n \n \n )}\n\n \n
\n )\n}\n\nexport default ExporterActions\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport { useLocation, useHistory } from 'react-router-dom'\nimport { noop } from '../../../../../utils/helpers'\n\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\n\nimport styles from './styles.module.scss'\n\nimport {\n useReportingFiltersState,\n useReportingFiltersDispatch,\n getReportTypeFromLocation,\n getSavedReportFromLocation\n} from '../../../../../contexts/ReportingFilters'\n\nimport { deleteSavedReport } from '../../../../../api/reporting'\n\nconst DeleteReportBtn = ({ className }) => {\n const reportingFilters = useReportingFiltersState()\n const reportingFiltersDispatch = useReportingFiltersDispatch()\n\n const history = useHistory()\n const location = useLocation()\n const reportType = getReportTypeFromLocation(location)\n\n const selectedSavedReport = getSavedReportFromLocation({\n location,\n reportType,\n reportingFilters\n })\n\n const {\n isDeletingReport,\n isDeletingReportError,\n savedReportName\n } = reportingFilters\n\n const saveBtnClassName = classNames('btn', 'btn-lg', 'btn-danger', {\n disabled: isDeletingReport || isDeletingReportError || !savedReportName\n })\n\n const canClickDelete = !isDeletingReport && !isDeletingReportError && savedReportName\n\n const deleteIcon = 'trash'\n const deleteText = isDeletingReportError || 'Delete Report'\n\n const handleClick = async () => {\n reportingFiltersDispatch({\n payload: { isDeletingReport: true },\n type: 'SET_IS_DELETING_REPORT'\n })\n\n try {\n // eslint-disable-next-line no-alert\n if (window.confirm(`Delete ${selectedSavedReport.name}`)) {\n await deleteSavedReport(selectedSavedReport.id)\n\n const refreshUrl = `${location.pathname}?report_type=${reportType}`\n\n history.push(refreshUrl)\n history.go(0)\n }\n } catch (error) {\n const errorMessage = error.response?.data?.error || 'Something went wrong.'\n\n reportingFiltersDispatch({\n payload: { isDeletingReportError: errorMessage },\n type: 'SET_IS_DELETING_REPORT_ERROR'\n })\n\n reportingFiltersDispatch({\n payload: { isDeletingReport: false },\n type: 'SET_IS_DELETING_REPORT'\n })\n }\n }\n\n /* eslint-disable jsx-a11y/interactive-supports-focus, jsx-a11y/click-events-have-key-events */\n return (\n \n
\n {isDeletingReport ? (\n \n Deleting\n \n ) : (\n \n {deleteText}\n \n )}\n
\n
\n )\n /* eslint-enable jsx-a11y/interactive-supports-focus */\n}\n\nDeleteReportBtn.propTypes = {\n className: PropTypes.string\n}\n\nDeleteReportBtn.defaultProps = {\n className: ''\n}\n\nexport default DeleteReportBtn\n","import classNames from 'classnames'\nimport { CSVLink } from 'react-csv'\nimport PropTypes from 'prop-types'\nimport { useLocation } from 'react-router-dom'\n\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\n\nimport {\n useReportingFiltersState,\n getQueryParams\n} from '../../../../../contexts/ReportingFilters'\n\nimport { useMetricDefinitionsState } from '../../../../../contexts/MetricDefinitions'\nimport { useCurrentUserState } from '../../../../../contexts/CurrentUser'\nimport {\n buildDataExporterCSVData,\n getCSVHeaders,\n getCSVFilename\n} from '../../../../DownloadCSVButtonClient/helpers'\n\nimport styles from './styles.module.scss'\n\nconst DownloadCSVBtn = ({ className }) => {\n const location = useLocation()\n const reportingFilters = useReportingFiltersState()\n const { currentUser } = useCurrentUserState()\n const { metricDefinitions } = useMetricDefinitionsState()\n\n const { dataExporterTableData, dataExporterQuery, apps } = reportingFilters\n\n const urlParams = getQueryParams({\n currentUser,\n location,\n reportingFilters\n })\n\n const groupBy = dataExporterQuery.groupBy || urlParams.groupBy\n const startDate = dataExporterQuery.startDate || urlParams.startDate\n const endDate = dataExporterQuery.endDate || urlParams.endDate\n\n const csvData = buildDataExporterCSVData({\n apps,\n data: dataExporterTableData,\n groupBy,\n metricDefinitions\n })\n\n const headers = getCSVHeaders(csvData)\n const filename = getCSVFilename({ endDate, groupBy, startDate })\n\n const hasCsvData = csvData.length > 0\n\n return (\n \n \n Download CSV\n \n
\n )\n}\n\nDownloadCSVBtn.propTypes = {\n className: PropTypes.string\n}\n\nDownloadCSVBtn.defaultProps = {\n className: ''\n}\n\nexport default DownloadCSVBtn\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport { useLocation } from 'react-router-dom'\nimport { noop } from '../../../../../utils/helpers'\n\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\n\nimport styles from './styles.module.scss'\n\nimport {\n useReportingFiltersState,\n useReportingFiltersDispatch,\n getSavedReportPayloadFromFilters,\n getReportTypeFromLocation,\n getSavedReportFromLocation\n} from '../../../../../contexts/ReportingFilters'\n\nimport { updateSavedReport } from '../../../../../api/reporting'\n\nconst SaveReportBtn = ({ className }) => {\n const reportingFilters = useReportingFiltersState()\n const reportingFiltersDispatch = useReportingFiltersDispatch()\n\n const location = useLocation()\n const reportType = getReportTypeFromLocation(location)\n\n const selectedSavedReport = getSavedReportFromLocation({\n location,\n reportType,\n reportingFilters\n })\n\n const {\n isSavingReport,\n isSavingReportError,\n savedReportName\n } = reportingFilters\n\n const saveBtnClassName = classNames('btn', 'btn-lg', {\n 'btn-danger': isSavingReportError,\n 'btn-success': !isSavingReportError,\n disabled: isSavingReport || isSavingReportError || !savedReportName\n })\n\n const canClickSave = !isSavingReport && !isSavingReportError && savedReportName\n\n const saveIcon = isSavingReportError ? 'times' : 'save'\n const saveText = isSavingReportError || 'Save Report'\n\n const handleClick = async () => {\n const data = getSavedReportPayloadFromFilters({\n reportType,\n reportingFilters\n })\n\n reportingFiltersDispatch({\n payload: { isSavingReport: true },\n type: 'SET_IS_SAVING_REPORT'\n })\n\n try {\n await updateSavedReport({ data, id: selectedSavedReport.id })\n } catch (error) {\n const errorMessage = error.response?.data?.error || 'Something went wrong.'\n\n reportingFiltersDispatch({\n payload: { isSavingReportError: errorMessage },\n type: 'SET_IS_SAVING_REPORT_ERROR'\n })\n }\n\n reportingFiltersDispatch({\n payload: { isSavingReport: false },\n type: 'SET_IS_SAVING_REPORT'\n })\n }\n\n /* eslint-disable jsx-a11y/interactive-supports-focus, jsx-a11y/click-events-have-key-events */\n return (\n \n
\n {isSavingReport ? (\n \n Saving\n \n ) : (\n \n {saveText}\n \n )}\n
\n
\n )\n /* eslint-enable jsx-a11y/interactive-supports-focus */\n}\n\nSaveReportBtn.propTypes = {\n className: PropTypes.string\n}\n\nSaveReportBtn.defaultProps = {\n className: ''\n}\n\nexport default SaveReportBtn\n","import { map } from 'lodash'\nimport PropTypes from 'prop-types'\nimport { useEffect } from 'react'\nimport { useHistory, useLocation } from 'react-router-dom'\nimport CreatableSelect from 'react-select/creatable'\n\nimport { createSavedReport } from '../../../../../api/reporting'\nimport {\n getReportTypeFromLocation,\n getSavedReportFromLocation,\n getSavedReportPayloadFromFilters,\n useReportingFiltersDispatch,\n useReportingFiltersState\n} from '../../../../../contexts/ReportingFilters'\nimport { PRIMARY_COLORS } from '../../../../../utils/react-select'\nimport { MAX_MENU_HEIGHT } from './constants'\nimport { buildSavedReportUrl, getDefaultValue } from './helpers'\nimport stylesObj from './styles.module.scss'\n\nconst customStyles = {\n clearIndicator: styles => ({\n ...styles,\n padding: 0\n }),\n container: styles => ({ ...styles, cursor: 'pointer' }),\n control: styles => ({\n ...styles,\n borderColor: stylesObj.controlBorderColor,\n display: 'flex',\n flexGrow: 0,\n flexShrink: 1,\n fontFamily: 'Montserrat',\n height: stylesObj.controlHeight,\n lineHeight: stylesObj.controlLineHeight,\n minWidth: stylesObj.controlMinWidth\n }),\n dropdownIndicator: styles => ({\n ...styles,\n ':hover': {\n ...styles[':hover'],\n color: PRIMARY_COLORS.base\n },\n color: PRIMARY_COLORS.base,\n paddingLeft: 0\n }),\n indicatorSeparator: styles => ({\n ...styles,\n display: 'none',\n width: 0\n }),\n menu: styles => ({\n ...styles,\n whiteSpace: 'nowrap',\n zIndex: stylesObj.menuZIndex\n }),\n singleValue: () => ({ color: PRIMARY_COLORS.base })\n}\n\nconst SavedReportSelector = ({ className }) => {\n const reportingFilters = useReportingFiltersState()\n const reportingFiltersDispatch = useReportingFiltersDispatch()\n\n const location = useLocation()\n const reportType = getReportTypeFromLocation(location)\n const history = useHistory()\n\n const { savedReportsByReportType } = reportingFilters\n\n const savedReportOptions = savedReportsByReportType[reportType]\n\n const selectedSavedReport = getSavedReportFromLocation({\n location,\n reportType,\n reportingFilters\n })\n\n useEffect(() => {\n if (selectedSavedReport) {\n reportingFiltersDispatch({\n payload: { name: selectedSavedReport.name },\n type: 'SET_SAVED_REPORT_NAME'\n })\n }\n }, [location])\n\n const options = [\n {\n label: 'Select Existing Report',\n options: map(savedReportOptions, ({ id, name }) => ({\n label: name,\n value: id\n }))\n }\n ]\n\n const handleChange = async (data, event) => {\n if (event.action === 'clear') {\n reportingFiltersDispatch({\n payload: { name: '' },\n type: 'SET_SAVED_REPORT_NAME'\n })\n\n reportingFiltersDispatch({\n payload: { isSavingReportError: null },\n type: 'SET_IS_SAVING_REPORT_ERROR'\n })\n }\n\n if (event.action === 'select-option') {\n reportingFiltersDispatch({\n payload: { name: data.label },\n type: 'SET_SAVED_REPORT_NAME'\n })\n\n reportingFiltersDispatch({\n payload: { isSavingReportError: null },\n type: 'SET_IS_SAVING_REPORT_ERROR'\n })\n\n reportingFiltersDispatch({\n payload: { isFilterDirty: false },\n type: 'SET_IS_FILTER_DIRTY'\n })\n\n const savedReportUrl = buildSavedReportUrl({\n location,\n reportType,\n savedReportId: data.value\n })\n\n history.push(savedReportUrl)\n }\n\n if (event.action === 'create-option') {\n reportingFiltersDispatch({\n payload: { name: data.value },\n type: 'SET_SAVED_REPORT_NAME'\n })\n\n reportingFiltersDispatch({\n payload: { isSavingReport: true },\n type: 'SET_IS_SAVING_REPORT'\n })\n\n const payload = getSavedReportPayloadFromFilters({\n reportType,\n reportingFilters\n })\n\n try {\n const {\n data: { id }\n } = await createSavedReport({ ...payload, name: data.value })\n\n const savedReportUrl = buildSavedReportUrl({\n location,\n reportType,\n savedReportId: id\n })\n\n history.push(savedReportUrl)\n history.go(0)\n } catch (error) {\n const errorMessage =\n error.response?.data?.error || 'Something went wrong.'\n\n reportingFiltersDispatch({\n payload: { isSavingReportError: errorMessage },\n type: 'SET_IS_SAVING_REPORT_ERROR'\n })\n\n reportingFiltersDispatch({\n payload: { isSavingReport: false },\n type: 'SET_IS_SAVING_REPORT'\n })\n }\n }\n }\n\n return (\n \n `Save \"${label}\" as new report`}\n onChange={handleChange}\n maxMenuHeight={MAX_MENU_HEIGHT}\n placeholder=\"Enter Report Name\"\n options={options}\n styles={customStyles}\n theme={theme => ({\n ...theme,\n colors: {\n ...theme.colors,\n primary: PRIMARY_COLORS.base,\n primary25: PRIMARY_COLORS['25'],\n primary50: PRIMARY_COLORS['50'],\n primary75: PRIMARY_COLORS['75']\n }\n })}\n />\n
\n )\n}\n\nSavedReportSelector.propTypes = {\n className: PropTypes.string\n}\n\nSavedReportSelector.defaultProps = {\n className: ''\n}\n\nexport default SavedReportSelector\n","import classNames from 'classnames'\nimport { filter } from 'lodash'\nimport React, { useEffect, useState } from 'react'\nimport { useHistory, useLocation } from 'react-router-dom'\n\nimport { useCurrentUserState } from '../../../../contexts/CurrentUser'\nimport { useGroupedSummaryTableSettingsState } from '../../../../contexts/GroupedSummaryTableSettings'\nimport { useMetricDefinitionsDispatch } from '../../../../contexts/MetricDefinitions'\nimport {\n getReportPageByReportType,\n getSavedReportFromLocation,\n isPublisherReport,\n isSkAdNetworkReport,\n isUserAcquisitionReport,\n useReportingFiltersDispatch,\n useReportingFiltersState\n} from '../../../../contexts/ReportingFilters'\nimport { USER_ACQUISITION_REPORT_TYPE_STR } from '../../../../contexts/ReportingFilters/constants'\nimport ClickOutsideAlerter from '../../../ClickOutsideAlerter'\nimport LoadingOverlay from '../../../LoadingOverlay'\nimport AppsFilter from '../../../ReportingSidebar/AppsFilter'\nimport ChannelsFilter from '../../../ReportingSidebar/ChannelsFilter'\nimport Collapser from '../../../ReportingSidebar/Collapser'\nimport CountriesFilter from '../../../ReportingSidebar/CountriesFilter'\nimport DateFilter from '../../../ReportingSidebar/DateFilter'\nimport styles from '../../../ReportingSidebar/styles.module.scss'\nimport SkAdNetworkAppsFilter from '../../SkAdNetworkPage/ReportingSidebar/AppsFilter'\nimport ClearFiltersBtn from './ClearFiltersBtn'\nimport FetchResultsBtn from './FetchResultsBtn'\nimport GranularityFilter from './GranularityFilter'\nimport {\n buildQueryParamsFromFilterChanges,\n buildStateFromQueryParams,\n getFilterChanges\n} from './helpers'\nimport MetricsFilter from './MetricsFilter'\nimport MultiSelectGroupByFilter from './MultiSelectGroupByFilter'\nimport ReportTypeFilter from './ReportTypeFilter'\nimport SingleSelectGroupByFilter from './SingleSelectGroupByFilter'\n\nconst ReportingSidebar = () => {\n const reportingFilters = useReportingFiltersState()\n const reportingFiltersDispatch = useReportingFiltersDispatch()\n\n const metricDefinitionsDispatch = useMetricDefinitionsDispatch()\n const { metricColumnsByReport } = useGroupedSummaryTableSettingsState()\n\n const history = useHistory()\n const location = useLocation()\n\n const { currentUser } = useCurrentUserState()\n\n const [state, setState] = useState({\n currentOpenPane: null,\n ...buildStateFromQueryParams({\n currentUser,\n location,\n metricColumnsByReport,\n reportingFilters\n })\n })\n\n const [isChangingReportType, setIsChangingReportType] = useState(false)\n\n const { isSidebarCollapsed: isCollapsed } = reportingFilters\n\n const {\n currentApps,\n currentCountries,\n currentChannels,\n currentEndDate,\n currentGranularity,\n currentGroupBy,\n currentMetrics,\n currentOpenPane,\n currentStartDate,\n selectedReport,\n unappliedApps,\n unappliedCountries,\n unappliedChannels,\n unappliedEndDate,\n unappliedGranularity,\n unappliedGroupBy,\n unappliedMetrics,\n unappliedStartDate,\n dataExporterQuery\n } = state\n\n useEffect(() => {\n reportingFiltersDispatch({\n payload: { dataExporterQuery },\n type: 'UPDATE_DATA_EXPORTER_QUERY'\n })\n }, [dataExporterQuery])\n\n useEffect(() => {\n setState({\n ...state,\n ...buildStateFromQueryParams({\n currentUser,\n location,\n metricColumnsByReport,\n reportingFilters\n })\n })\n }, [location])\n\n const {\n canApplyChanges,\n hasAppsFilterChanges,\n hasChannelsFilterChanges,\n hasCountriesFilterChanges,\n hasDateFilterChanges,\n hasFilterChanges,\n hasMetricsFilterChanges,\n hasGranularityFilterChanges,\n hasGroupByFilterChanges\n } = getFilterChanges({\n currentApps,\n currentChannels,\n currentCountries,\n currentEndDate,\n currentGranularity,\n currentGroupBy,\n currentMetrics,\n currentStartDate,\n unappliedApps,\n unappliedChannels,\n unappliedCountries,\n unappliedEndDate,\n unappliedGranularity,\n unappliedGroupBy,\n unappliedMetrics,\n unappliedStartDate\n })\n\n const togglePaneFor = pane =>\n setState({\n ...state,\n currentOpenPane: currentOpenPane === pane ? null : pane\n })\n\n const closeCurrentPane = () => setState({ ...state, currentOpenPane: null })\n\n const handleClickFetchResults = () => {\n /*\n Note: This button is not clickable unless the filters\n have changed, setting isFilterDirty here\n prevents the savedReport from overwriting the\n updated filters.\n */\n reportingFiltersDispatch({\n payload: { isFilterDirty: true },\n type: 'SET_IS_FILTER_DIRTY'\n })\n\n const urlParams = buildQueryParamsFromFilterChanges({\n apps: unappliedApps,\n channels: unappliedChannels,\n /*\n TODO: Add default prop validation for components\n that fail with empty countries\n */\n countries: unappliedCountries || [],\n endDate: unappliedEndDate,\n granularity: unappliedGranularity,\n groupBy: unappliedGroupBy,\n metrics: unappliedMetrics,\n reportingFilters,\n selectedReport,\n startDate: unappliedStartDate\n })\n\n let updatedUrl = `${location.pathname}?${urlParams}`\n\n const selectedSavedReport = getSavedReportFromLocation({\n location,\n reportType: selectedReport,\n reportingFilters\n })\n\n if (selectedSavedReport) {\n updatedUrl = `${updatedUrl}&saved_report_id=${selectedSavedReport.id}`\n }\n\n history.push(updatedUrl)\n\n closeCurrentPane()\n }\n\n const handleClickClearFilters = () => {\n const urlParams =\n selectedReport !== USER_ACQUISITION_REPORT_TYPE_STR\n ? `?report_type=${selectedReport}`\n : ''\n\n history.push(`${location.pathname}${urlParams}`)\n closeCurrentPane()\n }\n\n const handleChangeReportType = reportType => {\n metricDefinitionsDispatch({\n payload: { reportType },\n type: 'CHANGE_REPORT_TYPE'\n })\n setIsChangingReportType(true)\n }\n\n const handleChangeGranularity = ({ reportType, granularity }) => {\n metricDefinitionsDispatch({\n payload: {\n granularity,\n reportPage: getReportPageByReportType(reportType)\n },\n type: 'CHANGE_GRANULARITY'\n })\n }\n\n useEffect(() => {\n const selectedApps = unappliedApps.slice(0, 1)\n\n if (selectedApps.length > 0) {\n reportingFiltersDispatch({\n payload: { selectedApps },\n type: 'UPDATE_SELECTED_APPS'\n })\n }\n }, [unappliedApps])\n\n const showUserAcquisitionFilters = isUserAcquisitionReport(selectedReport)\n const showAdMonetizationFilters = isPublisherReport(selectedReport)\n const showSkAdNetworkReportFilters = isSkAdNetworkReport(selectedReport)\n const showSingleSelectGroupByFilter =\n showUserAcquisitionFilters || showAdMonetizationFilters\n const showCountriesFilter =\n showUserAcquisitionFilters || showAdMonetizationFilters\n\n if (isChangingReportType) {\n return \n }\n\n return (\n \n \n
\n
togglePaneFor('reportType')}\n onChangeReportType={reportType =>\n handleChangeReportType(reportType)\n }\n />\n\n {\n setState({\n ...state,\n unappliedEndDate: endDate,\n unappliedStartDate: startDate\n })\n }}\n onCloseClick={closeCurrentPane}\n onLabelClick={() => togglePaneFor('dates')}\n selectedEndDate={unappliedEndDate}\n selectedStartDate={unappliedStartDate}\n />\n\n {\n setState({\n ...state,\n currentOpenPane: null,\n unappliedGranularity: granularity\n })\n handleChangeGranularity({\n granularity,\n reportType: selectedReport\n })\n }}\n onCloseClick={closeCurrentPane}\n onLabelClick={() => togglePaneFor('granularity')}\n selectedGranularity={unappliedGranularity}\n />\n\n {showSingleSelectGroupByFilter && (\n {\n setState({\n ...state,\n currentOpenPane: null,\n unappliedGroupBy: groupBy\n })\n }}\n onCloseClick={closeCurrentPane}\n onLabelClick={() => togglePaneFor('groupBy')}\n selectedChannels={unappliedChannels}\n selectedGroupBy={unappliedGroupBy}\n />\n )}\n\n {showSkAdNetworkReportFilters && (\n {\n setState({ ...state, unappliedGroupBy: groupBy })\n }}\n onCloseClick={closeCurrentPane}\n onLabelClick={() => togglePaneFor('groupBy')}\n selectedGroupBy={unappliedGroupBy}\n />\n )}\n\n {showSkAdNetworkReportFilters ? (\n \n setState({\n ...state,\n currentOpenPane: null,\n unappliedApps: apps\n })\n }\n onCloseClick={closeCurrentPane}\n onLabelClick={() => togglePaneFor('apps')}\n selectedApps={unappliedApps.slice(0, 1)}\n />\n ) : (\n setState({ ...state, unappliedApps: apps })}\n onCloseClick={closeCurrentPane}\n onLabelClick={() => togglePaneFor('apps')}\n selectedApps={unappliedApps}\n />\n )}\n\n \n setState({ ...state, unappliedChannels: channels })\n }\n onCloseClick={closeCurrentPane}\n onLabelClick={() => togglePaneFor('channels')}\n selectedChannels={unappliedChannels}\n selectedGroupBy={unappliedGroupBy}\n />\n\n {showCountriesFilter && (\n {\n setState({ ...state, unappliedCountries: newCountries })\n }}\n onCloseClick={closeCurrentPane}\n onLabelClick={() => togglePaneFor('countries')}\n selectedCountries={unappliedCountries}\n selectedGroupBy={unappliedGroupBy}\n />\n )}\n\n \n setState({ ...state, unappliedMetrics: metrics })\n }\n onCloseClick={closeCurrentPane}\n onLabelClick={() => togglePaneFor('metrics')}\n selectedMetrics={unappliedMetrics}\n onClickSelectedMetric={metric => {\n setState({\n ...state,\n unappliedMetrics: filter(\n state.unappliedMetrics,\n unappliedMetric => unappliedMetric !== metric.key\n )\n })\n }}\n />\n\n \n\n \n\n reportingFiltersDispatch({ type: 'TOGGLE_SIDEBAR' })}\n />\n \n
\n \n )\n}\n\nexport default ReportingSidebar\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\n\nimport FontAwesomeIcon from '../../../../../FontAwesomeIcon'\nimport ListItem from '../../../../../ReportingSidebar/Filter/Pane/ListItem'\nimport SingleSelectIcon from '../../../../../ReportingSidebar/Filter/Pane/ListItem/SingleSelectIcon'\nimport PlatformIcon from '../../../../../PlatformIcon'\n\nimport { associatableAppObject } from '../../../../../../utils/customPropTypes'\n\nimport styles from './styles.module.scss'\n\nconst AppsListItem = (\n {\n app,\n isSelected,\n onClick\n }\n) => (\n \n {app.iconUrl && (\n
\n )}\n\n \n\n {app.name}\n \n )}\n onClick={onClick}\n rightContent={(\n app.numSkApps === 0 && (\n \n \n \n )\n )}\n selectionIcon={}\n />\n)\n\nAppsListItem.propTypes = {\n app: associatableAppObject.isRequired,\n isSelected: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nexport default AppsListItem\n","import Tooltip from 'rc-tooltip'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\n\nimport styles from './styles.module.scss'\n\nconst ClearFiltersBtn = ({ isCollapsed, onClick }) => {\n const className = classNames('btn', 'btn-danger', styles.button)\n\n return (\n Clear all filters}\n placement=\"right\"\n >\n \n \n )\n}\n\nClearFiltersBtn.propTypes = {\n isCollapsed: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nexport default ClearFiltersBtn\n","import PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport Tooltip from 'rc-tooltip'\n\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\n\nimport { noop } from '../../../../../utils/helpers'\n\nimport styles from './styles.module.scss'\n\nconst FetchResultsBtn = ({\n canApply, hasFilterChanges, isCollapsed, onClick\n}) => {\n const className = classNames('btn', 'btn-success', styles.button, {\n disabled: !canApply\n })\n\n let tooltipText\n\n if (canApply) {\n tooltipText = 'Apply your filters changes'\n } else if (hasFilterChanges) {\n tooltipText = 'You have some filters that are not valid'\n } else {\n tooltipText = 'You have no filter changes'\n }\n\n return (\n {tooltipText}}\n placement=\"right\"\n >\n \n \n )\n}\n\nFetchResultsBtn.propTypes = {\n canApply: PropTypes.bool.isRequired,\n hasFilterChanges: PropTypes.bool.isRequired,\n isCollapsed: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nexport default FetchResultsBtn\n","import { useState } from 'react'\nimport PropTypes from 'prop-types'\nimport { find, includes } from 'lodash'\n\nimport Filter from '../../../../ReportingSidebar/Filter'\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\nimport Label from '../../../../ReportingSidebar/Filter/Label'\nimport ListItem from './ListItem'\nimport Pane from '../../../../ReportingSidebar/Filter/Pane'\nimport TotalsRadio from './TotalsRadio'\n\nimport { useReportingFiltersState } from '../../../../../contexts/ReportingFilters'\nimport { oneOfSelectableDataExporterGranularities } from '../../../../../utils/customPropTypes'\n\nimport { getGranularitiesByTotalsOption } from './helpers'\n\nconst GranularityFilter = (\n {\n hasFilterChanges,\n isCollapsed,\n isOpen,\n onChange,\n onCloseClick,\n onLabelClick,\n selectedGranularity\n }\n) => {\n const { dataExporterGranularities } = useReportingFiltersState()\n\n const [isUsingTotals, setIsUsingTotals] = useState(includes(selectedGranularity, 'totals-'))\n\n const handleClickTotalsRadio = value => setIsUsingTotals(value)\n\n const activeGranularity = find(dataExporterGranularities, { id: selectedGranularity })\n\n const granularities = getGranularitiesByTotalsOption({\n dataExporterGranularities,\n isUsingTotals\n })\n\n const granularityRadios = granularities.map(granularity => (\n onChange(granularity.id)}\n />\n ))\n\n const tooltipText = `Granularity - ${activeGranularity.name}`\n\n return (\n }\n hasFilterChanges={hasFilterChanges}\n isCollapsed={isCollapsed}\n isDisabled={false}\n isOpen={isOpen}\n isTooltipDisabled={!isCollapsed}\n labelTitle=\"Granularity\"\n onClick={onLabelClick}\n tooltipText={tooltipText}\n >\n {activeGranularity.name}\n \n )}\n pane={(\n \n \n {granularityRadios}\n \n )}\n />\n )\n}\n\nGranularityFilter.propTypes = {\n hasFilterChanges: PropTypes.bool.isRequired,\n isCollapsed: PropTypes.bool.isRequired,\n isOpen: PropTypes.bool.isRequired,\n onChange: PropTypes.func.isRequired,\n onCloseClick: PropTypes.func.isRequired,\n onLabelClick: PropTypes.func.isRequired,\n selectedGranularity: oneOfSelectableDataExporterGranularities.isRequired\n}\n\nexport default GranularityFilter\n","import PropTypes from 'prop-types'\n\nimport ListItem from '../../../../../ReportingSidebar/Filter/Pane/ListItem'\nimport SingleSelectIcon from '../../../../../ReportingSidebar/Filter/Pane/ListItem/SingleSelectIcon'\n\nimport { dataExporterGranularityObject } from '../../../../../../utils/customPropTypes'\n\nconst GranularityListItem = (\n {\n granularity,\n isSelected,\n onClick\n }\n) => (\n }\n />\n)\n\nGranularityListItem.propTypes = {\n granularity: dataExporterGranularityObject.isRequired,\n isSelected: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nexport default GranularityListItem\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\n\nimport styles from './styles.module.scss'\nimport RadioButton from '../../../../../RadioButton/RadioButton'\n\nconst TotalsRadio = ({ isUsingTotals, onClick }) => (\n \n \n Use Totals\n
\n \n onClick(true)}\n >\n Yes\n \n onClick(false)}\n >\n No\n \n
\n \n)\n\nTotalsRadio.propTypes = {\n isUsingTotals: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nexport default TotalsRadio\n","import {\n useEffect,\n useState,\n useMemo,\n Fragment\n} from 'react'\nimport PropTypes from 'prop-types'\nimport {\n map,\n values,\n filter,\n isNil,\n chain,\n includes\n} from 'lodash'\nimport Fuse from 'fuse.js'\nimport { useLocation } from 'react-router-dom'\nimport { FixedSizeList as List } from 'react-window'\n\nimport Filter from '../../../../ReportingSidebar/Filter'\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\nimport Label from '../../../../ReportingSidebar/Filter/Label'\nimport ListItem from './ListItem'\nimport Pane from '../../../../ReportingSidebar/Filter/Pane'\nimport Search from '../../../../ReportingSidebar/Filter/Search'\nimport SelectedItems from '../../../../ReportingSidebar/Filter/SelectedItems'\nimport SelectAll from '../../../../ReportingSidebar/Filter/SelectAll'\n\nimport { isPresent } from '../../../../../utils/helpers'\nimport { buildLabelTextFromMultiSelected } from '../../../../ReportingSidebar/Filter/Label/helpers'\nimport {\n FUSE_OPTIONS,\n MAX_DISPLAY_COUNT,\n METRIC_LIST_HEIGHT_OFFSET,\n METRIC_LIST_ITEM_SIZE\n} from './constants'\nimport { useMetricDefinitionsState } from '../../../../../contexts/MetricDefinitions'\nimport { getBaseMetricDefinitionsMapping } from '../../../../../contexts/MetricDefinitions/helpers'\nimport { getReportTypeFromLocation, isSkAdNetworkReport } from '../../../../../contexts/ReportingFilters'\nimport useWindowDimensions from '../../../../../hooks/useWindowDimensions'\n\nimport { getSelectableMetrics } from './helpers'\nimport { UA_METRICS_AVAILABLE_IN_SK_AD_NETWORK_REPORT } from '../../../../../utils/constants'\nimport { hasSelectedAllVisibleItems } from '../../../../ReportingSidebar/Filter/helpers'\n\nimport styles from './styles.module.scss'\n\nconst createFuseList = metrics => new Fuse(values(metrics), FUSE_OPTIONS)\n\nconst MetricsFilter = (\n {\n hasFilterChanges,\n isCollapsed,\n isOpen,\n onChange,\n onCloseClick,\n onLabelClick,\n selectedMetrics: rawSelectedMetrics,\n onClickSelectedMetric\n }\n) => {\n const location = useLocation()\n const reportType = getReportTypeFromLocation(location)\n\n const { metricDefinitions } = useMetricDefinitionsState()\n\n let metricDefinitionValues\n let selectedMetrics\n\n /*\n TODO: Remove this once UA metrics are supported in DEv2\n (reference: TENJIN-11758, TENJIN-12909)\n */\n const shouldHideUaMetrics = isSkAdNetworkReport(reportType)\n\n if (shouldHideUaMetrics) {\n metricDefinitionValues = chain(metricDefinitions)\n .values()\n .filter(\n ({ key }) => !includes(UA_METRICS_AVAILABLE_IN_SK_AD_NETWORK_REPORT, key)\n )\n .value()\n\n selectedMetrics = filter(\n rawSelectedMetrics,\n key => !includes(UA_METRICS_AVAILABLE_IN_SK_AD_NETWORK_REPORT, key)\n )\n } else {\n metricDefinitionValues = values(metricDefinitions)\n selectedMetrics = rawSelectedMetrics\n }\n\n const metrics = useMemo(\n () => getSelectableMetrics({\n metricDefinitions: metricDefinitionValues,\n reportType\n }),\n [metricDefinitions]\n )\n\n const selectedMetricsInfo = useMemo(() => {\n const metricsMapping = getBaseMetricDefinitionsMapping(metrics)\n\n const selectedMetricsArray = map(\n selectedMetrics,\n selectedMetric => {\n if (metricsMapping[selectedMetric]) {\n return metricsMapping[selectedMetric]\n }\n\n throw new Error(`Missing filter mapping info for metric: ${selectedMetric}`)\n }\n )\n\n return filter(selectedMetricsArray, metric => !isNil(metric))\n }, [metrics, selectedMetrics])\n\n const [searchText, setSearchText] = useState('')\n const [searchableList, setSearchableList] = useState(createFuseList(metrics))\n const [visibleMetrics, setVisibleMetrics] = useState(metrics)\n\n const { height } = useWindowDimensions()\n\n useEffect(() => {\n setSearchableList(createFuseList(metrics))\n }, [metrics])\n\n useEffect(() => {\n if (isPresent(searchText)) {\n setVisibleMetrics(map(searchableList.search(searchText), 'item'))\n } else {\n setVisibleMetrics(metrics)\n }\n }, [searchText])\n\n const handleListItemClick = clickedAppId => {\n if (selectedMetrics.includes(clickedAppId)) {\n onChange(selectedMetrics.filter(appId => appId !== clickedAppId))\n } else {\n onChange([...selectedMetrics, clickedAppId])\n }\n }\n\n // eslint-disable-next-line react/prop-types\n const ListItemRow = ({ index, style }) => {\n const metric = visibleMetrics[index]\n\n return (\n \n handleListItemClick(metric.key)}\n />\n
\n )\n }\n\n const labelText = buildLabelTextFromMultiSelected({\n humanizedSelectedTypeStr: 'Metrics',\n selectable: metrics,\n selected: selectedMetrics\n })\n\n const isAllSelected = hasSelectedAllVisibleItems({\n key: 'key',\n selectedKeys: selectedMetrics,\n visibleItems: visibleMetrics\n })\n\n return (\n }\n hasFilterChanges={hasFilterChanges}\n isCollapsed={isCollapsed}\n isDisabled={false}\n isOpen={isOpen}\n isTooltipDisabled={!isCollapsed}\n labelTitle=\"Metrics\"\n onClick={onLabelClick}\n >\n {labelText}\n \n )}\n pane={(\n \n \n setSearchText(newSearchText)}\n placeholderText=\"Filter Metrics\"\n />\n \n )}\n title=\"Metrics\"\n >\n \n \n \n {ListItemRow}\n
\n \n \n )}\n />\n )\n}\n\nMetricsFilter.propTypes = {\n hasFilterChanges: PropTypes.bool.isRequired,\n isCollapsed: PropTypes.bool.isRequired,\n isOpen: PropTypes.bool.isRequired,\n onChange: PropTypes.func.isRequired,\n onClickSelectedMetric: PropTypes.func.isRequired,\n onCloseClick: PropTypes.func.isRequired,\n onLabelClick: PropTypes.func.isRequired,\n selectedMetrics: PropTypes.arrayOf(PropTypes.string).isRequired\n}\n\nexport default MetricsFilter\n","import PropTypes from 'prop-types'\n\nimport ListItem from '../../../../../ReportingSidebar/Filter/Pane/ListItem'\nimport MultiSelectIcon from '../../../../../ReportingSidebar/Filter/Pane/ListItem/MultiSelectIcon'\nimport MetricTooltip from '../../../../../MetricTooltip'\n\nimport { metricDefinitionObject } from '../../../../../../utils/customPropTypes'\n\nconst MetricsListItem = (\n {\n metric,\n isSelected,\n onClick\n }\n) => (\n \n {metric.displayName}
\n \n )}\n onClick={onClick}\n selectionIcon={}\n />\n)\n\nMetricsListItem.propTypes = {\n isSelected: PropTypes.bool.isRequired,\n metric: metricDefinitionObject.isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nexport default MetricsListItem\n","import PropTypes from 'prop-types'\nimport { map, find } from 'lodash'\n\nimport Filter from '../../../../ReportingSidebar/Filter'\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\nimport Label from '../../../../ReportingSidebar/Filter/Label'\nimport ListItem from './ListItem'\nimport Pane from '../../../../ReportingSidebar/Filter/Pane'\n\nimport { buildLabelTextFromMultiSelected } from '../../../../ReportingSidebar/Filter/Label/helpers'\n\nimport { useReportingFiltersState } from '../../../../../contexts/ReportingFilters'\n\nimport { GROUP_BY_MULTISELECT_LABEL_SPLIT_COUNT } from './constants'\n\nconst MultiSelectGroupByFilter = (\n {\n hasFilterChanges,\n isCollapsed,\n isOpen,\n onChange,\n onCloseClick,\n onLabelClick,\n selectedGroupBy\n }\n) => {\n const { dataExporterGroupBys } = useReportingFiltersState()\n\n const groupBys = map(dataExporterGroupBys, groupBy => {\n const { id: key, name: displayName } = groupBy\n\n return {\n displayName,\n key\n }\n })\n\n const handleListItemClick = clickedGroupById => {\n if (selectedGroupBy.includes(clickedGroupById)) {\n onChange(selectedGroupBy.filter(groupById => groupById !== clickedGroupById))\n } else {\n onChange([...selectedGroupBy, clickedGroupById])\n }\n }\n\n const listItems = []\n\n groupBys.forEach(groupBy => listItems.push(\n handleListItemClick(groupBy.key)}\n />\n ))\n\n const useNumberedLabel = selectedGroupBy.length > GROUP_BY_MULTISELECT_LABEL_SPLIT_COUNT\n || selectedGroupBy.length === 0\n\n let labelText = ''\n\n if (useNumberedLabel) {\n labelText = buildLabelTextFromMultiSelected({\n humanizedSelectedTypeStr: 'Group Bys',\n selectable: groupBys,\n selected: selectedGroupBy\n })\n } else {\n labelText = map(\n selectedGroupBy,\n key => find(groupBys, { key }).displayName\n ).join(', ')\n }\n\n return (\n }\n hasFilterChanges={hasFilterChanges}\n isCollapsed={isCollapsed}\n isDisabled={false}\n isOpen={isOpen}\n isTooltipDisabled={!isCollapsed}\n labelTitle=\"Group By\"\n onClick={onLabelClick}\n >\n {labelText}\n \n )}\n pane={(\n \n {listItems}\n \n )}\n />\n )\n}\n\nMultiSelectGroupByFilter.propTypes = {\n hasFilterChanges: PropTypes.bool.isRequired,\n isCollapsed: PropTypes.bool.isRequired,\n isOpen: PropTypes.bool.isRequired,\n onChange: PropTypes.func.isRequired,\n onCloseClick: PropTypes.func.isRequired,\n onLabelClick: PropTypes.func.isRequired,\n selectedGroupBy: PropTypes.arrayOf(PropTypes.string).isRequired\n}\n\nexport default MultiSelectGroupByFilter\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\n\nimport ListItem from '../../../../../ReportingSidebar/Filter/Pane/ListItem'\nimport MultiSelectIcon from '../../../../../ReportingSidebar/Filter/Pane/ListItem/MultiSelectIcon'\n\nconst GroupByListItem = (\n {\n displayName,\n isSelected,\n onClick\n }\n) => (\n \n {displayName}\n \n )}\n onClick={onClick}\n selectionIcon={}\n />\n)\n\nGroupByListItem.propTypes = {\n displayName: PropTypes.string.isRequired,\n isSelected: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nexport default GroupByListItem\n","import PropTypes from 'prop-types'\nimport { useHistory, useLocation } from 'react-router-dom'\n\nimport Filter from '../../../../ReportingSidebar/Filter'\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\nimport Label from '../../../../ReportingSidebar/Filter/Label'\nimport ListItem from './ListItem'\nimport Pane from '../../../../ReportingSidebar/Filter/Pane'\n\nimport {\n REPORT_TYPE_LABEL_MAPPING, PUBLISHER_REPORT_TYPE_STR, USER_ACQUISITION_REPORT_TYPE_STR,\n SK_AD_NETWORK_REPORT_TYPE_STR\n} from '../../../../../contexts/ReportingFilters/constants'\n\nimport styles from './styles.module.scss'\n\nconst ReportTypeFilter = (\n {\n isCollapsed,\n isOpen,\n onChangeReportType,\n onCloseClick,\n onLabelClick,\n selectedReport\n }\n) => {\n const history = useHistory()\n const location = useLocation()\n\n const handleClickReportType = reportType => {\n onChangeReportType(reportType)\n history.push(`${location.pathname}?report_type=${reportType}`)\n history.go(0)\n }\n\n return (\n }\n isCollapsed={isCollapsed}\n isDisabled={false}\n isOpen={isOpen}\n isTooltipDisabled={!isCollapsed}\n labelTitle=\"Report Type\"\n onClick={onLabelClick}\n hasFilterChanges={false}\n >\n {REPORT_TYPE_LABEL_MAPPING[selectedReport] || 'Select Report Type'}\n \n )}\n pane={(\n \n \n Please select a report type.\n
\n handleClickReportType(USER_ACQUISITION_REPORT_TYPE_STR)}\n isSelected={selectedReport === USER_ACQUISITION_REPORT_TYPE_STR}\n />\n handleClickReportType(PUBLISHER_REPORT_TYPE_STR)}\n isSelected={selectedReport === PUBLISHER_REPORT_TYPE_STR}\n />\n handleClickReportType(SK_AD_NETWORK_REPORT_TYPE_STR)}\n isSelected={selectedReport === SK_AD_NETWORK_REPORT_TYPE_STR}\n />\n \n )}\n />\n )\n}\n\nReportTypeFilter.propTypes = {\n isCollapsed: PropTypes.bool.isRequired,\n isOpen: PropTypes.bool.isRequired,\n onChangeReportType: PropTypes.func.isRequired,\n onCloseClick: PropTypes.func.isRequired,\n onLabelClick: PropTypes.func.isRequired,\n selectedReport: PropTypes.string.isRequired\n}\n\nexport default ReportTypeFilter\n","import PropTypes from 'prop-types'\n\nimport Filter from '../../../../ReportingSidebar/Filter'\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\nimport Label from '../../../../ReportingSidebar/Filter/Label'\nimport ListItem from './ListItem'\nimport Pane from '../../../../ReportingSidebar/Filter/Pane'\nimport TargetingTags from './TargetingTags'\n\nimport { useReportingFiltersState } from '../../../../../contexts/ReportingFilters'\n\nconst SingleSelectGroupByFilter = (\n {\n hasFilterChanges,\n isCollapsed,\n isOpen,\n onChange,\n onCloseClick,\n onLabelClick,\n selectedChannels,\n selectedGroupBy\n }\n) => {\n const {\n canGroupByTargetingTags,\n targetingTags,\n dataExporterGroupBys: groupBys\n } = useReportingFiltersState()\n\n const groupableItems = [\n ...groupBys,\n ...targetingTags\n ]\n\n const currentGroupBy = groupableItems.find(({ id }) => id === selectedGroupBy)\n\n const listItems = groupBys.map(groupBy => (\n onChange(groupBy.id)}\n selectedChannels={selectedChannels}\n />\n ))\n\n if (canGroupByTargetingTags && targetingTags.length > 0) {\n listItems.push(\n \n )\n }\n\n return (\n }\n hasFilterChanges={hasFilterChanges}\n isCollapsed={isCollapsed}\n isDisabled={false}\n isOpen={isOpen}\n isTooltipDisabled={!isCollapsed}\n labelTitle=\"Group By\"\n onClick={onLabelClick}\n tooltipText={`Group By - ${currentGroupBy.name}`}\n >\n {currentGroupBy.name}\n \n )}\n pane={(\n \n {listItems}\n \n )}\n />\n )\n}\n\nSingleSelectGroupByFilter.propTypes = {\n hasFilterChanges: PropTypes.bool.isRequired,\n isCollapsed: PropTypes.bool.isRequired,\n isOpen: PropTypes.bool.isRequired,\n onChange: PropTypes.func.isRequired,\n onCloseClick: PropTypes.func.isRequired,\n onLabelClick: PropTypes.func.isRequired,\n selectedChannels: PropTypes.arrayOf(PropTypes.number).isRequired,\n selectedGroupBy: PropTypes.string.isRequired\n}\n\nexport default SingleSelectGroupByFilter\n","import PropTypes from 'prop-types'\nimport { useLocation } from 'react-router-dom'\n\nimport { getReportPageFromPathname } from '../../../../../../contexts/ReportingFilters'\nimport {\n CREATIVE_GROUP_BY_ID_STR,\n CREATIVES_REPORT_STR,\n CUSTOM_REPORT_STR,\n SITE_ID_GROUP_BY_ID_STR\n} from '../../../../../../contexts/ReportingFilters/constants'\nimport ListItem from '../../../../../ReportingSidebar/Filter/Pane/ListItem'\nimport SingleSelectIcon from '../../../../../ReportingSidebar/Filter/Pane/ListItem/SingleSelectIcon'\n\nconst GroupByListItem = ({\n groupBy,\n isSelected,\n onClick,\n selectedChannels\n}) => {\n let tooltipText\n\n const { pathname } = useLocation()\n\n const reportPage = getReportPageFromPathname(pathname)\n\n const isDisabledSiteId =\n groupBy.id === SITE_ID_GROUP_BY_ID_STR &&\n (selectedChannels.length > 1 || reportPage === CUSTOM_REPORT_STR)\n\n const isDisabledCreative =\n groupBy.id === CREATIVE_GROUP_BY_ID_STR &&\n reportPage !== CREATIVES_REPORT_STR\n\n const isDisabled = isDisabledSiteId || isDisabledCreative\n\n if (isDisabledSiteId) {\n tooltipText =\n selectedChannels.length > 1\n ? 'Must select only 1 Channel to group by Site ID'\n : \"Can't group by Site ID for custom events\"\n } else if (isDisabledCreative) {\n tooltipText = 'Only available in creatives report'\n }\n\n return (\n }\n tooltipText={tooltipText}\n />\n )\n}\n\nGroupByListItem.propTypes = {\n groupBy: PropTypes.shape({ id: PropTypes.string, name: PropTypes.string })\n .isRequired,\n isSelected: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired,\n selectedChannels: PropTypes.arrayOf(PropTypes.number).isRequired\n}\n\nexport default GroupByListItem\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\n\nimport ListItem from '../../../../../ReportingSidebar/Filter/Pane/ListItem'\nimport SingleSelectIcon from '../../../../../ReportingSidebar/Filter/Pane/ListItem/SingleSelectIcon'\n\nimport { useReportingFiltersState } from '../../../../../../contexts/ReportingFilters'\n\nimport styles from './styles.module.scss'\n\nconst TargetingTags = (\n {\n onChange,\n selectedGroupBy\n }\n) => {\n const { targetingTags } = useReportingFiltersState()\n\n return (\n \n \n Targeting Tags\n
\n\n {targetingTags.map(targetingTag => (\n onChange(targetingTag.id)}\n selectionIcon={}\n />\n ))}\n \n )\n}\n\nTargetingTags.propTypes = {\n onChange: PropTypes.func.isRequired,\n selectedGroupBy: PropTypes.string.isRequired\n}\n\nexport default TargetingTags\n","import { useEffect } from 'react'\nimport { QueryClient, QueryClientProvider } from 'react-query'\nimport { Route, Switch, useHistory, useLocation } from 'react-router-dom'\n\nimport { CurrentUserProvider } from '../../../contexts/CurrentUser'\nimport { FeatureFlagsProvider } from '../../../contexts/FeatureFlags'\nimport { GroupedSummaryTableSettingsProvider } from '../../../contexts/GroupedSummaryTableSettings'\nimport { MetricDefinitionsProvider } from '../../../contexts/MetricDefinitions'\nimport { OnboardingStatusProvider } from '../../../contexts/OnboardingStatus'\nimport {\n getEventNameFromQuery,\n getGranularityFromQuery,\n getUrlSearchParams,\n ReportingFiltersProvider\n} from '../../../contexts/ReportingFilters'\nimport usePrevious from '../../../hooks/usePrevious'\nimport { deepCamelKeys, deepSnakeKeys } from '../../../utils/helpers'\nimport { transformMetricColumnsFromServer } from '../../../utils/response'\nimport AdMonetizationPage from '../AdMonetizationPage'\nimport DataExporterPage from '../DataExporterPage'\nimport SkAdNetworkPage from '../SkAdNetworkPage'\nimport UserAcquisitionPage from '../UserAcquisitionPage'\nimport {\n APP_LIMITED_READONLY_ROLE,\n QUERY_REFRESH_INTERVAL,\n QUERY_RETRY_COUNT\n} from './constants'\nimport ReportingFooter from './Footer'\n\nconst queryClient = new QueryClient({\n defaultOptions: {\n queries: {\n refetchInterval: QUERY_REFRESH_INTERVAL,\n refetchOnWindowFocus: false,\n retry: QUERY_RETRY_COUNT\n }\n }\n})\n\n/* eslint-disable react/prop-types */\nconst ReportingPage = ({\n apps,\n canGroupByTargetingTags,\n channels,\n channelsByReportType,\n countries,\n currentUser,\n featureFlags,\n granularities,\n granularitiesByReportType,\n groupBysByReportingContext,\n groupBysByReportType,\n metricColumnsByReport: metricColumnsByReportProp,\n onboardingStatus,\n pathRoot,\n savedReportsByReportType,\n targetingTags\n}) => {\n const location = useLocation()\n const history = useHistory()\n\n const escapedQueryStr = new URLSearchParams(location.search).toString()\n const query = getUrlSearchParams(location.search)\n const unescapedQueryStr = query.toString()\n\n const granularity = getGranularityFromQuery(query)\n const customEventName = getEventNameFromQuery(query)\n\n const metricColumnsByReport = transformMetricColumnsFromServer(\n metricColumnsByReportProp\n )\n\n const user = deepCamelKeys(currentUser)\n const prevUser = usePrevious(user)\n\n const includeUnlinkedApps = !user.roles.includes(APP_LIMITED_READONLY_ROLE)\n\n // The getUrlSearchParams function will unescape the location.search string and we should replace\n // the browser URL if there were changes to the location.search string. If we leave the\n // browser URL as-is it causes issues when a user's session times out and we try to return the\n // user back to the location they were on after they re-authenticate, which has the escaped\n // characters. It causes duplicate escaped characters, which then breaks our dashboard.\n // https://adromance.atlassian.net/browse/TENJIN-8358\n useEffect(() => {\n if (escapedQueryStr !== unescapedQueryStr) {\n history.replace(`${window.location.pathname}?${unescapedQueryStr}`)\n }\n }, [escapedQueryStr, unescapedQueryStr])\n\n useEffect(() => {\n if (user.id !== prevUser?.id) {\n const { email, id, name, organizationId } = user\n\n window.Honeybadger.setContext(\n deepSnakeKeys({\n organizationId,\n userEmail: email,\n userId: id,\n userName: name\n })\n )\n }\n }, [user.id, prevUser?.id])\n\n return (\n \n \n \n \n \n \n \n \n \n \n \n \n \n\n \n \n \n \n \n \n \n \n )\n}\n\nexport default ReportingPage\n/* eslint-enable react/prop-types */\n","import { Fragment, useEffect } from 'react'\nimport { Route } from 'react-router-dom'\n\nimport PageHeader from '../../PageHeader'\nimport Presenter from './presentation'\nimport ReportingContent from '../../ReportingContent'\nimport ReportingPageHeader from '../ReportingPage/Header'\nimport ReportingSidebar from './ReportingSidebar'\nimport useFlashMessagesHook from '../../../hooks/useFlashMessagesHook'\n\nconst SkAdNetworkPage = ({ match }) => {\n useEffect(() => {\n document.title = 'SK Ad Network Report - Tenjin'\n })\n\n useFlashMessagesHook()\n\n return (\n \n \n\n \n \n Conversion Values\n \n\n \n \n \n\n )\n}\n\nexport default SkAdNetworkPage\n","import { useEffect, useState } from 'react'\nimport { useQuery } from 'react-query'\nimport { useLocation } from 'react-router-dom'\nimport { map, isNull } from 'lodash'\n\nimport KPICard from '../../../KPICard'\nimport { useMetricDefinitionsState } from '../../../../contexts/MetricDefinitions'\n\nimport {\n groupMetricDefinitonsByOnboardingStatus, useOnboardingStatusState\n} from '../../../../contexts/OnboardingStatus'\n\nimport { buildQueryParams, useReportingFiltersState } from '../../../../contexts/ReportingFilters'\nimport { useCurrentUserState } from '../../../../contexts/CurrentUser'\nimport { fetchSummarySkAdNetworkData } from '../../../../api/reporting'\n\nimport {\n getKPICardsMetricDefinitions,\n buildSummaryDataMapping\n} from './helpers'\n\nimport { isCompatibleWithUAMetrics } from '../../../GroupedSummaryTable/helpers'\n\nimport {\n DEFAULT_QUERY_OPTIONS,\n CONVERSION_VALUE_QUERY_OVERRIDES\n} from './constants'\n\nconst KPICards = () => {\n const { metricDefinitions: metricDefinitionsState } = useMetricDefinitionsState()\n\n const onboardingStatus = useOnboardingStatusState()\n\n const metricDefinitions = getKPICardsMetricDefinitions(metricDefinitionsState)\n\n const [summaryDataMapping, setSummaryDataMapping] = useState(null)\n\n const {\n mockableMetricDefinitions\n } = groupMetricDefinitonsByOnboardingStatus({ metricDefinitions, onboardingStatus })\n\n const location = useLocation()\n\n const { currentUser } = useCurrentUserState()\n const reportingFilters = useReportingFiltersState()\n\n const queryParamsForFetchingData = {\n ...buildQueryParams({ currentUser, location, reportingFilters }),\n ...CONVERSION_VALUE_QUERY_OVERRIDES\n }\n\n const queryKey = JSON.stringify(queryParamsForFetchingData)\n\n const {\n data: fetchedSummaryData,\n isError,\n isFetching,\n isLoading,\n refetch\n } = useQuery(['kpiCardsSummary', queryKey], () => (\n fetchSummarySkAdNetworkData({\n isCompatibleWithUAMetrics: isCompatibleWithUAMetrics(\n queryParamsForFetchingData.groupBy\n ),\n params: queryParamsForFetchingData\n })\n ), DEFAULT_QUERY_OPTIONS)\n\n const onReloadClick = () => {\n refetch()\n }\n\n const isPullingData = isLoading || isFetching || isNull(fetchedSummaryData)\n\n useEffect(() => {\n if (isError) {\n setSummaryDataMapping({})\n } else {\n setSummaryDataMapping(buildSummaryDataMapping({\n groupBy: queryParamsForFetchingData.groupBy,\n summaryData: fetchedSummaryData\n }))\n }\n }, [fetchedSummaryData, isError, isFetching, isLoading])\n\n const mockedMetricDefinitionKeys = map(mockableMetricDefinitions, 'key')\n\n return (\n \n {metricDefinitions.map((metricDefinition, index) => {\n const { key: metricDefinitionId } = metricDefinition\n\n const isMocking = mockedMetricDefinitionKeys.includes(metricDefinitionId)\n const value = (summaryDataMapping && summaryDataMapping[metricDefinitionId]) || null\n\n return (\n \n )\n })}\n
\n )\n}\n\nexport default KPICards\n","import React, {\n useEffect, useState\n} from 'react'\nimport classNames from 'classnames'\nimport { useHistory, useLocation } from 'react-router-dom'\n\nimport ApplyBtn from '../../../ReportingSidebar/ApplyBtn'\nimport AppsFilter from './AppsFilter'\nimport ChannelsFilter from '../../../ReportingSidebar/ChannelsFilter'\nimport ClickOutsideAlerter from '../../../ClickOutsideAlerter'\nimport Collapser from '../../../ReportingSidebar/Collapser'\nimport DateFilter from '../../../ReportingSidebar/DateFilter'\nimport GroupByFilter from './GroupByFilter'\n\nimport {\n buildQueryParamsFromFilterChanges, buildStateFromQueryParams, getFilterChanges\n} from './helpers'\nimport {\n getReportPageFromPathname, useReportingFiltersDispatch, useReportingFiltersState\n} from '../../../../contexts/ReportingFilters'\nimport {\n useGroupedSummaryTableSettingsDispatch\n} from '../../../../contexts/GroupedSummaryTableSettings'\nimport { useCurrentUserState } from '../../../../contexts/CurrentUser'\n\nimport styles from '../../../ReportingSidebar/styles.module.scss'\n\nconst ReportingSidebar = () => {\n const reportingFilters = useReportingFiltersState()\n const reportingFiltersDispatch = useReportingFiltersDispatch()\n\n const drilldownRulesDispatch = useGroupedSummaryTableSettingsDispatch()\n\n const history = useHistory()\n const location = useLocation()\n\n const { currentUser } = useCurrentUserState()\n\n const [state, setState] = useState({\n currentOpenPane: null,\n ...buildStateFromQueryParams({\n currentUser,\n location,\n reportingFilters\n })\n })\n\n const { isSidebarCollapsed: isCollapsed } = reportingFilters\n\n const {\n currentApps,\n currentChannels,\n currentEndDate,\n currentGroupBy,\n currentOpenPane,\n currentStartDate,\n unappliedApps,\n unappliedChannels,\n unappliedEndDate,\n unappliedGroupBy,\n unappliedStartDate\n } = state\n\n useEffect(() => {\n setState({\n ...state,\n ...buildStateFromQueryParams({\n currentUser,\n location,\n reportingFilters\n })\n })\n }, [location])\n\n const {\n canApplyChanges,\n hasAppsFilterChanges,\n hasChannelsFilterChanges,\n hasDateFilterChanges,\n hasFilterChanges,\n hasGroupByFilterChanges\n } = getFilterChanges({\n currentApps,\n currentChannels,\n currentEndDate,\n currentGroupBy,\n currentStartDate,\n unappliedApps,\n unappliedChannels,\n unappliedEndDate,\n unappliedGroupBy,\n unappliedStartDate\n })\n\n const togglePaneFor = pane => setState({\n ...state,\n currentOpenPane: currentOpenPane === pane ? null : pane\n })\n\n const closeCurrentPane = () => setState({ ...state, currentOpenPane: null })\n\n const handleApplyClick = () => {\n const urlParams = buildQueryParamsFromFilterChanges({\n apps: unappliedApps,\n channels: unappliedChannels,\n endDate: unappliedEndDate,\n groupBy: unappliedGroupBy,\n reportingFilters,\n startDate: unappliedStartDate\n })\n\n history.push(`${location.pathname}?${urlParams}`)\n\n closeCurrentPane()\n\n if (hasGroupByFilterChanges) {\n const reportPage = getReportPageFromPathname(location.pathname)\n\n drilldownRulesDispatch({\n payload: { groupBy: unappliedGroupBy, reportPage },\n type: 'UPDATE_RULES'\n })\n }\n }\n\n useEffect(() => {\n const selectedApps = unappliedApps.slice(0, 1)\n\n if (selectedApps.length > 0) {\n reportingFiltersDispatch({\n payload: { selectedApps },\n type: 'UPDATE_SELECTED_APPS'\n })\n }\n }, [unappliedApps])\n\n return (\n \n \n
\n
setState({ ...state, currentOpenPane: null, unappliedApps: apps })}\n onCloseClick={closeCurrentPane}\n onLabelClick={() => togglePaneFor('apps')}\n selectedApps={unappliedApps.slice(0, 1)}\n />\n\n {\n setState({ ...state, unappliedEndDate: endDate, unappliedStartDate: startDate })\n }}\n onCloseClick={closeCurrentPane}\n onLabelClick={() => togglePaneFor('dates')}\n selectedEndDate={unappliedEndDate}\n selectedStartDate={unappliedStartDate}\n />\n\n setState({ ...state, unappliedChannels: channels })}\n onCloseClick={closeCurrentPane}\n onLabelClick={() => togglePaneFor('channels')}\n selectedChannels={unappliedChannels}\n selectedGroupBy={unappliedGroupBy}\n />\n\n {\n setState({ ...state, unappliedGroupBy: groupBy })\n }}\n onCloseClick={closeCurrentPane}\n onLabelClick={() => togglePaneFor('groupBy')}\n selectedGroupBy={unappliedGroupBy}\n />\n\n \n\n reportingFiltersDispatch({ type: 'TOGGLE_SIDEBAR' })}\n />\n \n
\n \n )\n}\n\nexport default ReportingSidebar\n","import { useEffect, useState } from 'react'\nimport { useLocation } from 'react-router-dom'\nimport PropTypes from 'prop-types'\n\nimport Dropdown from '../../../../Dropdown'\nimport Filter from '../../../../ReportingSidebar/Filter'\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\nimport Label from '../../../../ReportingSidebar/Filter/Label'\nimport Pane from '../../../../ReportingSidebar/Filter/Pane'\nimport SwapButton from './SwapButton'\n\nimport {\n useReportingFiltersState,\n isDataExporterPage\n} from '../../../../../contexts/ReportingFilters'\n\nconst getGroupByOptions = ({ disabledOptionIdsList, options }) => options.map(option => (\n {\n ...option,\n isDisabled: disabledOptionIdsList.includes(option.id)\n }\n))\n\nconst GroupByFilter = (\n {\n hasFilterChanges,\n isCollapsed,\n isOpen,\n onChange,\n onCloseClick,\n onLabelClick,\n selectedGroupBy\n }\n) => {\n const { groupBys: dashboardGroupBys, dataExporterGroupBys } = useReportingFiltersState()\n\n const location = useLocation()\n\n const groupBys = [\n ...(isDataExporterPage(location) ? dataExporterGroupBys : dashboardGroupBys)\n ].reduce((accumulator, option) => {\n if (option.id === 'app_id') return accumulator\n\n if (option.name === 'SK Campaign (requires SK Ad Network)') {\n // eslint-disable-next-line no-param-reassign\n option.name = 'SK Campaign'\n }\n\n accumulator.push(option)\n\n return accumulator\n }, [])\n\n const [baseGroupBy, setBaseGroupBy] = useState(\n groupBys.find(groupBy => groupBy.id === selectedGroupBy[0])\n )\n\n const [secondaryGroupBy, setSecondaryGroupBy] = useState(\n groupBys.find(groupBy => groupBy.id === selectedGroupBy[1])\n )\n\n const baseGroupByOptions = getGroupByOptions({\n disabledOptionIdsList: [secondaryGroupBy.id],\n options: groupBys\n })\n\n const secondaryGroupByOptions = getGroupByOptions({\n disabledOptionIdsList: [baseGroupBy.id],\n options: groupBys\n })\n\n const handleBaseChange = newBaseGroupBy => {\n if (newBaseGroupBy.id !== baseGroupBy.id) {\n setBaseGroupBy(newBaseGroupBy)\n }\n }\n\n const handleSecondaryChange = newSecondaryGroupBy => {\n if (newSecondaryGroupBy.id !== secondaryGroupBy.id) {\n setSecondaryGroupBy(newSecondaryGroupBy)\n }\n }\n\n useEffect(() => {\n onChange([baseGroupBy.id, secondaryGroupBy.id])\n }, [baseGroupBy, secondaryGroupBy])\n\n const handleSwap = () => {\n const currentSecondary = secondaryGroupBy\n\n setSecondaryGroupBy(baseGroupBy)\n setBaseGroupBy(currentSecondary)\n }\n\n return (\n }\n hasFilterChanges={hasFilterChanges}\n isCollapsed={isCollapsed}\n isDisabled={false}\n isOpen={isOpen}\n isTooltipDisabled={!isCollapsed}\n labelTitle=\"Group By\"\n onClick={onLabelClick}\n tooltipText={`Group By - ${baseGroupBy.name} → ${secondaryGroupBy.name}`}\n >\n {`${baseGroupBy.name} → ${secondaryGroupBy.name}`}\n \n )}\n pane={(\n \n \n
option.name}\n getOptionValue={option => option.id}\n isClearable={false}\n isSearchable={false}\n onChange={handleBaseChange}\n options={baseGroupByOptions}\n value={baseGroupBy}\n />\n\n \n \n\n TO\n
\n\n option.name}\n getOptionValue={option => option.id}\n isClearable={false}\n isSearchable={false}\n onChange={handleSecondaryChange}\n options={secondaryGroupByOptions}\n value={secondaryGroupBy}\n />\n \n \n )}\n />\n )\n}\n\nGroupByFilter.propTypes = {\n hasFilterChanges: PropTypes.bool.isRequired,\n isCollapsed: PropTypes.bool.isRequired,\n isOpen: PropTypes.bool.isRequired,\n onChange: PropTypes.func.isRequired,\n onCloseClick: PropTypes.func.isRequired,\n onLabelClick: PropTypes.func.isRequired,\n selectedGroupBy: PropTypes.arrayOf(PropTypes.string).isRequired\n}\n\nexport default GroupByFilter\n","import classNames from 'classnames'\nimport PropTypes from 'prop-types'\nimport Tooltip from 'rc-tooltip'\n\nimport FontAwesomeIcon from '../../../../../FontAwesomeIcon'\n\nimport styles from './styles.module.scss'\n\nconst SwapButton = ({ onClick }) => (\n \n \n \n)\n\nSwapButton.propTypes = {\n onClick: PropTypes.func.isRequired\n}\n\nexport default SwapButton\n","import { Fragment, useEffect } from 'react'\nimport { Switch, Route, useLocation } from 'react-router-dom'\n\nimport ReportingContent from '../../ReportingContent'\nimport ReportingSidebar from '../../ReportingSidebar'\nimport { REPORTS_BY_VALUE, ROUTES, WINDOW_SCROLLTO_OPTIONS } from './constants'\nimport { getReportPageFromPathname } from '../../../contexts/ReportingFilters'\nimport useFlashMessagesHook from '../../../hooks/useFlashMessagesHook'\n// Note: disabled nav link updates for issue TENJIN-11310\n// import useUpdateNavLinksFromFilterEffect from '../../../hooks/useUpdateNavLinksFromFiltersHook'\n\nconst UserAcquisitonPage = ({ match }) => {\n const location = useLocation()\n\n const reportPage = getReportPageFromPathname(location.pathname)\n\n useEffect(() => {\n document.title = `${REPORTS_BY_VALUE[reportPage].label} Reports - Tenjin`\n window.scrollTo(WINDOW_SCROLLTO_OPTIONS)\n }, [reportPage])\n\n useFlashMessagesHook()\n // Note: disabled nav link updates for issue TENJIN-11310\n // useUpdateNavLinksFromFilterEffect()\n\n return (\n \n \n\n \n \n {ROUTES.map(route => (\n \n ))}\n \n \n \n )\n}\n\nexport default UserAcquisitonPage\n","import classNames from 'classnames'\n\nimport Footer from '../../../Footer'\n\nimport { useReportingFiltersState } from '../../../../contexts/ReportingFilters'\n\nimport styles from './styles.module.scss'\n\nconst ReportingFooter = () => {\n const { isSidebarCollapsed } = useReportingFiltersState()\n\n const className = classNames(styles.footer, {\n [styles.footerCollapsed]: isSidebarCollapsed\n })\n\n return \n}\n\nexport default ReportingFooter\n","import { chain, isNull } from 'lodash'\n\nimport { get } from '../../utils/request'\n\n// eslint-disable-next-line import/prefer-default-export\nexport const fetchCustomEvents = async ({\n pageParam: page = 1,\n query = null\n}) => {\n const params = { page, q: query }\n\n const queryString = chain(params)\n .omitBy(isNull)\n .keys()\n .map(key => `${key}=${params[key]}`)\n .join('&')\n .value()\n\n const { data } = await get(`/dashboard/events?${queryString}`)\n\n return data\n}\n","import { useEffect, useState } from 'react'\nimport { useInfiniteQuery } from 'react-query'\nimport { useLocation } from 'react-router-dom'\n\nimport { fetchCustomEvents } from '../../../../api/customEvents'\nimport { useMetricDefinitionsDispatch } from '../../../../contexts/MetricDefinitions'\nimport {\n getEventNameFromQuery,\n getReportPageFromPathname,\n getUrlSearchParams\n} from '../../../../contexts/ReportingFilters'\nimport { eventDoesNotExist, formatCustomEventsForSelect } from './helpers'\nimport NoCustomEventsPage from './NoCustomEventsPage'\nimport Presenter from './presentation'\n\nconst CustomPage = () => {\n const [customEvents, setCustomEvents] = useState({})\n\n const {\n data,\n fetchNextPage,\n hasNextPage,\n isError,\n isLoading: isLoadingCustomEvents\n } = useInfiniteQuery('customEvents', fetchCustomEvents, {\n getNextPageParam: lastPage =>\n lastPage.hasMorePages ? lastPage.nextPage : undefined\n })\n\n useEffect(() => {\n if (isError) {\n setCustomEvents({})\n } else {\n setCustomEvents(data)\n }\n }, [data])\n\n const location = useLocation()\n\n const eventNameFromQuery = getEventNameFromQuery(\n getUrlSearchParams(location.search)\n )\n const reportPage = getReportPageFromPathname(location.pathname)\n\n const [currentCustomEventName, setCurrentCustomEventName] =\n useState(eventNameFromQuery)\n\n const metricDefinitionsDispatch = useMetricDefinitionsDispatch()\n\n useEffect(() => {\n if (currentCustomEventName !== eventNameFromQuery) {\n setCurrentCustomEventName(eventNameFromQuery)\n\n metricDefinitionsDispatch({\n payload: { customEventName: eventNameFromQuery, reportPage },\n type: 'SET_CUSTOM_EVENT_NAME'\n })\n }\n }, [currentCustomEventName, eventNameFromQuery])\n\n const hasNoCustomEvents =\n !isLoadingCustomEvents && customEvents && customEvents.pages?.length === 0\n\n if (hasNoCustomEvents || isError) {\n return \n }\n\n const formattedCustomEventsForSelect = formatCustomEventsForSelect({\n customEvents\n })\n\n const fetchMoreCustomEvents = () => {\n if (hasNextPage) {\n fetchNextPage()\n }\n }\n\n const fetchCustomEventsByName = async query => {\n if (eventDoesNotExist({ customEvents, query })) {\n try {\n const fetchedCustomEvents = await fetchCustomEvents({ query })\n setCustomEvents({ pages: [fetchedCustomEvents] })\n } catch (error) {\n setCustomEvents({})\n }\n }\n }\n\n return (\n \n )\n}\n\nexport default CustomPage\n","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___geHjt\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___11aLO\",\"btn-toggle\":\"styles-module__btn-toggle___3vywP\",\"handle\":\"styles-module__handle___1Ovet\",\"active\":\"styles-module__active___3JjrO\",\"focus\":\"styles-module__focus___BnQjv\",\"card-panel\":\"styles-module__card-panel___3_4K5\",\"panel-heading\":\"styles-module__panel-heading___2g354\",\"panel-title\":\"styles-module__panel-title___azkgr\",\"panel-subtitle\":\"styles-module__panel-subtitle___21-oY\",\"panel-body\":\"styles-module__panel-body___391m0\",\"container\":\"styles-module__container___2T5bL\",\"containerWithSidebar\":\"styles-module__containerWithSidebar___1BN0G\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3MYws\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1DMid\",\"btn-toggle\":\"styles-module__btn-toggle___2yHRA\",\"handle\":\"styles-module__handle___g9YqN\",\"active\":\"styles-module__active___y3CXr\",\"focus\":\"styles-module__focus___1a0eo\",\"card-panel\":\"styles-module__card-panel___3fsOt\",\"panel-heading\":\"styles-module__panel-heading___1iy88\",\"panel-title\":\"styles-module__panel-title___3oR1f\",\"panel-subtitle\":\"styles-module__panel-subtitle___2ZTvv\",\"panel-body\":\"styles-module__panel-body___6KArg\",\"container\":\"styles-module__container___rWYda\",\"list\":\"styles-module__list___3KC78\",\"disabled\":\"styles-module__disabled___1i-7B\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___Mjmcd\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___SWZG8\",\"btn-toggle\":\"styles-module__btn-toggle___2sbQb\",\"handle\":\"styles-module__handle___15WgY\",\"active\":\"styles-module__active___GrPu-\",\"focus\":\"styles-module__focus___1knyr\",\"card-panel\":\"styles-module__card-panel___33fBv\",\"panel-heading\":\"styles-module__panel-heading___3MZeQ\",\"panel-title\":\"styles-module__panel-title___2MvOD\",\"panel-subtitle\":\"styles-module__panel-subtitle___3tURz\",\"panel-body\":\"styles-module__panel-body___11luQ\",\"asyncIconTextButton\":\"styles-module__asyncIconTextButton___1PU0F\",\"isDisabled\":\"styles-module__isDisabled___QXI-i\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3-KjK\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1_2nE\",\"btn-toggle\":\"styles-module__btn-toggle___q55qX\",\"handle\":\"styles-module__handle___3rU2M\",\"active\":\"styles-module__active___3patd\",\"focus\":\"styles-module__focus___3A4OW\",\"card-panel\":\"styles-module__card-panel___13tDY\",\"panel-heading\":\"styles-module__panel-heading___2K-1u\",\"panel-title\":\"styles-module__panel-title___wn_m9\",\"panel-subtitle\":\"styles-module__panel-subtitle___Rhi2I\",\"panel-body\":\"styles-module__panel-body___35WYv\",\"cardHeader\":\"styles-module__cardHeader___2jo_C\",\"activeCardHeader\":\"styles-module__activeCardHeader___aE15O\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___tPun1\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2utMP\",\"btn-toggle\":\"styles-module__btn-toggle___324e2\",\"handle\":\"styles-module__handle___2do6Q\",\"active\":\"styles-module__active___LoCC-\",\"focus\":\"styles-module__focus___2BBQF\",\"card-panel\":\"styles-module__card-panel___1PCH-\",\"panel-heading\":\"styles-module__panel-heading___3PRuG\",\"panel-title\":\"styles-module__panel-title___3uraN\",\"panel-subtitle\":\"styles-module__panel-subtitle___1QvSJ\",\"panel-body\":\"styles-module__panel-body___3j_c2\",\"link\":\"styles-module__link___181Dt\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3nCfW\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1vosM\",\"btn-toggle\":\"styles-module__btn-toggle____lIsj\",\"handle\":\"styles-module__handle___3BB1Q\",\"active\":\"styles-module__active___Bbz2t\",\"focus\":\"styles-module__focus___2pMHf\",\"card-panel\":\"styles-module__card-panel___2EdWE\",\"panel-heading\":\"styles-module__panel-heading___3xABz\",\"panel-title\":\"styles-module__panel-title___2qKtr\",\"panel-subtitle\":\"styles-module__panel-subtitle___1eoNK\",\"panel-body\":\"styles-module__panel-body___M7Xmf\",\"sortIcon\":\"styles-module__sortIcon___3l0Om\",\"displayName\":\"styles-module__displayName___3XZt3\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2yULw\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___YAV95\",\"btn-toggle\":\"styles-module__btn-toggle___3c_pv\",\"handle\":\"styles-module__handle___AUmBh\",\"active\":\"styles-module__active___24fBr\",\"focus\":\"styles-module__focus___KzJqz\",\"card-panel\":\"styles-module__card-panel___1wXho\",\"panel-heading\":\"styles-module__panel-heading___3KgTd\",\"panel-title\":\"styles-module__panel-title___1oKCX\",\"panel-subtitle\":\"styles-module__panel-subtitle___qLGYv\",\"panel-body\":\"styles-module__panel-body___1Me1T\",\"searchInput\":\"styles-module__searchInput___369Iw\",\"clearIcon\":\"styles-module__clearIcon___2Meqo\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3nYsj\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3yP1G\",\"btn-toggle\":\"styles-module__btn-toggle___2Zg6y\",\"handle\":\"styles-module__handle___Dkzv0\",\"active\":\"styles-module__active___36skp\",\"focus\":\"styles-module__focus___2yqEp\",\"card-panel\":\"styles-module__card-panel___3-ea5\",\"panel-heading\":\"styles-module__panel-heading___3g9Nx\",\"panel-title\":\"styles-module__panel-title___1MgLG\",\"panel-subtitle\":\"styles-module__panel-subtitle___gbKZe\",\"panel-body\":\"styles-module__panel-body___29qXj\",\"circle\":\"styles-module__circle___1sjYW\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"controlLineHeight\":\"30px\",\"menuZIndex\":\"8000\",\"google-oauth-button\":\"styles-module__google-oauth-button___3v18g\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___26_JN\",\"btn-toggle\":\"styles-module__btn-toggle___3Qybs\",\"handle\":\"styles-module__handle___1-k4c\",\"active\":\"styles-module__active___39aEF\",\"focus\":\"styles-module__focus___lMj4O\",\"card-panel\":\"styles-module__card-panel___1E3mR\",\"panel-heading\":\"styles-module__panel-heading___2LQ52\",\"panel-title\":\"styles-module__panel-title___3ftEn\",\"panel-subtitle\":\"styles-module__panel-subtitle___2Icse\",\"panel-body\":\"styles-module__panel-body___3qaBF\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___VOSPl\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___APNlU\",\"btn-toggle\":\"styles-module__btn-toggle___3wc2P\",\"handle\":\"styles-module__handle___1XrjZ\",\"active\":\"styles-module__active___2tdRT\",\"focus\":\"styles-module__focus___1xfgp\",\"card-panel\":\"styles-module__card-panel___1e7aA\",\"panel-heading\":\"styles-module__panel-heading___28ekg\",\"panel-title\":\"styles-module__panel-title___jTP77\",\"panel-subtitle\":\"styles-module__panel-subtitle___34MNj\",\"panel-body\":\"styles-module__panel-body___3V0EB\",\"layout\":\"styles-module__layout___2Rpol\",\"chartContainer\":\"styles-module__chartContainer___3pmT7\",\"tooltip\":\"styles-module__tooltip___1WkPX\",\"compactView\":\"styles-module__compactView___2mHOi\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1bAdl\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3_-uQ\",\"btn-toggle\":\"styles-module__btn-toggle___3QUA7\",\"handle\":\"styles-module__handle___1FraN\",\"active\":\"styles-module__active___2W8W4\",\"focus\":\"styles-module__focus___Uh8cp\",\"card-panel\":\"styles-module__card-panel___30Zrf\",\"panel-heading\":\"styles-module__panel-heading___2b3k1\",\"panel-title\":\"styles-module__panel-title___1Dyfm\",\"panel-subtitle\":\"styles-module__panel-subtitle___F842l\",\"panel-body\":\"styles-module__panel-body___WXVZD\",\"copyButton\":\"styles-module__copyButton___iAD41\",\"prompt\":\"styles-module__prompt___3fWWN\"};","import React from 'react'\nimport classNames from 'classnames'\n\nimport Label from '../Label/Label'\n\nimport styles from './styles.module.scss'\n\nfunction FormLabel({\n children, className: classNameProp, htmlFor, text\n}) {\n return (\n \n )\n}\n\nFormLabel.propTypes = Label.propTypes\nFormLabel.defaultProps = Label.defaultProps\n\nexport default FormLabel\n","import React from 'react'\nimport { renderToString } from 'react-dom/server'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport { uniqueId } from 'lodash'\n\nimport { EVENTS } from './constants'\n\nimport styles from './styles.module.scss'\n\n// https://getbootstrap.com/docs/3.4/javascript/#popovers\nclass Popover extends React.Component {\n constructor(props) {\n super(props)\n\n this.popoverRef = React.createRef()\n this.clickNamespace = uniqueId('popover-')\n\n this.handleHide = this.handleHide.bind(this)\n }\n\n componentDidMount() {\n $(this.popoverRef.current).popover(this.getPopoverOptions())\n this.attachEventHandlers()\n $(document).on(this.getClickEventNamespace(), `.${styles.popover}`, () => {\n $(this.popoverRef.current).popover('hide')\n })\n }\n\n componentDidUpdate(prevProps) {\n const { content, title } = this.props\n\n const $popoverEl = $(this.popoverRef.current)\n\n let hasChanges = false\n\n if (prevProps.title !== title) {\n $popoverEl.attr('data-original-title', title)\n hasChanges = true\n }\n\n if (prevProps.content !== content) {\n $popoverEl.attr('data-content', this.getContent())\n hasChanges = true\n }\n\n // If there are changes to content or title and if the popover is currently visible in the DOM\n // then trigger the 'show' event to update the popover's title/content\n if (hasChanges && $popoverEl.data()['bs.popover'].tip().hasClass('in')) {\n $popoverEl.popover('show')\n } else {\n $popoverEl.popover('hide')\n }\n }\n\n componentWillUnmount() {\n $(this.popoverRef.current).popover('destroy')\n this.detachEventHandlers()\n $(document).off(this.getClickEventNamespace(), `.${styles.popover}`)\n }\n\n getContent() {\n const { content } = this.props\n\n return React.isValidElement(content) ? renderToString(content) : content\n }\n\n getClickEventNamespace() {\n return `click.${this.clickNamespace}`\n }\n\n getTemplate() {\n const { template } = this.props\n\n if (template) {\n return template\n }\n\n const { popoverClassName } = this.props\n\n return `\n `\n }\n\n getPopoverOptions() {\n const {\n animation,\n container,\n delay,\n html,\n placement,\n sanitize,\n sanitizeFn,\n selector,\n title,\n trigger,\n viewport\n } = this.props\n\n return {\n animation,\n container,\n content: this.getContent(),\n delay,\n html,\n placement,\n sanitize,\n sanitizeFn,\n selector,\n template: this.getTemplate(),\n title,\n trigger,\n viewport\n }\n }\n\n handleHide(ev) {\n const { onHide } = this.props\n\n // https://github.com/twbs/bootstrap/issues/16732#issuecomment-165229037\n $(ev.target).data('bs.popover').inState.click = false\n\n if (onHide) {\n onHide(ev)\n }\n }\n\n attachCloseHandler() {\n $(document).on('click', `.${styles.popover}`, () => $(this.popoverRef.current).popover('hide'))\n }\n\n attachEventHandlers() {\n EVENTS.forEach(event => {\n if (event[1] === 'onHide') {\n $(this.popoverRef.current).on(event[0], this.handleHide)\n } else {\n const { [event[1]]: eventHandler } = this.props\n\n $(this.popoverRef.current).on(event[0], eventHandler)\n }\n })\n }\n\n detachEventHandlers() {\n EVENTS.forEach(event => {\n $(this.popoverRef.current).off(event[0])\n })\n }\n\n render() {\n const { children } = this.props\n\n return React.cloneElement(React.Children.only(children), { ref: this.popoverRef })\n }\n}\n\nPopover.propTypes = {\n animation: PropTypes.bool,\n children: PropTypes.node.isRequired,\n container: PropTypes.oneOfType([PropTypes.oneOf([false]), PropTypes.string]),\n content: PropTypes.oneOfType([\n PropTypes.string,\n PropTypes.func,\n PropTypes.element\n ]).isRequired,\n contentClassName: PropTypes.string,\n delay: PropTypes.oneOfType([\n PropTypes.number,\n PropTypes.shape({\n hide: PropTypes.number,\n show: PropTypes.number\n })\n ]),\n html: PropTypes.bool,\n onHidden: PropTypes.func,\n onHide: PropTypes.func,\n onInserted: PropTypes.func,\n onShow: PropTypes.func,\n onShown: PropTypes.func,\n placement: PropTypes.oneOf(['top', 'bottom', 'left', 'right', 'auto']),\n popoverClassName: PropTypes.string,\n sanitize: PropTypes.bool,\n sanitizeFn: PropTypes.func,\n selector: PropTypes.oneOfType([PropTypes.oneOf([false]), PropTypes.string]),\n template: PropTypes.string,\n title: PropTypes.oneOfType([PropTypes.string, PropTypes.func]),\n trigger: PropTypes.string,\n viewport: PropTypes.shape({ padding: PropTypes.number, select: PropTypes.string })\n}\n\nPopover.defaultProps = {\n animation: true,\n container: false,\n contentClassName: '',\n delay: 0,\n html: false,\n onHidden: () => {},\n onHide: () => {},\n onInserted: () => {},\n onShow: () => {},\n onShown: () => {},\n placement: 'top',\n popoverClassName: '',\n sanitize: true,\n sanitizeFn: null,\n selector: false,\n template: null,\n title: '',\n trigger: 'click',\n viewport: null\n}\n\nexport default Popover\n","import React, { useCallback } from 'react'\nimport PropTypes from 'prop-types'\nimport { connect, ErrorMessage } from 'formik'\nimport classNames from 'classnames'\nimport { pick } from 'lodash'\n\nimport { formikInjectedPropTypesObject } from '../../utils/customPropTypes'\n\nimport FormError from '../FormError/FormError'\nimport Select from '../Select/Select'\n\nimport { SELECT_PROPS_LIST } from './constants'\nimport styles from './styles.module.scss'\n\nfunction FormSelect(props) {\n const {\n className: classNameProp,\n formik,\n items,\n name,\n selectButtonClassName: selectButtonClassNameProp,\n selectButtonContainerClassName: selectButtonContainerClassNameProp,\n selectButtonIconClassName: selectButtonIconClassNameProp,\n selectButtonLabelClassName: selectButtonLabelClassNameProp,\n selectButtonValueClassName: selectButtonValueClassNameProp,\n selectButtonValue,\n ...restOfProps\n } = props\n\n const {\n getFieldMeta, setFieldValue, setFieldTouched\n } = formik\n\n /* eslint-disable indent */\n const className = classNames(classNameProp, styles.select)\n const selectButtonClassName = classNames(selectButtonClassNameProp, styles.btn)\n const selectButtonContainerClassName = classNames(selectButtonContainerClassNameProp,\n styles.container)\n const selectButtonIconClassName = classNames(selectButtonIconClassNameProp,\n styles.toggleIcon)\n const selectButtonLabelClassName = classNames(selectButtonLabelClassNameProp, styles.label)\n const selectButtonValueClassName = classNames(selectButtonValueClassNameProp, styles.value)\n /* eslint-enable indent */\n\n const { value } = getFieldMeta(name)\n\n const handleSave = useCallback(item => {\n setFieldValue(name, item, true)\n }, [name, setFieldValue])\n\n const handleMenuToggle = useCallback(isMenuOpen => {\n if (!isMenuOpen) {\n setFieldTouched(name, true, true)\n }\n }, [name, setFieldTouched])\n\n /* eslint-disable react/jsx-props-no-spreading */\n return (\n \n \n\n \n
\n )\n /* eslint-enable react/jsx-props-no-spreading */\n}\n\nFormSelect.propTypes = {\n allSelectLabel: PropTypes.string,\n alphabetize: PropTypes.bool,\n className: PropTypes.string,\n description: PropTypes.string,\n formik: formikInjectedPropTypesObject.isRequired,\n items: PropTypes.objectOf(\n PropTypes.shape({\n id: PropTypes.oneOfType([\n PropTypes.number,\n PropTypes.string\n ]).isRequired,\n name: PropTypes.string.isRequired\n })\n ).isRequired,\n menuHeader: PropTypes.string,\n menuItemRenderer: PropTypes.func,\n multiple: PropTypes.bool,\n name: PropTypes.string.isRequired,\n saveOnSelect: PropTypes.bool,\n searchPlaceholder: PropTypes.string,\n searchable: PropTypes.bool,\n selectButtonClassName: PropTypes.string,\n selectButtonContainerClassName: PropTypes.string,\n selectButtonIconClassName: PropTypes.string,\n selectButtonLabel: PropTypes.string.isRequired,\n selectButtonLabelClassName: PropTypes.string,\n selectButtonValue: PropTypes.string,\n selectButtonValueClassName: PropTypes.string,\n selectMenuClassName: PropTypes.string\n}\n\nFormSelect.defaultProps = {\n allSelectLabel: '',\n alphabetize: false,\n className: '',\n description: '',\n menuHeader: '',\n menuItemRenderer: null,\n multiple: false,\n saveOnSelect: false,\n searchPlaceholder: '',\n searchable: false,\n selectButtonClassName: '',\n selectButtonContainerClassName: '',\n selectButtonIconClassName: '',\n selectButtonLabelClassName: '',\n selectButtonValue: null,\n selectButtonValueClassName: '',\n selectMenuClassName: ''\n}\n\nexport default connect(FormSelect)\n","// extracted by mini-css-extract-plugin\nmodule.exports = {\"iconColor\":\"#265479\",\"google-oauth-button\":\"styles-module__google-oauth-button___gOsdR\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2IEwq\",\"btn-toggle\":\"styles-module__btn-toggle___3xOPj\",\"handle\":\"styles-module__handle___1RBri\",\"active\":\"styles-module__active___14GyC\",\"focus\":\"styles-module__focus___rR_is\",\"card-panel\":\"styles-module__card-panel___scmuX\",\"panel-heading\":\"styles-module__panel-heading___3EAmK\",\"panel-title\":\"styles-module__panel-title___AsjbU\",\"panel-subtitle\":\"styles-module__panel-subtitle___1lmwu\",\"panel-body\":\"styles-module__panel-body___2Fm1e\",\"icon\":\"styles-module__icon___3ZSj2\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1Q9sy\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3lbPn\",\"btn-toggle\":\"styles-module__btn-toggle___yFr1k\",\"handle\":\"styles-module__handle___nnSbK\",\"active\":\"styles-module__active___9ZpbQ\",\"focus\":\"styles-module__focus___2MeW5\",\"card-panel\":\"styles-module__card-panel___3ukLP\",\"panel-heading\":\"styles-module__panel-heading___T-nDn\",\"panel-title\":\"styles-module__panel-title___3UjKM\",\"panel-subtitle\":\"styles-module__panel-subtitle___2p5E8\",\"panel-body\":\"styles-module__panel-body___2dXue\",\"form\":\"styles-module__form___3aQ7J\",\"formSubmitting\":\"styles-module__formSubmitting___28eCz\"};","import React, { useCallback, useEffect } from 'react'\nimport PropTypes from 'prop-types'\nimport { connect, ErrorMessage } from 'formik'\nimport { isNull, isUndefined } from 'lodash'\n\nimport FormError from '../FormError/FormError'\nimport RadioToggle from '../RadioToggle/RadioToggle'\n\nimport styles from './styles.module.scss'\n\nimport usePrevious from '../../hooks/usePrevious'\nimport { formikInjectedPropTypesObject } from '../../utils/customPropTypes'\n\nfunction FormRadioToggle(props) {\n const {\n className, falseyOptionLabel, formik, label, labelClassName, name, truthyOptionLabel\n } = props\n const {\n getFieldMeta, setFieldValue, setFieldTouched\n } = formik\n const {\n value\n } = getFieldMeta(name)\n\n const prevValue = usePrevious(value)\n\n const handleToggle = useCallback(toggleTo => setFieldValue(name, toggleTo), [name, setFieldValue])\n\n useEffect(() => {\n if (isUndefined(prevValue) || isNull(prevValue)) return\n\n if (value !== prevValue) {\n setFieldTouched(name)\n }\n }, [name, prevValue, setFieldTouched, value])\n\n return (\n \n \n\n \n
\n )\n}\n\nFormRadioToggle.propTypes = {\n className: PropTypes.string,\n falseyOptionLabel: PropTypes.string.isRequired,\n formik: formikInjectedPropTypesObject.isRequired,\n label: PropTypes.string.isRequired,\n labelClassName: PropTypes.string,\n name: PropTypes.string.isRequired,\n truthyOptionLabel: PropTypes.string.isRequired\n}\n\nFormRadioToggle.defaultProps = {\n className: '',\n labelClassName: ''\n}\n\nexport default connect(FormRadioToggle)\n","import React, { useCallback } from 'react'\nimport PropTypes from 'prop-types'\n\nimport Label from '../Label/Label'\nimport RadioButton from '../RadioButton/RadioButton'\n\nimport styles from './styles.module.scss'\n\nfunction RadioToggle(props) {\n const {\n className, falseyOptionLabel, label, onToggle, truthyOptionLabel, value\n } = props\n\n const handleToggle = useCallback(ev => onToggle(ev.target.value === 'yes'), [onToggle])\n\n return (\n \n
\n\n
\n \n {truthyOptionLabel}\n \n\n \n {falseyOptionLabel}\n \n
\n
\n )\n}\n\nRadioToggle.propTypes = {\n className: PropTypes.string,\n falseyOptionLabel: PropTypes.string.isRequired,\n label: PropTypes.string.isRequired,\n onToggle: PropTypes.func.isRequired,\n truthyOptionLabel: PropTypes.string.isRequired,\n value: PropTypes.bool\n}\n\nRadioToggle.defaultProps = {\n className: '',\n value: null\n}\n\nexport default RadioToggle\n","import React from 'react'\nimport PropTypes from 'prop-types'\n\nimport { ErrorMessage } from 'formik'\nimport classNames from 'classnames'\n\nimport FormError from '../FormError/FormError'\nimport FormLabel from '../FormLabel/FormLabel'\n\nimport styles from './styles.module.scss'\n\nfunction FormChipGroup({\n children, className: classNameProp, label, labelClassName, name\n}) {\n const className = classNames('u-flexInline', 'u-flexCol', 'u-position-relative', classNameProp)\n\n return (\n \n
\n\n
\n {children}\n
\n\n
\n
\n )\n}\n\nFormChipGroup.propTypes = {\n children: PropTypes.node.isRequired,\n className: PropTypes.string,\n label: PropTypes.string.isRequired,\n labelClassName: PropTypes.string,\n name: PropTypes.string.isRequired\n}\n\nFormChipGroup.defaultProps = {\n className: '',\n labelClassName: ''\n}\n\nexport default FormChipGroup\n","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2KoZ8\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___uwZh5\",\"btn-toggle\":\"styles-module__btn-toggle___ui75d\",\"handle\":\"styles-module__handle___3es6x\",\"active\":\"styles-module__active___2smAR\",\"focus\":\"styles-module__focus___541A3\",\"card-panel\":\"styles-module__card-panel___MeTYy\",\"panel-heading\":\"styles-module__panel-heading___lC-6f\",\"panel-title\":\"styles-module__panel-title___1wYl0\",\"panel-subtitle\":\"styles-module__panel-subtitle___2tjdV\",\"panel-body\":\"styles-module__panel-body___3wGSf\",\"link\":\"styles-module__link___3Xini\",\"icon\":\"styles-module__icon___18_9w\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___IOahs\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3QjOb\",\"btn-toggle\":\"styles-module__btn-toggle___39qpb\",\"handle\":\"styles-module__handle___1KxjK\",\"active\":\"styles-module__active___3-RTD\",\"focus\":\"styles-module__focus___3vYfu\",\"card-panel\":\"styles-module__card-panel___xhZtY\",\"panel-heading\":\"styles-module__panel-heading___Ps-Y2\",\"panel-title\":\"styles-module__panel-title___1eQSw\",\"panel-subtitle\":\"styles-module__panel-subtitle___1BGpQ\",\"panel-body\":\"styles-module__panel-body___1r6if\",\"button\":\"styles-module__button___2rvad\",\"icon\":\"styles-module__icon___2fm7X\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2SzQ0\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___S6hYu\",\"btn-toggle\":\"styles-module__btn-toggle___U_dcL\",\"handle\":\"styles-module__handle___urjI-\",\"active\":\"styles-module__active___sKtCQ\",\"focus\":\"styles-module__focus___3mNzu\",\"card-panel\":\"styles-module__card-panel___2f4S1\",\"panel-heading\":\"styles-module__panel-heading___3x_xQ\",\"panel-title\":\"styles-module__panel-title___1yBDr\",\"panel-subtitle\":\"styles-module__panel-subtitle___GgTRM\",\"panel-body\":\"styles-module__panel-body___2wbLN\",\"signedInAs\":\"styles-module__signedInAs___2e2L1\",\"ptiMeter\":\"styles-module__ptiMeter___35aMc\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1DiSy\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___11zcu\",\"btn-toggle\":\"styles-module__btn-toggle___1HGJv\",\"handle\":\"styles-module__handle___1X-TK\",\"active\":\"styles-module__active___1rgsN\",\"focus\":\"styles-module__focus___37PRk\",\"card-panel\":\"styles-module__card-panel___15Vcy\",\"panel-heading\":\"styles-module__panel-heading___O333m\",\"panel-title\":\"styles-module__panel-title___1eXAc\",\"panel-subtitle\":\"styles-module__panel-subtitle___3TQXD\",\"panel-body\":\"styles-module__panel-body___3GiSY\",\"modal\":\"styles-module__modal___2xSd0\",\"visible\":\"styles-module__visible___2EWlB\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2cdF0\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1F7sZ\",\"btn-toggle\":\"styles-module__btn-toggle___2qVjO\",\"handle\":\"styles-module__handle___CK0g_\",\"active\":\"styles-module__active___cx7nD\",\"focus\":\"styles-module__focus___3kx-w\",\"card-panel\":\"styles-module__card-panel___wqLVH\",\"panel-heading\":\"styles-module__panel-heading___3jrNj\",\"panel-title\":\"styles-module__panel-title___2zpVp\",\"panel-subtitle\":\"styles-module__panel-subtitle___19qPk\",\"panel-body\":\"styles-module__panel-body___ENndd\",\"onboardingPopup\":\"styles-module__onboardingPopup___1y50b\",\"icon\":\"styles-module__icon___2UBFo\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1iCGc\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___6PctX\",\"btn-toggle\":\"styles-module__btn-toggle___1cbIh\",\"handle\":\"styles-module__handle___1l_oT\",\"active\":\"styles-module__active___3OkRs\",\"focus\":\"styles-module__focus___2-ede\",\"card-panel\":\"styles-module__card-panel___2Z4V7\",\"panel-heading\":\"styles-module__panel-heading___ewDj_\",\"panel-title\":\"styles-module__panel-title___1bCmj\",\"panel-subtitle\":\"styles-module__panel-subtitle___g8mzz\",\"panel-body\":\"styles-module__panel-body___1RtZZ\",\"content\":\"styles-module__content___S2h7K\",\"collapsed\":\"styles-module__collapsed___2D1kv\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___7pAEJ\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___WxSF1\",\"btn-toggle\":\"styles-module__btn-toggle___26Nw1\",\"handle\":\"styles-module__handle___3-5J0\",\"active\":\"styles-module__active___1LI6t\",\"focus\":\"styles-module__focus___20caJ\",\"card-panel\":\"styles-module__card-panel___1EkeK\",\"panel-heading\":\"styles-module__panel-heading___Ih6F7\",\"panel-title\":\"styles-module__panel-title___1yIBW\",\"panel-subtitle\":\"styles-module__panel-subtitle___2PXEM\",\"panel-body\":\"styles-module__panel-body___1yy_u\",\"icon\":\"styles-module__icon___xRMd5\",\"iconTurned\":\"styles-module__iconTurned___3u6gk\",\"iconNewNav\":\"styles-module__iconNewNav___2ryYr\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1QmeY\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___F4BU8\",\"btn-toggle\":\"styles-module__btn-toggle___3_Sdp\",\"handle\":\"styles-module__handle___3P6Tu\",\"active\":\"styles-module__active___2lQBf\",\"focus\":\"styles-module__focus___2qYdn\",\"card-panel\":\"styles-module__card-panel___1WySx\",\"panel-heading\":\"styles-module__panel-heading___35r8S\",\"panel-title\":\"styles-module__panel-title___lniax\",\"panel-subtitle\":\"styles-module__panel-subtitle___1roxV\",\"panel-body\":\"styles-module__panel-body___1oI02\",\"img\":\"styles-module__img___1p4TW\",\"platformIcon\":\"styles-module__platformIcon___31W-3\",\"appName\":\"styles-module__appName___1Gdpe\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3bjjJ\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3GQqk\",\"btn-toggle\":\"styles-module__btn-toggle___3zY5d\",\"handle\":\"styles-module__handle___3A9vD\",\"active\":\"styles-module__active___2QR4C\",\"focus\":\"styles-module__focus___13H2e\",\"card-panel\":\"styles-module__card-panel___7BgEH\",\"panel-heading\":\"styles-module__panel-heading___1G2oJ\",\"panel-title\":\"styles-module__panel-title___1-Vxp\",\"panel-subtitle\":\"styles-module__panel-subtitle___1NxKe\",\"panel-body\":\"styles-module__panel-body___3j4wX\",\"header\":\"styles-module__header___3eTiH\",\"closeIcon\":\"styles-module__closeIcon___Ll2hz\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3FU2c\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3vFOR\",\"btn-toggle\":\"styles-module__btn-toggle___1BhPE\",\"handle\":\"styles-module__handle___3K6iJ\",\"active\":\"styles-module__active___3D17P\",\"focus\":\"styles-module__focus___3-9mE\",\"card-panel\":\"styles-module__card-panel___aRhXd\",\"panel-heading\":\"styles-module__panel-heading___2SWuK\",\"panel-title\":\"styles-module__panel-title___2ev81\",\"panel-subtitle\":\"styles-module__panel-subtitle___24sni\",\"panel-body\":\"styles-module__panel-body___2HnBp\",\"wrapper\":\"styles-module__wrapper___11R4u\",\"collapser\":\"styles-module__collapser___2Q1AG\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___21tcx\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2eTLS\",\"btn-toggle\":\"styles-module__btn-toggle___2Bp3u\",\"handle\":\"styles-module__handle___4AEat\",\"active\":\"styles-module__active___KWZNp\",\"focus\":\"styles-module__focus___3qYCp\",\"card-panel\":\"styles-module__card-panel___-NR_G\",\"panel-heading\":\"styles-module__panel-heading___2FO7Z\",\"panel-title\":\"styles-module__panel-title___1TJF9\",\"panel-subtitle\":\"styles-module__panel-subtitle___1INof\",\"panel-body\":\"styles-module__panel-body___2iigR\",\"toolbarButton\":\"styles-module__toolbarButton___JiODv\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3OHq4\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2p2A8\",\"btn-toggle\":\"styles-module__btn-toggle___3Oi_l\",\"handle\":\"styles-module__handle___2XY5F\",\"active\":\"styles-module__active___CnBf9\",\"focus\":\"styles-module__focus___31cmC\",\"card-panel\":\"styles-module__card-panel___2MjFG\",\"panel-heading\":\"styles-module__panel-heading___2b-m3\",\"panel-title\":\"styles-module__panel-title___2_rjh\",\"panel-subtitle\":\"styles-module__panel-subtitle___Hb3pd\",\"panel-body\":\"styles-module__panel-body___2forb\",\"percentInputContainer\":\"styles-module__percentInputContainer___sdab2\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___BOjaE\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___fzLsh\",\"btn-toggle\":\"styles-module__btn-toggle___2lSV4\",\"handle\":\"styles-module__handle___1tJTx\",\"active\":\"styles-module__active___1Hyb9\",\"focus\":\"styles-module__focus___1yfTU\",\"card-panel\":\"styles-module__card-panel___3pQx3\",\"panel-heading\":\"styles-module__panel-heading___1g7zi\",\"panel-title\":\"styles-module__panel-title___2-tu7\",\"panel-subtitle\":\"styles-module__panel-subtitle___3O2Nu\",\"panel-body\":\"styles-module__panel-body___36cT7\",\"inputContainer\":\"styles-module__inputContainer___3d_6_\",\"seperator\":\"styles-module__seperator___32Nnf\"};","import { deepSnakeKeys } from '../../../../../../../utils/helpers'\nimport { saveUpdatedApp, saveUpdatedAppChannel } from '../../../../../../../api/apps'\nimport {\n convertTimeToSeconds,\n handleError,\n RESET_ATTRIBUTION_SETTINGS,\n DEFAULT_ATTRIBUTION_SETTINGS,\n SANS_DEFAULT_ATTRIBUTION_SETTINGS\n} from '../utils'\nimport { useAppIntegrationState, useAppIntegrationDispatch } from '../../../../../../../contexts/AppIntegrations'\n\nconst useUpdateAttributionSettings = () => {\n const { currentApp, currentChannel } = useAppIntegrationState()\n const appIntegrationDispatch = useAppIntegrationDispatch()\n\n const setHoneybadgerContext = params => {\n window.Honeybadger.setContext({\n appId: currentApp?.id,\n channelId: currentChannel?.id,\n params: deepSnakeKeys(params)\n })\n }\n\n const processError = ({ error, params }) => {\n handleError()\n setHoneybadgerContext(params)\n window.Honeybadger.notify(error)\n }\n\n const saveApp = async params => {\n try {\n const response = await saveUpdatedApp({\n appId: currentApp.id,\n params\n })\n if (response.data) appIntegrationDispatch({ payload: response.data, type: 'UPDATE_CURRENT_APP' })\n } catch (error) {\n processError(error, params)\n }\n }\n\n const getChannelId = () => (currentChannel.custom ? currentChannel.id : currentChannel.shortId)\n\n const saveAppChannel = async params => {\n try {\n const response = await saveUpdatedAppChannel({\n appId: currentApp.id,\n channelId: getChannelId(),\n params\n })\n if (response.data) appIntegrationDispatch({ payload: response.data, type: 'UPDATE_CURRENT_APP_CHANNEL' })\n } catch (error) {\n processError(error, params)\n }\n }\n\n const resetAppChannelAttributionWindow = async () => {\n await saveAppChannel(RESET_ATTRIBUTION_SETTINGS)\n }\n\n const setDefaultAppChannelAttributionWindow = async () => {\n // eslint-disable-next-line max-len\n const appChannelSettings = currentChannel?.selfAttributing ? SANS_DEFAULT_ATTRIBUTION_SETTINGS : DEFAULT_ATTRIBUTION_SETTINGS\n await saveAppChannel(appChannelSettings)\n }\n\n const updateAppChannelAttributionWindow = async ({ timeType, timeValue, windowType }) => {\n await saveAppChannel({\n [windowType]: convertTimeToSeconds({\n type: timeType,\n value: timeValue\n })\n })\n }\n\n const updateAppAttributionWindow = async ({ timeType, timeValue, windowType }) => {\n await saveApp({\n [windowType]: convertTimeToSeconds({\n type: timeType,\n value: timeValue\n })\n })\n }\n\n return {\n resetAppChannelAttributionWindow,\n setDefaultAppChannelAttributionWindow,\n updateAppAttributionWindow,\n updateAppChannelAttributionWindow\n }\n}\n\nexport default useUpdateAttributionSettings\n","import { filter } from 'lodash'\n\nexport const getChannelsFilteredByAdSpend = channels => filter(\n channels, channel => channel.adSpend || channel.custom\n)\n","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3tZ4x\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2EZ5Z\",\"btn-toggle\":\"styles-module__btn-toggle___3xkNm\",\"handle\":\"styles-module__handle___e3yh7\",\"active\":\"styles-module__active___u-zbA\",\"focus\":\"styles-module__focus___2HnPY\",\"card-panel\":\"styles-module__card-panel___1ASnp\",\"panel-heading\":\"styles-module__panel-heading___h3pGn\",\"panel-title\":\"styles-module__panel-title___240gv\",\"panel-subtitle\":\"styles-module__panel-subtitle___Oqzrm\",\"panel-body\":\"styles-module__panel-body___3k_m2\",\"eventOptionsPopupOptions\":\"styles-module__eventOptionsPopupOptions___2ibEj\",\"eventOptionsPopupAdvancedButton\":\"styles-module__eventOptionsPopupAdvancedButton___3sh4z\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2ODKb\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___32Jcf\",\"btn-toggle\":\"styles-module__btn-toggle___18wLD\",\"handle\":\"styles-module__handle___2lHjm\",\"active\":\"styles-module__active___gp5vF\",\"focus\":\"styles-module__focus___1ivbY\",\"card-panel\":\"styles-module__card-panel___1rCB3\",\"panel-heading\":\"styles-module__panel-heading___1acpC\",\"panel-title\":\"styles-module__panel-title___1IClZ\",\"panel-subtitle\":\"styles-module__panel-subtitle___3Mn65\",\"panel-body\":\"styles-module__panel-body___Thxgl\",\"skAdNetworkStatus\":\"styles-module__skAdNetworkStatus___2geF4\",\"badge\":\"styles-module__badge___3emxv\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1cgoE\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1W3kx\",\"btn-toggle\":\"styles-module__btn-toggle___2Fg18\",\"handle\":\"styles-module__handle___28WO0\",\"active\":\"styles-module__active___1aCyw\",\"focus\":\"styles-module__focus___1pAbE\",\"card-panel\":\"styles-module__card-panel___27GI3\",\"panel-heading\":\"styles-module__panel-heading___3NNKz\",\"panel-title\":\"styles-module__panel-title___1ZQVb\",\"panel-subtitle\":\"styles-module__panel-subtitle___2xMnn\",\"panel-body\":\"styles-module__panel-body___3sakV\",\"appsDropdownContainer\":\"styles-module__appsDropdownContainer___3uoN3\",\"moveCampaignButton\":\"styles-module__moveCampaignButton___1Pn9t\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"offColor\":\"#da5350\",\"onColor\":\"#05b7ac\",\"google-oauth-button\":\"styles-module__google-oauth-button___3lFyD\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___Yi7Nr\",\"btn-toggle\":\"styles-module__btn-toggle___2izPc\",\"handle\":\"styles-module__handle___1IWc0\",\"active\":\"styles-module__active___36TMX\",\"focus\":\"styles-module__focus___1DbrL\",\"card-panel\":\"styles-module__card-panel___1NjM0\",\"panel-heading\":\"styles-module__panel-heading___U606i\",\"panel-title\":\"styles-module__panel-title___1pM4d\",\"panel-subtitle\":\"styles-module__panel-subtitle____D3Ou\",\"panel-body\":\"styles-module__panel-body___2ErAt\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1lIib\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1xu_Q\",\"btn-toggle\":\"styles-module__btn-toggle___1jeBl\",\"handle\":\"styles-module__handle___32rBX\",\"active\":\"styles-module__active___3SYLD\",\"focus\":\"styles-module__focus___20cxD\",\"card-panel\":\"styles-module__card-panel___3K6Yk\",\"panel-heading\":\"styles-module__panel-heading___3bVhA\",\"panel-title\":\"styles-module__panel-title___1-jkm\",\"panel-subtitle\":\"styles-module__panel-subtitle___1obl7\",\"panel-body\":\"styles-module__panel-body___2VbvZ\",\"pageSizeSelector\":\"styles-module__pageSizeSelector___AoySL\",\"rowCountDescription\":\"styles-module__rowCountDescription___xZ1hT\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3fh8d\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1JOjj\",\"btn-toggle\":\"styles-module__btn-toggle___2geVZ\",\"handle\":\"styles-module__handle___2AXLu\",\"active\":\"styles-module__active___2HAR5\",\"focus\":\"styles-module__focus___3MmO8\",\"card-panel\":\"styles-module__card-panel___RI3CK\",\"panel-heading\":\"styles-module__panel-heading___TSSfS\",\"panel-title\":\"styles-module__panel-title___Nwzvd\",\"panel-subtitle\":\"styles-module__panel-subtitle___gTIOD\",\"panel-body\":\"styles-module__panel-body___23BrR\",\"skAppClaimText\":\"styles-module__skAppClaimText___2EUEy\",\"fixedList\":\"styles-module__fixedList___1pLNk\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___14cFs\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___iZ0Bd\",\"btn-toggle\":\"styles-module__btn-toggle___WnFzR\",\"handle\":\"styles-module__handle___3nzcM\",\"active\":\"styles-module__active___aX7tS\",\"focus\":\"styles-module__focus___wDVZ6\",\"card-panel\":\"styles-module__card-panel___3uqdW\",\"panel-heading\":\"styles-module__panel-heading___3gv4y\",\"panel-title\":\"styles-module__panel-title___1BZLk\",\"panel-subtitle\":\"styles-module__panel-subtitle___1cuip\",\"panel-body\":\"styles-module__panel-body___36fSH\",\"footer\":\"styles-module__footer___IL6cn\",\"footerCollapsed\":\"styles-module__footerCollapsed___CwBiA\"};","export const ALL_RESULTS_TEXT = 'Viewing all results'\nexport const NO_RESULTS_FOR_PAGE_TEXT = 'There are no results for page'\nexport const NO_RESULTS_TEXT = 'There are no results'\n","import { range as _range } from 'lodash'\nimport {\n MAX_NUM_PAGES_DISPLAYABLE, MIN_NUM_PAGE_NEIGHBORS, MORE_PAGES, NUM_GROWTH_LEFT_PAGES,\n NUM_GROWTH_RIGHT_PAGES, RANGE_ADDITIVE\n} from './constants'\n\nconst range = (start, stop) => _range(start, stop + RANGE_ADDITIVE)\n\nexport const buildPageNumbersList = ({ currentPage, totalPages }) => {\n if (totalPages > MAX_NUM_PAGES_DISPLAYABLE) {\n // when the currentPage is in the lower portion (left-side, low number) of the paginator\n if (currentPage <= MIN_NUM_PAGE_NEIGHBORS) {\n // we add an additional page item here b/c we only need to show 1 MORE_PAGES page item in the\n // paginator and we don't want the width of the paginator to change as a user is clicking\n // through\n return [...range(1, NUM_GROWTH_RIGHT_PAGES), MORE_PAGES, totalPages]\n }\n\n // when the currentPage is in the top portion (right-side, high number) of the paginator\n if (currentPage >= totalPages - MIN_NUM_PAGE_NEIGHBORS) {\n // we add an additional page item here b/c we only need to show 1 MORE_PAGES page item in the\n // paginator and we don't want the width of the paginator to change as a user is clicking\n // through\n return [\n 1,\n MORE_PAGES,\n ...range(totalPages - NUM_GROWTH_LEFT_PAGES, totalPages)\n ]\n }\n\n let numOfVisibleLeftBlocks\n let numOfVisibleRightBlocks\n\n if (MIN_NUM_PAGE_NEIGHBORS % 2 === 0) {\n const offsetVariable = (MIN_NUM_PAGE_NEIGHBORS - 1) / 2\n numOfVisibleLeftBlocks = Math.ceil(offsetVariable)\n numOfVisibleRightBlocks = Math.floor(offsetVariable)\n } else {\n const numOfOffsetItems = Math.floor(MIN_NUM_PAGE_NEIGHBORS / 2)\n numOfVisibleLeftBlocks = numOfOffsetItems\n numOfVisibleRightBlocks = numOfOffsetItems\n }\n\n return [\n 1,\n MORE_PAGES,\n ...range(currentPage - numOfVisibleLeftBlocks, currentPage + numOfVisibleRightBlocks),\n MORE_PAGES,\n totalPages\n ]\n }\n\n return range(1, totalPages)\n}\n","export const DEFAULT_TEMPLATE = ''\n\nconst NAMESPACE = 'react-tooltip'\n\nexport const EVENTS = [\n [`show.bs.tooltip.${NAMESPACE}`, 'onShow'],\n [`shown.bs.tooltip.${NAMESPACE}`, 'onShown'],\n [`hide.bs.tooltip.${NAMESPACE}`, 'onHide'],\n [`hidden.bs.tooltip.${NAMESPACE}`, 'onHidden'],\n [`inserted.bs.tooltip.${NAMESPACE}`, 'onInserted']\n]\n","export const LABEL_APP_SELECTOR = 'App'\nexport const PLACEHOLDER_APP_SELECTOR = 'Select an app'\n\nexport const FILTER_CONFIG = {\n ignoreAccents: true,\n ignoreCase: true,\n matchFrom: 'any',\n stringify: option => `${option.data.id} ${option.data.name}`,\n trim: true\n}\n","export const ICON_SPINNER = 'spinner'\nexport const RESET_DURATION_MS = 2000\nexport const ANIMATION_SPIN = 'spin'\n","export const LABEL_CHANNEL_SELECTOR = 'Channels and Partners'\nexport const PLACEHOLDER_CHANNEL_SELECTOR = 'select a channel'\n\nexport const FILTER_CONFIG = {\n ignoreAccents: true,\n ignoreCase: true,\n matchFrom: 'any',\n stringify: option => `${option.data.id} ${option.data.name}`,\n trim: true\n}\n","import { useEffect, useRef } from 'react'\n\n// forces Highcharts to \"reflow\" based on dependencies change\n// https://api.highcharts.com/highcharts/chart.reflow\nexport default function useHighchartsReflowEffect(dependencies) {\n const hasRendered = useRef(false)\n\n useEffect(() => {\n if (hasRendered.current) {\n window.dispatchEvent(new Event('resize'))\n }\n\n hasRendered.current = true\n }, dependencies)\n}\n","import ReportingDataImg from '../../../../ReportingDataImg'\nimport ReportingDataNameDisplay from '../../../../ReportingDataNameDisplay'\n\nimport { stripTrailingSlash } from '../../../../../utils/helpers'\n\nexport const getUrlWithCustomEventName = ({ customEventName, location }) => {\n const pathname = stripTrailingSlash(location.pathname)\n\n const search = new URLSearchParams(location.search)\n\n search.set('event_name', customEventName)\n\n return `${pathname}?${search.toString()}`\n}\n\nexport const getDefaultValue = customEventName => ({\n label: customEventName, value: customEventName\n})\n\nexport const handleGroupLabelFormat = group => (\n }\n name={group.label.name}\n platform={group.label.platform}\n />\n)\n","export const MAX_VISIBLE_DATA_SERIES = 10\n\nexport const PLOT_OPTIONS = {\n area: {\n connectNulls: true,\n marker: {\n enabled: true,\n symbol: 'circle'\n },\n pointPlacement: 'on',\n stacking: 'normal'\n },\n line: {\n connectNulls: true,\n marker: {\n enabled: true,\n symbol: 'circle'\n },\n pointPlacement: 'on'\n },\n series: {\n animation: true\n }\n}\n","import React from 'react'\nimport Highcharts from 'highcharts'\nimport { ColumnSeries, SplineSeries, YAxis } from 'react-jsx-highcharts'\nimport {\n each,\n isNull,\n range,\n values,\n sortBy\n} from 'lodash'\nimport { VALUE_RANGE_MAPPING } from '../constants'\nimport { Y_AXIS_OPTIONS, TOOLTIP_OPTIONS } from './constants'\nimport { CONVERSION_VALUE_HISTOGRAM_COLORS } from '../../../utils/charts'\nimport { getComparisonSelectorOptionLabelByName } from '../helpers'\n\nimport styles from './styles.module.scss'\n\nconst getYAxisOptions = dataIndex => {\n const isOnRightSideOfChart = dataIndex > 0\n const disabledTitle = { enabled: false }\n\n return {\n ...Y_AXIS_OPTIONS,\n labels: {\n style: {\n color: CONVERSION_VALUE_HISTOGRAM_COLORS[dataIndex]\n }\n },\n opposite: isOnRightSideOfChart,\n title: isOnRightSideOfChart ? disabledTitle : Y_AXIS_OPTIONS.title\n }\n}\n\n/* eslint-disable import/prefer-default-export, consistent-return */\nexport const buildSeries = ({\n data,\n dataIndex,\n isBarChart,\n selectedComparisonObject: { name }\n}) => {\n if (!data) {\n return\n }\n\n const seriesDataMapping = {\n null: {\n name: 'Null',\n x: -1,\n y: 0\n },\n ...range(64).reduce((mapping, current, index) => ({\n ...mapping,\n [String(index)]: {\n name: index,\n x: index,\n y: 0\n }\n }), {})\n }\n\n each(data, ({ attributes }) => {\n const { conversionValue, conversionValueCount } = attributes\n\n if (isNull(conversionValue)) {\n seriesDataMapping.null.y += conversionValueCount\n } else if (seriesDataMapping && seriesDataMapping[String(conversionValue)]) {\n seriesDataMapping[String(conversionValue)].y += conversionValueCount\n }\n })\n\n const seriesData = sortBy(values(seriesDataMapping), ({ x }) => x)\n\n const yAxisOptions = getYAxisOptions(dataIndex)\n\n return (\n // eslint-disable-next-line react/jsx-props-no-spreading\n \n Ad Network SKAN Installs\n {isBarChart ? (\n \n ) : (\n \n )}\n \n )\n}\n\n/* eslint-enable import/prefer-default-export, consistent-return */\n\nexport const getMinXByValueRange = ({ id }) => VALUE_RANGE_MAPPING[id]\n\nconst headerFormat = `\n '\n\nexport const getTooltipOptionsByGroupBy = groupBy => ({\n ...TOOLTIP_OPTIONS,\n footerFormat,\n headerFormat,\n pointFormatter: pointFormatterWithGroupBy(groupBy)\n})\n","import { get, put, post } from '../../utils/request'\nimport { deepSnakeKeys } from '../../utils/helpers'\nimport { DASHBOARD_USERS_HIDE_ONBOARDING_POPUP_URL } from './constants'\n\nexport const changeAdAccountLastStatsUpdateDate = async date => (\n // eslint-disable-next-line no-return-await\n await put(`${window.location.pathname}/last_stats_date`, deepSnakeKeys({ adAccount: { date } }))\n)\n\nexport const toggleAdAccountActiveState = async ({ adAccountId, integrationSlug }) => (\n // eslint-disable-next-line no-return-await\n await put(`/dashboard/integrations/${integrationSlug}/accounts/${adAccountId}/toggle_active`)\n)\n\nexport const hideOnboardingPopup = async () => {\n const result = await post(DASHBOARD_USERS_HIDE_ONBOARDING_POPUP_URL)\n\n return result\n}\n","import { sub } from 'date-fns'\nimport { format, utcToZonedTime, zonedTimeToUtc } from 'date-fns-tz'\n\nimport { getBrowserTimeZone } from '../../../../../../utils/helpers'\n\nimport { NUM_YEARS_FOR_MIN_DATE, TIME_FORMAT, UTC_TIME_ZONE } from './constants'\n\nexport const getDateForDisplayInUtc = date => {\n const timeZone = getBrowserTimeZone()\n const utcTime = zonedTimeToUtc(date, timeZone)\n\n return format(utcToZonedTime(utcTime), TIME_FORMAT, { timeZone: UTC_TIME_ZONE })\n}\n\nexport const getMaxDate = () => new Date()\nexport const getMinDate = () => sub(new Date(), { years: NUM_YEARS_FOR_MIN_DATE })\n","export const MAX_DEDUCTION_PERCENT = 100\nexport const MIN_DEDUCTION_PERCENT = 0\n","export const APP_CLAIM_STATUS_PROCESSING_REQUEST = 'processingRequest'\nexport const APP_CLAIM_STATUS_UNVERIFIED = 'unverified'\nexport const APP_CLAIM_STATUS_VERIFIED = 'verified'\n\nexport const COPY_BY_APP_CLAIM_STATUS_MAPPING = {\n [APP_CLAIM_STATUS_PROCESSING_REQUEST]: {\n badgeLevel: 'default',\n badgeText: 'Processing Request',\n helpText: 'Once your account manager has verified your app, '\n + 'this status will change to Verified.'\n },\n [APP_CLAIM_STATUS_UNVERIFIED]: {\n badgeLevel: 'danger',\n badgeText: 'Unverified',\n helpText: 'To upload CSV and see SK Ad Network data, you must verify ownership '\n + 'of this app through your account manager.'\n },\n [APP_CLAIM_STATUS_VERIFIED]: {\n badgeLevel: 'success',\n badgeText: 'Verified',\n helpText: 'You are receiving SK Ad Network data for this app.'\n }\n}\n","// eslint-disable-next-line import/prefer-default-export\nexport const CAMPAIGN_ROW_SKELETON_HEIGHT = 40\n","import PropTypes from 'prop-types'\n\nimport {\n objectOfChannels,\n objectOfFilterableApps,\n objectOfLookbackWindows,\n oneOfSelectableLookbackWindows,\n objectOfServerPlatforms,\n arrayOfSelectableServerPlatforms\n} from '../../utils/customPropTypes'\n\nimport {\n renderAppsFilter,\n renderChannelsFilter,\n renderLookbackWindowFilter,\n renderPlatformsFilter\n} from './helpers'\n\nimport styles from './styles.module.scss'\n\nconst FilterBar = ({\n apps,\n canFilterByApps,\n canFilterByChannels,\n canFilterByLookbackWindow,\n canFilterByPlatforms,\n channels,\n lookbackWindows,\n onAppsSave,\n onChannelsSave,\n onLookbackWindowSave,\n onPlatformsSave,\n platforms,\n selectedAppIds,\n selectedChannelIds,\n selectedLookbackWindow,\n selectedPlatforms\n}) => (\n \n {canFilterByPlatforms && (\n renderPlatformsFilter({\n onPlatformsSave,\n platforms,\n selectedPlatforms\n })\n )}\n\n {canFilterByApps && (\n renderAppsFilter({\n apps,\n onAppsSave,\n selectedAppIds\n })\n )}\n\n {canFilterByChannels && (\n renderChannelsFilter({\n channels,\n onChannelsSave,\n selectedChannelIds\n })\n )}\n\n {canFilterByLookbackWindow && (\n renderLookbackWindowFilter({\n lookbackWindows,\n onLookbackWindowSave,\n selectedLookbackWindow\n })\n )}\n
\n)\n\nFilterBar.propTypes = {\n apps: objectOfFilterableApps,\n canFilterByApps: PropTypes.bool,\n canFilterByChannels: PropTypes.bool,\n canFilterByLookbackWindow: PropTypes.bool,\n canFilterByPlatforms: PropTypes.bool,\n channels: objectOfChannels,\n lookbackWindows: objectOfLookbackWindows,\n onAppsSave: PropTypes.func,\n onChannelsSave: PropTypes.func,\n onLookbackWindowSave: PropTypes.func,\n onPlatformsSave: PropTypes.func,\n platforms: objectOfServerPlatforms,\n selectedAppIds: PropTypes.arrayOf(PropTypes.string),\n selectedChannelIds: PropTypes.arrayOf(PropTypes.number),\n selectedLookbackWindow: oneOfSelectableLookbackWindows,\n selectedPlatforms: arrayOfSelectableServerPlatforms\n}\n\nFilterBar.defaultProps = {\n apps: {},\n canFilterByApps: false,\n canFilterByChannels: false,\n canFilterByLookbackWindow: false,\n canFilterByPlatforms: false,\n channels: {},\n lookbackWindows: {},\n onAppsSave: () => {},\n onChannelsSave: () => {},\n onLookbackWindowSave: () => {},\n onPlatformsSave: () => {},\n platforms: {},\n selectedAppIds: null,\n selectedChannelIds: null,\n selectedLookbackWindow: null,\n selectedPlatforms: null\n}\n\nexport default FilterBar\n","import classNames from 'classnames'\nimport { filter, includes, isEqual, startCase } from 'lodash'\nimport pluralize from 'pluralize'\nimport PropTypes from 'prop-types'\nimport Tooltip from 'rc-tooltip'\nimport React, { useEffect, useRef, useState } from 'react'\nimport Select, { components } from 'react-select'\n\nimport { arrayOfAppObjects } from '../../utils/customPropTypes'\nimport { deepCamelKeys } from '../../utils/helpers'\nimport { post } from '../../utils/request'\nimport AsyncButton from '../AsyncButton'\nimport FontAwesomeIcon from '../FontAwesomeIcon'\nimport Icon from '../Icon'\nimport PlatformIcon from '../PlatformIcon'\nimport {\n ACTION_DESELECT_OPTION,\n ACTION_INPUT_CHANGE,\n ACTION_MENU_CLOSE,\n ACTION_SELECT_OPTION,\n INPUT_REF_FOCUS_TIMEOUT,\n MOUSE_LEAVE_DELAY,\n PLACEHOLDER_INPUT,\n PLATFORM_LABELS,\n UNSAVED_CHANGES\n} from './constants'\nimport stylesObj from './styles.module.scss'\n\nconst customStyles = {\n control: () => ({\n backgroundColor: stylesObj.controlBackgroundColor,\n border: stylesObj.controlBorder,\n borderRadius: stylesObj.controlBorderRadius,\n display: 'flex',\n flexGrow: stylesObj.controlFlexGrow,\n flexShrink: stylesObj.controlFlexShrink,\n fontFamily: stylesObj.controlFontFamily,\n fontSize: stylesObj.controlFontSize,\n fontWeight: stylesObj.controlFontWeight,\n lineHeight: stylesObj.controlLineHeight\n }),\n dropdownIndicator: styles => ({\n ...styles,\n ':hover': {\n ...styles[':hover'],\n color: stylesObj.dropdownIndicatorColor\n },\n color: stylesObj.dropdownIndicatorColor\n }),\n indicatorSeparator: styles => ({\n ...styles,\n display: 'none',\n width: stylesObj.indicatorSeparatorWidth\n }),\n input: styles => ({\n ...styles,\n paddingLeft: stylesObj.inputPaddingLeft\n }),\n menu: styles => ({\n ...styles,\n height: stylesObj.menuHeight,\n width: stylesObj.menuWidth\n }),\n menuList: styles => ({\n ...styles,\n '&::-webkit-scrollbar': {\n '-webkit-appearance': 'none'\n },\n '&::-webkit-scrollbar-thumb': {\n backgroundColor: stylesObj.menuListScrollbarBackgroundColor,\n border: stylesObj.menuListScrollbarBorder,\n borderRadius: stylesObj.menuListScrollbarBorderRadius\n },\n '&::-webkit-scrollbar:horizontal': {\n height: stylesObj.menuListScrollbarDimensions\n },\n '&::-webkit-scrollbar:vertical': {\n width: stylesObj.menuListScrollbarDimensions\n },\n height: stylesObj.menuListHeight\n }),\n option: styles => ({\n ...styles,\n cursor: 'pointer'\n }),\n valueContainer: styles => ({\n ...styles,\n cursor: 'pointer'\n })\n}\n\n/* eslint-disable react/prop-types */\nconst CustomOption = props => {\n const { data, isSelected } = props\n const { iconUrl, id, name, platform } = data\n const tooltipTitle = `${name} (${\n PLATFORM_LABELS[platform] || startCase(platform)\n })`\n\n return (\n \n \n
\n {iconUrl && (\n
\n )}\n {platform && (\n
\n )}\n {name}\n
\n \n )\n}\n/* eslint-enable react/prop-types */\n\nconst AppAccessSelector = ({\n apps: appsProp,\n organizationUserId,\n selectedAppIds,\n url\n}) => {\n const apps = deepCamelKeys(appsProp)\n\n const initialApps = filter(apps, app => includes(selectedAppIds, app.id))\n\n const [currentApps, setCurrentApps] = useState(initialApps)\n const [selectedApps, setSelectedApps] = useState(initialApps)\n const [isMenuOpen, setIsMenuOpen] = useState(false)\n const [isUpdating, setIsUpdating] = useState(false)\n const [searchValue, setSearchValue] = useState('')\n\n const inputRef = useRef(null)\n const dropdownRef = useRef(null)\n\n const focusOnInput = () => {\n if (inputRef.current) {\n setTimeout(() => {\n inputRef.current.focus()\n }, INPUT_REF_FOCUS_TIMEOUT)\n }\n }\n\n const handleChangeInput = (value, { action }) => {\n if (action === ACTION_MENU_CLOSE && isMenuOpen) {\n setIsMenuOpen(true)\n focusOnInput()\n }\n\n if (action === ACTION_INPUT_CHANGE) {\n setSearchValue(value)\n focusOnInput()\n }\n }\n\n const handleClickValueContainer = () => {\n if (!isMenuOpen) {\n setIsMenuOpen(true)\n }\n }\n\n const hasChanges = !isEqual(currentApps, selectedApps)\n const isSelectDisabled = isUpdating\n\n const handleChange = (newSelectedApps, { action }) => {\n if ([ACTION_SELECT_OPTION, ACTION_DESELECT_OPTION].includes(action)) {\n setSelectedApps(newSelectedApps)\n focusOnInput()\n }\n }\n\n const handleOpenMenu = () => {\n setIsMenuOpen(true)\n focusOnInput()\n }\n\n const handleCloseMenu = () => {\n setIsMenuOpen(false)\n setSearchValue('')\n }\n\n const handleClickSave = async () => {\n const params = {\n organizationUser: {\n apps: selectedApps.map(app => app.id),\n id: organizationUserId\n }\n }\n\n setIsUpdating(true)\n\n await post(url, params)\n setCurrentApps(selectedApps)\n\n setIsUpdating(false)\n handleCloseMenu()\n }\n\n const handleMenuBlur = event => {\n event.preventDefault()\n }\n\n const handleClickDropdownIndicator = event => {\n event.stopPropagation()\n event.preventDefault()\n\n if (isMenuOpen) {\n setSearchValue('')\n }\n\n setIsMenuOpen(prev => !prev)\n }\n\n const handleError = () => {\n setIsUpdating(false)\n }\n\n const handleClickOutside = event => {\n if (dropdownRef.current && !dropdownRef.current.contains(event.target)) {\n handleCloseMenu()\n }\n }\n\n useEffect(() => {\n if (isMenuOpen) {\n document.addEventListener('mousedown', handleClickOutside)\n } else {\n document.removeEventListener('mousedown', handleClickOutside)\n }\n\n return () => {\n document.removeEventListener('mousedown', handleClickOutside)\n }\n }, [isMenuOpen])\n\n /* eslint-disable react/prop-types,\n react/destructuring-assignment,\n jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions */\n const CustomDropdownIndicator = props => (\n \n \n {props.children}\n \n
\n )\n /* eslint-enable react/prop-types,\n react/destructuring-assignment,\n jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions */\n\n /* eslint-disable react/prop-types */\n const CustomInput = props => (\n {\n inputRef.current = input\n if (props.innerRef) props.innerRef(input)\n }}\n placeholder={\n isMenuOpen\n ? `${PLACEHOLDER_INPUT} (${selectedApps.length} Selected)`\n : ''\n }\n disabled={!isMenuOpen}\n onBlur={handleMenuBlur}\n />\n )\n /* eslint-enable react/prop-types */\n\n const SaveButton = isMenuOpen && (\n \n
Something went wrong...}\n loadingContent={Saving...}\n >\n Save\n \n
\n )\n\n /* eslint-disable react/prop-types,\n react/destructuring-assignment,\n jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions */\n const CustomValueContainer = props => (\n \n {!isMenuOpen && (\n \n
\n {pluralize('app', selectedApps.length, true)} selected\n
\n {hasChanges && !isUpdating && (\n
\n \n \n
\n \n )}\n
\n )}\n {props.children}\n \n )\n /* eslint-enable react/prop-types,\n react/destructuring-assignment,\n jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions */\n\n const CustomMultiValueContainer = () => ''\n\n const customComponents = {\n DropdownIndicator: CustomDropdownIndicator,\n Input: CustomInput,\n MultiValueContainer: CustomMultiValueContainer,\n Option: CustomOption,\n ValueContainer: CustomValueContainer\n }\n\n return (\n \n
\n )\n}\n\nAppAccessSelector.propTypes = {\n apps: arrayOfAppObjects.isRequired,\n organizationUserId: PropTypes.string.isRequired,\n selectedAppIds: PropTypes.arrayOf(PropTypes.string).isRequired,\n url: PropTypes.string.isRequired\n}\n\nexport default AppAccessSelector\n","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1dLGu\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___gq3Lx\",\"btn-toggle\":\"styles-module__btn-toggle___15OPu\",\"handle\":\"styles-module__handle___3dOga\",\"active\":\"styles-module__active___OT5Ne\",\"focus\":\"styles-module__focus___2QVov\",\"card-panel\":\"styles-module__card-panel___1CHx1\",\"panel-heading\":\"styles-module__panel-heading___uauZD\",\"panel-title\":\"styles-module__panel-title___10rVf\",\"panel-subtitle\":\"styles-module__panel-subtitle___1iaGq\",\"panel-body\":\"styles-module__panel-body___3OFft\",\"BackLink\":\"styles-module__BackLink___1JsZn\"};","import React, { useCallback, useState } from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport { isEmpty } from 'lodash'\nimport { noop } from '../../utils/helpers'\n\nimport CheckboxIcon from '../CheckboxIcon/CheckboxIcon'\n\nimport styles from './styles.module.scss'\n\nfunction Checkbox(props) {\n const {\n className,\n htmlFor,\n isChecked,\n label,\n multiple,\n onChange,\n readOnly,\n size,\n value\n } = props\n\n const [isFocused, setIsFocused] = useState(false)\n const [isHovered, setIsHovered] = useState(false)\n\n const handleBlur = useCallback(() => {\n setIsFocused(false)\n }, [])\n\n const handleFocus = useCallback(() => {\n setIsFocused(true)\n }, [])\n\n const handleMouseEnter = useCallback(() => {\n setIsHovered(true)\n }, [])\n\n const handleMouseLeave = useCallback(() => {\n setIsHovered(false)\n }, [])\n\n const handleChange = useCallback(ev => {\n ev.stopPropagation()\n\n if (!multiple && value.toString() === ev.target.value && isChecked) {\n return\n }\n\n onChange(ev)\n }, [isChecked, multiple, value])\n\n const visibleCheckboxClassName = classNames(styles.visibleCheckbox, {\n [styles.checkedVisibleCheckbox]: isChecked,\n [styles.focusedVisibleCheckbox]: isFocused,\n [styles.hoveredVisibleCheckbox]: isHovered\n })\n\n const innerCheckboxClassName = classNames(styles.inner, styles[`inner--${size}`])\n\n return (\n \n )\n}\n\nCheckbox.propTypes = {\n className: PropTypes.string,\n htmlFor: PropTypes.string.isRequired,\n isChecked: PropTypes.bool.isRequired,\n label: PropTypes.oneOfType([\n PropTypes.string,\n PropTypes.element\n ]),\n multiple: PropTypes.bool,\n onChange: PropTypes.func,\n readOnly: PropTypes.bool,\n size: PropTypes.oneOf(['sm', 'default']),\n value: PropTypes.oneOfType([\n PropTypes.number,\n PropTypes.string\n ])\n}\n\nCheckbox.defaultProps = {\n className: '',\n label: '',\n multiple: false,\n onChange: noop,\n readOnly: false,\n size: 'default',\n value: ''\n}\n\nexport default Checkbox\n","import React from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport { isEmpty } from 'lodash'\n\nimport FontAwesomeIcon from '../FontAwesomeIcon'\n\nimport styles from './styles.module.scss'\n\nclass SearchInput extends React.Component {\n constructor(props) {\n super(props)\n\n this.handleClear = this.handleClear.bind(this)\n this.handleChange = this.handleChange.bind(this)\n\n this.inputRef = React.createRef()\n\n this.state = {\n value: props.value\n }\n }\n\n componentDidUpdate({ value: prevPropsValue }) {\n this.updateValueIfNeeded(prevPropsValue)\n }\n\n updateValueIfNeeded(prevValue) {\n const { value } = this.props\n const { value: stateValue } = this.state\n\n if (value !== prevValue && stateValue !== value) {\n this.setState({ value })\n }\n }\n\n handleChange(event) {\n const { onChange } = this.props\n const { value } = event.target\n\n this.setState({ value }, () => onChange(value))\n }\n\n handleClear(event) {\n event.stopPropagation()\n\n const { value } = this.state\n\n if (isEmpty(value)) return\n\n const { autoFocus, onChange } = this.props\n\n this.setState({ value: '' }, () => {\n onChange('')\n\n if (autoFocus) {\n this.inputRef.current.focus()\n }\n })\n }\n\n renderClearSearchIcon() {\n return (\n \n )\n }\n\n render() {\n const {\n autoFocus,\n containerClassName,\n disabled,\n displaySearchIcon,\n inputClassName,\n onClick,\n placeholder,\n primary\n } = this.props\n const {\n value\n } = this.state\n\n const containerClass = classNames(containerClassName, styles.container, {\n [styles.primaryContainer]: primary,\n [styles.containerWithSearchIcon]: displaySearchIcon\n })\n const inputClass = classNames('form-control',\n styles.formControl,\n styles.formControlSm,\n inputClassName,\n { disabled })\n\n return (\n \n \n\n {displaySearchIcon && (\n \n )}\n\n {!isEmpty(value) && this.renderClearSearchIcon()}\n \n )\n }\n}\n\nSearchInput.propTypes = {\n autoFocus: PropTypes.bool,\n containerClassName: PropTypes.string,\n disabled: PropTypes.bool,\n displaySearchIcon: PropTypes.bool,\n inputClassName: PropTypes.string,\n onChange: PropTypes.func.isRequired,\n onClick: PropTypes.func,\n placeholder: PropTypes.string,\n primary: PropTypes.bool,\n value: PropTypes.string\n}\n\nSearchInput.defaultProps = {\n autoFocus: false,\n containerClassName: '',\n disabled: false,\n displaySearchIcon: true,\n inputClassName: '',\n onClick: () => {},\n placeholder: 'Search...',\n primary: false,\n value: ''\n}\n\nexport default SearchInput\n","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3RR1n\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3yVuE\",\"btn-toggle\":\"styles-module__btn-toggle___2cG7s\",\"handle\":\"styles-module__handle___YvBMV\",\"active\":\"styles-module__active___2VJVP\",\"focus\":\"styles-module__focus___2LhEL\",\"card-panel\":\"styles-module__card-panel___1v3w7\",\"panel-heading\":\"styles-module__panel-heading___1DQaY\",\"panel-title\":\"styles-module__panel-title___3Be18\",\"panel-subtitle\":\"styles-module__panel-subtitle___2WGoR\",\"panel-body\":\"styles-module__panel-body___2KZPZ\",\"container\":\"styles-module__container___1cm6K\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3KUpX\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1pyYK\",\"btn-toggle\":\"styles-module__btn-toggle___2kG56\",\"handle\":\"styles-module__handle___rNpkR\",\"active\":\"styles-module__active___3jVsM\",\"focus\":\"styles-module__focus___b64eJ\",\"card-panel\":\"styles-module__card-panel___1j9dC\",\"panel-heading\":\"styles-module__panel-heading___f7uk6\",\"panel-title\":\"styles-module__panel-title___3GsZy\",\"panel-subtitle\":\"styles-module__panel-subtitle___7TfQq\",\"panel-body\":\"styles-module__panel-body___3tXRw\",\"header\":\"styles-module__header___3P2Cs\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1eX9q\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2uUGd\",\"btn-toggle\":\"styles-module__btn-toggle___15DD5\",\"handle\":\"styles-module__handle___2J0VV\",\"active\":\"styles-module__active___1fcGj\",\"focus\":\"styles-module__focus___1ySmy\",\"card-panel\":\"styles-module__card-panel___1NcGr\",\"panel-heading\":\"styles-module__panel-heading___lVCUn\",\"panel-title\":\"styles-module__panel-title___1vROW\",\"panel-subtitle\":\"styles-module__panel-subtitle___2d2QC\",\"panel-body\":\"styles-module__panel-body___f42ox\",\"label\":\"styles-module__label___3pbVw\"};","import React from 'react'\nimport PropTypes from 'prop-types'\n\nimport styles from './styles.module.scss'\n\nclass PageSectionHeader extends React.PureComponent {\n render() {\n const { text } = this.props\n\n return {text}
\n }\n}\n\nPageSectionHeader.propTypes = {\n text: PropTypes.string.isRequired\n}\n\nexport default PageSectionHeader\n","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___dkbSH\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3cXFO\",\"btn-toggle\":\"styles-module__btn-toggle___Xx3rg\",\"handle\":\"styles-module__handle___2LNbT\",\"active\":\"styles-module__active___12MyQ\",\"focus\":\"styles-module__focus___38mbt\",\"card-panel\":\"styles-module__card-panel___PlN-h\",\"panel-heading\":\"styles-module__panel-heading___kzKAz\",\"panel-title\":\"styles-module__panel-title___qcoqR\",\"panel-subtitle\":\"styles-module__panel-subtitle___1vbvZ\",\"panel-body\":\"styles-module__panel-body___58QIO\",\"container\":\"styles-module__container___1CRqw\"};","import React from 'react'\nimport PropTypes from 'prop-types'\n\nimport styles from './styles.module.scss'\n\nclass PageSubtext extends React.PureComponent {\n render() {\n const { children } = this.props\n\n return {children}
\n }\n}\n\nPageSubtext.propTypes = {\n children: PropTypes.node.isRequired\n}\n\nexport default PageSubtext\n","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1UUQq\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3SJVf\",\"btn-toggle\":\"styles-module__btn-toggle___1jSAv\",\"handle\":\"styles-module__handle___L3LE_\",\"active\":\"styles-module__active___zEU9K\",\"focus\":\"styles-module__focus___uDYbJ\",\"card-panel\":\"styles-module__card-panel___27j5V\",\"panel-heading\":\"styles-module__panel-heading___2w5fH\",\"panel-title\":\"styles-module__panel-title___3Oz-N\",\"panel-subtitle\":\"styles-module__panel-subtitle___1tODi\",\"panel-body\":\"styles-module__panel-body___2KyXa\",\"text\":\"styles-module__text___2rpkL\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1pEUv\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___20OcX\",\"btn-toggle\":\"styles-module__btn-toggle___1DL2n\",\"handle\":\"styles-module__handle___2u9DQ\",\"active\":\"styles-module__active___31EFP\",\"focus\":\"styles-module__focus___2lxCO\",\"card-panel\":\"styles-module__card-panel___1hBlU\",\"panel-heading\":\"styles-module__panel-heading___-dtFn\",\"panel-title\":\"styles-module__panel-title___1LhhH\",\"panel-subtitle\":\"styles-module__panel-subtitle___2OiaN\",\"panel-body\":\"styles-module__panel-body___3hxyN\",\"text\":\"styles-module__text___108sc\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___34qdE\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1AeXO\",\"btn-toggle\":\"styles-module__btn-toggle___2CReu\",\"handle\":\"styles-module__handle___g8UKa\",\"active\":\"styles-module__active___2dvco\",\"focus\":\"styles-module__focus___D0foj\",\"card-panel\":\"styles-module__card-panel___1on0v\",\"panel-heading\":\"styles-module__panel-heading___2QHYw\",\"panel-title\":\"styles-module__panel-title___urSuV\",\"panel-subtitle\":\"styles-module__panel-subtitle___1t2OV\",\"panel-body\":\"styles-module__panel-body___3wVKd\",\"noValue\":\"styles-module__noValue___1LuD5\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1o4LK\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1Wne7\",\"btn-toggle\":\"styles-module__btn-toggle___3xNPp\",\"handle\":\"styles-module__handle___3bx6F\",\"active\":\"styles-module__active___1-C-9\",\"focus\":\"styles-module__focus____w0mJ\",\"card-panel\":\"styles-module__card-panel___6dszY\",\"panel-heading\":\"styles-module__panel-heading___19naR\",\"panel-title\":\"styles-module__panel-title___UsBAD\",\"panel-subtitle\":\"styles-module__panel-subtitle___2UY1u\",\"panel-body\":\"styles-module__panel-body___1j1jl\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___YlsVS\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1m3zu\",\"btn-toggle\":\"styles-module__btn-toggle___26Zvk\",\"handle\":\"styles-module__handle___2rDx6\",\"active\":\"styles-module__active___3hG29\",\"focus\":\"styles-module__focus___1MD-A\",\"card-panel\":\"styles-module__card-panel___Oi5EL\",\"panel-heading\":\"styles-module__panel-heading___3BbV4\",\"panel-title\":\"styles-module__panel-title___bAjOF\",\"panel-subtitle\":\"styles-module__panel-subtitle___2ZsfG\",\"panel-body\":\"styles-module__panel-body___32Kme\",\"text\":\"styles-module__text___jYaGv\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2sECq\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1HEkY\",\"btn-toggle\":\"styles-module__btn-toggle___2Q6k1\",\"handle\":\"styles-module__handle___199EA\",\"active\":\"styles-module__active___xt56V\",\"focus\":\"styles-module__focus___1lx6R\",\"card-panel\":\"styles-module__card-panel___VDynP\",\"panel-heading\":\"styles-module__panel-heading___9GHLd\",\"panel-title\":\"styles-module__panel-title___doddW\",\"panel-subtitle\":\"styles-module__panel-subtitle___2YqzV\",\"panel-body\":\"styles-module__panel-body___1FMEZ\",\"text\":\"styles-module__text___mm1RJ\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3pHlg\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2rDCq\",\"btn-toggle\":\"styles-module__btn-toggle___32WrR\",\"handle\":\"styles-module__handle___3JYxg\",\"active\":\"styles-module__active___1v8oK\",\"focus\":\"styles-module__focus___36Omw\",\"card-panel\":\"styles-module__card-panel___2_yQY\",\"panel-heading\":\"styles-module__panel-heading___Koo-_\",\"panel-title\":\"styles-module__panel-title___8mI9E\",\"panel-subtitle\":\"styles-module__panel-subtitle___1mQAr\",\"panel-body\":\"styles-module__panel-body___3sfca\",\"text\":\"styles-module__text___2X8Zz\",\"subtext\":\"styles-module__subtext___2NGRE\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___9h0-r\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3oJBV\",\"btn-toggle\":\"styles-module__btn-toggle___7oSr2\",\"handle\":\"styles-module__handle___3VENK\",\"active\":\"styles-module__active___3_8_d\",\"focus\":\"styles-module__focus___ujhjS\",\"card-panel\":\"styles-module__card-panel___3JcEn\",\"panel-heading\":\"styles-module__panel-heading___4ahVm\",\"panel-title\":\"styles-module__panel-title___3lPMn\",\"panel-subtitle\":\"styles-module__panel-subtitle___2rsnR\",\"panel-body\":\"styles-module__panel-body___2G2Le\",\"boldLink\":\"styles-module__boldLink___2Dxe4\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3QcWK\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___S3JbC\",\"btn-toggle\":\"styles-module__btn-toggle___3pALA\",\"handle\":\"styles-module__handle___2UtqW\",\"active\":\"styles-module__active___3oqEw\",\"focus\":\"styles-module__focus___3qnI_\",\"card-panel\":\"styles-module__card-panel___2-Zs9\",\"panel-heading\":\"styles-module__panel-heading___2W-zy\",\"panel-title\":\"styles-module__panel-title___3kh3n\",\"panel-subtitle\":\"styles-module__panel-subtitle___2oNEd\",\"panel-body\":\"styles-module__panel-body___21S3D\",\"linkContainer\":\"styles-module__linkContainer___2k5OD\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1Hwot\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2xbMT\",\"btn-toggle\":\"styles-module__btn-toggle___2AWoi\",\"handle\":\"styles-module__handle___3o8_S\",\"active\":\"styles-module__active___Wn7tq\",\"focus\":\"styles-module__focus___2fvvn\",\"card-panel\":\"styles-module__card-panel___r4F2u\",\"panel-heading\":\"styles-module__panel-heading___1qkaG\",\"panel-title\":\"styles-module__panel-title___rlbfg\",\"panel-subtitle\":\"styles-module__panel-subtitle___1LABC\",\"panel-body\":\"styles-module__panel-body___1xTea\",\"overlayText\":\"styles-module__overlayText___3B_-j\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2Nk5f\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___RMEzI\",\"btn-toggle\":\"styles-module__btn-toggle___Ixmmi\",\"handle\":\"styles-module__handle___1fGw5\",\"active\":\"styles-module__active___1R3VZ\",\"focus\":\"styles-module__focus___3U2Em\",\"card-panel\":\"styles-module__card-panel___1YvzB\",\"panel-heading\":\"styles-module__panel-heading___T7tDz\",\"panel-title\":\"styles-module__panel-title___3lsdo\",\"panel-subtitle\":\"styles-module__panel-subtitle___3SjQT\",\"panel-body\":\"styles-module__panel-body___1znmy\",\"linkContainer\":\"styles-module__linkContainer___1BYF0\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2M3Gh\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3U-vu\",\"btn-toggle\":\"styles-module__btn-toggle___2r2UQ\",\"handle\":\"styles-module__handle___2Ow1D\",\"active\":\"styles-module__active___2eXeA\",\"focus\":\"styles-module__focus___yw3Q1\",\"card-panel\":\"styles-module__card-panel___3nPNN\",\"panel-heading\":\"styles-module__panel-heading___2b_zy\",\"panel-title\":\"styles-module__panel-title___290jO\",\"panel-subtitle\":\"styles-module__panel-subtitle___RirMN\",\"panel-body\":\"styles-module__panel-body___-lJZB\",\"text\":\"styles-module__text___3RGfR\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___119lD\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1gUur\",\"btn-toggle\":\"styles-module__btn-toggle___X55ew\",\"handle\":\"styles-module__handle___SwzsW\",\"active\":\"styles-module__active___2S1Su\",\"focus\":\"styles-module__focus___3ALwE\",\"card-panel\":\"styles-module__card-panel___1Ajaz\",\"panel-heading\":\"styles-module__panel-heading___3AxTQ\",\"panel-title\":\"styles-module__panel-title___DmkAD\",\"panel-subtitle\":\"styles-module__panel-subtitle___26huI\",\"panel-body\":\"styles-module__panel-body___2DnJl\",\"table\":\"styles-module__table___Jskd7\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3sFJg\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2opcN\",\"btn-toggle\":\"styles-module__btn-toggle___2zIFF\",\"handle\":\"styles-module__handle___Xb-rw\",\"active\":\"styles-module__active___2nHLy\",\"focus\":\"styles-module__focus___gFpIP\",\"card-panel\":\"styles-module__card-panel___3-dum\",\"panel-heading\":\"styles-module__panel-heading___1Sef7\",\"panel-title\":\"styles-module__panel-title___qm6MF\",\"panel-subtitle\":\"styles-module__panel-subtitle___3gzrT\",\"panel-body\":\"styles-module__panel-body___12MhM\",\"numeric\":\"styles-module__numeric___29jMH\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2D3dp\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2ZchC\",\"btn-toggle\":\"styles-module__btn-toggle___1oV2A\",\"handle\":\"styles-module__handle___yGu-S\",\"active\":\"styles-module__active___3QAGt\",\"focus\":\"styles-module__focus___caYa1\",\"card-panel\":\"styles-module__card-panel___oA5Bu\",\"panel-heading\":\"styles-module__panel-heading___12PE1\",\"panel-title\":\"styles-module__panel-title___VJ04o\",\"panel-subtitle\":\"styles-module__panel-subtitle___2F61x\",\"panel-body\":\"styles-module__panel-body___3hyuR\",\"skeleton\":\"styles-module__skeleton___1Rzoi\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1vot8\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___xkwQT\",\"btn-toggle\":\"styles-module__btn-toggle___2NAz0\",\"handle\":\"styles-module__handle___J-qHf\",\"active\":\"styles-module__active___gWGC_\",\"focus\":\"styles-module__focus___3UtIb\",\"card-panel\":\"styles-module__card-panel___2oo_M\",\"panel-heading\":\"styles-module__panel-heading___1YaDL\",\"panel-title\":\"styles-module__panel-title___3-cPS\",\"panel-subtitle\":\"styles-module__panel-subtitle___3OZDZ\",\"panel-body\":\"styles-module__panel-body___3egt2\",\"header\":\"styles-module__header___pzc33\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2eCMg\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___10dRr\",\"btn-toggle\":\"styles-module__btn-toggle___2mqxN\",\"handle\":\"styles-module__handle___1wqfD\",\"active\":\"styles-module__active___8BFeR\",\"focus\":\"styles-module__focus____bDfb\",\"card-panel\":\"styles-module__card-panel___3myPY\",\"panel-heading\":\"styles-module__panel-heading___2RCb0\",\"panel-title\":\"styles-module__panel-title___1ORRg\",\"panel-subtitle\":\"styles-module__panel-subtitle___2fA5V\",\"panel-body\":\"styles-module__panel-body___2az-U\",\"msg\":\"styles-module__msg___20gTF\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___yDZkp\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2my1Q\",\"btn-toggle\":\"styles-module__btn-toggle___ca22r\",\"handle\":\"styles-module__handle___1bsrt\",\"active\":\"styles-module__active___5lhua\",\"focus\":\"styles-module__focus___3N_aq\",\"card-panel\":\"styles-module__card-panel___588GC\",\"panel-heading\":\"styles-module__panel-heading___EYiEQ\",\"panel-title\":\"styles-module__panel-title___16Orl\",\"panel-subtitle\":\"styles-module__panel-subtitle___yL_R-\",\"panel-body\":\"styles-module__panel-body___15D4e\",\"img\":\"styles-module__img___1nye6\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3LGwc\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___OxYAp\",\"btn-toggle\":\"styles-module__btn-toggle___1apYm\",\"handle\":\"styles-module__handle___3qPFB\",\"active\":\"styles-module__active___3U3Fq\",\"focus\":\"styles-module__focus___1oXju\",\"card-panel\":\"styles-module__card-panel___2e2Jv\",\"panel-heading\":\"styles-module__panel-heading___2WmJl\",\"panel-title\":\"styles-module__panel-title___2EXTU\",\"panel-subtitle\":\"styles-module__panel-subtitle___6klvL\",\"panel-body\":\"styles-module__panel-body___1K90N\",\"flag\":\"styles-module__flag___1ap2x\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1sINT\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3Co5m\",\"btn-toggle\":\"styles-module__btn-toggle___1lMeu\",\"handle\":\"styles-module__handle___23B1L\",\"active\":\"styles-module__active___1BFi3\",\"focus\":\"styles-module__focus___1PnKX\",\"card-panel\":\"styles-module__card-panel___1jz08\",\"panel-heading\":\"styles-module__panel-heading___2UgoJ\",\"panel-title\":\"styles-module__panel-title___1ApJT\",\"panel-subtitle\":\"styles-module__panel-subtitle___UOmgF\",\"panel-body\":\"styles-module__panel-body___2pJNa\",\"btnWrapper\":\"styles-module__btnWrapper___mkEVU\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"menuZIndex\":\"4000\",\"google-oauth-button\":\"styles-module__google-oauth-button___3GYKL\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1SuBb\",\"btn-toggle\":\"styles-module__btn-toggle___15Q2R\",\"handle\":\"styles-module__handle___-chWB\",\"active\":\"styles-module__active___1PmP9\",\"focus\":\"styles-module__focus___LEtE0\",\"card-panel\":\"styles-module__card-panel___2VISk\",\"panel-heading\":\"styles-module__panel-heading___3GN9Z\",\"panel-title\":\"styles-module__panel-title___1NVvn\",\"panel-subtitle\":\"styles-module__panel-subtitle___2pEIa\",\"panel-body\":\"styles-module__panel-body___2AHYu\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3CvvX\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3GIOu\",\"btn-toggle\":\"styles-module__btn-toggle___3wso8\",\"handle\":\"styles-module__handle___2JKLx\",\"active\":\"styles-module__active___N3Fi9\",\"focus\":\"styles-module__focus___2fNMJ\",\"card-panel\":\"styles-module__card-panel___2ZS23\",\"panel-heading\":\"styles-module__panel-heading___2jxxm\",\"panel-title\":\"styles-module__panel-title___WGVsW\",\"panel-subtitle\":\"styles-module__panel-subtitle___2ItST\",\"panel-body\":\"styles-module__panel-body___Yf4QT\",\"wrapper\":\"styles-module__wrapper___333-A\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___or9Oj\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3XnDq\",\"btn-toggle\":\"styles-module__btn-toggle___3UfK1\",\"handle\":\"styles-module__handle___ugz9O\",\"active\":\"styles-module__active___MDO-U\",\"focus\":\"styles-module__focus___17W2C\",\"card-panel\":\"styles-module__card-panel___1wTmc\",\"panel-heading\":\"styles-module__panel-heading___2DLpK\",\"panel-title\":\"styles-module__panel-title___3Ua4q\",\"panel-subtitle\":\"styles-module__panel-subtitle___1yOo_\",\"panel-body\":\"styles-module__panel-body___3nrDa\",\"text\":\"styles-module__text___2Vkeo\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1sG9L\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___dHJlO\",\"btn-toggle\":\"styles-module__btn-toggle___cT8ak\",\"handle\":\"styles-module__handle___24goh\",\"active\":\"styles-module__active___1p8xK\",\"focus\":\"styles-module__focus___1ZwkZ\",\"card-panel\":\"styles-module__card-panel___365_g\",\"panel-heading\":\"styles-module__panel-heading___3waQg\",\"panel-title\":\"styles-module__panel-title___3acME\",\"panel-subtitle\":\"styles-module__panel-subtitle___KwOPC\",\"panel-body\":\"styles-module__panel-body___3PEGW\",\"formLabelWithTooltip\":\"styles-module__formLabelWithTooltip___3QdcP\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3Ikk9\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3-k_c\",\"btn-toggle\":\"styles-module__btn-toggle___34QSi\",\"handle\":\"styles-module__handle___1RZf4\",\"active\":\"styles-module__active___34CLR\",\"focus\":\"styles-module__focus___1dElR\",\"card-panel\":\"styles-module__card-panel___3c5tp\",\"panel-heading\":\"styles-module__panel-heading___2XVpH\",\"panel-title\":\"styles-module__panel-title___1ljx8\",\"panel-subtitle\":\"styles-module__panel-subtitle___3niA-\",\"panel-body\":\"styles-module__panel-body___hLV8Q\",\"header\":\"styles-module__header___1kvbW\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2R9WO\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___9nBxR\",\"btn-toggle\":\"styles-module__btn-toggle___1BfjN\",\"handle\":\"styles-module__handle___3NU9E\",\"active\":\"styles-module__active___1Vi96\",\"focus\":\"styles-module__focus___275M4\",\"card-panel\":\"styles-module__card-panel___lJIza\",\"panel-heading\":\"styles-module__panel-heading___2FocM\",\"panel-title\":\"styles-module__panel-title___eOy3i\",\"panel-subtitle\":\"styles-module__panel-subtitle___2P5Wf\",\"panel-body\":\"styles-module__panel-body___fK-Ma\",\"error\":\"styles-module__error___1tMgU\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3XQMC\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___ldUfi\",\"btn-toggle\":\"styles-module__btn-toggle___3fIAt\",\"handle\":\"styles-module__handle___3QTOG\",\"active\":\"styles-module__active___vkuxM\",\"focus\":\"styles-module__focus___2gMar\",\"card-panel\":\"styles-module__card-panel___aK_3K\",\"panel-heading\":\"styles-module__panel-heading___39YNp\",\"panel-title\":\"styles-module__panel-title___1l0AU\",\"panel-subtitle\":\"styles-module__panel-subtitle___1-9-W\",\"panel-body\":\"styles-module__panel-body___vzmRE\",\"label\":\"styles-module__label___3znQl\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___bryUP\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2Mj1W\",\"btn-toggle\":\"styles-module__btn-toggle___1V7aN\",\"handle\":\"styles-module__handle___1eqJP\",\"active\":\"styles-module__active___3zATp\",\"focus\":\"styles-module__focus___2Qqhb\",\"card-panel\":\"styles-module__card-panel___QRWqd\",\"panel-heading\":\"styles-module__panel-heading___3ZJrw\",\"panel-title\":\"styles-module__panel-title___3v2FX\",\"panel-subtitle\":\"styles-module__panel-subtitle___1QouZ\",\"panel-body\":\"styles-module__panel-body___2BMY0\",\"btn\":\"styles-module__btn___224Jy\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1qJW-\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2SLgX\",\"btn-toggle\":\"styles-module__btn-toggle___3mTdw\",\"handle\":\"styles-module__handle___24Ogb\",\"active\":\"styles-module__active___3AO2N\",\"focus\":\"styles-module__focus___2WRJ8\",\"card-panel\":\"styles-module__card-panel___Al1-q\",\"panel-heading\":\"styles-module__panel-heading___-Y3fq\",\"panel-title\":\"styles-module__panel-title___2yIPI\",\"panel-subtitle\":\"styles-module__panel-subtitle___Zsu9_\",\"panel-body\":\"styles-module__panel-body___RujCN\",\"input\":\"styles-module__input___1quyC\",\"label\":\"styles-module__label___31GCo\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3pvfg\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___18pl_\",\"btn-toggle\":\"styles-module__btn-toggle___3jxPp\",\"handle\":\"styles-module__handle___3mVBK\",\"active\":\"styles-module__active___3DMwl\",\"focus\":\"styles-module__focus___1HDhL\",\"card-panel\":\"styles-module__card-panel___1e08p\",\"panel-heading\":\"styles-module__panel-heading___3svVp\",\"panel-title\":\"styles-module__panel-title___3K5tY\",\"panel-subtitle\":\"styles-module__panel-subtitle___3036A\",\"panel-body\":\"styles-module__panel-body___E8TYQ\",\"error\":\"styles-module__error___ongnp\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3eaW1\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3A55G\",\"btn-toggle\":\"styles-module__btn-toggle___1u1Ws\",\"handle\":\"styles-module__handle___3FR3U\",\"active\":\"styles-module__active___1cSyS\",\"focus\":\"styles-module__focus___3kgJ3\",\"card-panel\":\"styles-module__card-panel___2lFDk\",\"panel-heading\":\"styles-module__panel-heading___2NTYH\",\"panel-title\":\"styles-module__panel-title___3rlay\",\"panel-subtitle\":\"styles-module__panel-subtitle___1eO1B\",\"panel-body\":\"styles-module__panel-body___3_0yb\",\"error\":\"styles-module__error___rRqb4\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1Tyj0\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___29HXn\",\"btn-toggle\":\"styles-module__btn-toggle___25JVW\",\"handle\":\"styles-module__handle___1-k8w\",\"active\":\"styles-module__active___2oH9w\",\"focus\":\"styles-module__focus___9KxDM\",\"card-panel\":\"styles-module__card-panel___2xImv\",\"panel-heading\":\"styles-module__panel-heading___3rlIU\",\"panel-title\":\"styles-module__panel-title___1cqTO\",\"panel-subtitle\":\"styles-module__panel-subtitle___KzkHK\",\"panel-body\":\"styles-module__panel-body___3RQ6M\",\"section\":\"styles-module__section___2BkSQ\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2HWdC\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___rHnLd\",\"btn-toggle\":\"styles-module__btn-toggle___377c3\",\"handle\":\"styles-module__handle___UE2SS\",\"active\":\"styles-module__active___K7M8k\",\"focus\":\"styles-module__focus___xEDSs\",\"card-panel\":\"styles-module__card-panel___1GC1_\",\"panel-heading\":\"styles-module__panel-heading___21VHC\",\"panel-title\":\"styles-module__panel-title___35hSU\",\"panel-subtitle\":\"styles-module__panel-subtitle___2zpMD\",\"panel-body\":\"styles-module__panel-body___1cMDF\",\"sectionContent\":\"styles-module__sectionContent___2r9rN\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3AxPA\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2v7vw\",\"btn-toggle\":\"styles-module__btn-toggle___3uCzs\",\"handle\":\"styles-module__handle___1aZxs\",\"active\":\"styles-module__active___1Bt_R\",\"focus\":\"styles-module__focus___2zubC\",\"card-panel\":\"styles-module__card-panel___1veTU\",\"panel-heading\":\"styles-module__panel-heading___3CqRQ\",\"panel-title\":\"styles-module__panel-title___lvzE6\",\"panel-subtitle\":\"styles-module__panel-subtitle___8CCon\",\"panel-body\":\"styles-module__panel-body___2cvTJ\",\"sectionHeader\":\"styles-module__sectionHeader___wsugm\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2-Ry5\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1W5Y8\",\"btn-toggle\":\"styles-module__btn-toggle___12Tc-\",\"handle\":\"styles-module__handle___W9kFr\",\"active\":\"styles-module__active___283Af\",\"focus\":\"styles-module__focus___3o-gN\",\"card-panel\":\"styles-module__card-panel___3-OiG\",\"panel-heading\":\"styles-module__panel-heading___2wckb\",\"panel-title\":\"styles-module__panel-title___180D0\",\"panel-subtitle\":\"styles-module__panel-subtitle___3XjJj\",\"panel-body\":\"styles-module__panel-body___2HvwJ\",\"label\":\"styles-module__label___16-PK\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2yCb5\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___32UOk\",\"btn-toggle\":\"styles-module__btn-toggle___2ko-V\",\"handle\":\"styles-module__handle___3KxOV\",\"active\":\"styles-module__active___2kQfx\",\"focus\":\"styles-module__focus___2lEw6\",\"card-panel\":\"styles-module__card-panel___3Po48\",\"panel-heading\":\"styles-module__panel-heading___1_crx\",\"panel-title\":\"styles-module__panel-title___c6ZBf\",\"panel-subtitle\":\"styles-module__panel-subtitle___IUFJ2\",\"panel-body\":\"styles-module__panel-body___29rYE\",\"activeOrg\":\"styles-module__activeOrg___xhH1w\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1AjH6\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___O8moq\",\"btn-toggle\":\"styles-module__btn-toggle___3x0wk\",\"handle\":\"styles-module__handle___JISLd\",\"active\":\"styles-module__active___tDB2G\",\"focus\":\"styles-module__focus___GYiX5\",\"card-panel\":\"styles-module__card-panel___2QZ6M\",\"panel-heading\":\"styles-module__panel-heading___3ccJC\",\"panel-title\":\"styles-module__panel-title___1kl3y\",\"panel-subtitle\":\"styles-module__panel-subtitle___3nP6Z\",\"panel-body\":\"styles-module__panel-body___1-zeh\",\"btn\":\"styles-module__btn___p69WN\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3ypi7\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3RpVZ\",\"btn-toggle\":\"styles-module__btn-toggle___3B_Ee\",\"handle\":\"styles-module__handle___37yMM\",\"active\":\"styles-module__active___2Z6Rw\",\"focus\":\"styles-module__focus____z90t\",\"card-panel\":\"styles-module__card-panel___1VrO0\",\"panel-heading\":\"styles-module__panel-heading___yeobq\",\"panel-title\":\"styles-module__panel-title___1HJbd\",\"panel-subtitle\":\"styles-module__panel-subtitle___2lPC6\",\"panel-body\":\"styles-module__panel-body___2v9ah\",\"modalHeaderWithClose\":\"styles-module__modalHeaderWithClose___AVY5B\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2WwqW\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___365iL\",\"btn-toggle\":\"styles-module__btn-toggle___3arNC\",\"handle\":\"styles-module__handle___2Zbgc\",\"active\":\"styles-module__active___3Ym7F\",\"focus\":\"styles-module__focus___1KLxI\",\"card-panel\":\"styles-module__card-panel___36FtF\",\"panel-heading\":\"styles-module__panel-heading___275Dc\",\"panel-title\":\"styles-module__panel-title___j1W7b\",\"panel-subtitle\":\"styles-module__panel-subtitle___EAmCP\",\"panel-body\":\"styles-module__panel-body___2Pwd4\",\"emphasis\":\"styles-module__emphasis___2uWG0\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___29QUy\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3AXWj\",\"btn-toggle\":\"styles-module__btn-toggle___tV1Ck\",\"handle\":\"styles-module__handle___3Bhf0\",\"active\":\"styles-module__active___1u_Lx\",\"focus\":\"styles-module__focus___2l__u\",\"card-panel\":\"styles-module__card-panel___3zbpq\",\"panel-heading\":\"styles-module__panel-heading___3_5uW\",\"panel-title\":\"styles-module__panel-title___2ujK2\",\"panel-subtitle\":\"styles-module__panel-subtitle___1KTDu\",\"panel-body\":\"styles-module__panel-body___PPJmH\",\"separator\":\"styles-module__separator___2Ona_\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3C3oW\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1Af5P\",\"btn-toggle\":\"styles-module__btn-toggle___2Ldl-\",\"handle\":\"styles-module__handle___1eAM6\",\"active\":\"styles-module__active___1IX08\",\"focus\":\"styles-module__focus___2ja8Z\",\"card-panel\":\"styles-module__card-panel___2emex\",\"panel-heading\":\"styles-module__panel-heading___qqjuN\",\"panel-title\":\"styles-module__panel-title___2MJL8\",\"panel-subtitle\":\"styles-module__panel-subtitle___vf3s6\",\"panel-body\":\"styles-module__panel-body___2u5VE\",\"popoutLink\":\"styles-module__popoutLink___1r4Vy\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3rAQT\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___bWodo\",\"btn-toggle\":\"styles-module__btn-toggle___33gdx\",\"handle\":\"styles-module__handle___WquVy\",\"active\":\"styles-module__active___1UQXe\",\"focus\":\"styles-module__focus___3xDI7\",\"card-panel\":\"styles-module__card-panel___SE_4A\",\"panel-heading\":\"styles-module__panel-heading___1mW2Q\",\"panel-title\":\"styles-module__panel-title___22uNU\",\"panel-subtitle\":\"styles-module__panel-subtitle___3GmK0\",\"panel-body\":\"styles-module__panel-body___2d0vI\",\"noValue\":\"styles-module__noValue___22Eiy\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2bM5T\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3KkRm\",\"btn-toggle\":\"styles-module__btn-toggle___3c1TY\",\"handle\":\"styles-module__handle___NFAPz\",\"active\":\"styles-module__active___1ZOyR\",\"focus\":\"styles-module__focus___32unb\",\"card-panel\":\"styles-module__card-panel___2BS0U\",\"panel-heading\":\"styles-module__panel-heading___3OK0J\",\"panel-title\":\"styles-module__panel-title___2HsyA\",\"panel-subtitle\":\"styles-module__panel-subtitle___Z42Rt\",\"panel-body\":\"styles-module__panel-body___2xnSV\",\"button\":\"styles-module__button___WTaDg\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2EDdq\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2TssZ\",\"btn-toggle\":\"styles-module__btn-toggle___38nOn\",\"handle\":\"styles-module__handle___1THn7\",\"active\":\"styles-module__active___1SUf2\",\"focus\":\"styles-module__focus___3KbsT\",\"card-panel\":\"styles-module__card-panel___2f-GI\",\"panel-heading\":\"styles-module__panel-heading___1-U5c\",\"panel-title\":\"styles-module__panel-title___KOOhZ\",\"panel-subtitle\":\"styles-module__panel-subtitle___3qrEo\",\"panel-body\":\"styles-module__panel-body___z4xeF\",\"subtitle\":\"styles-module__subtitle___12eNE\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___27hNn\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___b8nKr\",\"btn-toggle\":\"styles-module__btn-toggle___1NDT5\",\"handle\":\"styles-module__handle___3zFLB\",\"active\":\"styles-module__active___2XZsn\",\"focus\":\"styles-module__focus___3-SuC\",\"card-panel\":\"styles-module__card-panel___3cLOB\",\"panel-heading\":\"styles-module__panel-heading___3Y3-N\",\"panel-title\":\"styles-module__panel-title___2VW1j\",\"panel-subtitle\":\"styles-module__panel-subtitle___3Dvcq\",\"panel-body\":\"styles-module__panel-body___2LS2T\",\"title\":\"styles-module__title___3iv-c\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___123ct\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___xKQH6\",\"btn-toggle\":\"styles-module__btn-toggle___qnUvD\",\"handle\":\"styles-module__handle___gkIxT\",\"active\":\"styles-module__active___2fZ4W\",\"focus\":\"styles-module__focus___1cAyG\",\"card-panel\":\"styles-module__card-panel___BUEZd\",\"panel-heading\":\"styles-module__panel-heading___NKZOK\",\"panel-title\":\"styles-module__panel-title___nZLcb\",\"panel-subtitle\":\"styles-module__panel-subtitle___lbP9g\",\"panel-body\":\"styles-module__panel-body___1f4TI\",\"appsList\":\"styles-module__appsList___38i86\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2bNUB\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___bzc5G\",\"btn-toggle\":\"styles-module__btn-toggle___2tZ-_\",\"handle\":\"styles-module__handle___3n9km\",\"active\":\"styles-module__active___zSBy3\",\"focus\":\"styles-module__focus___36jAA\",\"card-panel\":\"styles-module__card-panel___25xKc\",\"panel-heading\":\"styles-module__panel-heading___2sNwX\",\"panel-title\":\"styles-module__panel-title___2LjOt\",\"panel-subtitle\":\"styles-module__panel-subtitle___3HgLw\",\"panel-body\":\"styles-module__panel-body___bSHjY\",\"channelsList\":\"styles-module__channelsList___2ckzc\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1T01K\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2UUsQ\",\"btn-toggle\":\"styles-module__btn-toggle___2lWPq\",\"handle\":\"styles-module__handle___2HxqK\",\"active\":\"styles-module__active___fLZ_e\",\"focus\":\"styles-module__focus___1qxPT\",\"card-panel\":\"styles-module__card-panel___2ZAUA\",\"panel-heading\":\"styles-module__panel-heading___3-eDE\",\"panel-title\":\"styles-module__panel-title___2B4Bd\",\"panel-subtitle\":\"styles-module__panel-subtitle___2S0Mr\",\"panel-body\":\"styles-module__panel-body___21w8D\",\"countryName\":\"styles-module__countryName___37jZl\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1ScRK\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1x26p\",\"btn-toggle\":\"styles-module__btn-toggle___1reix\",\"handle\":\"styles-module__handle___39-V-\",\"active\":\"styles-module__active___2pYuz\",\"focus\":\"styles-module__focus___3eLvK\",\"card-panel\":\"styles-module__card-panel___NnHed\",\"panel-heading\":\"styles-module__panel-heading___21hxM\",\"panel-title\":\"styles-module__panel-title___2ftH4\",\"panel-subtitle\":\"styles-module__panel-subtitle___3ifsb\",\"panel-body\":\"styles-module__panel-body___1kzUB\",\"countriesList\":\"styles-module__countriesList___3yP36\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3GlTR\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2-EEN\",\"btn-toggle\":\"styles-module__btn-toggle___2n_nJ\",\"handle\":\"styles-module__handle___BzAT7\",\"active\":\"styles-module__active___3iAHZ\",\"focus\":\"styles-module__focus___2afbc\",\"card-panel\":\"styles-module__card-panel____kDPB\",\"panel-heading\":\"styles-module__panel-heading___3fdB2\",\"panel-title\":\"styles-module__panel-title___1RsEU\",\"panel-subtitle\":\"styles-module__panel-subtitle___1w1AH\",\"panel-body\":\"styles-module__panel-body___1nscl\",\"label\":\"styles-module__label___3W7IF\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1FYNv\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3pr2K\",\"btn-toggle\":\"styles-module__btn-toggle___2S_pB\",\"handle\":\"styles-module__handle___1FGzH\",\"active\":\"styles-module__active___3tofl\",\"focus\":\"styles-module__focus___34_Ob\",\"card-panel\":\"styles-module__card-panel___mKgI3\",\"panel-heading\":\"styles-module__panel-heading___19TJb\",\"panel-title\":\"styles-module__panel-title___kyOkt\",\"panel-subtitle\":\"styles-module__panel-subtitle___3hUmN\",\"panel-body\":\"styles-module__panel-body___1Y44n\",\"toolbar\":\"styles-module__toolbar___QrDUh\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2uQFH\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3hyfK\",\"btn-toggle\":\"styles-module__btn-toggle___2AFO5\",\"handle\":\"styles-module__handle___3oAW7\",\"active\":\"styles-module__active___uJQ4u\",\"focus\":\"styles-module__focus___1xXFC\",\"card-panel\":\"styles-module__card-panel___3TXBg\",\"panel-heading\":\"styles-module__panel-heading___18Yeg\",\"panel-title\":\"styles-module__panel-title___1zWk8\",\"panel-subtitle\":\"styles-module__panel-subtitle___2H9dH\",\"panel-body\":\"styles-module__panel-body___2glFu\",\"accountIssuePage\":\"styles-module__accountIssuePage___3Qutm\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3Xd1V\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1BMY9\",\"btn-toggle\":\"styles-module__btn-toggle___1PDes\",\"handle\":\"styles-module__handle___3MBiy\",\"active\":\"styles-module__active___1VaW4\",\"focus\":\"styles-module__focus___3E9py\",\"card-panel\":\"styles-module__card-panel___8j3sg\",\"panel-heading\":\"styles-module__panel-heading___6ZKbD\",\"panel-title\":\"styles-module__panel-title___XvKfu\",\"panel-subtitle\":\"styles-module__panel-subtitle___3SEVf\",\"panel-body\":\"styles-module__panel-body___cqFLC\",\"campaignFilters\":\"styles-module__campaignFilters___2zMTO\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___vZZPv\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___HKppB\",\"btn-toggle\":\"styles-module__btn-toggle___1TzSa\",\"handle\":\"styles-module__handle___1k8gL\",\"active\":\"styles-module__active___2hdWU\",\"focus\":\"styles-module__focus___uHoES\",\"card-panel\":\"styles-module__card-panel___2j-2W\",\"panel-heading\":\"styles-module__panel-heading___1TzfL\",\"panel-title\":\"styles-module__panel-title___vFFQL\",\"panel-subtitle\":\"styles-module__panel-subtitle___2C0BN\",\"panel-body\":\"styles-module__panel-body___FmvaZ\",\"hiddenInput\":\"styles-module__hiddenInput___oXTOi\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1tf5h\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___qCx48\",\"btn-toggle\":\"styles-module__btn-toggle___3ojSb\",\"handle\":\"styles-module__handle___2MMJU\",\"active\":\"styles-module__active___2P6Bd\",\"focus\":\"styles-module__focus___sjrF_\",\"card-panel\":\"styles-module__card-panel___2QPn-\",\"panel-heading\":\"styles-module__panel-heading___1Jgn6\",\"panel-title\":\"styles-module__panel-title___2WNuU\",\"panel-subtitle\":\"styles-module__panel-subtitle___4xYBl\",\"panel-body\":\"styles-module__panel-body___1rxNy\",\"nameCell\":\"styles-module__nameCell___3NI3z\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___nwkRp\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___236iz\",\"btn-toggle\":\"styles-module__btn-toggle___2430g\",\"handle\":\"styles-module__handle___yNgtI\",\"active\":\"styles-module__active___1keDo\",\"focus\":\"styles-module__focus___28T8_\",\"card-panel\":\"styles-module__card-panel___1mVzs\",\"panel-heading\":\"styles-module__panel-heading___1SoSf\",\"panel-title\":\"styles-module__panel-title___2n1TZ\",\"panel-subtitle\":\"styles-module__panel-subtitle___2ZzO-\",\"panel-body\":\"styles-module__panel-body___2SCHE\",\"pageSelector\":\"styles-module__pageSelector___1nEqD\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___7Zw2D\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___17PJp\",\"btn-toggle\":\"styles-module__btn-toggle___2SJYW\",\"handle\":\"styles-module__handle___2Jswq\",\"active\":\"styles-module__active___19jWN\",\"focus\":\"styles-module__focus___goAn9\",\"card-panel\":\"styles-module__card-panel___DFZbk\",\"panel-heading\":\"styles-module__panel-heading___aB6JC\",\"panel-title\":\"styles-module__panel-title___3nrNr\",\"panel-subtitle\":\"styles-module__panel-subtitle___1LxwH\",\"panel-body\":\"styles-module__panel-body___3nByW\",\"paginationControls\":\"styles-module__paginationControls___3A1nR\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3BvMr\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1SS_l\",\"btn-toggle\":\"styles-module__btn-toggle___3yeFA\",\"handle\":\"styles-module__handle___emZxz\",\"active\":\"styles-module__active___rhW-S\",\"focus\":\"styles-module__focus___3yTT0\",\"card-panel\":\"styles-module__card-panel___1GezK\",\"panel-heading\":\"styles-module__panel-heading___bvzCy\",\"panel-title\":\"styles-module__panel-title___2i__9\",\"panel-subtitle\":\"styles-module__panel-subtitle___2dHCV\",\"panel-body\":\"styles-module__panel-body___3H0MG\",\"displayName\":\"styles-module__displayName___1yG-R\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___29SqB\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1Kh5I\",\"btn-toggle\":\"styles-module__btn-toggle___104ee\",\"handle\":\"styles-module__handle___iaBJp\",\"active\":\"styles-module__active___2MaYK\",\"focus\":\"styles-module__focus___3_jot\",\"card-panel\":\"styles-module__card-panel___VUlx1\",\"panel-heading\":\"styles-module__panel-heading___2vHmw\",\"panel-title\":\"styles-module__panel-title___3toaK\",\"panel-subtitle\":\"styles-module__panel-subtitle___3AE1E\",\"panel-body\":\"styles-module__panel-body___KnXrd\",\"btnWrapper\":\"styles-module__btnWrapper___-qrpU\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___15_Zp\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___26fTR\",\"btn-toggle\":\"styles-module__btn-toggle___1PwGZ\",\"handle\":\"styles-module__handle___2yRBd\",\"active\":\"styles-module__active___3CCOc\",\"focus\":\"styles-module__focus___3EFm3\",\"card-panel\":\"styles-module__card-panel___1YkIz\",\"panel-heading\":\"styles-module__panel-heading___9c2Oo\",\"panel-title\":\"styles-module__panel-title___1PqCK\",\"panel-subtitle\":\"styles-module__panel-subtitle___Yv-Vz\",\"panel-body\":\"styles-module__panel-body___9P6MZ\",\"btnWrapper\":\"styles-module__btnWrapper___TmW2i\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3fFN3\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___3nRD5\",\"btn-toggle\":\"styles-module__btn-toggle___8i91Z\",\"handle\":\"styles-module__handle___17B_y\",\"active\":\"styles-module__active___2CjEx\",\"focus\":\"styles-module__focus___3omV_\",\"card-panel\":\"styles-module__card-panel___1lJmz\",\"panel-heading\":\"styles-module__panel-heading___1Sg5j\",\"panel-title\":\"styles-module__panel-title___bgUvk\",\"panel-subtitle\":\"styles-module__panel-subtitle___2NeAF\",\"panel-body\":\"styles-module__panel-body___zbLr4\",\"btnWrapper\":\"styles-module__btnWrapper___DZEIL\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3orhS\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1rSYt\",\"btn-toggle\":\"styles-module__btn-toggle___2Kjoy\",\"handle\":\"styles-module__handle___1Uz4J\",\"active\":\"styles-module__active___2nAal\",\"focus\":\"styles-module__focus___15siQ\",\"card-panel\":\"styles-module__card-panel___3gfXn\",\"panel-heading\":\"styles-module__panel-heading___1DZdW\",\"panel-title\":\"styles-module__panel-title___1dV9V\",\"panel-subtitle\":\"styles-module__panel-subtitle___kf-xn\",\"panel-body\":\"styles-module__panel-body___1Vz63\",\"button\":\"styles-module__button___3gnsS\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___1A7oa\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2mRKV\",\"btn-toggle\":\"styles-module__btn-toggle___sqEJc\",\"handle\":\"styles-module__handle___J4f7Z\",\"active\":\"styles-module__active___2ubJQ\",\"focus\":\"styles-module__focus___GqVuj\",\"card-panel\":\"styles-module__card-panel___38Nzi\",\"panel-heading\":\"styles-module__panel-heading___23E7h\",\"panel-title\":\"styles-module__panel-title___3iDKB\",\"panel-subtitle\":\"styles-module__panel-subtitle___5LKkF\",\"panel-body\":\"styles-module__panel-body___1EQeG\",\"button\":\"styles-module__button____NoE5\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___30v22\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2mwPv\",\"btn-toggle\":\"styles-module__btn-toggle___1KFiM\",\"handle\":\"styles-module__handle___1sRNs\",\"active\":\"styles-module__active___PkR2f\",\"focus\":\"styles-module__focus___Yx85M\",\"card-panel\":\"styles-module__card-panel___iSHmG\",\"panel-heading\":\"styles-module__panel-heading___qZHmd\",\"panel-title\":\"styles-module__panel-title___1Wmoq\",\"panel-subtitle\":\"styles-module__panel-subtitle___2W6pd\",\"panel-body\":\"styles-module__panel-body___2W5Vh\",\"metricsList\":\"styles-module__metricsList___2WlZf\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3fUNd\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1DXGy\",\"btn-toggle\":\"styles-module__btn-toggle___2V8PT\",\"handle\":\"styles-module__handle___n3Onz\",\"active\":\"styles-module__active___1A6EC\",\"focus\":\"styles-module__focus___31JJD\",\"card-panel\":\"styles-module__card-panel___1gwIp\",\"panel-heading\":\"styles-module__panel-heading___37YO-\",\"panel-title\":\"styles-module__panel-title___2AQBC\",\"panel-subtitle\":\"styles-module__panel-subtitle___3PH9a\",\"panel-body\":\"styles-module__panel-body___bvsS4\",\"selectReportTypeText\":\"styles-module__selectReportTypeText___5VvwE\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3qNex\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1ejPw\",\"btn-toggle\":\"styles-module__btn-toggle___1vhxA\",\"handle\":\"styles-module__handle___1qxr6\",\"active\":\"styles-module__active___191k0\",\"focus\":\"styles-module__focus___3DwFy\",\"card-panel\":\"styles-module__card-panel___2jl0H\",\"panel-heading\":\"styles-module__panel-heading___1hGuk\",\"panel-title\":\"styles-module__panel-title___3KKG-\",\"panel-subtitle\":\"styles-module__panel-subtitle___2JR7h\",\"panel-body\":\"styles-module__panel-body___2ABWg\",\"label\":\"styles-module__label___3EAAe\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3yvnt\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2KRtE\",\"btn-toggle\":\"styles-module__btn-toggle___2CKJc\",\"handle\":\"styles-module__handle___2KM0y\",\"active\":\"styles-module__active___zHiyc\",\"focus\":\"styles-module__focus___B2Gzc\",\"card-panel\":\"styles-module__card-panel___30OXg\",\"panel-heading\":\"styles-module__panel-heading___1gWdG\",\"panel-title\":\"styles-module__panel-title___1OyhD\",\"panel-subtitle\":\"styles-module__panel-subtitle___2ODk5\",\"panel-body\":\"styles-module__panel-body___35pWF\",\"layout\":\"styles-module__layout___12Gfy\"};","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3uBTc\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___1893h\",\"btn-toggle\":\"styles-module__btn-toggle___Y-lSr\",\"handle\":\"styles-module__handle___3GesA\",\"active\":\"styles-module__active___TEP5W\",\"focus\":\"styles-module__focus___3bXXs\",\"card-panel\":\"styles-module__card-panel___aABkC\",\"panel-heading\":\"styles-module__panel-heading___2vExF\",\"panel-title\":\"styles-module__panel-title___rS4eW\",\"panel-subtitle\":\"styles-module__panel-subtitle___1cRbc\",\"panel-body\":\"styles-module__panel-body___Pe7Gd\",\"button\":\"styles-module__button___2bO2i\"};","export const MAX_SELECTION_COUNT = 2\nexport const MIN_SELECTION_COUNT = 1\n","import classNames from 'classnames'\nimport { useLocation } from 'react-router-dom'\n\nimport { useCurrentUserState } from '../../../contexts/CurrentUser'\nimport { useGroupedSummaryTableSettingsState } from '../../../contexts/GroupedSummaryTableSettings'\nimport {\n getQueryParams,\n useReportingFiltersState\n} from '../../../contexts/ReportingFilters'\nimport {\n getGroupHeaderNameFromGroupBy,\n getSortingFunctionByValueType,\n isBlank,\n isUnavailable\n} from '../../../utils/helpers'\nimport ReportingDataImg from '../../ReportingDataImg'\nimport ReportingDataMetricValueDisplay from '../../ReportingDataMetricValueDisplay'\nimport ReportingDataNameDisplay from '../../ReportingDataNameDisplay'\nimport TableDataRowExpander from '../../Table/DataRowExpander'\nimport {\n DEFAULT_COLUMN_OPTIONS,\n DEFAULT_COLUMN_SORT_TYPE,\n DEFAULT_NAME_HEADER_SORT_TYPE,\n DEFAULT_NAME_HEADER_TEXT\n} from '../constants'\nimport TableDataRowExternalLink from '../DataRowExternalLink'\nimport Header from '../Header'\nimport { sortRows } from '../helpers'\nimport {\n DEFAULT_CELL_WIDTH,\n DEFAULT_NAME_CELL_WIDTH,\n EXTENDED_NAME_CELL_WIDTH\n} from './constants'\nimport styles from './styles.module.scss'\n\nconst calculateWidthForCell = ({ selectedMetrics, totalWidth }) =>\n ((totalWidth - DEFAULT_NAME_CELL_WIDTH) / selectedMetrics.length).toFixed(2)\n\nconst getWidthForTableCell = ({\n isCompactViewMode,\n selectedMetrics,\n tableContainerWidth,\n tableWidth\n}) => {\n const hasNotDefinedTableWidth = isBlank(tableWidth)\n const hasNotDefinedContainerTableWidth = isBlank(tableContainerWidth)\n\n if (hasNotDefinedTableWidth || hasNotDefinedContainerTableWidth)\n return DEFAULT_CELL_WIDTH\n\n const hasRoomToSpareForTableCells = tableContainerWidth >= tableWidth\n if (hasRoomToSpareForTableCells) {\n return calculateWidthForCell({\n selectedMetrics,\n totalWidth: tableContainerWidth\n })\n }\n\n if (!isCompactViewMode || selectedMetrics.length === 0)\n return DEFAULT_CELL_WIDTH\n\n return calculateWidthForCell({\n selectedMetrics,\n totalWidth: tableContainerWidth\n })\n}\n\nexport const getColumnsForSelectedMetrics = ({\n isCompactViewMode,\n metricDefinitions,\n selectedMetrics,\n tableContainerWidth,\n tableWidth\n}) => {\n const width = getWidthForTableCell({\n isCompactViewMode,\n selectedMetrics,\n tableContainerWidth,\n tableWidth\n })\n\n const tableHeaderClassName = classNames(styles.metricHeader, {\n [styles.metricHeaderCompact]: isCompactViewMode\n })\n\n return selectedMetrics.map(metric => ({\n ...DEFAULT_COLUMN_OPTIONS,\n // eslint-disable-next-line react/prop-types\n Cell: ({ value }) => (\n \n ),\n // eslint-disable-next-line react/prop-types\n Header: ({ column: { isSorted, isSortedDesc } }) => (\n \n ),\n accessor: metric,\n sortType:\n getSortingFunctionByValueType(metricDefinitions[metric].valueType) ||\n sortRows,\n width\n }))\n}\n\nexport const getDefaultHeaders = ({\n drilldownRules,\n isAllExpandable,\n isCompactViewMode,\n isNameExtended,\n isPullingData,\n isUsingGroupByForNameHeader\n}) => [\n {\n ...DEFAULT_COLUMN_OPTIONS,\n accessor: 'name',\n id: 'name',\n sortDescFirst: false,\n sticky: isCompactViewMode ? null : 'left',\n // eslint-disable-next-line react/prop-types, sort-keys\n Header: ({ column: { isSorted, isSortedDesc } }) => {\n const reportingFilters = useReportingFiltersState()\n const location = useLocation()\n const { currentUser } = useCurrentUserState()\n const { groupBy } = getQueryParams({\n currentUser,\n location,\n reportingFilters\n })\n const groupName = getGroupHeaderNameFromGroupBy(groupBy)\n const { isAllExpanded, isAllExpanding } =\n useGroupedSummaryTableSettingsState()\n\n if (isAllExpandable) {\n return (\n \n )\n }\n\n return (\n \n )\n },\n // eslint-disable-next-line react/prop-types, sort-keys\n Cell: ({ isExpanded, isLoading, row }) => {\n const reportingFilters = useReportingFiltersState()\n const { countries } = reportingFilters\n\n /* eslint-disable react/prop-types */\n const { iconUrl, isLastQueryInSequence, name, platform } = row.original\n /* eslint-enable react/prop-types */\n\n // eslint-disable-next-line react/prop-types\n const fieldType = drilldownRules[row.depth]\n const isNotExpandable = isUnavailable(name)\n\n return (\n \n
\n\n
\n\n
}\n name={name}\n nameClassName=\"u-flexInitial u-ellipsis\"\n platform={platform}\n shouldTooltipName\n tooltipPlacement=\"topLeft\"\n />\n
\n )\n },\n sortType: sortRows,\n width: isNameExtended ? EXTENDED_NAME_CELL_WIDTH : DEFAULT_NAME_CELL_WIDTH\n }\n]\n","export const DEFAULT_BTN_CLASS_NAME = ['btn', 'btn-default', 'btn-lg']\n","import {\n AreaSeries, LineSeries\n} from 'react-jsx-highcharts'\nimport {\n chain, reduce, sortBy\n} from 'lodash'\nimport { parseStrToTime } from '../../../../ReportingSidebar/DateFilter/helpers'\n\nimport { MAX_VISIBLE_DATA_SERIES } from './constants'\nimport { CHART_COLORS } from '../../../../../utils/charts'\n\n/* eslint-disable react/prop-types */\nconst mergeSeries = ({ leftSeries, rightSeries }) => {\n const all = sortBy(leftSeries.concat(rightSeries), ({ x }) => x)\n\n /* eslint-disable no-param-reassign */\n return reduce(all, (result, d) => {\n if (result.length > 0 && result[result.length - 1].x === d.x) {\n result[result.length - 1].y += d.y\n } else {\n result.push(d)\n }\n\n return result\n }, [])\n /* eslint-enable no-param-reassign */\n}\n/* eslint-enable react/prop-types */\n\n/* eslint-disable react/prop-types */\nconst buildSeriesComponent = (\n {\n ChartComponent,\n index,\n metricDefinitionKey,\n series\n }\n) => (\n \n)\n/* eslint-enable react/prop-types */\n\n/* eslint-disable react/prop-types */\nexport const buildSeries = ({ chartType, data, metricDefinitionKey }) => {\n const ChartComponent = chartType === 'area' ? AreaSeries : LineSeries\n\n if (data.length > MAX_VISIBLE_DATA_SERIES) {\n if (chartType === 'area') {\n const totalsData = reduce(data, (result, series) => (\n mergeSeries({ leftSeries: result, rightSeries: series.data })\n ), [])\n\n const series = {\n data: totalsData,\n id: 'Total',\n name: 'Total'\n }\n\n return [buildSeriesComponent({ ChartComponent, index: 0, metricDefinitionKey, series })]\n }\n\n return data.slice(0, MAX_VISIBLE_DATA_SERIES).map((series, index) => (\n buildSeriesComponent({ ChartComponent, index, metricDefinitionKey, series })\n ))\n }\n\n return chain(data)\n .sortBy('id')\n .map((series, index) => buildSeriesComponent({\n ChartComponent,\n index,\n metricDefinitionKey,\n series\n }))\n .value()\n}\n/* eslint-disable react/prop-types */\n\nexport const getXAxisMinMax = ({ endDate, startDate }) => {\n const isSameDay = endDate === startDate\n\n if (isSameDay) {\n return {\n max: null,\n min: null\n }\n }\n\n return {\n max: parseStrToTime(endDate),\n min: parseStrToTime(startDate)\n }\n}\n","import {\n isEmpty,\n pick,\n some,\n method,\n chain\n} from 'lodash'\n\nexport const formatCustomEventsForSelect = ({ customEvents }) => {\n if (isEmpty(customEvents)) {\n return []\n }\n\n const groupedOptions = []\n\n customEvents.pages.forEach(page => {\n page.items.forEach(app => {\n const option = {\n label: pick(app, ['appId', 'iconUrl', 'name', 'platform']),\n options: app.eventNames.map(eventName => ({\n appId: app.appId, label: eventName, value: eventName\n }))\n }\n\n groupedOptions.push(option)\n })\n })\n\n return groupedOptions\n}\n\nexport const getDefaultCustomEventName = customEvents => {\n if (customEvents.pages && customEvents.pages[0]) {\n return customEvents.pages[0].items[0].eventNames[0]\n }\n}\n\nexport const eventDoesNotExist = ({ customEvents, query }) => {\n const eventItems = customEvents?.pages\n ? chain(customEvents.pages)\n .map(({ items }) => items)\n .flatten()\n .map(({ eventNames }) => eventNames)\n .flatten()\n .uniq()\n .value()\n : []\n\n return query !== '' && !some(eventItems, method('includes', query))\n}\n","import { isNumber } from 'lodash'\nimport {\n AreaSeries, LineSeries, XAxis\n} from 'react-jsx-highcharts'\n\nimport { CHART_COLORS } from '../../../utils/charts'\nimport { parseStrToTime } from '../../ReportingSidebar/DateFilter/helpers'\n\nexport const buildSeries = ({ activeMetricDefinition, data, visibleSeriesIds }) => {\n const { components: { kpiTabChart: { chartType } } } = activeMetricDefinition\n\n const ChartComponent = chartType === 'area' ? AreaSeries : LineSeries\n\n return Object.keys(data).reduce((totalSeries, metricDefinitionKey) => {\n data[metricDefinitionKey].forEach(series => {\n const isVisible = activeMetricDefinition.key === metricDefinitionKey\n && visibleSeriesIds.includes(series.id)\n\n let { data } = series\n\n const shouldRemove0XDaySeries = metricDefinitionKey === 'retention'\n\n if (shouldRemove0XDaySeries) {\n data = data.filter(dataPoint => dataPoint.x !== 0)\n }\n\n totalSeries.push(\n \n )\n })\n\n return totalSeries\n }, [])\n}\n\nconst getXAxisMax = ({ endDate, isXDay, xDayRange }) => {\n if (isXDay) {\n return isNumber(xDayRange) ? xDayRange : null\n }\n\n return parseStrToTime(endDate)\n}\n\nexport const buildXAxis = ({\n endDate, isXDay, startDate, xDayRange\n}) => (\n \n)\n","import { keyBy } from 'lodash'\n\nconst SUMMARY_BLOCKS_LIST = [\n {\n apiEndpoint: 'customUsageTotal',\n metricDefinitionKey: 'users'\n },\n {\n apiEndpoint: 'customUsageTotal',\n metricDefinitionKey: 'count'\n },\n {\n apiEndpoint: 'customUsageTotal',\n metricDefinitionKey: 'sum'\n },\n {\n apiEndpoint: 'customUsageTotal',\n metricDefinitionKey: 'average'\n }\n]\n\nexport const SUMMARY_BLOCKS = keyBy(SUMMARY_BLOCKS_LIST, 'metricDefinitionKey')\n\nconst TABS_LIST = [\n {\n chartProps: {\n apiEndpoint: 'customUsageCumulative',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'users'\n },\n {\n chartProps: {\n apiEndpoint: 'customUsageCumulative',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'count'\n },\n {\n chartProps: {\n apiEndpoint: 'customUsageCumulative',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'sum'\n },\n {\n chartProps: {\n apiEndpoint: 'customUsageCumulative',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'average'\n }\n]\n\nexport const TABS = keyBy(TABS_LIST, 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nconst SUMMARY_BLOCKS_LIST = [\n {\n apiEndpoint: 'customCohortTotal',\n metricDefinitionKey: 'cpEvent'\n },\n {\n apiEndpoint: 'customCohortTotal',\n metricDefinitionKey: 'cumCntPu'\n },\n {\n apiEndpoint: 'customCohortTotal',\n metricDefinitionKey: 'cumValPu'\n }\n]\n\nexport const SUMMARY_BLOCKS = keyBy(SUMMARY_BLOCKS_LIST, 'metricDefinitionKey')\n\nconst TABS_LIST = [\n {\n chartProps: {\n apiEndpoint: 'customCohort',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: 'cpEvent'\n },\n {\n chartProps: {\n apiEndpoint: 'customCohort',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: 'cumCntPu'\n },\n {\n chartProps: {\n apiEndpoint: 'customCohort',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: 'cumValPu'\n }\n]\n\nexport const TABS = keyBy(TABS_LIST, 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nconst SUMMARY_BLOCKS_LIST = [\n {\n apiEndpoint: 'customCohortTotal',\n metricDefinitionKey: 'cumCnt'\n },\n {\n apiEndpoint: 'customCohortTotal',\n metricDefinitionKey: 'cumVal'\n }\n]\n\nexport const SUMMARY_BLOCKS = keyBy(SUMMARY_BLOCKS_LIST, 'metricDefinitionKey')\n\nconst TABS_LIST = [\n {\n chartProps: {\n apiEndpoint: 'customCohort',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: 'users'\n },\n {\n chartProps: {\n apiEndpoint: 'customCohort',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: 'cumCnt'\n },\n {\n chartProps: {\n apiEndpoint: 'customCohort',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: 'cumVal'\n }\n]\n\nexport const TABS = keyBy(TABS_LIST, 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nconst SUMMARY_BLOCKS_LIST = [\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'allFraud'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'blockedClicks'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'fraudRevenue'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'blockedDeviceEvents'\n }\n]\n\nexport const SUMMARY_BLOCKS = keyBy(SUMMARY_BLOCKS_LIST, 'metricDefinitionKey')\n\nconst TABS_LIST = [\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'allFraud'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'blockedClicks'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'fraudPurchases'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'fraudRevenue'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'blockedDeviceEvents'\n }\n]\n\nexport const TABS = keyBy(TABS_LIST, 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nconst SUMMARY_BLOCKS_LIST = [\n {\n apiEndpoint: 'cohortLifetime',\n metricDefinitionKey: 'lifetime'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'retention_1d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'retention_3d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'retention_7d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'retention_14d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'retention_30d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'retention_90d'\n }\n]\n\nexport const SUMMARY_BLOCKS = keyBy(SUMMARY_BLOCKS_LIST, 'metricDefinitionKey')\n\nconst TABS_LIST = [\n {\n chartProps: {\n apiEndpoint: 'cohort',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: 'retention'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'retention_1d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'retention_3d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'retention_7d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'retention_14d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'retention_30d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'retention_90d'\n }\n]\n\nexport const TABS = keyBy(TABS_LIST, 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nimport { isUsingImpressionLevelRevenueData } from '../../../../../../api/reporting/helpers'\n\nconst getSummaryBlocksList = () => [\n {\n apiEndpoint: 'cohortLifetime',\n metricDefinitionKey: 'totalRevenue'\n },\n {\n apiEndpoint: 'cohortLifetime',\n metricDefinitionKey: 'iapRevenue'\n },\n {\n apiEndpoint: 'cohortLifetime',\n metricDefinitionKey: 'pubRevenue'\n }\n]\n\nexport const getSummaryBlocks = () =>\n keyBy(getSummaryBlocksList(), 'metricDefinitionKey')\n\nconst getTabsList = () => [\n {\n chartProps: {\n apiEndpoint: 'cohort',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: isUsingImpressionLevelRevenueData()\n ? 'totalAdMediationRevenue'\n : 'totalRevenue'\n },\n {\n chartProps: {\n apiEndpoint: 'cohort',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: 'iapRevenue'\n },\n {\n chartProps: {\n apiEndpoint: 'cohort',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: isUsingImpressionLevelRevenueData()\n ? 'adMediationRevenue'\n : 'pubRevenue'\n }\n]\n\nexport const getTabs = () => keyBy(getTabsList(), 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nimport { isUsingImpressionLevelRevenueData } from '../../../../../../api/reporting/helpers'\n\nconst getSummaryBlocksList = () => [\n {\n apiEndpoint: 'cohortLifetime',\n metricDefinitionKey: 'totalRpu'\n },\n {\n apiEndpoint: 'cohortLifetime',\n metricDefinitionKey: 'iapRpu'\n },\n {\n apiEndpoint: 'cohortLifetime',\n metricDefinitionKey: 'pubRpu'\n }\n]\n\nexport const getSummaryBlocks = () =>\n keyBy(getSummaryBlocksList(), 'metricDefinitionKey')\n\nconst getTabsList = () => [\n {\n chartProps: {\n apiEndpoint: 'cohort',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: isUsingImpressionLevelRevenueData()\n ? 'totalAdMediationRpu'\n : 'totalRpu'\n },\n {\n chartProps: {\n apiEndpoint: 'cohort',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: 'iapRpu'\n },\n {\n chartProps: {\n apiEndpoint: 'cohort',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: isUsingImpressionLevelRevenueData()\n ? 'adMediationRpu'\n : 'pubRpu'\n }\n]\n\nexport const getTabs = () => keyBy(getTabsList(), 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nimport { isUsingImpressionLevelRevenueData } from '../../../../../../api/reporting/helpers'\n\nconst getSummaryBlocksList = () => [\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'totalRev'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'revenues'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'pubRev'\n }\n]\n\nexport const getSummaryBlocks = () =>\n keyBy(getSummaryBlocksList(), 'metricDefinitionKey')\n\nconst getTabsList = () => [\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: isUsingImpressionLevelRevenueData()\n ? 'totalAdMediationRevenue'\n : 'totalRev'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'revenues'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: isUsingImpressionLevelRevenueData()\n ? 'adMediationRevenue'\n : 'pubRev'\n }\n]\n\nexport const getTabs = () => keyBy(getTabsList(), 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nimport { isUsingImpressionLevelRevenueData } from '../../../../../../api/reporting/helpers'\n\nconst getSummaryBlocksList = () => [\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'totalArpu'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'iapArpu'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'pubArpu'\n }\n]\n\nexport const getSummaryBlocks = () =>\n keyBy(getSummaryBlocksList(), 'metricDefinitionKey')\n\nconst getTabsList = () => [\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: isUsingImpressionLevelRevenueData()\n ? 'totalAdMediationArpu'\n : 'totalArpu'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'iapRpu'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: isUsingImpressionLevelRevenueData()\n ? 'adMediationArpu'\n : 'pubArpu'\n }\n]\n\nexport const getTabs = () => keyBy(getTabsList(), 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nimport { isUsingImpressionLevelRevenueData } from '../../../../../../api/reporting/helpers'\n\nconst getSummaryBlocksList = () => [\n {\n apiEndpoint: 'cohortLifetime',\n metricDefinitionKey: 'totalRoi'\n },\n {\n apiEndpoint: 'cohortLifetime',\n metricDefinitionKey: 'iapRoi'\n },\n {\n apiEndpoint: 'cohortLifetime',\n metricDefinitionKey: 'pubRoi'\n },\n {\n apiEndpoint: 'cohortLifetime',\n metricDefinitionKey: 'totalRoas'\n }\n]\n\nexport const getSummaryBlocks = () =>\n keyBy(getSummaryBlocksList(), 'metricDefinitionKey')\n\nconst getTabsList = () => [\n {\n chartProps: {\n apiEndpoint: 'cohort',\n chartType: 'line',\n minY: -120,\n minYRange: 120,\n xAxisType: 'xday'\n },\n metricDefinitionKey: isUsingImpressionLevelRevenueData()\n ? 'totalAdMediationRoi'\n : 'totalRoi'\n },\n {\n chartProps: {\n apiEndpoint: 'cohort',\n chartType: 'line',\n minY: -120,\n minYRange: 120,\n xAxisType: 'xday'\n },\n metricDefinitionKey: 'iapRoi'\n },\n {\n chartProps: {\n apiEndpoint: 'cohort',\n chartType: 'line',\n minY: -120,\n minYRange: 120,\n xAxisType: 'xday'\n },\n metricDefinitionKey: 'pubRoi'\n },\n {\n chartProps: {\n apiEndpoint: 'cohort',\n chartType: 'line',\n minY: -120,\n minYRange: 120,\n xAxisType: 'xday'\n },\n metricDefinitionKey: isUsingImpressionLevelRevenueData()\n ? 'totalAdMediationRoas'\n : 'totalRoas'\n }\n]\n\nexport const getTabs = () => keyBy(getTabsList(), 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nconst SUMMARY_BLOCKS_LIST = [\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'roi_1d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'roi_3d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'roi_7d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'roi_14d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'roi_30d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'roi_90d'\n }\n]\n\nexport const SUMMARY_BLOCKS = keyBy(SUMMARY_BLOCKS_LIST, 'metricDefinitionKey')\n\nconst TABS_LIST = [\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: -120,\n minYRange: 120,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'roi_1d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: -120,\n minYRange: 120,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'roi_3d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: -120,\n minYRange: 120,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'roi_7d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: -120,\n minYRange: 120,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'roi_14d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: -120,\n minYRange: 120,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'roi_30d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: -120,\n minYRange: 120,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'roi_90d'\n }\n]\n\nexport const TABS = keyBy(TABS_LIST, 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nconst SUMMARY_BLOCKS_LIST = [\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'cpi'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'cpc'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'cpm'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'ctr'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'cvr'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'cpr'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'tcpi'\n }\n]\n\nexport const SUMMARY_BLOCKS = keyBy(SUMMARY_BLOCKS_LIST, 'metricDefinitionKey')\n\nconst TABS_LIST = [\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'cpi'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'cpc'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'cpm'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'ctr'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'cvr'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'cpr'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'tcpi'\n }\n]\n\nexport const TABS = keyBy(TABS_LIST, 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nconst SUMMARY_BLOCKS_LIST = [\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'spend'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'clicks'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'impressions'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'installs'\n }\n]\n\nexport const SUMMARY_BLOCKS = keyBy(SUMMARY_BLOCKS_LIST, 'metricDefinitionKey')\n\nconst TABS_LIST = [\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'spend'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'impressions'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'clicks'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'installs'\n }\n]\n\nexport const TABS = keyBy(TABS_LIST, 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nconst SUMMARY_BLOCKS_LIST = [\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'avgDau'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'trackedInstalls'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'sessions'\n }\n]\n\nexport const SUMMARY_BLOCKS = keyBy(SUMMARY_BLOCKS_LIST, 'metricDefinitionKey')\n\nconst TABS_LIST = [\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'avgDau'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'trackedInstalls'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'sessions'\n }\n]\n\nexport const TABS = keyBy(TABS_LIST, 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nconst SUMMARY_BLOCKS_LIST = [\n {\n apiEndpoint: 'cohortLifetime',\n metricDefinitionKey: 'lifetime'\n },\n {\n apiEndpoint: 'cohortLifetime',\n metricDefinitionKey: 'sessionsLtpu'\n }\n]\n\nexport const SUMMARY_BLOCKS = keyBy(SUMMARY_BLOCKS_LIST, 'metricDefinitionKey')\n\nconst TABS_LIST = [\n {\n chartProps: {\n apiEndpoint: 'cohort',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: 'users'\n },\n {\n chartProps: {\n apiEndpoint: 'cohort',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: 'sessions'\n }\n]\n\nexport const TABS = keyBy(TABS_LIST, 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nconst SUMMARY_BLOCKS_LIST = [\n {\n apiEndpoint: 'cohortLifetime',\n metricDefinitionKey: 'cpUser'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'cpUser_1d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'cpUser_3d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'cpUser_7d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'cpUser_14d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'cpUser_90d'\n }\n]\n\nexport const SUMMARY_BLOCKS = keyBy(SUMMARY_BLOCKS_LIST, 'metricDefinitionKey')\n\nconst TABS_LIST = [\n {\n chartProps: {\n apiEndpoint: 'cohort',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'xday'\n },\n metricDefinitionKey: 'cpUser'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'cpUser_1d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'cpUser_3d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'cpUser_7d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'cpUser_14d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'cpUser_90d'\n }\n]\n\nexport const TABS = keyBy(TABS_LIST, 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nconst SUMMARY_BLOCKS_LIST = [\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'cpKsessions_1d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'cpKsessions_3d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'cpKsessions_7d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'cpKsessions_14d'\n },\n {\n apiEndpoint: 'summary',\n metricDefinitionKey: 'cpKsessions_90d'\n }\n]\n\nexport const SUMMARY_BLOCKS = keyBy(SUMMARY_BLOCKS_LIST, 'metricDefinitionKey')\n\nconst TABS_LIST = [\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'cpKsessions_1d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'cpKsessions_3d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'cpKsessions_7d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'cpKsessions_14d'\n },\n {\n chartProps: {\n apiEndpoint: 'groupedStats',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'cpKsessions_90d'\n }\n]\n\nexport const TABS = keyBy(TABS_LIST, 'metricDefinitionKey')\n","// eslint-disable-next-line import/prefer-default-export\nexport const DEFAULT_BTN_CLASS_NAME = ['btn', 'btn-default', 'btn-lg']\n","const NAMESPACE = 'react-popover'\n\nexport const EVENTS = [\n [`show.bs.popover.${NAMESPACE}`, 'onShow'],\n [`shown.bs.popover.${NAMESPACE}`, 'onShown'],\n [`hide.bs.popover.${NAMESPACE}`, 'onHide'],\n [`hidden.bs.popover.${NAMESPACE}`, 'onHidden'],\n [`inserted.bs.popover.${NAMESPACE}`, 'onInserted']\n]\n","export const ONE_HUNDRED_PERCENT = 1.0\nexport const ONE_HUNDRED = 100\n","export const APP_LIST_HEIGHT_OFFSET = 450\nexport const APP_LIST_ITEM_SIZE = 50\n","export const CHANNEL_LIST_HEIGHT_OFFSET = 425\nexport const CHANNEL_LIST_ITEM_SIZE = 50\n","export const COUNTRY_LIST_HEIGHT_OFFSET = 375\nexport const COUNTRY_LIST_ITEM_SIZE = 50\n","import { keyBy } from 'lodash'\n\nconst SUMMARY_BLOCKS_LIST = [\n {\n apiEndpoint: 'adRevenueSummary',\n metricDefinitionKey: 'adRevenue'\n },\n {\n apiEndpoint: 'adRevenueSummary',\n metricDefinitionKey: 'clicks'\n },\n {\n apiEndpoint: 'adRevenueSummary',\n metricDefinitionKey: 'impressions'\n }\n]\n\nexport const SUMMARY_BLOCKS = keyBy(SUMMARY_BLOCKS_LIST, 'metricDefinitionKey')\n\nconst TABS_LIST = [\n {\n chartProps: {\n apiEndpoint: 'adRevenue',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'adRevenue'\n },\n {\n chartProps: {\n apiEndpoint: 'adRevenue',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'clicks'\n },\n {\n chartProps: {\n apiEndpoint: 'adRevenue',\n chartType: 'area',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'impressions'\n }\n]\n\nexport const TABS = keyBy(TABS_LIST, 'metricDefinitionKey')\n","import { keyBy } from 'lodash'\n\nconst SUMMARY_BLOCKS_LIST = [\n {\n apiEndpoint: 'adRevenueSummary',\n metricDefinitionKey: 'ecpm'\n },\n {\n apiEndpoint: 'adRevenueSummary',\n metricDefinitionKey: 'ecpc'\n }\n]\n\nexport const SUMMARY_BLOCKS = keyBy(SUMMARY_BLOCKS_LIST, 'metricDefinitionKey')\n\nconst TABS_LIST = [\n {\n chartProps: {\n apiEndpoint: 'adRevenue',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'ecpm'\n },\n {\n chartProps: {\n apiEndpoint: 'adRevenue',\n chartType: 'line',\n minY: null,\n minYRange: null,\n xAxisType: 'datetime'\n },\n metricDefinitionKey: 'ecpc'\n }\n]\n\nexport const TABS = keyBy(TABS_LIST, 'metricDefinitionKey')\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\nimport Skeleton from 'react-loading-skeleton'\nimport { isNumber } from 'lodash'\n\nimport { CAMPAIGN_ROW_SKELETON_HEIGHT } from './constants'\n\nconst CampaignRowsSkeleton = ({ height }) => (\n \n \n \n \n \n \n)\n\nCampaignRowsSkeleton.propTypes = {\n height: PropTypes.number\n}\n\nCampaignRowsSkeleton.defaultProps = {\n height: null\n}\n\nexport default CampaignRowsSkeleton\n","// eslint-disable-next-line import/prefer-default-export\nexport const DASHBOARD_ADMIN_APPS_URL = '/dashboard/admin/apps/'\nexport const DASHBOARD_APPS_URL = '/dashboard/apps/'\n","export const getSdkKeyUpdatedAtDate = key => {\n if (!key.updatedAt) {\n return 'unknown'\n }\n\n return key.updatedAt.split('T')[0]\n}\n\nexport const getLastSeenDateString = lastSeenDate => {\n if (!lastSeenDate) {\n return 'never'\n }\n\n if (lastSeenDate.date) {\n return lastSeenDate.date\n }\n\n return 'unknown'\n}\n","export const SKELETON_ROW_COUNT = 4\nexport const MIN_CALLBACK_HEALTH_ROWS = 2\n","export const COLUMN_CHARACTER_LENGTH_MULTIPLIER = 10\n","export const DATA_EXPORTER_SUBHEADING = 'Save or export reports.'\nexport const DATA_EXPORTER_NOTICE = 'Saved reports will maintain the length of days selected when the report was initially saved, but will show the data from today’s date.'\n","import { sortBy, sumBy, isNil } from 'lodash'\n\nexport const getKPICardsMetricDefinitions = metricDefinitionsState => {\n const metricDefinitions = []\n\n Object.keys(metricDefinitionsState).forEach(metricDefinitionKey => {\n const metricDefinition = metricDefinitionsState[metricDefinitionKey]\n\n if (metricDefinition.components.skAdNetworkReport?.kpiCard?.isVisible) {\n metricDefinitions.push(metricDefinition)\n }\n })\n\n return sortBy(\n metricDefinitions,\n metricDefinition => metricDefinition.components.skAdNetworkReport?.kpiCard?.position\n )\n}\n\nexport const buildSummaryDataMapping = ({ summaryData, groupBy }) => {\n const conversionValueTotalSum = sumBy(\n summaryData,\n ({ conversionValueTotal }) => conversionValueTotal\n )\n\n const nonNullConversions = sumBy(\n summaryData,\n ({ conversionValue, conversionValueCount = 0 }) => {\n const hasConversionValue = !isNil(conversionValue)\n const isGroupedByConversionValue = groupBy === 'conversion_value'\n\n if (isGroupedByConversionValue) {\n return hasConversionValue ? conversionValueCount : 0\n }\n\n if (!isGroupedByConversionValue) {\n return conversionValueCount\n }\n\n return 0\n }\n )\n\n const kpiConversionValueAverage = nonNullConversions > 0\n ? conversionValueTotalSum / nonNullConversions\n : null\n\n const kpiConversionValueCount = sumBy(\n summaryData,\n ({ conversionValueCount }) => conversionValueCount\n )\n\n const kpiSpend = sumBy(\n summaryData,\n ({ spend }) => spend\n )\n\n const output = {\n conversionValueAvg: kpiConversionValueAverage,\n conversionValueCount: kpiConversionValueCount,\n spend: kpiSpend\n }\n\n return output\n}\n","export const DEFAULT_QUERY_OPTIONS = {\n skip: true\n}\n\nexport const CONVERSION_VALUE_QUERY_OVERRIDES = {\n metrics: [\n 'conversionValueCount',\n 'conversionValueAvg',\n 'conversionValueTotal',\n 'spend'\n ]\n}\n","export const DASHBOARD_APPS_URL = '/dashboard/apps/'\nexport const DASHBOARD_APPS_CLAIM_SK_APP_PATH = '/claim_sk_app'\nexport const DASHBOARD_USERS_HIDE_ONBOARDING_POPUP_URL = '/dashboard/users/hide_onboarding_popup'\n","import { deepSnakeKeys } from '../../utils/helpers'\nimport { DASHBOARD_ADMIN_AD_NETWORKS_URL, DASHBOARD_ADMIN_CALLBACK_GROUP_TEMPLATES_PATH } from './constants'\nimport { patch, post, get } from '../../utils/request'\n\nexport const fetchCallbackGroupTemplates = async ({\n adNetworkId,\n eventDefinition,\n platform\n}) => {\n const { data } = await get(\n `${DASHBOARD_ADMIN_AD_NETWORKS_URL}/${adNetworkId}${DASHBOARD_ADMIN_CALLBACK_GROUP_TEMPLATES_PATH}`,\n deepSnakeKeys({\n params: { eventDefinition, platform }\n })\n )\n\n return data\n}\n\nexport const createCallbackGroupTemplate = async ({\n adNetworkId,\n allowMultiple,\n eventDefinition,\n platform,\n requiredMacros\n}) => {\n const { data } = await post(\n `${DASHBOARD_ADMIN_AD_NETWORKS_URL}/${adNetworkId}/${DASHBOARD_ADMIN_CALLBACK_GROUP_TEMPLATES_PATH}`,\n deepSnakeKeys({\n allowMultiple,\n eventDefinition,\n platform,\n requiredMacros\n })\n )\n\n return data\n}\n\nexport const saveCallbackGroupTemplate = async ({\n adNetworkId,\n id,\n allowMultiple,\n requiredMacros,\n userFilterDefault,\n userFilterEditable\n}) => {\n const { data } = await patch(\n `${DASHBOARD_ADMIN_AD_NETWORKS_URL}/${adNetworkId}/${DASHBOARD_ADMIN_CALLBACK_GROUP_TEMPLATES_PATH}/${id}`,\n deepSnakeKeys({\n allowMultiple,\n requiredMacros,\n userFilterDefault,\n userFilterEditable\n })\n )\n\n return data\n}\n","import { useLocation } from 'react-router-dom'\nimport { snakeCase } from 'snake-case'\nimport Tooltip from 'rc-tooltip'\nimport classNames from 'classnames'\n\nimport {\n buildQueryParams,\n getReportPageFromPathname,\n getReportTypeByReportPage,\n useReportingFiltersState\n} from '../../../../contexts/ReportingFilters'\n\nimport {\n useGroupedSummaryTableSettingsState\n} from '../../../../contexts/GroupedSummaryTableSettings'\n\nimport { useCurrentUserState } from '../../../../contexts/CurrentUser'\nimport FontAwesomeIcon from '../../../FontAwesomeIcon'\nimport { deepSnakeKeys } from '../../../../utils/helpers'\n\nimport { DEFAULT_EXPORT_GRANULARITY } from './constants'\n\nconst DownloadCSVButton = () => {\n const location = useLocation()\n const reportPage = getReportPageFromPathname(location.pathname)\n const { metricColumnsByReport } = useGroupedSummaryTableSettingsState()\n const { currentUser } = useCurrentUserState()\n const reportingFilters = useReportingFiltersState()\n\n const queryParams = deepSnakeKeys(\n buildQueryParams({\n currentUser,\n location,\n reportingFilters\n })\n )\n\n const exportParams = {\n ...queryParams,\n granularity: queryParams.granularity\n ? `totals-${queryParams.granularity}`\n : DEFAULT_EXPORT_GRANULARITY,\n metrics: metricColumnsByReport[reportPage].map(\n metric => snakeCase(metric)\n )\n }\n\n const reportType = getReportTypeByReportPage(reportPage)\n\n if (reportType) {\n exportParams.report_type = reportType\n }\n\n const encodedQueryString = new URLSearchParams(exportParams).toString()\n const href = `/dashboard/data_exporter/export?${encodedQueryString}`\n\n return (\n \n )\n}\n\nexport default DownloadCSVButton\n","import Presenter from './presentation'\nimport { CurrentUserProvider } from '../../contexts/CurrentUser'\nimport { HealthProvider } from '../../contexts/Health'\nimport { deepCamelKeys } from '../../utils/helpers'\n\n/* eslint-disable react/prop-types */\nconst HamburgerNav = ({\n accessControl, currentUser, recentOrgs, switchableOrgs, unlinkedCampaignsAndAdPlacementsCount\n}) => (\n \n \n \n \n \n)\n\nexport default HamburgerNav\n/* eslint-enable react/prop-types */\n","import Tooltip from 'rc-tooltip'\nimport { useState } from 'react'\n\nimport { hideOnboardingPopup } from '../../api/dashboard'\nimport { userSettingsObject } from '../../utils/customPropTypes'\nimport FontAwesomeIcon from '../FontAwesomeIcon'\nimport { ROLE_OPTIONS } from './constants'\nimport { getDefaultOnboardingPopupStatus } from './helpers'\nimport Overlay from './Overlay'\nimport styles from './styles.module.scss'\n\nconst OnboardingPopup = ({ userSettings }) => {\n const defaultOnboardingPopupStatus =\n getDefaultOnboardingPopupStatus(userSettings)\n\n const [isOpen, setIsOpen] = useState(defaultOnboardingPopupStatus)\n const [selectedRole, setSelectedRole] = useState(ROLE_OPTIONS[0])\n\n const isIconFilledIn = isOpen\n\n const handleOpenPopup = () => {\n setIsOpen(true)\n }\n\n const handleClosePopup = async () => {\n setIsOpen(false)\n\n try {\n await hideOnboardingPopup()\n } catch (error) {\n window.Honeybadger.notify(error)\n }\n }\n\n const handleClickIcon = () => {\n if (isOpen) {\n handleClosePopup()\n } else {\n handleOpenPopup()\n }\n }\n\n const handleChangeSelectedRole = updatedRole => {\n setSelectedRole(updatedRole)\n }\n\n const handleClickWithTracking = ({ href, text }) => {\n const isAnalyticsEnabled =\n window.amplitudeInstance && window.gon.analytics_enabled\n\n if (isAnalyticsEnabled) {\n window.amplitudeInstance.logEvent('CLICK_ONBOARDING_POPUP_LINK', {\n buttonHref: href,\n buttonText: text,\n path: window.location.pathname\n })\n }\n\n return true\n }\n\n return (\n \n }\n prefixCls=\"onboardingPopup\"\n destroyTooltipOnHide\n >\n \n \n
\n \n )\n}\n\nOnboardingPopup.propTypes = {\n userSettings: userSettingsObject.isRequired\n}\n\nexport default OnboardingPopup\n","import styles from './styles.module.scss'\n\nimport FontAwesomeIcon from '../../FontAwesomeIcon'\n\nconst AccountIssuePage = () => (\n \n
\n
\n Your account has been disabled because you may have unpaid invoices,\n please contact us at \n
support@tenjin.com\n
\n)\n\nexport default AccountIssuePage\n","import { useState, useEffect } from 'react'\n\nimport CampaignFilters from './CampaignFilters'\nimport StandaloneCampaignMergeTool from './StandaloneCampaignMergeTool'\nimport {\n processAllMergeableCampaigns,\n getAppByUrl,\n getChannelByUrl,\n getLookbackWindowByUrl\n} from './helpers'\nimport { fetchAllMergeableCampaigns, mergeCampaigns } from '../../../api/campaigns'\nimport { PREDEFINED_LOOKBACK_WINDOWS } from './constants'\n\nimport styles from './styles.module.scss'\n\nimport { arrayOfAppObjects, arrayOfChannels } from '../../../utils/customPropTypes'\n\nconst CampaignMergePage = ({ apps, channels }) => {\n const [searchText, setSearchText] = useState('')\n const [trackedCampaigns, setTrackedCampaigns] = useState([])\n const [reportedCampaigns, setReportedCampaigns] = useState([])\n\n const urlSearch = new URLSearchParams(window.location.search)\n\n const [selectedApp, setSelectedApp] = useState(getAppByUrl({ apps, urlSearch }))\n const [selectedChannel, setSelectedChannel] = useState(getChannelByUrl({ channels, urlSearch }))\n\n const [selectedLookback, setSelectedLookback] = useState(\n getLookbackWindowByUrl({ lookbackWindows: PREDEFINED_LOOKBACK_WINDOWS, urlSearch })\n || PREDEFINED_LOOKBACK_WINDOWS[0]\n )\n\n const [selectedTrackedCampaign, setSelectedTrackedCampaign] = useState(null)\n const [selectedReportedCampaign, setSelectedReportedCampaign] = useState(null)\n const [allMergeableCampaigns, setAllMergableCampaigns] = useState({\n reportedCampaigns: [],\n trackedCampaigns: []\n })\n\n const [isLoading, setIsLoading] = useState(false)\n const [isMerging, setIsMerging] = useState(false)\n const [isError, setIsError] = useState(false)\n\n const [isModalOpen, setIsModalOpen] = useState(false)\n\n const openModal = () => setIsModalOpen(true)\n const closeModal = () => setIsModalOpen(false)\n\n const handleChangeSearchText = updatedSearchText => setSearchText(updatedSearchText)\n\n const handleChangeSelectedApp = updatedApp => setSelectedApp(updatedApp)\n const handleChangeSelectedChannel = updatedChannel => setSelectedChannel(updatedChannel)\n const handleChangeSelectedLookback = updatedLookback => setSelectedLookback(updatedLookback)\n\n const isMergeable = selectedTrackedCampaign !== null && selectedReportedCampaign !== null\n const isEmptyState = selectedApp === null || selectedChannel === null\n\n const onMergeSuccess = () => {\n window.location.search += `app_id=${selectedApp.id}`\n + `&ad_network_id=${selectedChannel.id}`\n + `&lookback_window=${selectedLookback.value}`\n }\n\n const fetchCampaigns = async () => {\n setIsError(false)\n setIsLoading(true)\n\n try {\n const data = await fetchAllMergeableCampaigns({\n adNetworkId: selectedChannel.id,\n appId: selectedApp.id,\n lookbackWindow: selectedLookback.value\n })\n\n setSelectedTrackedCampaign(null)\n setSelectedReportedCampaign(null)\n setAllMergableCampaigns(processAllMergeableCampaigns(data))\n setIsLoading(false)\n } catch (error) {\n window.Honeybadger.notify(error)\n setIsError(true)\n setIsLoading(false)\n }\n }\n\n const mergeSelectedCampaigns = async () => {\n if (isMergeable) {\n setIsError(false)\n setIsMerging(true)\n\n try {\n await mergeCampaigns({\n reportedCampaignId: selectedReportedCampaign,\n trackedCampaignId: selectedTrackedCampaign\n })\n\n onMergeSuccess()\n } catch (error) {\n window.Honeybadger.notify(error)\n setIsError(true)\n setIsMerging(false)\n }\n }\n }\n\n useEffect(() => {\n if (selectedApp && selectedChannel) {\n fetchCampaigns()\n }\n }, [selectedApp, selectedChannel, selectedLookback])\n\n useEffect(() => {\n setTrackedCampaigns(allMergeableCampaigns.trackedCampaigns.filter(\n ({ id, name }) => name.toLowerCase().includes(searchText.toLowerCase())\n || id === selectedTrackedCampaign\n ))\n setReportedCampaigns(allMergeableCampaigns.reportedCampaigns.filter(\n ({ id, name }) => name.toLowerCase().includes(searchText.toLowerCase())\n || id === selectedReportedCampaign\n ))\n }, [allMergeableCampaigns, searchText])\n\n const handleClickTrackedCampaign = id => {\n if (selectedTrackedCampaign === id) {\n setSelectedTrackedCampaign(null)\n } else {\n setSelectedTrackedCampaign(id)\n }\n }\n\n const handleClickReportedCampaign = id => {\n if (selectedReportedCampaign === id) {\n setSelectedReportedCampaign(null)\n } else {\n setSelectedReportedCampaign(id)\n }\n }\n\n const handleCancelMerge = () => {\n closeModal()\n }\n\n const handleConfirmMerge = () => {\n mergeSelectedCampaigns()\n closeModal()\n }\n\n const handleClickMergeCampaigns = () => {\n openModal()\n }\n\n const lookbackWindows = PREDEFINED_LOOKBACK_WINDOWS\n\n return (\n \n
MERGE CAMPAIGNS
\n
\n
Merge Campaigns Tool
\n
\n Select an app and channel to see campaigns eligible for merging.\n
\n
\n
\n
\n
\n )\n}\n\nCampaignMergePage.propTypes = {\n apps: arrayOfAppObjects.isRequired,\n channels: arrayOfChannels.isRequired\n}\n\nexport default CampaignMergePage\n","import { useState } from 'react'\nimport PropTypes from 'prop-types'\nimport { DateRangePicker } from 'react-date-range'\nimport classNames from 'classnames'\nimport ReactNbsp from 'react-nbsp'\n\nimport ClickOutsideAlerter from '../../../../../ClickOutsideAlerter'\nimport Filter from '../../../../../ReportingSidebar/Filter'\nimport FontAwesomeIcon from '../../../../../FontAwesomeIcon'\nimport PaneHeader from '../../../../../ReportingSidebar/Filter/Pane/Header'\n\nimport { RANGE_COLORS } from '../../../../../ReportingSidebar/DateFilter/constants'\nimport useDidUpdateEffect from '../../../../../../hooks/useDidUpdateEffect'\n\nimport { changeAdAccountLastStatsUpdateDate } from '../../../../../../api/dashboard'\n\nimport { getDateForDisplayInUtc, getMaxDate, getMinDate } from './helpers'\nimport { FIVE_SECONDS, NUM_VISIBLE_MONTHS_IN_PICKER } from './constants'\n\nimport styles from './styles.module.scss'\n\nconst LastUpdatedBtn = (\n {\n alertClassSelector,\n textClassSelector\n }\n) => {\n const [state, setState] = useState({\n date: new Date(),\n isOpen: false\n })\n\n const onCloseClick = () => {\n setState({\n ...state,\n isOpen: false\n })\n }\n\n const onLabelClick = () => {\n setState({\n ...state,\n isOpen: !state.isOpen\n })\n }\n\n const ranges = [\n {\n endDate: state.date,\n key: 'dateRange',\n startDate: state.date\n }\n ]\n\n const handleChange = ({ dateRange }) => {\n setState({\n ...state,\n date: dateRange.startDate,\n isOpen: false\n })\n }\n\n useDidUpdateEffect({\n dependencies: [state.date],\n onEffect: () => {\n changeAdAccountLastStatsUpdateDate(state.date.toISOString())\n\n const $textSelector = document.getElementsByClassName(textClassSelector)[0]\n\n if ($textSelector) {\n $textSelector.innerHTML = getDateForDisplayInUtc(state.date)\n }\n\n const $alertSelector = document.getElementsByClassName(alertClassSelector)[0]\n\n if ($alertSelector) {\n $alertSelector.classList.remove('hidden')\n\n setTimeout(() => {\n $alertSelector.classList.add('hidden')\n }, FIVE_SECONDS)\n }\n }\n })\n\n return (\n \n \n \n Change Last Updated Date\n \n \n
\n )}\n pane={(\n \n
\n Select a Date\n \n\n
\n
\n )}\n />\n \n \n )\n}\n\nLastUpdatedBtn.propTypes = {\n alertClassSelector: PropTypes.string.isRequired,\n textClassSelector: PropTypes.string.isRequired\n}\n\nexport default LastUpdatedBtn\n","import { useState, useEffect } from 'react'\nimport { find, last } from 'lodash'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport Dropdown from '../../../../../Dropdown'\n\nimport { fetchCallbackGroupTemplates } from '../../../../../../api/callbackGroupTemplates'\n\nimport styles from './styles.module.scss'\n\nimport {\n HIDDEN_INPUT_NAME,\n HIDDEN_INPUT_ID,\n ELEMENT_ID_EVENT_DEFINITION,\n ELEMENT_ID_PLATFORM,\n ELEMENT_ID_TEMPLATEABLE_ID\n} from './constants'\n\nconst CallbackGroupTemplatesDropdown = ({ callbackGroupTemplateId, className }) => {\n const [callbackGroupTemplates, setCallbackGroupTemplates] = useState([])\n const [selectedTemplate, setSelectedTemplate] = useState()\n const [selectedEventDefinition, setSelectedEventDefinition] = useState()\n const [selectedPlatform, setSelectedPlatform] = useState()\n const [selectedAdNetworkId, setSelectedAdNetworkId] = useState()\n const [isLoading, setIsLoading] = useState(false)\n\n const handleChangeSelectedTemplate = template => {\n setSelectedTemplate(template)\n }\n\n const handleSelectEventDefinition = ({ target: { value } }) => {\n setSelectedEventDefinition(value)\n }\n\n const handleSelectPlatform = ({ target: { value } }) => {\n setSelectedPlatform(value)\n }\n\n const handleSelectTemplateableId = ({ target: { value } }) => {\n const adNetworkId = last(value.split('/'))\n\n const isAdNetworkSelected = adNetworkId.length > 0\n\n if (isAdNetworkSelected) {\n setSelectedAdNetworkId(adNetworkId)\n }\n }\n\n useEffect(() => {\n const eventDefinitionElement = document.getElementById(ELEMENT_ID_EVENT_DEFINITION)\n const platformElement = document.getElementById(ELEMENT_ID_PLATFORM)\n const templateableIdElement = document.getElementById(ELEMENT_ID_TEMPLATEABLE_ID)\n\n eventDefinitionElement.addEventListener('change', handleSelectEventDefinition)\n platformElement.addEventListener('change', handleSelectPlatform)\n templateableIdElement.addEventListener('change', handleSelectTemplateableId)\n\n const isAdNetworkSelected = templateableIdElement.value.length > 0\n\n if (isAdNetworkSelected) {\n setSelectedAdNetworkId(last(templateableIdElement.value.split('/')))\n }\n\n setSelectedPlatform(platformElement.value)\n setSelectedEventDefinition(eventDefinitionElement.value)\n }, [])\n\n useEffect(() => {\n const fetchData = async () => {\n const shouldFetch = selectedAdNetworkId && selectedPlatform\n\n if (!shouldFetch) return\n\n setIsLoading(true)\n\n try {\n const fetchedCallbackGroupTemplates = await fetchCallbackGroupTemplates({\n adNetworkId: selectedAdNetworkId,\n eventDefinition: selectedEventDefinition,\n platform: selectedPlatform\n })\n\n setCallbackGroupTemplates(fetchedCallbackGroupTemplates)\n\n setIsLoading(false)\n } catch (error) {\n window.Honeybadger.notify(error)\n setIsLoading(false)\n }\n }\n\n fetchData()\n }, [selectedEventDefinition, selectedPlatform, selectedAdNetworkId])\n\n useEffect(() => {\n const defaultTemplate = find(callbackGroupTemplates, { id: callbackGroupTemplateId })\n\n setSelectedTemplate(defaultTemplate)\n }, [callbackGroupTemplates])\n\n return (\n \n option.id}\n getOptionValue={option => option.id}\n isClearable={false}\n isSearchable\n onChange={handleChangeSelectedTemplate}\n options={callbackGroupTemplates}\n value={selectedTemplate}\n placeholder={isLoading ? 'Loading...' : 'Select template'}\n />\n \n
\n )\n}\n\nCallbackGroupTemplatesDropdown.propTypes = {\n callbackGroupTemplateId: PropTypes.string.isRequired,\n className: PropTypes.string\n}\n\nCallbackGroupTemplatesDropdown.defaultProps = {\n className: ''\n}\n\nexport default CallbackGroupTemplatesDropdown\n","import classNames from 'classnames'\nimport { keys, map } from 'lodash'\nimport { useEffect, useState } from 'react'\nimport { CopyToClipboard } from 'react-copy-to-clipboard'\nimport { QueryClient, QueryClientProvider } from 'react-query'\n\nimport {\n QUERY_REFRESH_INTERVAL,\n QUERY_RETRY_COUNT\n} from '../../../ReportingPage/constants'\nimport styles from './styles.module.scss'\n\n/* eslint-disable no-trailing-spaces, no-console, comma-dangle */\nconst constructComponentTable = async () => [\n {\n component: await import('../../../../FontAwesomeIcon'),\n componentProps: {\n animated: 'spin',\n icon: 'spinner',\n size: '2x'\n },\n description: 'Wrapper for font-awesome icons',\n name: 'FontAwesomeIcon',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../Dropdown'),\n componentProps: {\n getOptionLabel: option => option.label,\n getOptionValue: option => option.value,\n isClearable: false,\n isSearchable: true,\n label: 'Dropdown Example',\n onChange: ({ value }) => console.log(value),\n options: [\n { label: 'labelA', value: 'valueA' },\n { label: 'labelB', value: 'valueB' }\n ],\n placeholder: 'Select option',\n value: { label: 'labelA', value: 'valueA' }\n },\n description: 'Configurable searchable selection dropdown',\n name: 'Dropdown',\n\n snippet: `\n option.label}\n getOptionValue={option => option.value}\n isClearable={false}\n isSearchable\n onChange={({ value }) => console.log(value)}\n options={[\n { label: 'labelA', value: 'valueA' },\n { label: 'labelB', value: 'valueB' }\n ]}\n value={dropdownValue}\n placeholder=\"Select option\"\n/>\n `\n },\n {\n component: await import('../../../../SearchInputV2'),\n componentProps: {\n alwaysShowClearIcon: true,\n displaySearchIcon: true,\n onSearchTextChange: value => console.log(value),\n placeholderText: 'Enter Search',\n searchText: '',\n setSearchText: value => console.log(value)\n },\n description: 'Configurable search input box',\n name: 'SearchInputV2',\n\n snippet: `\n console.log(value)}\n placeholderText=\"Enter Search\"\n searchText={''}\n setSearchText={value => console.log(value)}\n/>\n `\n },\n {\n component: await import('../../../../Footer'),\n componentProps: {},\n description: 'Footer section',\n name: 'Footer',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../CardHeader'),\n componentProps: {\n children: ['Header Text'],\n isActive: true\n },\n description: 'Card Header',\n name: 'CardHeader',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../PageNotice'),\n componentProps: {\n children: ['This is a page notice'],\n icon: 'exclamation-triangle',\n italic: false\n },\n description: 'Page Notice with Optional Icon',\n name: 'PageNotice',\n\n snippet: `\nThis is a page notice\n `\n },\n {\n component: await import('../../../../CardPanel'),\n componentProps: {\n children: ['Example Panel Body'],\n title: 'Example Title'\n },\n description: 'Generic Panel-style Card Component',\n name: 'CardPanel',\n\n snippet: `\nExample Panel Body\n `\n },\n {\n component: await import('../../../../Button'),\n componentProps: {\n children: ['Button Text'],\n // eslint-disable-next-line no-alert\n onClick: () => {\n alert('Button clicked...')\n }\n },\n description: 'Generic Button Component',\n name: 'Button',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../LineTabNavigation'),\n componentProps: {\n currentPath: '/dashboard/admin/component_library',\n options: [\n {\n isActive: () => false,\n label: 'Dashboard',\n path: '/dashboard'\n },\n {\n isActive: () => true,\n label: 'Component Library',\n path: '/dashboard/admin/component_library'\n }\n ]\n },\n description: 'Line Tab Navigation Bar',\n name: 'LineTabNavigation',\n\n snippet: `\n false,\n label: 'Dashboard',\n path: '/dashboard'\n },\n {\n isActive: () => true,\n label: 'Component Library',\n path: '/dashboard/admin/component_library'\n }\n ]}\n/>\n `\n },\n {\n component: await import('../../../../AppSelector'),\n componentProps: {\n apps: [\n {\n iconUrl: '/app_icon/6b200c12-0425-4045-a51b-9f8f6498c6b6/icon.png',\n id: '123',\n name: 'Angry Birds 2',\n platform: 'ios'\n }\n ],\n onChange: () => {},\n selectedAppId: '123'\n },\n description: 'Dropdown Selector for Apps',\n name: 'AppSelector',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../PageLayout'),\n componentProps: {\n children: [Hello World
]\n },\n description: 'Page Layout Wrapper',\n name: 'PageLayout',\n\n snippet: `\n\n Hello World
\n\n `\n },\n {\n component: await import('../../../../Breadcrumb'),\n componentProps: {\n paths: [\n { label: 'Dashboard', path: '/dashboard' },\n { label: 'Component Library' }\n ]\n },\n description: 'Page Breadcrumb',\n name: 'Breadcrumb',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../ButtonTabNavigation'),\n componentProps: {\n options: [\n {\n handleClick: () => {},\n id: 'dashboard',\n isActive: () => false,\n label: 'Dashboard'\n },\n {\n handleClick: () => {},\n id: 'componentLibrary',\n isActive: () => true,\n label: 'Component Library'\n }\n ]\n },\n description: 'Button-based TabNavigation',\n name: 'ButtonTabNavigation',\n\n snippet: `\n {},\n id: 'dashboard',\n isActive: () => false,\n label: 'Dashboard',\n },\n {\n handleClick: () => {},\n id: 'componentLibrary',\n isActive: () => true,\n label: 'Component Library'\n }\n ]}\n/>\n `\n },\n {\n component: await import('../../../../HeaderWithHelpText'),\n componentProps: {\n children: ['Here are some additional details'],\n header: 'View the available actions for this page'\n },\n description: 'Header with Help Text',\n name: 'HeaderWithHelpText',\n\n snippet: `\n\n Here are some additional details\n\n `\n },\n {\n component: await import('../../../../BoldLink'),\n componentProps: {\n children: ['Go To Dashboard'],\n path: '/dashboard'\n },\n description: 'Bold Blue Link',\n name: 'BoldLink',\n\n snippet: `\n\n Go To Dashboard\n\n `\n },\n {\n component: await import('../../../../PopoutLink'),\n componentProps: {\n path: '/dashboard'\n },\n description: 'Link with Popout Icon',\n name: 'PopoutLink',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../ChannelSelector'),\n componentProps: {\n channels: [\n {\n iconUrl:\n '/uploads/tmp/1714068212-3703-3373/thumb_mini_magick20240425-3703-1hn09u2.png',\n id: '123',\n name: 'Meta'\n }\n ],\n onChange: () => {},\n selectedChannelId: '123'\n },\n description: 'Dropdown Selector for Channels (Ad Networks)',\n name: 'ChannelSelector',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../AsyncButton'),\n componentProps: {\n children: ['Async Button Text'],\n errorContent: [Something went wrong.],\n level: 'success',\n loadingContent: [Loading...],\n onClick: () =>\n new Promise(resolve => {\n setTimeout(() => {\n resolve(console.log('Async Button onClick Resolved'))\n }, 2000)\n }),\n onError: () => {\n console.log('Async Button onClick unsuccessful')\n },\n onSuccess: () => {\n console.log('Async Button onClick successful')\n },\n resetOnSuccess: true,\n successContent: [Successful.]\n },\n description:\n 'Generic Asynchronous Button Component with Loading, Success and Error States',\n name: 'AsyncButton',\n\n snippet: `\nSomething went wrong.}\n level=\"success\"\n loadingContent={Loading...}\n onClick={handleClick}\n onError={handleError}\n onSuccess={handleSuccess}\n resetOnSuccess\n successContent={Successful.}\n>\n Async Button Text\n\n `\n },\n {\n component: await import('../../../../SyncButton'),\n componentProps: {\n children: ['Sync button text'],\n errorContent: [Something went wrong.],\n level: 'success',\n loadingContent: [Loading...],\n onClick: () => {\n console.log('Sync Button onClick fired')\n },\n onError: () => {\n console.log('Sync Button onClick unsuccessful')\n },\n onSuccess: () => {\n console.log('Sync Button onClick successful')\n },\n resetOnSuccess: true,\n successContent: [Successful.]\n },\n description:\n 'Synchronous equivalent of AsyncButton with all the same button state variations',\n name: 'SyncButton',\n\n snippet: `\nSomething went wrong.}\n level=\"success\"\n loadingContent={Loading...}\n onClick={handleClick}\n onError={handleError}\n onSuccess={handleSuccess}\n resetOnSuccess\n successContent={Successful.}\n>\n Sync Button Text\n\n `\n },\n {\n component: await import('../../../../AsyncIconTextButton'),\n componentProps: {\n children: ['Edit'],\n errorIcon: 'times',\n errorText: 'Something went wrong...',\n icon: 'pencil',\n loadingIcon: 'spinner',\n loadingText: 'Loading...',\n onClick: () =>\n new Promise(resolve => {\n setTimeout(() => {\n resolve(console.log('onClick resolved'))\n }, 2000)\n }),\n onError: () => {\n console.log('onClick unsuccessful')\n },\n onSuccess: () => {\n console.log('onClick successful')\n },\n resetOnSuccess: true,\n successIcon: 'check',\n successText: 'Success'\n },\n description:\n 'Generic Asynchronous Clickable Text Button With Icon (incl. Loading, Success and Error States)',\n name: 'AsyncIconTextButton',\n\n snippet: `\n\n Async Button Text\n\n `\n },\n {\n component: await import('../../../../FormLabelWithTooltip'),\n componentProps: {\n children: ['Example Label'],\n placement: 'right',\n tooltipContent: [Example Tooltip Content]\n },\n description:\n 'Generic Form Label with Tooltip (tooltip icon will be hidden if no content provided)',\n name: 'FormLabelWithTooltip',\n\n snippet: `\n\n Example Label\n\n `\n },\n {\n component: await import('../../../../FormInput'),\n componentProps: {\n messageContent: [Message for input],\n placeholder: 'Example placeholder',\n tooltipContent: 'Example tooltip content',\n tooltipPlacement: 'top'\n },\n description: 'Multi-purpose Form Input with Static State',\n name: 'FormInput',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../FlexTable'),\n componentProps: {\n rows: [\n {\n cells: [\n {\n cell: Header 1,\n flex: 0.5,\n id: 'a'\n },\n {\n cell: Header 2,\n id: 'aa'\n },\n {\n cell: Header 3,\n id: 'aaa'\n }\n ],\n id: '1'\n },\n {\n cells: [\n {\n cell: 'example cell b',\n flex: 0.5,\n id: 'b'\n },\n {\n cell: 'example cell bb',\n id: 'bb'\n },\n {\n cell: 'example cell bbb',\n id: 'bbb'\n }\n ],\n id: '2'\n },\n {\n cells: [\n {\n cell: 'example cell c',\n flex: 0.5,\n id: 'c'\n },\n {\n cell: 'example cell cc',\n id: 'cc'\n },\n {\n cell: 'example cell ccc',\n id: 'ccc'\n }\n ],\n id: '3'\n }\n ]\n },\n description: 'Generic Flex-based (div-based) table component',\n name: 'FlexTable',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../Toggle'),\n componentProps: {\n isDisabled: false,\n isOn: true,\n isToggling: false,\n // eslint-disable-next-line no-alert\n onToggle: () => {\n alert('Toggle clicked...')\n }\n },\n description: 'Generic Toggle Button Component',\n name: 'Toggle',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../Switch'),\n componentProps: {\n isDisabled: false,\n isPrimary: true,\n isSwitching: false,\n // eslint-disable-next-line no-alert\n onToggle: () => {\n alert('Switch clicked...')\n }\n },\n description: 'Generic Switch Button Component',\n name: 'Switch',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../ModalHeaderWithClose'),\n componentProps: {\n children: ['Example Modal Header'],\n onClickClose: () => {\n console.log('handling click close...')\n }\n },\n description: 'Modal Header with Close',\n name: 'ModalHeaderWithClose',\n\n snippet: `\n\n Example Modal Header\n\n `\n },\n {\n component: await import('../../../../FormDropdown'),\n componentProps: {\n getOptionLabel: option => option.label,\n getOptionValue: option => option.value,\n isClearable: false,\n onChange: ({ value }) => console.log(value),\n options: [\n { label: 'labelA', value: 'valueA' },\n { label: 'labelB', value: 'valueB' }\n ],\n placeholder: 'Select option',\n value: { label: 'labelA', value: 'valueA' }\n },\n description: 'Form specific configurable searchable selection dropdown',\n name: 'FormDropdown',\n\n snippet: `\n option.label}\n getOptionValue={option => option.value}\n isClearable={false}\n onChange={({ value }) => console.log(value)}\n options={[\n { label: 'labelA', value: 'valueA' },\n { label: 'labelB', value: 'valueB' }\n ]}\n value={dropdownValue}\n placeholder=\"Select option\"\n/>\n `\n },\n {\n component: await import('../../../../Badge'),\n componentProps: {\n children: ['2'],\n level: 'danger'\n },\n description: 'Generic badge component',\n name: 'Badge',\n\n snippet: `\n2\n `\n },\n {\n component: await import('../../../../PercentageLabel'),\n componentProps: {\n value: 0.75\n },\n description: 'Percentage Label with Threshold based background-colors',\n name: 'PercentageLabel',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../CopyButton'),\n componentProps: {\n copiedText: 'Copied.',\n prompt: 'Click To Copy',\n textToCopy: 'Example text into your clipboard.'\n },\n description: 'Generic Copy To Clipboard Button',\n name: 'Copy To Clipboard Button',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../Alert'),\n componentProps: {\n children: [Example: alert message],\n icon: 'exclamation-triangle',\n level: 'danger'\n },\n description: 'Standard alert block with close button',\n name: 'Alert',\n\n snippet: `\n\n Example: alert message\n\n `\n },\n {\n component: await import('../../../../AlertList'),\n componentProps: {\n alertContainerClassName: 'mbm',\n alerts: [\n {\n children: [Example: alert message 1],\n icon: 'exclamation-triangle',\n key: 'alert1',\n level: 'danger'\n },\n {\n children: [Example: alert message 2],\n icon: 'exclamation-triangle',\n key: 'alert2',\n level: 'danger'\n }\n ]\n },\n description: 'Stacked Alert messages',\n name: 'AlertList',\n\n snippet: `\nExample: alert message 1],\n icon: 'exclamation-triangle',\n key: 'alert1',\n level: 'danger'\n },\n {\n children: [Example: alert message 2],\n icon: 'exclamation-triangle',\n key: 'alert2',\n level: 'danger'\n }\n ]}\n/AlertList>\n `\n },\n {\n component: await import('../../../../Header'),\n componentProps: {\n children: ['Example header']\n },\n description: 'Standard header',\n name: 'Header',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../AppAccessSelector'),\n componentProps: {\n apps: [\n ...[...Array(200).keys()].map(index => ({\n iconUrl: '/app_icon/6b200c12-0425-4045-a51b-9f8f6498c6b6/icon.png',\n id: index,\n name: index\n }))\n ],\n organizationUserId: '123',\n selectedAppIds: [1, 2, 3],\n url: 'Example URL'\n },\n description: 'Custom App Access Selector',\n name: 'AppAccessSelector',\n\n snippet: `\n\n `\n },\n {\n component: await import('../../../../LoadingBar'),\n componentProps: {\n completeLevel: 'danger',\n percentage: 0.5,\n progressLevel: 'primary'\n },\n description: 'LoadingBar',\n name: 'LoadingBar',\n\n snippet: `\n\n `\n }\n]\n/* eslint-enable no-trailing-spaces, no-console, comma-dangle */\n\nconst queryClient = new QueryClient({\n defaultOptions: {\n queries: {\n refetchInterval: QUERY_REFRESH_INTERVAL,\n refetchOnWindowFocus: false,\n retry: QUERY_RETRY_COUNT\n }\n }\n})\n\n/* eslint-disable no-alert */\nconst ComponentLibrary = () => {\n const initialSearch =\n new URLSearchParams(window.location.search).get('filter') || ''\n\n const [componentTable, setComponentTable] = useState([])\n const [isLoading, setIsLoading] = useState(true)\n const [search, setSearch] = useState(initialSearch)\n\n useEffect(() => {\n const loadComponentTable = async () => {\n const constructedComponentTable = await constructComponentTable()\n\n setComponentTable(constructedComponentTable)\n\n setIsLoading(false)\n }\n\n loadComponentTable()\n }, [])\n\n if (isLoading) {\n return (\n \n
Loading...
\n \n )\n }\n\n const resultsCount = componentTable.filter(item =>\n item.name.toLowerCase().includes(search.toLowerCase())\n ).length\n const hasResults = resultsCount > 0\n\n return (\n \n \n
Component Library (Commons)
\n
\n
\n setSearch(event.target.value)}\n value={search}\n placeholder=\"Filter components\"\n />\n
\n\n {hasResults ? (\n
\n {componentTable\n .filter(\n item =>\n search === '' ||\n item.name.toLowerCase().includes(search.toLowerCase())\n )\n .map(\n ({\n name,\n component: { default: ComponentPreview },\n componentProps,\n description,\n snippet\n }) => {\n const { defaultProps } = ComponentPreview\n\n return (\n
\n
\n
{name} | {description}\n
\n \n
\n
\n
\n {keys(defaultProps).length > 0 ? (\n
\n Props: Default\n
\n {' '}\n {map(\n keys(defaultProps),\n key =>\n `${key}: ${JSON.stringify(defaultProps[key])}`\n ).join('\\n ')}\n
\n ) : (\n
(Missing PropTypes)
\n )}\n
\n alert(`Snippet for \"${name}\" copied to clipboard.`)\n }\n text={snippet.trim()}\n >\n \n {snippet.trim()}\n
\n \n
\n
\n )\n }\n )}\n
\n ) : (\n
\n
No results...
\n \n )}\n
\n \n )\n}\n/* eslint-enable no-alert */\n\nComponentLibrary.propTypes = {}\nComponentLibrary.defaultProps = {}\n\nexport default ComponentLibrary\n","import React, { useState, Fragment } from 'react'\nimport {\n DASHBOARD_ADMIN_AD_ACCOUNT_URL,\n DASHBOARD_ADMIN_AD_NETWORK_URL,\n DASHBOARD_ADMIN_ORGANIZATION_URL,\n DASHBOARD_ADMIN_USER_URL,\n REPORT_FAILED_TO_ADD,\n REPORT_NEVER_UPDATED\n} from './constants'\n\nimport { getSortValueByName, getSortedRowsByProperty } from './helpers'\n\nimport styles from './styles.module.scss'\n\n/* eslint-disable react/prop-types,\n jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions */\nconst Monitoring = ({ neverUpdatedReport = [], failedToAddReport = [] }) => {\n const [reportType, setReportType] = useState(REPORT_NEVER_UPDATED)\n const [report, setReport] = useState(neverUpdatedReport)\n\n const isDefaultReport = reportType === REPORT_NEVER_UPDATED\n\n const baseReport = isDefaultReport ? neverUpdatedReport : failedToAddReport\n\n const handleClickSortButton = name => {\n const sortValue = getSortValueByName(name)\n const sortedRowsByProperty = getSortedRowsByProperty({\n baseRows: baseReport,\n property: sortValue\n })\n\n setReport(sortedRowsByProperty)\n }\n\n const handleFilterChange = event => {\n const { value } = event.target\n\n const filteredReports = baseReport.filter(\n row => row.ad_network_name.toLowerCase().includes(value.toLowerCase())\n || row.organization_name.toLowerCase().includes(value.toLowerCase())\n || row.contact_user_email.toLowerCase().includes(value.toLowerCase())\n || (row.ad_account_name && row.ad_account_name.toLowerCase().includes(value.toLowerCase()))\n )\n\n setReport(filteredReports)\n }\n\n const handleReportChange = () => {\n if (isDefaultReport) {\n setReportType(REPORT_FAILED_TO_ADD)\n setReport(failedToAddReport)\n } else {\n setReportType(REPORT_NEVER_UPDATED)\n setReport(neverUpdatedReport)\n }\n }\n\n const ReportTypeHeader = () => {\n if (isDefaultReport) {\n return 'Ad Accounts Successfully Added but Have Never Successfully Pulled Stats'\n }\n\n return 'Ad Accounts That Failed to be Added'\n }\n\n const VariableHeaders = () => {\n if (isDefaultReport) {\n return (\n \n \n handleClickSortButton('adAccount')}>Ad Account \n | \n \n handleClickSortButton('createdAt')}>Created At \n | \n \n )\n }\n\n return (\n \n \n handleClickSortButton('createdAt')}>Most Recent Attempt \n | \n \n Attempt Count\n | \n \n )\n }\n\n const VariableRows = ({ row }) => {\n if (isDefaultReport) {\n return (\n \n \n \n {row.ad_account_name}\n \n | \n \n {row.created_at}\n | \n \n )\n }\n\n return (\n \n \n {row.created_at}\n | \n \n {row.attempt_count}\n | \n \n )\n }\n\n return (\n \n
Failed Ad Account Creations in the Last 14 Days:
\n
Current Report:
\n
\n {/* eslint-disable-next-line react/button-has-type */}\n \n \n
\n
\n
\n )\n}\n/* eslint-enable react/prop-types */\n\nexport default Monitoring\n","import PropTypes from 'prop-types'\nimport { useState } from 'react'\nimport { reject } from 'lodash'\nimport SdkKeyRow from './SdkKeyRow'\nimport { arrayOfApiKeys, arrayOfApiKeyApps } from '../../../../../../../utils/customPropTypes'\nimport { deepCamelKeys } from '../../../../../../../utils/helpers'\n\nconst SdkKeys = ({\n disabledSdkKeysTotal,\n lastSeenDates,\n sdkKeyApps,\n sdkKeys: sdkKeysProp\n}) => {\n const [disabledTotal, setDisabledTotal] = useState(disabledSdkKeysTotal)\n const [sdkKeys, setSdkKeys] = useState(deepCamelKeys(sdkKeysProp))\n const hasDisabledKeys = disabledTotal > 0\n\n const sdkKeyAppMapping = deepCamelKeys(sdkKeyApps).reduce((mapping, app) => {\n mapping[app.id] = app\n return mapping\n }, {})\n\n const deleteRow = rowId => {\n setSdkKeys(reject(sdkKeys, row => row.id === rowId))\n setDisabledTotal(total => total - 1)\n }\n\n return (\n \n
\n
\n
\n Recently Disabled SDK Keys (showing {sdkKeys.length} of\n {' '}{disabledTotal} disabled keys)\n
\n \n {\n hasDisabledKeys ? (\n \n This list combines the last 10 disabled legacy keys and last 10 disabled app\n keys for this organization.\n \n ) : (\n This organization does not have any disabled keys.\n )\n }\n \n
\n
\n
\n
\n \n \n | \n SDK key | \n App detail | \n \n Updated\n | \n \n Last Seen\n | \n
\n \n \n {\n sdkKeys.map(sdkKey => {\n const app = sdkKeyAppMapping[sdkKey.appId]\n const lastSeenDate = lastSeenDates[sdkKey.id]\n return (\n { deleteRow(sdkKey.id) }}\n key={sdkKey.id}\n lastSeenDate={lastSeenDate}\n sdkKey={sdkKey}\n />\n )\n })\n }\n \n
\n
\n
\n
\n )\n}\n\nSdkKeys.propTypes = {\n disabledSdkKeysTotal: PropTypes.number,\n lastSeenDates: PropTypes.objectOf(PropTypes.shape({\n date: PropTypes.string\n })),\n sdkKeyApps: arrayOfApiKeyApps,\n sdkKeys: arrayOfApiKeys\n}\n\nSdkKeys.defaultProps = {\n disabledSdkKeysTotal: 0,\n lastSeenDates: [],\n sdkKeyApps: [],\n sdkKeys: []\n}\n\nexport default SdkKeys\n","import React, { useState } from 'react'\nimport { CopyToClipboard } from 'react-copy-to-clipboard'\n\nimport styles from './styles.module.scss'\n\nimport { ONE_SECOND } from '../../../../../utils/constants'\n\n/* eslint-disable react/prop-types */\nconst SwaggerInfoLookup = ({ reportingContextData }) => {\n const [appFilter, setAppFilter] = useState('')\n const [channelFilter, setChannelFilter] = useState('')\n const [appCopied, setAppCopied] = useState(null)\n const [channelCopied, setChannelCopied] = useState(null)\n const [selectedContext, setSelectedContext] = useState('userAcquisition')\n\n const {\n user_acquistion: userAcquisition,\n ad_monetization: adMonetization\n } = reportingContextData\n\n const context = selectedContext === 'userAcquisition'\n ? userAcquisition\n : adMonetization\n\n const headerText = selectedContext === 'userAcquisition'\n ? 'User Acquisition'\n : 'Ad Monetization'\n\n const apps = context.apps.filter(\n app => app.name.toLowerCase().includes(appFilter.toLowerCase().trim())\n )\n\n const channels = context.channels.filter(\n channel => channel.name.toLowerCase().includes(channelFilter.toLowerCase().trim())\n )\n\n const handleClickCopyAppId = name => {\n setAppCopied(name)\n\n setTimeout(() => {\n setAppCopied(null)\n }, ONE_SECOND)\n }\n\n const handleClickCopyChannelId = name => {\n setChannelCopied(name)\n\n setTimeout(() => {\n setChannelCopied(null)\n }, ONE_SECOND)\n }\n\n return (\n \n
\n
\n
\n {headerText} App & Channel Info\n
\n
\n
\n
Apps
\n
setAppFilter(event.target.value)}\n placeholder=\"Filter apps\"\n />\n
\n
\n {appCopied ? `ID for ${appCopied} copied to clipboard.` : 'Click app to copy id to clipboard.'}\n
\n
\n {apps.map(({ id, name, icon_url: iconUrl }) => (\n
handleClickCopyAppId(name)}\n >\n \n

\n {name}\n
\n \n ))}\n
\n
\n
Channels
\n
setChannelFilter(event.target.value)}\n placeholder=\"Filter channels\"\n />\n
\n
\n {channelCopied ? `ID for ${channelCopied} copied to clipboard.` : 'Click channel to copy id to clipboard.'}\n
\n
\n {channels.map(({ id, name, icon_url: iconUrl }) => (\n
handleClickCopyChannelId(name)}\n >\n \n

\n {name}\n
\n \n ))}\n
\n
\n
\n )\n}\n/* eslint-enable react/prop-types */\n\nexport default SwaggerInfoLookup\n","import { useState } from 'react'\nimport PropTypes from 'prop-types'\nimport { find, omit } from 'lodash'\n\nimport Dropdown from '../../../../../Dropdown'\nimport { PRIMARY_COLORS } from '../../../../../../utils/react-select'\nimport { FIRST_ITEM } from '../../../../../../utils/constants'\n\nimport stylesObj from './styles.module.scss'\n\nconst customStyles = ({ disabled }) => ({\n container: styles => ({ ...styles, cursor: 'pointer', width: '100%' }),\n control: () => ({\n backgroundColor: disabled ? stylesObj.controlBgColorDisabled : stylesObj.controlBgColor,\n border: stylesObj.controlBorder,\n borderRadius: stylesObj.controlBorderRadius,\n display: 'flex',\n flexGrow: 0,\n flexShrink: 1,\n fontFamily: stylesObj.controlFontFamily,\n fontSize: stylesObj.controlFontSize,\n fontWeight: stylesObj.controlFontWeight,\n lineHeight: stylesObj.controlLineHeight\n }),\n dropdownIndicator: styles => ({\n ...styles,\n ':hover': {\n ...styles[':hover'],\n color: PRIMARY_COLORS.base\n },\n color: PRIMARY_COLORS.base\n }),\n indicatorSeparator: styles => ({\n ...styles,\n display: 'none',\n width: 0\n }),\n menu: styles => ({\n ...styles,\n whiteSpace: 'nowrap',\n width: 'inherit',\n zIndex: stylesObj.menuZIndex\n }),\n singleValue: styles => ({\n ...omit(styles, ['maxWidth', 'position', 'transform']),\n color: stylesObj.singleValueColor,\n fontWeight: stylesObj.singleValueFontWeight,\n margin: 0\n }),\n valueContainer: styles => ({\n ...styles,\n flexWrap: 'nowrap',\n padding: stylesObj.valueContainerPadding\n })\n})\n\nconst ActionSelect = ({\n action,\n allowedActions,\n disabled,\n id,\n name\n}) => {\n const options = allowedActions.map(allowedAction => {\n const [label, value] = allowedAction\n\n return {\n label,\n value\n }\n })\n\n const defaultAction = find(options, { value: action }) || options[FIRST_ITEM]\n\n const [selectedOption, setSelectedOption] = useState(defaultAction)\n\n const handleChange = option => {\n setSelectedOption(option)\n }\n\n return (\n option.label}\n getOptionValue={option => option.value}\n isSearchable\n onChange={handleChange}\n options={options}\n value={selectedOption}\n />\n )\n}\n\nActionSelect.propTypes = {\n action: PropTypes.string,\n allowedActions: PropTypes.arrayOf(\n PropTypes.arrayOf(PropTypes.string)\n ),\n disabled: PropTypes.bool,\n id: PropTypes.string.isRequired,\n name: PropTypes.string.isRequired\n}\n\nActionSelect.defaultProps = {\n action: null,\n allowedActions: [],\n disabled: false\n}\n\nexport default ActionSelect\n","import PropTypes from 'prop-types'\nimport { revenueDeductionRubyObject } from '../../../../../utils/customPropTypes'\nimport { deepCamelKeys } from '../../../../../utils/helpers'\nimport AppStoreCommission from './AppStoreCommission'\n\nconst RevenueDeductions = ({\n allowedDeductionValues,\n defaultDeduction,\n revenueDeduction: revenueDeductionProp\n}) => {\n const revenueDeduction = deepCamelKeys(revenueDeductionProp)\n\n return (\n \n
\n
\n
\n App Store Commission\n
\n
\n
\n
\n
\n )\n}\n\nRevenueDeductions.propTypes = {\n allowedDeductionValues: PropTypes.arrayOf(PropTypes.number),\n defaultDeduction: PropTypes.number.isRequired,\n revenueDeduction: revenueDeductionRubyObject\n}\n\nRevenueDeductions.defaultProps = {\n allowedDeductionValues: [],\n revenueDeduction: {}\n}\n\nexport default RevenueDeductions\n","import {\n useContext,\n useEffect,\n useState,\n Fragment\n} from 'react'\nimport Skeleton from 'react-loading-skeleton'\nimport PropTypes from 'prop-types'\nimport { ToastContainer } from 'react-toastify'\nimport { BrowserRouter as Router, Switch, Route } from 'react-router-dom'\n\nimport { deepCamelKeys } from '../../../../../utils/helpers'\nimport {\n appChannelObject,\n appObject,\n arrayOfAppChannels,\n arrayOfAppObjects,\n arrayOfChannels,\n channelRubyObject,\n oneOfSkAppClaimStatuses\n} from '../../../../../utils/customPropTypes'\n\nimport { AppIntegrationsProvider } from '../../../../../contexts/AppIntegrations'\n\nimport TabNavigation from './TabNavigation'\nimport AttributionTab from './AttributionTab'\nimport CallbacksTab from './CallbacksTab'\nimport SkAdNetworkTab from './SkAdNetworkTab'\n\nimport PageLayout from '../../../../PageLayout'\nimport Breadcrumb from '../../../../Breadcrumb'\n\nimport {\n CALLBACKS_TAB_SUB_TABS_PATHS,\n PATH_APP_ID,\n PATH_DASHBOARD_APPS,\n PLATFORM_IOS,\n TABS\n} from './constants'\n\nimport styles from './styles.module.scss'\n\nconst Show = ({\n app: appProp,\n appChannel: appChannelProp,\n appChannels: appChannelsProp,\n apps: appsProp,\n channel: channelProp,\n channels: channelsProp,\n isAdmin,\n selectedTab,\n skAppClaimable,\n skAppClaimStatus\n}) => {\n const [isLoading, setIsLoading] = useState(true)\n\n const app = deepCamelKeys(appProp)\n const apps = deepCamelKeys(appsProp)\n const channel = deepCamelKeys(channelProp)\n const channels = deepCamelKeys(channelsProp)\n const appChannel = deepCamelKeys(appChannelProp)\n const appChannels = deepCamelKeys(appChannelsProp)\n\n const defaultState = {\n appChannels,\n apps,\n channels,\n currentApp: app,\n currentAppChannel: appChannel,\n currentChannel: channel,\n currentTab: selectedTab\n }\n\n // TODO: [nafeu] remove AppIntegrationsContext altogether and move state update handlers here\n const appIntegrationStatus = useContext(AppIntegrationsProvider) || defaultState\n\n useEffect(() => {\n const isNotSkanApp = app.platform !== PLATFORM_IOS\n const isSkanPage = selectedTab === TABS.SK_AD_NETWORK\n\n if (isNotSkanApp && isSkanPage) {\n window.location.href = `${PATH_DASHBOARD_APPS}/${app.id}`\n } else {\n setIsLoading(false)\n }\n }, [])\n\n return (\n \n \n {isLoading ? (\n \n \n
\n \n
\n \n
\n \n \n ) : (\n \n \n \n \n \n \n }\n exact\n path={`${PATH_DASHBOARD_APPS}${PATH_APP_ID}/${TABS.ATTRIBUTION}`}\n />\n {CALLBACKS_TAB_SUB_TABS_PATHS.map(path => (\n (\n \n )}\n key={app.id}\n exact\n path={`${PATH_DASHBOARD_APPS}${PATH_APP_ID}/${TABS.CALLBACKS}/${path}`}\n />\n ))}\n (\n \n )}\n exact\n path={`${PATH_DASHBOARD_APPS}${PATH_APP_ID}/${TABS.SK_AD_NETWORK}`}\n />\n \n \n \n \n )}\n \n )\n}\n\nShow.propTypes = {\n app: appObject.isRequired,\n appChannel: appChannelObject,\n appChannels: arrayOfAppChannels,\n apps: arrayOfAppObjects.isRequired,\n channel: channelRubyObject,\n channels: arrayOfChannels.isRequired,\n isAdmin: PropTypes.bool.isRequired,\n selectedTab: PropTypes.string,\n skAppClaimable: PropTypes.bool.isRequired,\n skAppClaimStatus: oneOfSkAppClaimStatuses.isRequired\n}\n\nShow.defaultProps = {\n appChannel: null,\n appChannels: null,\n channel: null,\n selectedTab: TABS.ATTRIBUTION\n}\n\nexport default Show\n","import { createRef, useRef, useState, Fragment } from 'react'\nimport {\n map,\n reject\n} from 'lodash'\nimport PropTypes from 'prop-types'\nimport { arrayOfApiKeys, mapOfIntegrationDates } from '../../../../../../utils/customPropTypes'\nimport { REVOKE_CONFIRMATION_TEXT } from './constants'\nimport KeyRow from './KeyRow'\nimport { deepCamelKeys } from '../../../../../../utils/helpers'\nimport { post } from '../../../../../../utils/request'\n\nconst SdkKeys = ({\n appApiKeys: apiKeysProp,\n lastSeenDates: lastSeenDatesProp,\n orgApiKeys: orgKeysProp,\n minAppKeyCount,\n maxAppKeyCount\n}) => {\n const lastSeenDates = deepCamelKeys(lastSeenDatesProp)\n\n const [isLoading, setIsLoading] = useState(false)\n const [isOrgKey, setIsOrgKey] = useState(false)\n const [appKeys, setAppKeys] = useState(deepCamelKeys(apiKeysProp))\n const [orgKeys, setOrgKeys] = useState(deepCamelKeys(orgKeysProp))\n const [revokeConfirmed, setRevokeConfirmed] = useState(false)\n\n const hasOrgKeys = orgKeys.length > 0\n\n const generateApiKeyURL = `${window.location.pathname}/api_keys?request_source=react`\n\n const revokeModalRef = createRef()\n const revokeModalTextRef = useRef(null)\n const canRevoke = appKeys.length > minAppKeyCount\n\n const hasTooManyKeys = appKeys.length >= maxAppKeyCount\n const canGenerate = !isLoading && !hasTooManyKeys\n\n const handleRemoveKeyRow = keyId => {\n setAppKeys(reject(appKeys, key => key.id === keyId))\n setOrgKeys(reject(orgKeys, key => key.id === keyId))\n }\n\n const handleError = () => {\n if (window.confirm('Something went wrong with the last request. Press OK to refresh')) {\n window.location.reload()\n }\n }\n\n const generateKey = async () => {\n setIsLoading(true)\n try {\n return await post(generateApiKeyURL)\n } catch (error) {\n handleError(error)\n } finally {\n setIsLoading(false)\n }\n return {}\n }\n\n const handleGenerateKey = async () => {\n if (!canGenerate) return\n\n const response = await generateKey()\n if (!response) return\n\n const updatedKeys = [\n ...map(appKeys, key => ({ ...key })),\n { ...deepCamelKeys(response.data), isNew: true }\n ]\n setAppKeys(updatedKeys)\n }\n\n const handleRevokeConfirmed = () => {\n const revokeModal = $(revokeModalRef.current)\n const disableKey = revokeModal.data('onConfirm')\n revokeModal.modal('hide')\n disableKey()\n }\n\n const revokeConfirmationCheck = () => {\n setRevokeConfirmed(revokeModalTextRef.current.value === REVOKE_CONFIRMATION_TEXT)\n }\n\n const onShowRevokeModal = ({ isOrgKeyParam = false, revokeSdkKey }) => {\n revokeModalTextRef.current.value = ''\n setIsOrgKey(isOrgKeyParam)\n $(revokeModalRef.current)\n .modal('show')\n .data('onConfirm', revokeSdkKey)\n }\n\n const AppKeysTable = () => (\n \n \n \n Name | \n SDK key | \n Created | \n Last used | \n | \n
\n \n \n {\n appKeys.map(apiKey => {\n const date = lastSeenDates[apiKey.id]\n const isIntegrated = !apiKey.isNew && date !== null\n return (\n handleRemoveKeyRow(apiKey.id)}\n onShowRevokeModal={onShowRevokeModal}\n />\n )\n })\n }\n \n
\n )\n\n const OrgKeysNotice = () => (\n \n
\n Your organization also has a universal SDK key that works with this app.\n If you are currently using this key, we recommend that you migrate to using\n app-specific SDK keys from above.\n
\n
\n )\n\n const OrgKeysTable = () => (\n \n \n \n | \n SDK key | \n Created | \n Last used | \n | \n
\n \n \n {\n orgKeys.map(apiKey => {\n const date = lastSeenDates[apiKey.id]\n const isIntegrated = date !== null\n return (\n handleRemoveKeyRow(apiKey.id)}\n onShowRevokeModal={onShowRevokeModal}\n />\n )\n })\n }\n \n
\n )\n\n return (\n \n
\n
\n
\n
\n
\n Use the SDK Keys below to authenticate requests from the Tenjin SDK.\n Each App may have up to three unique SDK Keys.\n
\n
\n \n
\n
\n {
}\n { hasOrgKeys &&\n
\n \n \n \n }\n
\n
\n
\n
\n
\n
\n {\n isOrgKey\n ? (\n
\n Are you sure you want to disable universal SDK keys for this app?\n
\n )\n : (\n
\n Are you sure you want to revoke this SDK key?\n
\n )\n }\n
\n \n You cannot undo this action.\n \n
\n
\n
\n
\n
\n \n You must type "DELETE" to confirm this action.\n \n
\n
\n \n
\n
\n
\n
\n
\n No, don't\n {' '}\n {\n isOrgKey\n ? (\n \n disable\n \n )\n : (\n \n revoke\n \n )\n }\n
\n
\n {\n isOrgKey\n ? (\n \n Disable universal SDK keys\n \n )\n : (\n \n Revoke SDK Key\n \n )\n }\n
\n
\n
\n
\n
\n
\n )\n}\n\nSdkKeys.propTypes = {\n appApiKeys: arrayOfApiKeys,\n lastSeenDates: mapOfIntegrationDates,\n maxAppKeyCount: PropTypes.number.isRequired,\n minAppKeyCount: PropTypes.number.isRequired,\n orgApiKeys: arrayOfApiKeys\n}\n\nSdkKeys.defaultProps = {\n appApiKeys: [],\n lastSeenDates: {},\n orgApiKeys: []\n}\n\nexport default SdkKeys\n","import { useState } from 'react'\nimport classNames from 'classnames'\n\nimport { formatNumberForDisplay } from '../../../../ReportingDataMetricValueDisplay/helpers'\n\nimport styles from './styles.module.scss'\n\nconst exampleMergeInfo = {\n mergedAt: '02/22/2022, 2:22pm',\n reportedCampaignName: 'WordSearch_DE_iOS',\n reportedInstalls: 30,\n spend: 12.11,\n trackedCampaignName: 'Word Search! Free',\n trackedInstalls: 30\n}\n\nconst CampaignDetailsMergeInfo = () => {\n // eslint-disable-next-line no-unused-vars\n const [mergeInfo, setMergeInfo] = useState(exampleMergeInfo)\n\n const {\n mergedAt,\n reportedCampaignName,\n reportedInstalls,\n spend,\n trackedCampaignName,\n trackedInstalls\n } = mergeInfo\n\n return (\n \n
\n
THIS CAMPAIGN WAS MERGED
\n
{mergedAt}
\n
\n
\n
\n
TENJIN CAMPAIGN
\n
\n
Tenjin Campaign Name
\n
Tracked Installs
\n
\n
\n
{trackedCampaignName}
\n
{trackedInstalls}
\n
\n
\n
\n
\n AD NETWORK CAMPAIGNS\n
\n
\n
\n
Ad Network Campaign Name
\n
Reported Installs
\n
Spend
\n
\n
\n
\n {reportedCampaignName}\n
\n
\n {reportedInstalls || '-'}\n
\n
\n ${formatNumberForDisplay({ number: spend, numberOfDigits: 2 })}\n
\n
\n
\n
\n
\n )\n}\n\nCampaignDetailsMergeInfo.propTypes = {\n\n}\n\nCampaignDetailsMergeInfo.defaultProps = {\n\n}\n\nexport default CampaignDetailsMergeInfo\n","import { useState, useEffect, Fragment } from 'react'\nimport classNames from 'classnames'\nimport Modal from 'react-modal'\nimport PropTypes from 'prop-types'\nimport { find } from 'lodash'\n\nimport Dropdown from '../../../../Dropdown'\nimport SearchInput from '../../../../SearchInputV2'\nimport ConfirmationModalContent from '../../../../ConfirmationModalContent'\nimport { defaultModalStyles } from '../../../../../utils/modal'\nimport { fetchAllMergeableCampaigns, mergeCampaigns } from '../../../../../api/campaigns'\nimport { processAllMergeableCampaigns } from '../../../CampaignMergePage/helpers'\nimport CampaignsList from './CampaignsList'\nimport { PREDEFINED_LOOKBACK_WINDOWS } from '../../../CampaignMergePage/constants'\n\nimport styles from './styles.module.scss'\n\nconst CampaignDetailsMergeTool = ({\n adNetworkId,\n appId,\n trackedCampaignId,\n trackedCampaignName\n}) => {\n const lookbackWindows = PREDEFINED_LOOKBACK_WINDOWS\n\n const [searchText, setSearchText] = useState('')\n const [campaignToMerge, setCampaignToMerge] = useState(null)\n const [selectedLookback, setSelectedLookback] = useState(lookbackWindows[0])\n const [reportedCampaigns, setReportedCampaigns] = useState([])\n const [trackedCampaign, setTrackedCampaign] = useState(null)\n\n const [allMergeableCampaigns, setAllMergableCampaigns] = useState({\n reportedCampaigns: [],\n trackedCampaigns: []\n })\n\n const [isError, setIsError] = useState(false)\n const [isLoading, setIsLoading] = useState(false)\n const [isMerging, setIsMerging] = useState(false)\n\n const [isModalOpen, setIsModalOpen] = useState(false)\n\n const openModal = () => setIsModalOpen(true)\n const closeModal = () => setIsModalOpen(false)\n\n const isMergeable = campaignToMerge !== null\n const isEmptyState = reportedCampaigns.length === 0\n\n const fetchCampaigns = async () => {\n setIsError(false)\n setIsLoading(true)\n\n try {\n const data = await fetchAllMergeableCampaigns({\n adNetworkId,\n appId,\n lookbackWindow: selectedLookback.value\n })\n\n setCampaignToMerge(null)\n setAllMergableCampaigns(processAllMergeableCampaigns(data))\n setIsLoading(false)\n } catch (error) {\n window.Honeybadger.notify(error)\n setIsError(true)\n setIsLoading(false)\n }\n }\n\n const mergeSelectedCampaign = async () => {\n if (isMergeable) {\n setIsError(false)\n setIsMerging(true)\n\n try {\n await mergeCampaigns({\n reportedCampaignId: campaignToMerge,\n trackedCampaignId\n })\n\n onMergeSuccess()\n } catch (error) {\n window.Honeybadger.notify(error)\n setIsError(true)\n setIsMerging(false)\n }\n }\n }\n\n useEffect(() => {\n fetchCampaigns()\n }, [selectedLookback])\n\n useEffect(() => {\n setReportedCampaigns(allMergeableCampaigns.reportedCampaigns.filter(\n ({ name }) => name.toLowerCase().includes(searchText.toLowerCase())\n ))\n\n setTrackedCampaign(find(allMergeableCampaigns.trackedCampaigns, { id: trackedCampaignId }))\n }, [allMergeableCampaigns, searchText])\n\n const handleClickMergeCampaign = id => {\n setCampaignToMerge(id)\n openModal()\n }\n\n const handleConfirmMerge = () => {\n mergeSelectedCampaign()\n closeModal()\n }\n\n const handleCancelMerge = () => {\n closeModal()\n }\n\n const handleChangeSelectedLookback = updatedLookback => {\n setSelectedLookback(updatedLookback)\n }\n\n const handleChangeSearchText = updatedSearchText => setSearchText(updatedSearchText)\n\n const onMergeSuccess = () => {\n window.location.reload()\n }\n\n return (\n \n \n
\n
\n
Merge Campaign
\n
\n Consolidate campaigns by merging this Tenjin campaing with tracked data\n to its matching ad network campaign with reported data.\n
\n
\n
\n option.label}\n getOptionValue={option => option.value}\n isClearable={false}\n isSearchable\n onChange={handleChangeSelectedLookback}\n options={lookbackWindows}\n value={selectedLookback}\n />\n
\n
\n
\n
\n
TENJIN CAMPAIGN
\n
\n
Campaign Name
\n
Tracked Installs
\n
\n
\n
{trackedCampaignName}
\n
{trackedCampaign ? trackedCampaign.trackedInstalls : '-'}
\n
\n
\n
\n
\n
\n
\n Select one ad network campaign from the list below to merge with the Tenjin campaign\n
\n
\n
\n
\n AD NETWORK CAMPAIGNS\n
\n
\n
\n
\n \n \n \n \n )\n}\n\nCampaignDetailsMergeTool.propTypes = {\n adNetworkId: PropTypes.number.isRequired,\n appId: PropTypes.string.isRequired,\n trackedCampaignId: PropTypes.string.isRequired,\n trackedCampaignName: PropTypes.string.isRequired\n}\n\nexport default CampaignDetailsMergeTool\n","import { Fragment, useState, useMemo } from 'react'\nimport Modal from 'react-modal'\nimport { find } from 'lodash'\n\nimport styles from './styles.module.scss'\n\nimport CardPanel from '../../../../CardPanel'\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\nimport Dropdown from '../../../../Dropdown'\nimport Button from '../../../../Button'\nimport ConfirmationModalContent from '../../../../ConfirmationModalContent'\nimport { defaultModalStyles } from '../../../../../utils/modal'\nimport { campaignObject, arrayOfAppObjects } from '../../../../../utils/customPropTypes'\nimport { deepCamelKeys } from '../../../../../utils/helpers'\n\nimport { moveCampaign } from '../../../../../api/campaigns'\n\nimport {\n CARD_PANEL_TITLE,\n DROPDOWN_LABEL,\n DROPDOWN_PLACEHOLDER,\n MODAL_NOTICE,\n MODAL_TEXT,\n MODAL_CONFIRMATION_TEXT,\n MOVE_CAMPAIGN_BUTTON_TEXT\n} from './constants'\n\nconst MoveCampaign = ({ apps, campaign: campaignProp }) => {\n const campaign = useMemo(() => deepCamelKeys(campaignProp), [campaignProp])\n\n const [isModalOpen, setIsModalOpen] = useState(false)\n const [isError, setIsError] = useState(false)\n const [isMoving, setIsMoving] = useState(false)\n\n const initialSelectedApp = find(apps, { id: campaign.appId })\n const [selectedApp, setSelectedApp] = useState(initialSelectedApp)\n\n const closeModal = () => setIsModalOpen(false)\n const onMoveSuccess = () => {\n setIsMoving(false)\n window.location.reload()\n }\n\n const moveCampaignToSelectedApp = async () => {\n setIsError(false)\n setIsMoving(true)\n\n try {\n await moveCampaign({ destinationId: selectedApp.id, id: campaign.id })\n\n onMoveSuccess()\n } catch (error) {\n window.Honeybadger.notify(error)\n setIsError(true)\n setIsMoving(false)\n }\n }\n\n const handleClickMoveCampaign = () => setIsModalOpen(true)\n const handleClickCancel = () => closeModal()\n const handleClickConfirm = () => {\n moveCampaignToSelectedApp()\n closeModal()\n }\n\n const handleChangeSelectedApp = app => setSelectedApp(app)\n\n return (\n \n \n \n option.name}\n getOptionValue={option => option.id}\n isClearable={false}\n isSearchable\n onChange={handleChangeSelectedApp}\n options={apps}\n value={selectedApp}\n placeholder={DROPDOWN_PLACEHOLDER}\n />\n
\n \n \n \n \n \n \n )\n}\n\nMoveCampaign.propTypes = {\n apps: arrayOfAppObjects.isRequired,\n campaign: campaignObject.isRequired\n}\n\nexport default MoveCampaign\n","import { useMemo, useState } from 'react'\nimport PropTypes from 'prop-types'\nimport { DateRangePicker } from 'react-date-range'\nimport ReactNbsp from 'react-nbsp'\n\nimport ClickOutsideAlerter from '../../../../ClickOutsideAlerter'\nimport Filter from '../../../../ReportingSidebar/Filter'\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\nimport PaneHeader from '../../../../ReportingSidebar/Filter/Pane/Header'\nimport { FeatureFlagsProvider } from '../../../../../contexts/FeatureFlags'\n\nimport { RANGE_COLORS } from '../../../../ReportingSidebar/DateFilter/constants'\nimport {\n formatDateForDisplay, formatDateToStr, getMinDate, getStaticRanges, parseStrToDate\n} from '../../../../ReportingSidebar/DateFilter/helpers'\nimport { NUM_VISIBLE_MONTHS_IN_PICKER } from './constants'\n\nimport styles from './styles.module.scss'\n\nconst DateInput = (\n {\n endDate: endDateProp,\n endDateInputClassSelector,\n featureFlags,\n startDate: startDateProp,\n startDateInputClassSelector\n }\n) => {\n const [state, setState] = useState({\n endDate: parseStrToDate(endDateProp),\n isOpen: false,\n startDate: parseStrToDate(startDateProp)\n })\n\n const onCloseClick = () => {\n setState({\n ...state,\n isOpen: false\n })\n }\n\n const onLabelClick = () => {\n setState({\n ...state,\n isOpen: !state.isOpen\n })\n }\n\n const ranges = [\n {\n endDate: state.endDate,\n key: 'dateRange',\n startDate: state.startDate\n }\n ]\n\n const handleChange = ({ dateRange }) => {\n const endDate = formatDateToStr(dateRange.endDate)\n const startDate = formatDateToStr(dateRange.startDate)\n\n if (endDate && startDate) {\n setState({\n ...state,\n endDate: dateRange.endDate,\n startDate: dateRange.startDate\n })\n\n const $endDateInput = document.getElementsByClassName(endDateInputClassSelector)[0]\n $endDateInput.value = endDate\n\n const $startDateInput = document.getElementsByClassName(startDateInputClassSelector)[0]\n $startDateInput.value = startDate\n }\n }\n\n const staticRanges = useMemo(() => getStaticRanges(), [])\n\n return (\n \n \n \n \n \n\n \n\n {formatDateForDisplay(state.startDate)}\n\n \n -\n \n\n {formatDateForDisplay(state.endDate)}\n\n \n\n \n
\n )}\n pane={(\n \n
\n Date Range\n \n\n
\n
\n )}\n />\n \n \n \n )\n}\n\nDateInput.propTypes = {\n endDate: PropTypes.string.isRequired,\n endDateInputClassSelector: PropTypes.string.isRequired,\n featureFlags: PropTypes.arrayOf(PropTypes.string).isRequired,\n startDate: PropTypes.string.isRequired,\n startDateInputClassSelector: PropTypes.string.isRequired\n}\n\nexport default DateInput\n","import { Fragment, useState } from 'react'\nimport { isNull } from 'lodash'\nimport { ToastContainer } from 'react-toastify'\n\nimport Switch from 'react-switch'\n\nimport { toggleAdAccountActiveState } from '../../../../../api/dashboard'\nimport { displaySuccessMessage } from '../../../../../utils/toastNotifications'\nimport useDidUpdateEffect from '../../../../../hooks/useDidUpdateEffect'\n\nimport styles from './styles.module.scss'\n\nconst AdAccountSwitch = ({ adAccountId, integrationSlug, initialIsChecked }) => {\n const [isChecked, setIsChecked] = useState(initialIsChecked)\n\n const handleChange = () => setIsChecked(!isChecked)\n\n useDidUpdateEffect({\n dependencies: [isChecked],\n onEffect: () => toggleAdAccountActiveState({ adAccountId, integrationSlug })\n })\n\n return (\n \n \n\n \n \n )\n}\n\nexport default AdAccountSwitch\n","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___3Cfai\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2libE\",\"btn-toggle\":\"styles-module__btn-toggle___ag3AK\",\"handle\":\"styles-module__handle___3loLg\",\"active\":\"styles-module__active___2VP1S\",\"focus\":\"styles-module__focus___35EsI\",\"card-panel\":\"styles-module__card-panel___znywa\",\"panel-heading\":\"styles-module__panel-heading___2aRxa\",\"panel-title\":\"styles-module__panel-title___2QrPk\",\"panel-subtitle\":\"styles-module__panel-subtitle___rYcRG\",\"panel-body\":\"styles-module__panel-body___1Gwge\"};","import * as Yup from 'yup'\n\nimport { REQUIRED_TEXT } from './shared'\n\nconst requiredDeviceIdValidation = () => (\n Yup.object().shape({ \n 'advertisingId': Yup.string() \n .when('developerDeviceId', { \n is: (developerDeviceId) => !developerDeviceId || developerDeviceId.length === 0, \n then: Yup.string().required(REQUIRED_TEXT), \n }), \n 'developerDeviceId': Yup.string() \n .when('advertisingId', { \n is: (advertisingId) => !advertisingId || advertisingId.length === 0, \n then: Yup.string().required(REQUIRED_TEXT),\n }) \n }, ['advertisingId', 'developerDeviceId'])\n)\n\nexport default requiredDeviceIdValidation\n","import { post } from '../../utils/request'\nimport { DASHBOARD_DEBUG_APP_USERS_URL } from './constants'\n\nexport const createDebugAppUsers = async data => {\n return await post(DASHBOARD_DEBUG_APP_USERS_URL, data)\n}\n","export const DASHBOARD_DEBUG_APP_USERS_URL = '/dashboard/debug_app_users'\n","import { Fragment, useState } from 'react'\nimport { ToastContainer } from 'react-toastify'\nimport { deepCamelKeys } from '../../../../../utils/helpers'\nimport { arrayOfAppObjects } from '../../../../../utils/customPropTypes'\nimport Modal from 'react-modal'\nimport { defaultModalStyles } from '../../../../../utils/modal'\nimport { Formik } from 'formik'\nimport Form from '../../../../Form/Form'\nimport FormSubmitButton from '../../../../FormSubmitButton/FormSubmitButton'\nimport DeviceNameFormField from './DeviceNameFormField'\nimport AdvertisingIdFormField from './AdvertisingIdFormField'\nimport DeveloperDeviceIdFormField from './DeveloperDeviceIdFormField'\nimport AppSelectDropDown from './AppSelectDropDown'\nimport DeviceTypeDropDown from './DeviceTypeDropDown'\nimport requiredDeviceIdValidation from '../../../../../validators/requiredDeviceId'\nimport { displayErrorMessage, displaySuccessMessage } from '../../../../../utils/toastNotifications'\nimport { createDebugAppUsers } from '../../../../../api/debugAppUsers'\n\nimport styles from './styles.module.scss'\n\nconst NewDebugAppUserForm = ({\n apps: appsProps\n}) => {\n const apps = deepCamelKeys(appsProps)\n const [isModalOpen, setIsModalOpen] = useState(false)\n const [showIdTypeForm, setShowIdTypeForm] = useState(false)\n const [showAdvertisingIdInput, setShowAdvertisingIdInput] = useState(false)\n const [showDeveloperDeviceIdInput, setShowDeveloperDeviceIdInput] = useState(false)\n const [selectedApp, setSelectedApp] = useState({})\n const [selectedDeviceIdType, setSelectedDeviceIdType] = useState({})\n const [platform, setPlatform] = useState(null)\n\n const openModal = () => setIsModalOpen(true)\n const closeModal = () => setIsModalOpen(false)\n\n const handleFormSubmit = async (data) => {\n data.app_id = selectedApp.id\n try {\n const response = await createDebugAppUsers(data)\n if (response.status == 200) {\n handleSuccess()\n }\n else {\n handleError()\n }\n closeModal()\n } catch (error) {\n handleError()\n closeModal()\n }\n }\n\n const handleError = () => {\n displayErrorMessage('There was an issue adding your test device. Please try again.', {\n autoClose: 3500,\n closeButton: false,\n closeOnClick: true,\n hideProgressBar: true,\n onClose: () => { location.reload() },\n pauseOnHover: false,\n pauseOnFocusLoss: false\n })\n }\n\n const handleSuccess = () => {\n displaySuccessMessage('Success! Please wait up to 30 minutes for this device to be registered as a Test Device in our system, after which its new events will start to appear in our live test tool.', {\n autoClose: 3500,\n closeButton: false,\n closeOnClick: true,\n hideProgressBar: true,\n onClose: () => { location.reload() },\n pauseOnFocusLoss: false,\n pauseOnHover: false\n })\n }\n\n const handleChangeSelectedApp = updatedApp => {\n setSelectedApp(updatedApp)\n setPlatform(updatedApp.platform)\n resetIdTypeFields()\n\n if (updatedApp.platform == 'ios') {\n setShowIdTypeForm(true)\n }\n else {\n setShowIdTypeForm(false)\n setShowAdvertisingIdInput(true)\n }\n }\n\n const resetIdTypeFields = () => {\n setSelectedDeviceIdType({})\n setShowDeveloperDeviceIdInput(false)\n setShowAdvertisingIdInput(false)\n }\n\n const handleChangeSelectedIdType = updatedIdType => {\n setSelectedDeviceIdType(updatedIdType)\n if (updatedIdType.value == 'idfv') {\n setShowDeveloperDeviceIdInput(true)\n setShowAdvertisingIdInput(false)\n }\n if (updatedIdType.value == 'idfa') {\n setShowDeveloperDeviceIdInput(false)\n setShowAdvertisingIdInput(true)\n }\n }\n\n defaultModalStyles.content.padding = \"0px\"\n\n return (\n \n \n \n \n Add Test Device\n \n \n \n \n \n \n \n )\n}\n\nNewDebugAppUserForm.propTypes = {\n apps: arrayOfAppObjects.isRequired\n}\n\nexport default NewDebugAppUserForm\n","export const exampleCallbackGroupTemplates = [\n {\n \"id\": \"f5be03a1-eb21-49d5-8ca5-1a6941f1a0e2\",\n \"ad_network_id\": 19275,\n \"platform\": \"ios\",\n \"event_definition\": \"\",\n \"required_macros\": [\n \"eventEnum\"\n ],\n \"allow_multiple\": true,\n \"callback_templates\": [\n {\n \"id\": \"07bc6c31-0898-452a-8e7b-d34813199e4b\",\n \"name\": \"TikTok SAN custom event\",\n \"callbacks_count\": 6\n }\n ]\n },\n {\n \"id\": \"5a29c158-f5d1-434a-af10-85039d9d557c\",\n \"ad_network_id\": 19275,\n \"platform\": \"ios\",\n \"event_definition\": \"open\",\n \"required_macros\": [\n\n ],\n \"allow_multiple\": false,\n \"callback_templates\": [\n {\n \"id\": \"ca6101a4-0de7-4a79-8dda-596bea4cd965\",\n \"name\": \"Tiktok SAN Post Install\",\n \"callbacks_count\": 3\n },\n {\n \"id\": \"d874e9a2-5890-439c-baef-087e752473c8\",\n \"name\": \"TikTok install\",\n \"callbacks_count\": 3\n },\n {\n \"id\": \"ff27a7f2-ecbc-4805-a375-aef68816f6c0\",\n \"name\": \"TikTok SAN\",\n \"callbacks_count\": 4\n }\n ]\n },\n {\n \"id\": \"9032dcb9-5ed0-46dd-bd88-bcb127981cb2\",\n \"ad_network_id\": 19275,\n \"platform\": \"ios\",\n \"event_definition\": \"\",\n \"required_macros\": [\n \"eventEnum\"\n ],\n \"allow_multiple\": true,\n \"callback_templates\": [\n {\n \"id\": \"e21af0e7-621b-41b9-aa9b-5880ef50ed73\",\n \"name\": \"TikTok custom event\",\n \"callbacks_count\": 4\n },\n {\n \"id\": \"74c00f4b-977f-4ac8-a228-282827edeca1\",\n \"name\": \"TikTok custom event\",\n \"callbacks_count\": 3\n }\n ]\n },\n {\n \"id\": \"07860612-0ec3-4505-bb3e-0896a5749ecc\",\n \"ad_network_id\": 48,\n \"platform\": \"ios\",\n \"event_definition\": null,\n \"required_macros\": [\n\n ],\n \"allow_multiple\": false,\n \"callback_templates\": [\n {\n \"id\": \"00247c75-c6cc-49a6-8218-f0dda4c292e6\",\n \"name\": \"Wakeapp Network install\",\n \"callbacks_count\": 1\n }\n ]\n },\n {\n \"id\": \"5559d3d9-6b89-4f47-bc4b-450f95f5951b\",\n \"ad_network_id\": 2,\n \"platform\": \"android\",\n \"event_definition\": \"\",\n \"required_macros\": [\n \"adcolony_api_key\"\n ],\n \"allow_multiple\": true,\n \"callback_templates\": [\n {\n \"id\": \"0109783e-9d7d-420b-ac34-c2c4b158d331\",\n \"name\": \"AdColony install\",\n \"callbacks_count\": 6\n }\n ]\n },\n {\n \"id\": \"4cd7cd9a-b9ba-4391-a044-88b4d238f7e4\",\n \"ad_network_id\": 29,\n \"platform\": \"ios\",\n \"event_definition\": \"\",\n \"required_macros\": [\n \"supersonic_tracking_password\",\n \"supersonic_tracking_advertiser_id\"\n ],\n \"allow_multiple\": true,\n \"callback_templates\": [\n {\n \"id\": \"02703e86-45d8-4494-b893-5bd68a6e4438\",\n \"name\": \"ironSource install\",\n \"callbacks_count\": 0\n }\n ]\n },\n {\n \"id\": \"f41632fa-2c49-4e02-8ae5-36c74dad9d44\",\n \"ad_network_id\": 57,\n \"platform\": \"android\",\n \"event_definition\": null,\n \"required_macros\": [\n\n ],\n \"allow_multiple\": false,\n \"callback_templates\": [\n {\n \"id\": \"02b3f375-6b9f-45ea-9636-0edfd0915d7d\",\n \"name\": \"Admedo install\",\n \"callbacks_count\": 0\n }\n ]\n },\n {\n \"id\": \"c9db288e-42b1-4789-91b7-4587eee51216\",\n \"ad_network_id\": 115,\n \"platform\": \"android\",\n \"event_definition\": null,\n \"required_macros\": [\n\n ],\n \"allow_multiple\": false,\n \"callback_templates\": [\n {\n \"id\": \"02dc10f0-8e4f-4c78-91c3-6033557602f0\",\n \"name\": \"LoopMe install\",\n \"callbacks_count\": 0\n }\n ]\n },\n {\n \"id\": \"7a129924-48f0-4ab6-a939-ea03ba650d5b\",\n \"ad_network_id\": 18,\n \"platform\": \"android\",\n \"event_definition\": \"\",\n \"required_macros\": [\n\n ],\n \"allow_multiple\": true,\n \"callback_templates\": [\n {\n \"id\": \"04513c67-643f-4bcc-a6f6-2abde44941f8\",\n \"name\": \"Unity Ads app open\",\n \"callbacks_count\": 0\n }\n ]\n },\n {\n \"id\": \"961506d8-0f2f-4c95-a987-3c38d0060e8e\",\n \"ad_network_id\": 24,\n \"platform\": \"ios\",\n \"event_definition\": null,\n \"required_macros\": [\n\n ],\n \"allow_multiple\": false,\n \"callback_templates\": [\n {\n \"id\": \"064d7d1d-d6c2-4000-b7d6-3ca2662b825d\",\n \"name\": \"Applift install\",\n \"callbacks_count\": 0\n }\n ]\n },\n {\n \"id\": \"75eb30da-6314-4dfb-9f88-ff4157ebabc4\",\n \"ad_network_id\": 121,\n \"platform\": \"android\",\n \"event_definition\": null,\n \"required_macros\": [\n\n ],\n \"allow_multiple\": false,\n \"callback_templates\": [\n {\n \"id\": \"098a6435-6c58-4453-8aa2-891e882fc4e3\",\n \"name\": \"Discovry install\",\n \"callbacks_count\": 0\n }\n ]\n },\n {\n \"id\": \"ba8cf206-7480-4fd8-ae33-b11f635b0816\",\n \"ad_network_id\": 12,\n \"platform\": \"ios\",\n \"event_definition\": null,\n \"required_macros\": [\n \"remote_app_id\"\n ],\n \"allow_multiple\": false,\n \"callback_templates\": [\n {\n \"id\": \"0abb2165-82ee-4f41-a208-19bf6b9552c9\",\n \"name\": \"Inmobi install\",\n \"callbacks_count\": 1\n }\n ]\n },\n {\n \"id\": \"1d9d232c-1165-4531-afd9-dbc23097d316\",\n \"ad_network_id\": 31,\n \"platform\": \"android\",\n \"event_definition\": null,\n \"required_macros\": [\n\n ],\n \"allow_multiple\": false,\n \"callback_templates\": [\n {\n \"id\": \"0b42ec9f-866a-4d05-8e69-b38c92f156f7\",\n \"name\": \"LifeStreet install\",\n \"callbacks_count\": 0\n }\n ]\n },\n {\n \"id\": \"cd25f34f-66db-423a-b02e-8c2cecb25830\",\n \"ad_network_id\": 66,\n \"platform\": \"android\",\n \"event_definition\": null,\n \"required_macros\": [\n\n ],\n \"allow_multiple\": false,\n \"callback_templates\": [\n {\n \"id\": \"0bce1239-14ac-4446-964b-eb7fa7d3c3a6\",\n \"name\": \"Mister Bell install\",\n \"callbacks_count\": 0\n }\n ]\n },\n {\n \"id\": \"85f71c94-76a1-4a54-b5c5-1d43f7875b23\",\n \"ad_network_id\": 104,\n \"platform\": \"ios\",\n \"event_definition\": null,\n \"required_macros\": [\n \"remote_app_id\"\n ],\n \"allow_multiple\": false,\n \"callback_templates\": [\n {\n \"id\": \"0c051788-73b1-40f7-a5fd-a8913da934f8\",\n \"name\": \"Maio install\",\n \"callbacks_count\": 0\n }\n ]\n },\n {\n \"id\": \"891c2991-9aed-47ff-af11-ded86c3642fd\",\n \"ad_network_id\": 78,\n \"platform\": \"ios\",\n \"event_definition\": null,\n \"required_macros\": [\n \"callback_token\"\n ],\n \"allow_multiple\": false,\n \"callback_templates\": [\n {\n \"id\": \"0d1edc6e-977d-41aa-b0ef-a26543d06814\",\n \"name\": \"PocketMedia install\",\n \"callbacks_count\": 0\n }\n ]\n },\n {\n \"id\": \"73bb89a0-16ab-4470-a007-ce3a7b611bde\",\n \"ad_network_id\": 113,\n \"platform\": \"android\",\n \"event_definition\": null,\n \"required_macros\": [\n\n ],\n \"allow_multiple\": false,\n \"callback_templates\": [\n {\n \"id\": \"0ecd7710-c6f5-4362-b31b-8be9bf88cc00\",\n \"name\": \"LINE install\",\n \"callbacks_count\": 0\n }\n ]\n },\n {\n \"id\": \"1d634778-bb1c-4e38-947a-5732eb5a08a8\",\n \"ad_network_id\": 69,\n \"platform\": \"android\",\n \"event_definition\": null,\n \"required_macros\": [\n\n ],\n \"allow_multiple\": false,\n \"callback_templates\": [\n {\n \"id\": \"108f6fd2-1491-4293-ba32-090655ed4ec6\",\n \"name\": \"Liftoff install\",\n \"callbacks_count\": 0\n }\n ]\n },\n {\n \"id\": \"58b1c1b4-f282-40b8-b99b-b84d5e0fcc78\",\n \"ad_network_id\": 26,\n \"platform\": \"ios\",\n \"event_definition\": null,\n \"required_macros\": [\n\n ],\n \"allow_multiple\": false,\n \"callback_templates\": [\n {\n \"id\": \"113c66f4-009e-4217-b9f6-b1b6ae21ddd0\",\n \"name\": \"Glispa install\",\n \"callbacks_count\": 0\n }\n ]\n },\n {\n \"id\": \"30737010-c830-4dd6-9883-a9000087f7ad\",\n \"ad_network_id\": 102,\n \"platform\": \"android\",\n \"event_definition\": \"\",\n \"required_macros\": [\n\n ],\n \"allow_multiple\": true,\n \"callback_templates\": [\n {\n \"id\": \"12b20c9f-9fb4-40e7-92ee-95f3d3b42ae3\",\n \"name\": \"A4G install\",\n \"callbacks_count\": 0\n }\n ]\n }\n]\n","import classNames from 'classnames'\nimport { find, isNil } from 'lodash'\nimport PropTypes from 'prop-types'\nimport { Fragment, useEffect, useState } from 'react'\n\nimport { DASHBOARD_ADMIN_CALLBACK_TEMPLATES_URL } from '../../../../../../api/callbackGroupTemplates/constants'\nimport {\n createCallbackGroupTemplate,\n saveCallbackGroupTemplate\n} from '../../../../../../api/callbackGroupTemplates/index'\nimport { arrayOfCallbackGroupTemplates } from '../../../../../../utils/customPropTypes'\nimport { exampleCallbackGroupTemplates } from '../../../../../../utils/factories/callbackGroupTemplates'\nimport { deepCamelKeys } from '../../../../../../utils/helpers'\nimport Button from '../../../../../Button'\nimport CardPanel from '../../../../../CardPanel'\nimport FontAwesomeIcon from '../../../../../FontAwesomeIcon'\nimport { DEFAULT_NEW_TEMPLATE_VALUES } from './constants'\nimport { formatCallbackGroupTemplate } from './helpers'\nimport styles from './styles.module.scss'\n\nconst isDebugging = () => {\n const urlFlag =\n new URLSearchParams(window.location.search).get('flag') ===\n 'debug_callback_group_templates'\n const userFlipper = window.gon.feature_flags.includes(\n 'debug_callback_group_templates'\n )\n return urlFlag || userFlipper\n}\n\n/* eslint-disable jsx-a11y/label-has-associated-control,\n jsx-a11y/control-has-associated-label,\n jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions,\n no-param-reassign,\n no-alert */\nconst CallbackGroupTemplates = ({\n callbackGroupTemplatesProp = [],\n adNetworkId\n}) => {\n const callbackGroupTemplates = isDebugging()\n ? deepCamelKeys(exampleCallbackGroupTemplates)\n : deepCamelKeys(callbackGroupTemplatesProp)\n\n const defaultEditedCallbackGroupTemplates = callbackGroupTemplates.reduce(\n (mapping, template) => {\n const { id, ...templateValues } = template\n\n mapping[id] = { ...templateValues }\n\n return mapping\n },\n {}\n )\n\n const defaultIsEditing = callbackGroupTemplates.reduce(\n (mapping, template) => {\n const { id } = template\n\n mapping[id] = false\n\n return mapping\n },\n {}\n )\n\n const defaultIsSaving = callbackGroupTemplates.reduce((mapping, template) => {\n const { id } = template\n\n mapping[id] = false\n\n return mapping\n }, {})\n\n const [newCallbackGroupTemplate, setNewCallbackGroupTemplate] = useState({\n ...DEFAULT_NEW_TEMPLATE_VALUES,\n adNetworkId\n })\n\n const [editedCallbackGroupTemplates, setEditedCallbackGroupTemplates] =\n useState(defaultEditedCallbackGroupTemplates)\n\n const [isEditing, setIsEditing] = useState(defaultIsEditing)\n const [isSaving, setIsSaving] = useState(defaultIsSaving)\n const [isError, setIsError] = useState(false)\n const [isCreating, setIsCreating] = useState(false)\n\n const handleChangeNewCallbackGroupTemplate = ({ param, value }) => {\n setNewCallbackGroupTemplate(template => ({ ...template, [param]: value }))\n }\n\n const handleChangeCallbackGroupUserFilterTemplate = ({\n id,\n param,\n value\n }) => {\n setEditedCallbackGroupTemplates(editedCallbackGroupTemplatesState => ({\n ...editedCallbackGroupTemplatesState,\n [id]: {\n ...(find(callbackGroupTemplates, { id }) || {}),\n ...(editedCallbackGroupTemplatesState[id] || {}),\n [param]: value\n }\n }))\n }\n\n const onCreateSuccess = () => {\n setIsCreating(false)\n window.location.reload()\n }\n\n const onCreateCallbackGroupTemplate = async () => {\n setIsError(false)\n setIsCreating(true)\n\n try {\n await createCallbackGroupTemplate(\n formatCallbackGroupTemplate(newCallbackGroupTemplate)\n )\n\n onCreateSuccess()\n } catch (error) {\n window.Honeybadger.notify(error)\n setIsError(true)\n setIsCreating(false)\n }\n }\n\n const onSaveCallbackGroupTemplate = async ({\n callbackTemplate,\n onSaveSuccess\n }) => {\n setIsError(false)\n\n try {\n const result = await saveCallbackGroupTemplate(\n formatCallbackGroupTemplate(callbackTemplate)\n )\n\n onSaveSuccess(result)\n } catch (error) {\n window.Honeybadger.notify(error)\n setIsError(true)\n }\n }\n\n const handleClickCreate = () => {\n onCreateCallbackGroupTemplate()\n }\n\n const handleClickEditRow = id => {\n setIsEditing(isEditingState => ({ ...isEditingState, [id]: true }))\n setEditedCallbackGroupTemplates(editedCallbackGroupTemplatesState => ({\n ...editedCallbackGroupTemplatesState,\n [id]: {\n ...(editedCallbackGroupTemplatesState[id] || {}),\n requiredMacros:\n editedCallbackGroupTemplatesState[id].requiredMacros.join(',')\n }\n }))\n }\n\n const handleClickSaveRow = id => {\n setIsSaving(isSavingState => ({ ...isSavingState, [id]: true }))\n\n const templateToSave = { id, ...editedCallbackGroupTemplates[id] }\n\n onSaveCallbackGroupTemplate({\n callbackTemplate: templateToSave,\n onSaveSuccess: ({\n allowMultiple,\n requiredMacros,\n userFilterDefault,\n userFilterEditable\n }) => {\n setIsEditing(isEditingState => ({ ...isEditingState, [id]: false }))\n setIsSaving(isSavingState => ({ ...isSavingState, [id]: false }))\n setEditedCallbackGroupTemplates(editedCallbackGroupTemplatesState => ({\n ...editedCallbackGroupTemplatesState,\n [id]: {\n ...(editedCallbackGroupTemplatesState[id] || {}),\n allowMultiple,\n requiredMacros,\n userFilterDefault,\n userFilterEditable\n }\n }))\n }\n })\n }\n\n useEffect(() => {\n if (isError) {\n window.alert('Something went wrong...')\n }\n }, [isError])\n\n const {\n allowMultiple,\n eventDefinition,\n platform,\n requiredMacros,\n userFilterDefault,\n userFilterEditable\n } = newCallbackGroupTemplate\n\n return (\n \n )\n}\n/* eslint-enable jsx-a11y/label-has-associated-control,\n jsx-a11y/control-has-associated-label,\n jsx-a11y/click-events-have-key-events,\n jsx-a11y/no-static-element-interactions,\n no-param-reassign,\n no-alert */\n\nCallbackGroupTemplates.propTypes = {\n adNetworkId: PropTypes.number.isRequired,\n callbackGroupTemplatesProp: arrayOfCallbackGroupTemplates.isRequired\n}\n\nCallbackGroupTemplates.defaultProps = {}\n\nexport default CallbackGroupTemplates\n","export const exampleEventCounts = [\n {\n \"month\": \"2025-03-01\",\n \"billable_events\": 3818,\n \"sessions\": 2677,\n \"custom_events\": 1132,\n \"purchases\": 9,\n \"clicks\": 10,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2025-02-01\",\n \"billable_events\": 10785,\n \"sessions\": 6744,\n \"custom_events\": 4007,\n \"purchases\": 34,\n \"clicks\": 532,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2025-01-01\",\n \"billable_events\": 12266,\n \"sessions\": 7618,\n \"custom_events\": 4644,\n \"purchases\": 4,\n \"clicks\": 43,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2024-12-01\",\n \"billable_events\": 10930,\n \"sessions\": 7617,\n \"custom_events\": 3300,\n \"purchases\": 13,\n \"clicks\": 20,\n \"impressions\": 37,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2024-11-01\",\n \"billable_events\": 7608,\n \"sessions\": 4334,\n \"custom_events\": 3252,\n \"purchases\": 22,\n \"clicks\": 53,\n \"impressions\": 22,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 2\n },\n {\n \"month\": \"2024-10-01\",\n \"billable_events\": 11288,\n \"sessions\": 7371,\n \"custom_events\": 3889,\n \"purchases\": 28,\n \"clicks\": 20,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 2,\n \"paid_tracked_installs\": 3\n },\n {\n \"month\": \"2024-09-01\",\n \"billable_events\": 13980,\n \"sessions\": 6455,\n \"custom_events\": 7509,\n \"purchases\": 16,\n \"clicks\": 18,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 5,\n \"paid_tracked_installs\": 3\n },\n {\n \"month\": \"2024-08-01\",\n \"billable_events\": 12605,\n \"sessions\": 6847,\n \"custom_events\": 5753,\n \"purchases\": 5,\n \"clicks\": 18,\n \"impressions\": 1,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2024-07-01\",\n \"billable_events\": 15097,\n \"sessions\": 6794,\n \"custom_events\": 8235,\n \"purchases\": 68,\n \"clicks\": 38,\n \"impressions\": 1,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 2\n },\n {\n \"month\": \"2024-06-01\",\n \"billable_events\": 15098,\n \"sessions\": 7050,\n \"custom_events\": 8001,\n \"purchases\": 47,\n \"clicks\": 46,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 1\n },\n {\n \"month\": \"2024-05-01\",\n \"billable_events\": 15050,\n \"sessions\": 7184,\n \"custom_events\": 7849,\n \"purchases\": 17,\n \"clicks\": 44,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2024-04-01\",\n \"billable_events\": 16527,\n \"sessions\": 6832,\n \"custom_events\": 9690,\n \"purchases\": 5,\n \"clicks\": 19,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2024-03-01\",\n \"billable_events\": 14162,\n \"sessions\": 6855,\n \"custom_events\": 7295,\n \"purchases\": 12,\n \"clicks\": 102,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 3\n },\n {\n \"month\": \"2024-02-01\",\n \"billable_events\": 10401,\n \"sessions\": 6422,\n \"custom_events\": 3976,\n \"purchases\": 3,\n \"clicks\": 18,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2024-01-01\",\n \"billable_events\": 8323,\n \"sessions\": 2467,\n \"custom_events\": 5848,\n \"purchases\": 8,\n \"clicks\": 172,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 4,\n \"paid_tracked_installs\": 7\n },\n {\n \"month\": \"2023-12-01\",\n \"billable_events\": 5275,\n \"sessions\": 140,\n \"custom_events\": 5113,\n \"purchases\": 22,\n \"clicks\": 0,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 5,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2023-11-01\",\n \"billable_events\": 5231,\n \"sessions\": 128,\n \"custom_events\": 5101,\n \"purchases\": 2,\n \"clicks\": 6,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2023-10-01\",\n \"billable_events\": 4950,\n \"sessions\": 161,\n \"custom_events\": 4768,\n \"purchases\": 21,\n \"clicks\": 43,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2023-09-01\",\n \"billable_events\": 4576,\n \"sessions\": 159,\n \"custom_events\": 4391,\n \"purchases\": 26,\n \"clicks\": 27,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 10,\n \"paid_tracked_installs\": 1\n },\n {\n \"month\": \"2023-08-01\",\n \"billable_events\": 3769,\n \"sessions\": 132,\n \"custom_events\": 3623,\n \"purchases\": 14,\n \"clicks\": 30,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2023-07-01\",\n \"billable_events\": 3631,\n \"sessions\": 156,\n \"custom_events\": 3464,\n \"purchases\": 11,\n \"clicks\": 75,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 20,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2023-06-01\",\n \"billable_events\": 4127,\n \"sessions\": 164,\n \"custom_events\": 3962,\n \"purchases\": 1,\n \"clicks\": 99,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2023-05-01\",\n \"billable_events\": 4244,\n \"sessions\": 142,\n \"custom_events\": 4093,\n \"purchases\": 9,\n \"clicks\": 127,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2023-04-01\",\n \"billable_events\": 3352,\n \"sessions\": 110,\n \"custom_events\": 3234,\n \"purchases\": 8,\n \"clicks\": 250,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 0\n },\n {\n \"month\": \"2023-03-01\",\n \"billable_events\": 4990,\n \"sessions\": 147,\n \"custom_events\": 4839,\n \"purchases\": 4,\n \"clicks\": 52,\n \"impressions\": 2,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 5\n },\n {\n \"month\": \"2023-02-01\",\n \"billable_events\": 4510,\n \"sessions\": 174,\n \"custom_events\": 4322,\n \"purchases\": 14,\n \"clicks\": 62,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 1\n },\n {\n \"month\": \"2023-01-01\",\n \"billable_events\": 4433,\n \"sessions\": 176,\n \"custom_events\": 4250,\n \"purchases\": 7,\n \"clicks\": 21,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 2\n },\n {\n \"month\": \"2022-10-01\",\n \"billable_events\": 1,\n \"sessions\": 1,\n \"custom_events\": 0,\n \"purchases\": 0,\n \"clicks\": 0,\n \"impressions\": 0,\n \"ad_mediation_impression_count\": 0,\n \"paid_tracked_installs\": 0\n }\n]\n","import classNames from 'classnames'\nimport { format } from 'date-fns'\nimport { sumBy } from 'lodash'\nimport React, { Fragment } from 'react'\n\nimport { exampleEventCounts } from '../../../../../utils/factories/eventCounts'\nimport { deepCamelKeys } from '../../../../../utils/helpers'\nimport CardPanel from '../../../../CardPanel'\nimport FlexTable from '../../../../FlexTable'\nimport FontAwesomeIcon from '../../../../FontAwesomeIcon'\nimport LoadingBar from '../../../../LoadingBar'\nimport {\n MAX_PTI_COUNT,\n PLAN_DETAILS,\n STRIPE_BILLING_URL,\n STRIPE_CHANGE_PLAN_URL\n} from './constants'\nimport styles from './styles.module.scss'\n\nconst buildEventCountRows = eventCounts => [\n {\n cells: [\n {\n cell: Month In-App Events,\n id: 'headerMonth'\n },\n {\n cell: (\n In-App Events (sessions + purchases + custom events)\n ),\n id: 'headerInAppEvents'\n },\n {\n cell: Ad Mediation Impressions (ILRD),\n id: 'headerAdMediationImpressions'\n },\n {\n cell: Paid Tracked Installs,\n id: 'headerPaidTrackedInstalls'\n }\n ],\n id: 'headers'\n },\n ...eventCounts.map(\n (\n {\n month,\n billableEvents,\n adMediationImpressionCount,\n paidTrackedInstalls\n },\n rowIndex\n ) => ({\n cells: [\n {\n cell: format(new Date(month), 'MMMM yyyy'),\n id: `month${rowIndex}`\n },\n {\n cell: billableEvents,\n id: `billableEvents${rowIndex}`\n },\n {\n cell: adMediationImpressionCount,\n id: `adMediationImpressionCount${rowIndex}`\n },\n {\n cell: paidTrackedInstalls,\n id: `paidTrackedInstalls${rowIndex}`\n }\n ],\n id: rowIndex\n })\n )\n]\n\n/* eslint-disable no-unused-vars, react/prop-types, jsx-a11y/anchor-is-valid */\nconst UsageAndBilling = ({\n eventCounts: injectedEventCounts,\n organization,\n pricingTableId,\n publishableKey,\n subscriptionInfo\n}) => {\n // TODO: [nafeu] swap out injectedEventCounts [TENJIN-23876]\n const eventCounts = deepCamelKeys(exampleEventCounts)\n\n const rows = buildEventCountRows(eventCounts)\n\n // TODO: [nafeu] fix sum logic here to only use data from current month [TENJIN-23876]\n const ptiCount = sumBy(eventCounts, 'paidTrackedInstalls')\n const percentage = ptiCount / MAX_PTI_COUNT\n const formattedPercentage = Math.round(percentage * 100)\n\n // TODO: [nafeu, hwan-joon] pull in correct subscription info\n const cardInfo = {\n expiration: '12/27',\n number: 'Visa **** 1111'\n }\n\n const isSubscribed =\n subscriptionInfo ||\n new URLSearchParams(window.location.search)\n .get('flag')\n ?.includes('stripe_subscribed')\n\n // TODO: [nafeu] replace static billing and contract info with real data [TENJIN-23876]\n return (\n \n
Usage & Billing
\n
\n \n \n {formattedPercentage}% of PTI Allowance Used\n \n \n \n {ptiCount} of {MAX_PTI_COUNT} paid\n tracked installs used\n \n
\n
\n Counts of the in-app events and ad mediation impressions we've\n received across all apps in your organization and the number of paid\n tracked installs we've attributed for your apps.\n
\n \n \n {isSubscribed ? (\n
\n \n \n \n {PLAN_DETAILS.map(detail => (\n
\n \n {detail}\n
\n ))}\n
\n \n \n \n
\n Payment method:{' '}\n {cardInfo.number}\n
\n
\n Expires {cardInfo.expiration}\n
\n
\n Manage Billing\n \n
\n \n \n ) : (\n
\n \n \n )}\n
\n )\n}\n/* eslint-enable react/prop-types, jsx-a11y/anchor-is-valid */\n\nexport default UsageAndBilling\n","import React from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport styles from './styles.module.scss'\n\nfunction CheckboxIcon({ isChecked, multiple, size }) {\n const className = classNames(styles.icon, styles[`icon--${size}`], {\n [styles.visibleIcon]: isChecked\n })\n\n if (multiple) {\n return (\n \n )\n }\n\n return (\n \n )\n}\n\nCheckboxIcon.propTypes = {\n isChecked: PropTypes.bool.isRequired,\n multiple: PropTypes.bool,\n size: PropTypes.oneOf(['sm', 'default'])\n}\n\nCheckboxIcon.defaultProps = {\n multiple: false,\n size: 'default'\n}\n\nexport default CheckboxIcon\n","import React from 'react'\nimport PropTypes from 'prop-types'\nimport Fuse from 'fuse.js'\nimport classNames from 'classnames'\nimport { isEmpty, isEqual, sortBy } from 'lodash'\n\nimport SearchInput from '../SearchInput/SearchInput'\nimport SelectMenuItem from '../SelectMenuItem'\n\nimport styles from './styles.module.scss'\nimport menuItemStyles from '../SelectMenuItem/styles.module.scss'\n\nconst SELECT_MENU_FUSE_OPTIONS = {\n keys: ['name'],\n shouldSort: false,\n threshold: 0.3\n}\n\nclass SelectMenu extends React.Component {\n static createSearchableList(list) {\n return new Fuse(list, SELECT_MENU_FUSE_OPTIONS)\n }\n\n static normalizeItemId(itemId) {\n return itemId.toString()\n }\n\n constructor(props) {\n super(props)\n\n const { items, multiple, selected } = props\n\n this.addItem = this.addItem.bind(this)\n this.afterAddItem = this.afterAddItem.bind(this)\n this.handleClear = this.handleClear.bind(this)\n this.handleSave = this.handleSave.bind(this)\n this.handleSearchStringChange = this.handleSearchStringChange.bind(this)\n this.removeItem = this.removeItem.bind(this)\n this.selectAll = this.selectAll.bind(this)\n\n const list = Object.keys(items).map(itemId => items[itemId])\n\n let unapplied = null\n\n if (isEmpty(selected)) {\n if (multiple) {\n unapplied = Object.keys(items)\n }\n } else {\n unapplied = selected\n }\n\n this.state = {\n searchString: '',\n searchableList: this.constructor.createSearchableList(list),\n unapplied\n }\n }\n\n componentDidUpdate(prevProps) {\n this.updateUnappliedIfNeeded(prevProps.selected)\n }\n\n getMenuItemIds(skipAlphabetization = false) {\n const { alphabetize, items } = this.props\n const { searchableList, searchString } = this.state\n\n let itemIds\n\n if (this.isSearching()) {\n itemIds = searchableList.search(searchString).map(fuseObj => fuseObj.item.id)\n } else {\n itemIds = Object.keys(items)\n }\n\n return alphabetize && !skipAlphabetization\n ? this.sortItems(itemIds)\n : itemIds\n }\n\n updateUnappliedIfNeeded(prevSelected) {\n const { selected } = this.props\n\n if (!isEqual(prevSelected, selected)) {\n this.setState({ unapplied: selected })\n }\n }\n\n isSaveable() {\n const { items, multiple, selected } = this.props\n const { unapplied } = this.state\n\n if (multiple) {\n if (selected.length === 0 && unapplied.length === Object.keys(items).length) {\n return false\n }\n return !isEqual(sortBy(unapplied), sortBy(selected))\n }\n return !isEqual(unapplied, selected)\n }\n\n hasAllSelected() {\n const { items, multiple } = this.props\n const { unapplied } = this.state\n\n if (!multiple || Object.keys(items).length === 0) {\n return false\n }\n\n return unapplied.length > 0 && unapplied.length === Object.keys(items).length\n }\n\n afterAddItem() {\n const { saveOnSelect } = this.props\n\n if (saveOnSelect) {\n this.handleSave()\n }\n }\n\n addItem(itemId) {\n const { multiple } = this.props\n const { unapplied } = this.state\n\n const normalizedItemId = this.constructor.normalizeItemId(itemId)\n\n if (multiple) {\n this.setState({ unapplied: [...unapplied, normalizedItemId] }, this.afterAddItem)\n } else {\n this.setState({ unapplied: normalizedItemId }, this.afterAddItem)\n }\n }\n\n removeItem(itemId) {\n const { multiple } = this.props\n const { unapplied } = this.state\n\n const normalizedItemId = this.constructor.normalizeItemId(itemId)\n\n if (multiple) {\n this.setState({ unapplied: unapplied.filter(id => id !== normalizedItemId) })\n } else {\n this.setState({ unapplied: null })\n }\n }\n\n selectAll() {\n const { items, multiple } = this.props\n\n if (!multiple) {\n return\n }\n\n this.setState({ unapplied: Object.keys(items) })\n }\n\n sortItems(itemIds) {\n const { items } = this.props\n\n return itemIds.sort((aId, bId) => items[aId].name.localeCompare(items[bId].name))\n }\n\n handleClear() {\n const { unapplied } = this.state\n\n if (unapplied.length === 0) {\n return\n }\n\n const { multiple } = this.props\n\n if (multiple) {\n this.setState({ unapplied: [] })\n } else {\n this.setState({ unapplied: null })\n }\n }\n\n handleSave() {\n const { unapplied } = this.state\n const { onSave, selected } = this.props\n\n if (isEqual(unapplied, selected)) {\n return\n }\n\n if (this.hasAllSelected()) {\n onSave([])\n } else {\n onSave(unapplied)\n }\n }\n\n handleSearchStringChange(searchString) {\n this.setState({ searchString })\n }\n\n isSearching() {\n const { searchString } = this.state\n const { searchable } = this.props\n\n return searchable && !isEmpty(searchString)\n }\n\n isSelectedItem(itemId) {\n const { unapplied } = this.state\n const { multiple } = this.props\n\n const normalizedItemId = this.constructor.normalizeItemId(itemId)\n\n if (multiple) {\n return unapplied.includes(normalizedItemId)\n }\n\n return unapplied === normalizedItemId\n }\n\n renderClearBtn() {\n const { unapplied } = this.state\n\n const className = classNames(styles.clearBtn, 'btn', 'btn-link', {\n disabled: unapplied.length === 0\n })\n\n return (\n \n )\n }\n\n renderSaveBtn() {\n const className = classNames(styles.saveBtn, 'btn', {\n disabled: !this.isSaveable()\n })\n\n return (\n \n )\n }\n\n renderMenuItems() {\n const { items } = this.props\n const itemIds = this.getMenuItemIds()\n\n if (!isEmpty(itemIds)) {\n return itemIds.map(itemId => this.renderMenuItem(items[itemId]))\n }\n\n return No results to display
\n }\n\n renderMenuItem(item) {\n const { menuItemRenderer, multiple } = this.props\n\n return (\n \n )\n }\n\n renderSelectAllMenuItem() {\n const { allSelectLabel, multiple } = this.props\n\n const item = { id: 'all', name: allSelectLabel }\n\n return (\n \n )\n }\n\n renderHeader() {\n const { header, description } = this.props\n return (\n \n
{header}
\n
\n {description}\n
\n
\n )\n }\n\n renderSearchInput() {\n const { searchString } = this.state\n const { items, searchPlaceholder } = this.props\n\n const disabled = Object.keys(items).length === 0\n\n return (\n \n \n
\n )\n }\n\n render() {\n const {\n header, items, multiple, saveOnSelect, searchable, selectMenuClassName\n } = this.props\n\n const selectMenuInnerClassName = classNames(styles.menuInner, {\n [styles.menuInnerMultiple]: multiple\n })\n\n const footerClassName = classNames(styles.footer, {\n [styles.footerWithMultipleActions]: multiple\n })\n\n return (\n \n {header && this.renderHeader()}\n\n {searchable && this.renderSearchInput()}\n\n
\n {multiple && Object.keys(items).length > 0 && this.renderSelectAllMenuItem()}\n {this.renderMenuItems()}\n
\n\n {(multiple || !saveOnSelect) && (\n
\n {multiple && this.renderClearBtn()}\n {!saveOnSelect && this.renderSaveBtn()}\n
\n )}\n
\n )\n }\n}\n\nSelectMenu.propTypes = {\n allSelectLabel: PropTypes.string,\n alphabetize: PropTypes.bool,\n description: PropTypes.string,\n header: PropTypes.string,\n items: PropTypes.objectOf(\n PropTypes.shape({\n id: PropTypes.oneOfType([\n PropTypes.number,\n PropTypes.string\n ]).isRequired,\n name: PropTypes.string.isRequired\n })\n ).isRequired,\n menuItemRenderer: PropTypes.func,\n multiple: PropTypes.bool,\n onSave: PropTypes.func.isRequired,\n saveOnSelect: PropTypes.bool,\n searchPlaceholder: PropTypes.string,\n searchable: PropTypes.bool,\n selectMenuClassName: PropTypes.string,\n selected: PropTypes.oneOfType([\n PropTypes.array,\n PropTypes.number,\n PropTypes.string\n ])\n}\n\nSelectMenu.defaultProps = {\n allSelectLabel: '',\n alphabetize: false,\n description: '',\n header: '',\n menuItemRenderer: null,\n multiple: false,\n saveOnSelect: false,\n searchPlaceholder: '',\n searchable: false,\n selectMenuClassName: '',\n selected: null\n}\n\nexport default SelectMenu\n","import React from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport { isFunction, isNull } from 'lodash'\n\nimport FontAwesomeIcon from '../FontAwesomeIcon'\nimport Label from '../Label/Label'\n\nimport styles from './styles.module.scss'\n\nfunction SelectButton(props) {\n const {\n className, containerClassName: containerClassNameProp, iconClassName, isActive, label,\n labelClassName, onClick, selectedItem, value, valueClassName, valueRenderer\n } = props\n\n let displayValue\n if (!isNull(selectedItem) && !isNull(valueRenderer) && isFunction(valueRenderer)) {\n displayValue = valueRenderer(selectedItem)\n } else {\n displayValue = value\n }\n\n const containerClassName = classNames(styles.container, containerClassNameProp)\n\n const btnClassName = classNames(styles.btn, className, {\n [styles.activeBtn]: isActive\n })\n\n return (\n \n \n
\n )\n}\n\nSelectButton.propTypes = {\n className: PropTypes.string,\n containerClassName: PropTypes.string,\n iconClassName: PropTypes.string,\n isActive: PropTypes.bool.isRequired,\n label: PropTypes.string.isRequired,\n labelClassName: PropTypes.string,\n onClick: PropTypes.func.isRequired,\n selectedItem: PropTypes.shape({\n id: PropTypes.oneOfType([\n PropTypes.number,\n PropTypes.string\n ]).isRequired,\n name: PropTypes.string.isRequired\n }),\n value: PropTypes.string,\n valueClassName: PropTypes.string,\n valueRenderer: PropTypes.func\n}\n\nSelectButton.defaultProps = {\n className: '',\n containerClassName: '',\n iconClassName: '',\n labelClassName: '',\n selectedItem: null,\n value: null,\n valueClassName: '',\n valueRenderer: null\n}\n\nexport default SelectButton\n","import React from 'react'\nimport PropTypes from 'prop-types'\n\nimport { ALL_RESULTS_TEXT, NO_RESULTS_FOR_PAGE_TEXT, NO_RESULTS_TEXT } from './constants'\nimport { determinePageSpan } from './utils'\n\nimport styles from './styles.module.scss'\n\nconst PaginatorInfo = props => {\n const {\n currentPage, pageLimit, pageNumbers, totalCount, totalPages\n } = props\n\n let text\n\n if (totalPages === 0 || pageNumbers.length === 0) {\n text = NO_RESULTS_TEXT\n } else if (currentPage > totalPages) {\n text = `${NO_RESULTS_FOR_PAGE_TEXT} ${currentPage}`\n } else if (pageNumbers.length === 1) {\n text = totalCount > 1 ? `Viewing all ${totalCount} results` : ALL_RESULTS_TEXT\n } else {\n const { ceil, floor } = determinePageSpan({ currentPage, pageLimit, totalCount })\n text = `Viewing ${floor} - ${ceil} of ${totalCount} results`\n }\n\n return {text}
\n}\n\nPaginatorInfo.propTypes = {\n currentPage: PropTypes.number.isRequired,\n pageLimit: PropTypes.number.isRequired,\n pageNumbers: PropTypes.arrayOf(PropTypes.oneOfType([PropTypes.number, PropTypes.string])),\n totalCount: PropTypes.number.isRequired,\n totalPages: PropTypes.number.isRequired\n}\n\nPaginatorInfo.defaultProps = {\n pageNumbers: []\n}\n\nexport default PaginatorInfo\n","export const determinePageSpan = ({ currentPage, pageLimit, totalCount }) => {\n const floor = ((currentPage - 1) * pageLimit) + 1\n let ceil = currentPage * pageLimit\n\n if (ceil > totalCount) {\n ceil = totalCount\n }\n\n return { ceil, floor }\n}\n","import React from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport FontAwesomeIcon from '../FontAwesomeIcon'\nimport PaginatorItem from '../PaginatorItem/PaginatorItem'\n\nimport { noop } from '../../utils/helpers'\n\nconst PaginatorNextItem = ({ currentPage, isDisabled, onClick }) => {\n const className = classNames({ disabled: isDisabled })\n\n return (\n \n \n \n )\n}\n\nPaginatorNextItem.propTypes = {\n currentPage: PropTypes.number.isRequired,\n isDisabled: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nexport default PaginatorNextItem\n","import React from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport FontAwesomeIcon from '../FontAwesomeIcon'\nimport PaginatorItem from '../PaginatorItem/PaginatorItem'\n\nimport { noop } from '../../utils/helpers'\n\nconst PaginatorPreviousItem = ({ currentPage, isDisabled, onClick }) => {\n const className = classNames({ disabled: isDisabled })\n\n return (\n \n \n \n\n )\n}\n\nPaginatorPreviousItem.propTypes = {\n currentPage: PropTypes.number.isRequired,\n isDisabled: PropTypes.bool.isRequired,\n onClick: PropTypes.func.isRequired\n}\n\nexport default PaginatorPreviousItem\n","export const DEFAULT_VISIBILITY = true\n","export const RESET_DURATION_MS = 2000\n","export const TOOLTIP_DELAY_IN_S = 1\n","export const TOOLTIP_MOUSE_ENTER_DELAY = 1\n","import {\n ENTITY_TYPES_TO_LINK_DETAILS,\n UNLINKABLE_IDS\n} from './constants'\n\n// eslint-disable-next-line import/prefer-default-export\nexport const getLinkDetailsByTableRow = ({ fieldType, row }) => {\n let { id } = row.original\n\n const isUnlinkable = UNLINKABLE_IDS.includes(id)\n\n if (isUnlinkable) {\n return {}\n }\n\n const details = ENTITY_TYPES_TO_LINK_DETAILS[fieldType]\n\n if (fieldType === 'ad_network_id' && !row.original.custom) {\n id = row.original.adNetworkShortId\n }\n\n if (fieldType === 'campaign_id' && row.original.campaignId) {\n id = row.original.campaignId\n }\n\n return {\n href: `${details.baseHref}/${id}`,\n title: details.title\n }\n}\n","export const TOOLTIP_DELAY_IN_S = 0.5\n","import PropTypes from 'prop-types'\n\nimport KPICard from '../KPICard'\n\nimport { REPORTS } from '../constants'\nimport { metricDefinitionObject } from '../../../../utils/customPropTypes'\n\nconst Presenter = (\n {\n groupedStatsDataByMetric, isError, isFetchingSummaryData, isFetchingGroupedStatsData,\n metricDefinitions, mockedMetricDefinitionKeys, onReloadClick, summaryDataByMetric\n }\n) => (\n \n {metricDefinitions.map((metricDefinition, index) => {\n const { components: { kpiCard }, key: metricDefinitionId } = metricDefinition\n\n const isMocking = mockedMetricDefinitionKeys.includes(metricDefinitionId)\n\n const associatedReport = REPORTS.find(report => report.value === kpiCard.reportId)\n\n const groupedStatsData = groupedStatsDataByMetric[metricDefinitionId] || []\n const summaryData = summaryDataByMetric[metricDefinitionId]\n\n return (\n \n )\n })}\n
\n)\n\n/* eslint-disable max-len */\nPresenter.propTypes = {\n groupedStatsDataByMetric: PropTypes.object.isRequired, // eslint-disable-line react/forbid-prop-types\n isError: PropTypes.bool.isRequired,\n isFetchingGroupedStatsData: PropTypes.bool.isRequired,\n isFetchingSummaryData: PropTypes.bool.isRequired,\n metricDefinitions: PropTypes.arrayOf(metricDefinitionObject).isRequired,\n mockedMetricDefinitionKeys: PropTypes.arrayOf(PropTypes.string).isRequired,\n onReloadClick: PropTypes.func.isRequired,\n summaryDataByMetric: PropTypes.object.isRequired // eslint-disable-line react/forbid-prop-types\n}\n/* eslint-enable max-len */\n\nexport default Presenter\n","import { sortBy } from 'lodash'\n\nexport const getKPICardsMetricDefinitions = metricDefinitionsState => {\n const metricDefinitions = []\n\n Object.keys(metricDefinitionsState).forEach(metricDefinitionKey => {\n const metricDefinition = metricDefinitionsState[metricDefinitionKey]\n\n if (metricDefinition.components.kpiCard.isVisible) {\n metricDefinitions.push(metricDefinition)\n }\n })\n\n return sortBy(metricDefinitions, metricDefinition => metricDefinition.components.kpiCard.position)\n}\n","import { isPublisherPage, isSkAdNetworkPage } from '../../../../contexts/ReportingFilters'\n\nexport const convertReportPageToHeader = reportPage => {\n if (isPublisherPage(reportPage)) {\n return 'Ad Monetizaton'\n } else if (isSkAdNetworkPage(reportPage)) {\n return 'SK Ad Network'\n } else {\n return 'User Acquisition'\n }\n}\n","export const MAX_MENU_HEIGHT = 400\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\n\nimport CustomEventsSelector from './CustomEventsSelector'\nimport GroupedSummaryTable from '../../../GroupedSummaryTable'\nimport KPITabsPurchasers from './KPITabs/Purchasers'\nimport KPITabsPurchaseXDay from './KPITabs/PurchaseXDay'\nimport KPITabsRetentionXDay from './KPITabs/RetentionXDay'\nimport ReportsSelector from '../ReportsSelector'\n\nimport { REPORTS_BY_VALUE } from '../constants'\nimport { arrayOfSelectableCustomEvents } from '../../../../utils/customPropTypes'\n\nconst CustomPagePresentation = (\n {\n currentCustomEventName,\n customEvents,\n fetchMoreCustomEvents,\n fetchCustomEventsByName\n }\n) => (\n \n \n\n \n\n \n\n \n\n \n\n \n \n)\n\nCustomPagePresentation.propTypes = {\n currentCustomEventName: PropTypes.string.isRequired,\n customEvents: arrayOfSelectableCustomEvents.isRequired,\n fetchCustomEventsByName: PropTypes.func.isRequired,\n fetchMoreCustomEvents: PropTypes.func.isRequired\n}\n\nexport default CustomPagePresentation\n","// eslint-disable-next-line import/prefer-default-export\nexport const CUSTOM_EVENTS_SEARCH_DEBOUNCE_MS = 400\n","import { isEmpty, map } from 'lodash'\nimport PropTypes from 'prop-types'\nimport { useEffect, useState } from 'react'\nimport { useLocation } from 'react-router-dom'\n\nimport { useOnboardingStatusState } from '../../contexts/OnboardingStatus'\nimport {\n kpiTabGroupedStatsMetricDefinitionObject,\n kpiTabSummaryMetricDefinitionObject\n} from '../../utils/customPropTypes'\nimport AwaitingDataOverlay from '../AwaitingDataOverlay'\nimport ChartFailed from '../ChartFailed'\nimport NoDataOverlay from '../NoDataOverlay'\nimport OnboardingActionOverlay from '../OnboardingActionOverlay'\nimport Chart from './Chart'\nimport { MAX_VISIBLE_DATA_SERIES } from './constants'\nimport { buildVisibleSeries, mapDataForSelector } from './helpers'\nimport styles from './styles.module.scss'\nimport SummaryBlocks from './SummaryBlocks'\nimport TabButtons from './TabButtons'\nimport VisibleDataSelector from './VisibleDataSelector'\n\nconst Presentation = ({\n groupedStatsDataByMetric,\n groupedStatsMetricDefinitions,\n isError,\n isFetchingGroupedStatsData,\n isFetchingSummaryData,\n isSuccessGroupedStatsData,\n mockedGroupedStatsMetricDefinitionKeys,\n mockedSummaryMetricDefinitionKeys,\n onReloadClick,\n summaryDataByMetric,\n summaryMetricDefinitions\n}) => {\n const location = useLocation()\n\n const source = new URLSearchParams(location.search).get('source')\n\n const [state, setState] = useState({\n activeMetricDefinition: groupedStatsMetricDefinitions[0],\n visibleSeries: buildVisibleSeries({\n groupedStatsDataByMetric,\n metricDefinitions: groupedStatsMetricDefinitions,\n numMaxVisible: MAX_VISIBLE_DATA_SERIES\n })\n })\n\n useEffect(() => {\n if (isSuccessGroupedStatsData) {\n setState({\n ...state,\n visibleSeries: buildVisibleSeries({\n groupedStatsDataByMetric,\n metricDefinitions: groupedStatsMetricDefinitions,\n numMaxVisible: MAX_VISIBLE_DATA_SERIES\n })\n })\n }\n }, [\n groupedStatsDataByMetric,\n groupedStatsMetricDefinitions,\n isSuccessGroupedStatsData\n ])\n\n useEffect(() => {\n setState({\n ...state,\n activeMetricDefinition: groupedStatsMetricDefinitions[0]\n })\n }, [source])\n\n const handleMetricDefinitionChange = metricDefinition => {\n if (metricDefinition.key !== state.activeMetricDefinition.key) {\n setState({\n ...state,\n activeMetricDefinition: metricDefinition\n })\n }\n }\n\n const handleVisibleSeriesChange = visibleSeries => {\n setState({\n ...state,\n visibleSeries: {\n ...state.visibleSeries,\n [state.activeMetricDefinition.key]: visibleSeries\n }\n })\n }\n\n const selectable =\n groupedStatsDataByMetric[state.activeMetricDefinition.key] || []\n const selected = state.visibleSeries[state.activeMetricDefinition.key] || []\n\n const { activeMetricDefinition } = state\n const { key: activeMetricDefinitionKey } = activeMetricDefinition\n\n const isMockingChart = mockedGroupedStatsMetricDefinitionKeys.includes(\n activeMetricDefinitionKey\n )\n\n const hasFailedLoadingData = !isMockingChart && isError\n\n const { hasRecentlyReceivedFirstEvents } = useOnboardingStatusState()\n\n const hasNoGroupedStatsData =\n !isMockingChart &&\n isSuccessGroupedStatsData &&\n !hasRecentlyReceivedFirstEvents &&\n isEmpty(selectable)\n\n const isAwaitingDataToBeCalculated =\n !isMockingChart &&\n isSuccessGroupedStatsData &&\n hasRecentlyReceivedFirstEvents &&\n isEmpty(selectable)\n\n return (\n \n
\n\n
\n
\n \n\n \n\n {isMockingChart && (\n \n )}\n
\n\n
\n\n {hasNoGroupedStatsData &&
}\n\n {isAwaitingDataToBeCalculated && (\n
\n )}\n
\n\n {hasFailedLoadingData && (\n
\n )}\n
\n )\n}\n\nPresentation.propTypes = {\n groupedStatsDataByMetric: PropTypes.object, // eslint-disable-line react/forbid-prop-types,max-len\n groupedStatsMetricDefinitions: PropTypes.arrayOf(\n kpiTabGroupedStatsMetricDefinitionObject\n ).isRequired,\n isError: PropTypes.bool.isRequired,\n isFetchingGroupedStatsData: PropTypes.bool.isRequired,\n isFetchingSummaryData: PropTypes.bool.isRequired,\n isSuccessGroupedStatsData: PropTypes.bool.isRequired,\n mockedGroupedStatsMetricDefinitionKeys: PropTypes.arrayOf(PropTypes.string),\n mockedSummaryMetricDefinitionKeys: PropTypes.arrayOf(PropTypes.string),\n onReloadClick: PropTypes.func.isRequired,\n summaryDataByMetric: PropTypes.object, // eslint-disable-line react/forbid-prop-types,max-len\n summaryMetricDefinitions: PropTypes.arrayOf(\n kpiTabSummaryMetricDefinitionObject\n ).isRequired\n}\n\nPresentation.defaultProps = {\n groupedStatsDataByMetric: {},\n mockedGroupedStatsMetricDefinitionKeys: [],\n mockedSummaryMetricDefinitionKeys: [],\n summaryDataByMetric: {}\n}\n\nexport default Presentation\n","import PropTypes from 'prop-types'\n\nimport Skeleton from 'react-loading-skeleton'\nimport SkeletonSummaryBlocks from './SummaryBlocks/skeleton'\nimport SkeletonTabButtons from './TabButtons/skeleton'\n\nimport styles from './styles.module.scss'\n\nconst Loading = (\n {\n numSummaryBlocks,\n numTabs\n }\n) => (\n \n)\n\nLoading.propTypes = {\n numSummaryBlocks: PropTypes.number.isRequired,\n numTabs: PropTypes.number.isRequired\n}\n\nexport default Loading\n","import PropTypes from 'prop-types'\nimport Skeleton from 'react-loading-skeleton'\nimport { range } from 'lodash'\n\nimport SummaryBlock from './SummaryBlock'\n\nimport styles from './styles.module.scss'\n\nconst SkeletonSummaryBlocks = ({ numSummaryBlocks }) => (\n \n {range(numSummaryBlocks).map(summaryBlockNum => (\n }\n key={summaryBlockNum}\n label={}\n value={}\n />\n ))}\n
\n)\n\nSkeletonSummaryBlocks.propTypes = {\n numSummaryBlocks: PropTypes.number.isRequired\n}\n\nexport default SkeletonSummaryBlocks\n","import PropTypes from 'prop-types'\nimport classNames from 'classnames'\nimport { noop, range } from 'lodash'\nimport Skeleton from 'react-loading-skeleton'\n\nimport styles from './styles.module.scss'\n\nconst MockTabButtons = ({\n numTabs\n}) => (\n \n {range(numTabs).map(tabNum => {\n const tabClassName = classNames(styles.tab, {\n [styles.active]: tabNum === 0\n })\n\n return (\n \n )\n })}\n
\n)\n\nMockTabButtons.propTypes = {\n numTabs: PropTypes.number.isRequired\n}\n\nexport default MockTabButtons\n","import { Fragment, useMemo } from 'react'\nimport PropTypes from 'prop-types'\nimport { useExpanded, useFlexLayout, useTable } from 'react-table'\nimport { useLocation } from 'react-router-dom'\nimport classNames from 'classnames'\nimport { useDeepCompareMemo } from 'use-deep-compare'\nimport { isEmpty } from 'lodash'\nimport Tooltip from 'rc-tooltip'\n\nimport AwaitingDataOverlay from '../AwaitingDataOverlay'\nimport NoDataOverlay from '../NoDataOverlay'\nimport OnboardingActionOverlay from '../OnboardingActionOverlay'\nimport ReportingDataImg from '../ReportingDataImg'\nimport ReportingDataMetricValueDisplay from '../ReportingDataMetricValueDisplay'\nimport ReportingDataNameDisplay from '../ReportingDataNameDisplay'\nimport TableContainer from '../Table/Container'\nimport Table from '../Table'\nimport TableData from '../Table/Data'\nimport TableDataRowExpander from '../Table/DataRowExpander'\nimport TableFakeRows from '../Table/FakeRows'\nimport TableHeader from '../Table/Header'\nimport TableRow from '../Table/Row'\nimport TableSkeletonRows from '../Table/SkeletonRows'\n\nimport { formatDateForDisplay, parseStrToDate } from '../ReportingSidebar/DateFilter/helpers'\nimport { getQueryParams, useReportingFiltersState } from '../../contexts/ReportingFilters'\nimport { useOnboardingStatusState } from '../../contexts/OnboardingStatus'\nimport { useCurrentUserState } from '../../contexts/CurrentUser'\nimport { metricDefinitionObject } from '../../utils/customPropTypes'\nimport { getTopLevelRowsById } from '../Table/helpers'\n\nimport styles from './styles.module.scss'\n\nconst KPIDrilldown = (\n {\n className: classNameProp,\n data,\n isError,\n isFetching,\n isMocking,\n metricDefinitions,\n tableHeader\n }\n) => {\n const reportingFilters = useReportingFiltersState()\n const { countries } = reportingFilters\n\n const location = useLocation()\n\n const { currentUser } = useCurrentUserState()\n\n const queryParams = getQueryParams({ currentUser, location, reportingFilters })\n\n /*\n TODO: Update this to use dimensions instead of groupBy\n when fully activating v4 api [TENJIN-15911]\n */\n // const { dimensions } = queryParams\n const { groupBy } = queryParams\n\n /* eslint-disable react/prop-types */\n const columns = useDeepCompareMemo(() => (\n [\n {\n Cell: ({ isExpanded, row, value }) => {\n if (row.depth === 0) {\n return (\n \n
\n\n
{formatDateForDisplay(parseStrToDate(value))}\n
\n )\n }\n\n const { iconUrl, name, platform } = row.original\n\n return (\n \n }\n name={name}\n platform={platform}\n />\n
\n )\n },\n Header: 'Date',\n accessor: 'date'\n },\n ...metricDefinitions.map(metricDefinition => (\n {\n Cell: ({ value }) => (\n \n ),\n Header: () => (\n {metricDefinition.displayName}}\n placement=\"top\"\n >\n {metricDefinition.abbreviatedName}\n \n ),\n accessor: metricDefinition.key\n }\n ))\n ]\n ), [countries, groupBy, metricDefinitions])\n /* eslint-enable react/prop-types */\n\n const tableData = useMemo(() => data, [data])\n\n const {\n getTableProps,\n getTableBodyProps,\n headerGroups,\n rows,\n prepareRow,\n state: { expanded }\n } = useTable(\n {\n columns,\n data: tableData\n },\n useFlexLayout,\n useExpanded\n )\n\n const { hasRecentlyReceivedFirstEvents } = useOnboardingStatusState()\n\n const hasDataToDisplay = rows.length > 0 && !isError && !isFetching\n\n const hasNoDataToDisplay = !isMocking\n && !isError\n && !isFetching\n && !hasRecentlyReceivedFirstEvents\n && isEmpty(rows)\n\n const isAwaitingDataToBeCalculated = !isMocking\n && !isError\n && !isFetching\n && hasRecentlyReceivedFirstEvents\n && isEmpty(rows)\n\n const shouldShowSkeletonLoading = !isMocking && isFetching\n\n const topLevelRowsById = getTopLevelRowsById(rows)\n\n /* eslint-disable react/jsx-props-no-spreading */\n return (\n \n
\n
{tableHeader}
\n \n\n
\n \n \n {headerGroups.map(headerGroup => (\n
\n {headerGroup.headers.map(column => (\n
\n {column.render('Header')}\n \n ))}\n
\n ))}\n
\n\n \n {shouldShowSkeletonLoading && (\n
\n )}\n\n {hasDataToDisplay && (\n rows.map(row => {\n prepareRow(row)\n\n const toggleRowExpandedProps = row.getToggleRowExpandedProps()\n const isExpanded = expanded[row.id]\n\n return (\n
\n {row.cells.map(cell => (\n \n {cell.render('Cell', { isExpanded })}\n \n ))}\n \n )\n })\n )}\n\n {(isAwaitingDataToBeCalculated || hasNoDataToDisplay) && (\n
\n )}\n\n
\n
\n \n\n {isAwaitingDataToBeCalculated && (\n
\n )}\n\n {hasNoDataToDisplay &&
}\n\n {isMocking &&
}\n
\n )\n /* eslint-enable react/jsx-props-no-spreading */\n}\n\nKPIDrilldown.propTypes = {\n className: PropTypes.string,\n data: PropTypes.arrayOf(PropTypes.object),\n isError: PropTypes.bool.isRequired,\n isFetching: PropTypes.bool.isRequired,\n isMocking: PropTypes.bool.isRequired,\n metricDefinitions: PropTypes.arrayOf(metricDefinitionObject).isRequired,\n tableHeader: PropTypes.string.isRequired\n}\n\nKPIDrilldown.defaultProps = {\n className: null,\n data: []\n}\n\nexport default KPIDrilldown\n","export const METRIC_DEFINITION_KEYS = [\n 'trackedClicks',\n 'trackedInstalls',\n 'trackedCvr',\n 'blockedClicks',\n 'fraudPurchases',\n 'fraudRevenue',\n 'blockedDeviceEvents',\n 'allFraud'\n]\n","export const METRIC_DEFINITION_KEYS = [\n 'trackedInstalls',\n 'retention_1d',\n 'retention_2d',\n 'retention_3d',\n 'retention_7d',\n 'retention_14d',\n 'retention_30d',\n 'retention_90d'\n]\n","export const METRIC_DEFINITION_KEYS = [\n 'users',\n 'revenues',\n 'pubRev',\n 'totalRev',\n 'totalRev_0d',\n 'totalRev_1d',\n 'totalRev_3d',\n 'totalRev_7d',\n 'totalRev_90d'\n]\n","export const METRIC_DEFINITION_KEYS = [\n 'trackedInstalls',\n 'roi_0d',\n 'roi_1d',\n 'roi_2d',\n 'roi_3d',\n 'roi_7d',\n 'roi_14d',\n 'roi_90d'\n]\n","export const METRIC_DEFINITION_KEYS = [\n 'trackedInstalls',\n 'cpUser_1d',\n 'cpUser_2d',\n 'cpUser_3d',\n 'cpUser_7d',\n 'cpUser_14d',\n 'cpUser_30d',\n 'cpUser_90d'\n]\n","export const METRIC_DEFINITION_KEYS = [\n 'trackedInstalls',\n 'cpKsessions_1d',\n 'cpKsessions_2d',\n 'cpKsessions_3d',\n 'cpKsessions_7d',\n 'cpKsessions_14d',\n 'cpKsessions_30d',\n 'cpKsessions_90d'\n]\n","export const COPY_TO_CLIPBOARD_SUCCESS_MS = 3000\n","import React from 'react'\n\nimport FormTextField from '../FormTextField/FormTextField'\n\nconst AppBasicFormFields = () => (\n <>\n \n \n >\n)\n\nexport default AppBasicFormFields\n","import React, { useCallback } from 'react'\nimport { renderToString } from 'react-dom/server'\nimport { isUndefined } from 'lodash'\n\nimport FormHelpPopover from '../FormHelpPopover/FormHelpPopover'\nimport FormTextField from '../FormTextField/FormTextField'\n\nconst inputPopoverContent = (appStoreName, appStoreUrlFormat) => (\n \n
\n - \n Open {appStoreName} store page.\n
\n - \n Search for your app, and go to the app page.\n
\n - \n Copy the URL.\n
\n
\n\n
\n {appStoreName} URL Format:\n
\n\n
\n {appStoreUrlFormat}\n
\n
\n)\n\nconst AppStoreUrlFormField = ({ platform }) => {\n const helpPopoverComponent = useCallback(() => {\n if (isUndefined(platform)) return null\n\n const { appStore, name: platformName } = platform\n\n return (\n \n )\n }, [platform])\n\n return (\n \n )\n}\n\nexport default AppStoreUrlFormField\n","export const POPOVER_PROPS_LIST = [\n 'animation',\n 'children',\n 'container',\n 'content',\n 'delay',\n 'html',\n 'onHidden',\n 'onHide',\n 'onInserted',\n 'onShow',\n 'onShown',\n 'placement',\n 'sanitize',\n 'sanitizeFn',\n 'selector',\n 'template',\n 'title',\n 'trigger',\n 'viewport'\n]\n","import React from 'react'\n\nimport FormSelect from '../FormSelect/FormSelect'\n\nimport { objectOfAttributionProviders } from '../../utils/customPropTypes'\n\nconst renderer = attributionProvider => (\n \n
\n {attributionProvider.name}\n \n)\n\nconst AttributionProviderSelect = ({ attributionProviders }) => (\n \n)\n\nAttributionProviderSelect.propTypes = {\n attributionProviders: objectOfAttributionProviders.isRequired\n}\n\nexport default AttributionProviderSelect\n","export const SELECT_PROPS_LIST = [\n 'allSelectLabel',\n 'alphabetize',\n 'description',\n 'menuHeader',\n 'menuItemRenderer',\n 'multiple',\n 'saveOnSelect',\n 'searchPlaceholder',\n 'searchable',\n 'selectButtonLabel',\n 'selectButtonValueRenderer',\n 'selectMenuClassName'\n]\n","import React from 'react'\nimport { isUndefined } from 'lodash'\n\nimport AppBasicFormFields from './AppBasicFormFields'\nimport AppStoreUrlFormField from './AppStoreUrlFormField'\nimport AppDestinationUrlFormField from './AppDestinationUrlFormField'\nimport AttributionProviderSelect from './AttributionProviderSelect'\nimport Form from '../Form/Form'\nimport FormSubmitButton from '../FormSubmitButton/FormSubmitButton'\nimport HasAppStoreUrlRadioField from './HasAppStoreUrlRadioField'\nimport PlatformSelect from './PlatformSelect'\nimport UsesTenjinSdkRadioField from './UsesTenjinSdkRadioField'\n\nimport useAttributionProviderChangeEffect from './hooks/useAttributionProviderChangeEffect'\nimport usePlatformChangeEffect from './hooks/usePlatformChangeEffect'\nimport usePrevious from '../../hooks/usePrevious'\nimport useShowingAppStoreUrlInputChangeEffect from './hooks/useShowingAppStoreUrlInputChangeEffect'\n\nimport {\n formikInjectedPropTypes, objectOfAttributionProviders, objectOfPlatforms\n} from '../../utils/customPropTypes'\nimport { TENJIN_ATTRIBUTION_PROVIDER_ID } from '../../utils/constants'\nimport { isPresent } from '../../utils/helpers'\n\nconst BaseForm = props => {\n const {\n attributionProviders, platforms, values\n } = props\n const {\n attributionProviderId, platform: platformId, showingAppStoreUrlInput\n } = values\n\n const platform = platforms[platformId]\n\n const prevPlatformId = usePrevious(platformId)\n usePlatformChangeEffect(platforms, platformId, prevPlatformId)\n\n useAttributionProviderChangeEffect(attributionProviderId)\n\n const prevShowingAppStoreUrlInput = usePrevious(showingAppStoreUrlInput)\n useShowingAppStoreUrlInputChangeEffect(showingAppStoreUrlInput, prevShowingAppStoreUrlInput)\n\n const isShowingAppStoreUrlFormField = showingAppStoreUrlInput\n && (isUndefined(platform) || platform.searchable)\n\n const showDestinationUrlFormField = !isShowingAppStoreUrlFormField\n && (isUndefined(platform) || platform.customDestinationUrl)\n\n const showAttributionProviderOption = !showDestinationUrlFormField\n\n const isShowingTenjinSdkRadioField = isPresent(attributionProviderId)\n && attributionProviderId !== TENJIN_ATTRIBUTION_PROVIDER_ID\n return (\n \n )\n}\n\nBaseForm.propTypes = {\n ...formikInjectedPropTypes,\n attributionProviders: objectOfAttributionProviders.isRequired,\n platforms: objectOfPlatforms.isRequired\n}\n\nexport default BaseForm\n","import React from 'react'\n\nimport FormRadioToggle from '../FormRadioToggle/FormRadioToggle'\n\nconst HasAppStoreUrlRadioField = () => (\n \n)\n\nexport default HasAppStoreUrlRadioField\n","import React from 'react'\nimport classNames from 'classnames'\n\nimport FormChipGroup from '../FormChipGroup/FormChipGroup'\nimport FormChip from '../FormChip/FormChip'\nimport PlatformIcon from '../PlatformIcon'\n\nimport { objectOfPlatforms } from '../../utils/customPropTypes'\n\nconst PlatformSelect = ({ platforms }) => {\n const platformKeys = Object.keys(platforms)\n\n return (\n \n {platformKeys.map((platformKey, i) => {\n const { id, name } = platforms[platformKey]\n\n return (\n }\n key={`FormChip-${id}`}\n label={name}\n name=\"platform\"\n value={id}\n />\n )\n })}\n \n )\n}\n\nPlatformSelect.propTypes = {\n platforms: objectOfPlatforms.isRequired\n}\n\nexport default PlatformSelect\n","import React from 'react'\n\nimport FormRadioToggle from '../FormRadioToggle/FormRadioToggle'\n\nconst UsesTenjinSdkRadioField = () => (\n \n)\n\nexport default UsesTenjinSdkRadioField\n","import React, { useEffect } from 'react'\nimport { useFormikContext } from 'formik'\nimport { isNull } from 'lodash'\n\nimport { TENJIN_ATTRIBUTION_PROVIDER_ID } from '../../../utils/constants'\n\nexport default function useAttributionProviderChangeEffect(attributionProviderId) {\n const { setFieldTouched, setFieldValue } = useFormikContext()\n\n useEffect(() => {\n if (isNull(attributionProviderId)) return\n\n if (attributionProviderId.toString() === TENJIN_ATTRIBUTION_PROVIDER_ID) {\n setFieldValue('tenjinSdk', null)\n } else {\n setFieldTouched('tenjinSdk')\n }\n }, [attributionProviderId, setFieldTouched, setFieldValue])\n}\n","import { useEffect } from 'react'\nimport { isNull } from 'lodash'\nimport { useFormikContext } from 'formik'\n\nexport default function usePlatformChangeEffect(platforms, currentPlatform, prevPlatform) {\n const { setFieldTouched, setFieldValue, values } = useFormikContext()\n\n const { showingAppStoreUrlInput } = values\n\n useEffect(() => {\n if (isNull(currentPlatform) || isNull(prevPlatform) || currentPlatform === prevPlatform) return\n\n if (showingAppStoreUrlInput\n && platforms[currentPlatform].searchable\n && !platforms[prevPlatform].searchable) {\n ['bundleId', 'storeName'].forEach(attribute => {\n setFieldValue(attribute, '')\n setFieldTouched(attribute, false)\n })\n } else if (!platforms[currentPlatform].searchable && platforms[prevPlatform].searchable) {\n setFieldValue('storeUrl', '')\n setFieldTouched('storeUrl', false)\n }\n },\n [\n platforms,\n currentPlatform,\n prevPlatform,\n setFieldTouched,\n setFieldValue,\n showingAppStoreUrlInput\n ])\n}\n","import React, { useEffect } from 'react'\nimport { useFormikContext } from 'formik'\n\nexport default function useShowingAppStoreUrlInputChangeEffect(isShowing, prevIsShowing) {\n const { setFieldTouched, setFieldValue } = useFormikContext()\n\n useEffect(() => {\n if (isShowing && !prevIsShowing) {\n ['bundleId', 'storeName'].forEach(attribute => {\n setFieldValue(attribute, '')\n setFieldTouched(attribute, false)\n })\n } else if (!isShowing && prevIsShowing) {\n setFieldValue('storeUrl', '')\n setFieldTouched('storeUrl', false)\n }\n }, [isShowing, prevIsShowing, setFieldTouched, setFieldValue])\n}\n","export const DEFAULT_EXPORT_GRANULARITY = 'totals-daily'\n","import { Fragment, useEffect, useState } from 'react'\nimport classNames from 'classnames'\n\nimport FontAwesomeIcon from '../FontAwesomeIcon'\nimport NavModal from './Modal'\n\nimport styles from './styles.module.scss'\n\nconst Presenter = () => {\n const [isVisible, setIsVisible] = useState(false)\n const [isBtnFocused, setIsBtnFocused] = useState(false)\n\n let icon\n if (isVisible) {\n icon = 'times'\n } else if (isBtnFocused) {\n icon = 'hamburger'\n } else {\n icon = 'bars'\n }\n\n useEffect(() => {\n if (isVisible) {\n document.body.classList.add('u-noScroll')\n } else {\n document.body.classList.remove('u-noScroll')\n }\n }, [isVisible])\n\n return (\n \n \n\n \n \n )\n}\n\nexport default Presenter\n","import React from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport styles from './styles.module.scss'\n\nfunction PageSeparator({ className }) {\n return
\n}\n\nPageSeparator.propTypes = {\n className: PropTypes.string\n}\n\nPageSeparator.defaultProps = {\n className: ''\n}\n\nexport default PageSeparator\n","export const NON_PAID_CHANNEL_IDS = [0, 38]\n","export const METRIC_DEFINITION_KEYS = [\n 'adRevenue',\n 'clicks',\n 'impressions',\n 'ecpm',\n 'ecpc'\n]\n","export const DEFAULT_NEW_TEMPLATE_VALUES = {\n allowMultiple: false,\n eventDefinition: 'open',\n platform: 'ios',\n requiredMacros: ''\n}\n","// eslint-disable-next-line import/prefer-default-export\nexport const API_KEY_BASE_URL = '/dashboard/admin/api_keys/'\n","export const META_AEM_LINK = 'https://docs.tenjin.com/docs/meta'\n","export const SKELETON_ROW_COUNT = 4\n","export const SKELETON_ROW_COUNT = 4\n","// eslint-disable-next-line import/prefer-default-export\nexport const REVOKE_CONFIRMATION_TEXT = 'DELETE'\n","// eslint-disable-next-line import/prefer-default-export\nexport const COPIED_TEXT_DELAY = 2000\n","// eslint-disable-next-line import/prefer-default-export\nexport const API_KEY_NAME_MAX_LENGTH = 255\n","import { Fragment } from 'react'\nimport PropTypes from 'prop-types'\nimport Skeleton from 'react-loading-skeleton'\nimport { isNumber } from 'lodash'\n\nimport { CAMPAIGN_ROW_SKELETON_HEIGHT } from './constants'\n\nconst CampaignRowsSkeleton = ({ height }) => (\n \n \n \n \n \n)\n\nCampaignRowsSkeleton.propTypes = {\n height: PropTypes.number\n}\n\nCampaignRowsSkeleton.defaultProps = {\n height: null\n}\n\nexport default CampaignRowsSkeleton\n","export const NUM_VISIBLE_MONTHS_IN_PICKER = 2\n","import { Fragment } from 'react'\nimport styles from './styles.module.scss'\nimport ExporterPreviewTable from './ExporterPreviewTable'\nimport ExporterActions from './ExporterActions'\n\nconst Presenter = () => (\n \n \n \n \n)\n\nexport default Presenter\n","// eslint-disable-next-line import/prefer-default-export\nexport const PAGE_SIZE_OPTIONS = [\n { label: '25', value: 25 },\n { label: '50', value: 50 },\n { label: '100', value: 100 },\n { label: '200', value: 200 },\n { label: '400', value: 400 },\n { label: '800', value: 800 },\n { label: '1600', value: 1600 }\n]\n","export const TOOLTIP_DELAY_IN_S = 0.5\n","export const MAX_MENU_HEIGHT = 400\n","// eslint-disable-next-line import/prefer-default-export\nexport const GROUP_BY_MULTISELECT_LABEL_SPLIT_COUNT = 2\n","import { Fragment } from 'react'\nimport ConversionValueHistogram from '../../ConversionValueHistogram'\nimport GroupedSummaryTable from '../../GroupedSummaryTable'\nimport KPICards from './KPICards'\nimport styles from './styles.module.scss'\n\nconst Presenter = () => (\n \n \n \n \n \n)\n\nexport default Presenter\n","import * as Yup from 'yup'\nimport { isUndefined } from 'lodash'\n\nimport { TENJIN_ATTRIBUTION_PROVIDER_ID } from '../utils/constants'\nimport { INVALID_FORMAT_TEXT, REQUIRED_TEXT } from './shared'\n\nconst requiredStringIfNoAppStoreValidation = platforms => (\n Yup.string()\n .when(['platform', 'showingAppStoreUrlInput'],\n (platform, showingAppStoreUrlInput, schema) => {\n const platformDetails = platforms[platform]\n\n if (!showingAppStoreUrlInput || (platformDetails && !platformDetails.searchable)) {\n return schema.required(REQUIRED_TEXT)\n }\n\n return schema\n })\n)\n\nconst appStoreUrlValidation = platforms => (\n Yup.string()\n .when(['platform', 'showingAppStoreUrlInput'],\n (platform, showingAppStoreUrlInput, schema) => {\n const platformDetails = platforms[platform]\n\n if (showingAppStoreUrlInput) {\n if (platformDetails && platformDetails.searchable) {\n return schema.matches(platformDetails.appStore.urlRegex, INVALID_FORMAT_TEXT)\n .required(REQUIRED_TEXT)\n }\n\n if (isUndefined(platformDetails) || platformDetails.searchable) {\n return schema.required(REQUIRED_TEXT)\n }\n }\n\n return schema\n })\n)\n\nconst destinationUrlValidation = platforms => (\n Yup.string()\n .when(['platform'],\n (platform, schema) => {\n const platformDetails = platforms[platform]\n \n if (platformDetails && platformDetails.customDestinationUrl) {\n return schema.matches(platformDetails.appStore.urlRegex, INVALID_FORMAT_TEXT)\n .required(REQUIRED_TEXT) \n }\n\n return schema\n })\n)\n\nconst tenjinSdkValidation = Yup.mixed()\n .oneOf([true, false, null])\n .when('attributionProviderId',\n (attributionProviderId, schema) => {\n if (attributionProviderId.toString() !== TENJIN_ATTRIBUTION_PROVIDER_ID) {\n return schema.required(REQUIRED_TEXT)\n }\n\n return schema\n })\n\nconst buildAppValidationSchema = platforms => (\n Yup.object().shape({\n attributionProviderId: Yup.string().required(REQUIRED_TEXT),\n bundleId: requiredStringIfNoAppStoreValidation(platforms),\n platform: Yup.mixed().oneOf(Object.keys(platforms), REQUIRED_TEXT),\n showingAppStoreUrlInput: Yup.bool(),\n storeName: requiredStringIfNoAppStoreValidation(platforms),\n storeUrl: appStoreUrlValidation(platforms),\n destinationUrl: destinationUrlValidation(platforms),\n tenjinSdk: tenjinSdkValidation\n })\n)\n\nexport default buildAppValidationSchema\n","import { withFormik } from 'formik'\n\nimport BaseCreateAppForm from './BaseForm'\n\nimport buildAppValidationSchema from '../../validators/app'\nimport {\n APP_CREATE_CONFLICT_MSG, APP_CREATE_FAIL_MSG, APP_CREATE_SUCCESS_MSG,\n NETWORK_ERROR, TENJIN_ATTRIBUTION_PROVIDER_ID, TRY_AGAIN_MSG\n} from '../../utils/constants'\nimport {\n displayErrorMessage, displayInfoMessage, displaySuccessMessage\n} from '../../utils/toastNotifications'\nimport {\n handleConflictResponse, handleNetworkErrorResponse, handleUnauthorizedResponse,\n handleUnprocessableEntityResponse\n} from '../../utils/response'\n\nconst CreateAppForm = withFormik({\n handleSubmit: (values, actions) => {\n if (actions.isSubmitting) return\n\n const { onSubmit } = actions.props\n\n onSubmit(values)\n .then(response => {\n displaySuccessMessage(APP_CREATE_SUCCESS_MSG, {\n autoClose: 3500,\n closeButton: false,\n closeOnClick: false,\n hideProgressBar: true,\n onClose: () => { window.location.href = response.data.links.self },\n pauseOnFocusLoss: false,\n pauseOnHover: false\n })\n })\n .catch(error => {\n if (error.message === NETWORK_ERROR) {\n actions.setSubmitting(false)\n handleNetworkErrorResponse()\n } else if (error.response.status === 401) {\n handleUnauthorizedResponse()\n } else if (error.response.status === 409) {\n const { errors } = error.response.data\n\n displayInfoMessage(`${errors[0].detail} ${APP_CREATE_CONFLICT_MSG}`, {\n autoClose: 3500,\n closeButton: false,\n closeOnClick: false,\n hideProgressBar: true,\n onClose: () => handleConflictResponse(error),\n pauseOnFocusLoss: false,\n pauseOnHover: false\n })\n } else if (error.response.status === 422) {\n actions.setSubmitting(false)\n displayErrorMessage(APP_CREATE_FAIL_MSG)\n handleUnprocessableEntityResponse(error, actions.setErrors)\n } else {\n actions.setSubmitting(false)\n displayErrorMessage(TRY_AGAIN_MSG)\n throw (error) // let Honeybadger handle the exception\n }\n })\n },\n\n mapPropsToValues: () => ({\n attributionProviderId: TENJIN_ATTRIBUTION_PROVIDER_ID,\n bundleId: '',\n destinationUrl: '',\n platform: null,\n showingAppStoreUrlInput: true,\n storeName: '',\n storeUrl: '',\n tenjinSdk: null\n }),\n\n validateOnMount: false,\n\n validationSchema: ({ platforms }) => buildAppValidationSchema(platforms)\n})(BaseCreateAppForm)\n\nexport default CreateAppForm\n","import {\n createContext,\n useContext,\n useReducer\n} from 'react'\nimport { isUndefined } from 'lodash'\n\nconst StateContext = createContext()\n\nconst reducer = state => state\n\n/* eslint-disable react/prop-types */\nexport const HealthProvider = ({\n children,\n unlinkedCampaignsAndAdPlacementsCount,\n}) => {\n const [state] = useReducer(reducer, { unlinkedCampaignsAndAdPlacementsCount })\n\n return (\n \n {children}\n \n )\n}\n/* eslint-enable react/prop-types */\n\nexport const useHealthState = () => {\n const context = useContext(StateContext)\n\n if (isUndefined(context)) {\n throw new Error('useHealthState must be used within a healthProvider')\n }\n\n return context\n}\n","import { useEffect, useRef } from 'react'\n\nexport default function useDidUpdateEffect({ dependencies, onEffect }) {\n const didMountRef = useRef(false)\n\n useEffect(() => {\n if (didMountRef.current) {\n onEffect()\n } else {\n didMountRef.current = true\n }\n }, dependencies)\n}\n","import React, { useCallback, useEffect, useState } from 'react'\nimport PropTypes from 'prop-types'\nimport classNames from 'classnames'\n\nimport FontAwesomeIcon from '../FontAwesomeIcon'\nimport PaginatorInfo from '../PaginatorInfo/PaginatorInfo'\nimport PaginatorItem from '../PaginatorItem/PaginatorItem'\nimport PaginatorNextItem from '../PaginatorNextItem/PaginatorNextItem'\nimport PaginatorPreviousItem from '../PaginatorPreviousItem/PaginatorPreviousItem'\n\nimport { MORE_PAGES } from './constants'\nimport { buildPageNumbersList } from './utils'\n\nimport styles from './styles.module.scss'\n\nconst Paginator = props => {\n const {\n currentPage: initialCurrentPageProp, listClassName, navClassName, onPageChange, pageLimit,\n totalCount, totalPages\n } = props\n\n const [currentPage, setCurrentPage] = useState(initialCurrentPageProp)\n\n const [\n pageNumbers,\n setPageNumbers\n ] = useState(buildPageNumbersList({ currentPage, totalPages }))\n\n useEffect(() => {\n onPageChange(currentPage, pageLimit)\n }, [currentPage, pageLimit])\n\n useEffect(() => {\n setPageNumbers(buildPageNumbersList({ currentPage, totalPages }))\n }, [currentPage, buildPageNumbersList, setPageNumbers, totalPages])\n\n const handleClick = useCallback(page => {\n setCurrentPage(page)\n }, [currentPage, setCurrentPage])\n\n const renderPaginatorItem = ({ enabled = true, index, pageNumber }) => {\n if (pageNumber === MORE_PAGES) {\n return (\n \n \n \n )\n }\n\n const className = classNames({\n active: currentPage === pageNumber && enabled,\n disabled: !enabled\n })\n\n return (\n \n {pageNumber}\n \n )\n }\n\n const renderPaginatorItems = useCallback(() => (\n <>\n \n {pageNumbers.map((pageNumber, index) => renderPaginatorItem({ index, pageNumber }))}\n \n >\n ), [currentPage, handleClick, pageNumbers, totalPages])\n\n const pageNumbersExist = pageNumbers.length > 0\n\n return (\n \n )\n}\n\nPaginator.propTypes = {\n currentPage: PropTypes.number.isRequired,\n listClassName: PropTypes.oneOfType([\n PropTypes.arrayOf(PropTypes.string),\n PropTypes.string\n ]),\n navClassName: PropTypes.oneOfType([\n PropTypes.arrayOf(PropTypes.string),\n PropTypes.string\n ]),\n onPageChange: PropTypes.func.isRequired,\n pageLimit: PropTypes.number.isRequired,\n totalCount: PropTypes.number.isRequired,\n totalPages: PropTypes.number.isRequired\n}\n\nPaginator.defaultProps = {\n listClassName: '',\n navClassName: ''\n}\n\nexport default Paginator\n","import React from 'react'\nimport PropTypes from 'prop-types'\n\nimport { DEFAULT_TEMPLATE, EVENTS } from './constants'\n\n// https://getbootstrap.com/docs/3.4/javascript/#tooltips\nclass Tooltip extends React.Component {\n constructor(props) {\n super(props)\n\n this.tooltipRef = React.createRef()\n }\n\n componentDidMount() {\n $(this.tooltipRef.current).tooltip(this.getTooltipOptions())\n this.attachEventHandlers()\n }\n\n componentDidUpdate(prevProps) {\n const { title } = this.props\n\n if (prevProps.title !== title) {\n $(this.tooltipRef.current).attr('title', title).tooltip('fixTitle')\n }\n }\n\n componentWillUnmount() {\n $(this.tooltipRef.current).tooltip('destroy')\n this.detachEventHandlers()\n }\n\n getTooltipOptions() {\n const {\n animation,\n container,\n delay,\n html,\n placement,\n sanitize,\n sanitizeFn,\n selector,\n template,\n title,\n trigger,\n viewport\n } = this.props\n\n return {\n animation,\n container,\n delay,\n html,\n placement,\n sanitize,\n sanitizeFn,\n selector,\n template,\n title,\n trigger,\n viewport\n }\n }\n\n attachEventHandlers() {\n EVENTS.forEach(event => {\n const { [event[1]]: eventHandler } = this.props\n\n $(this.tooltipRef.current).on(event[0], eventHandler)\n })\n }\n\n detachEventHandlers() {\n EVENTS.forEach(event => {\n $(this.tooltipRef.current).off(event[0])\n })\n }\n\n render() {\n const { children } = this.props\n\n return React.cloneElement(React.Children.only(children), { ref: this.tooltipRef })\n }\n}\n\nTooltip.propTypes = {\n animation: PropTypes.bool,\n children: PropTypes.node.isRequired,\n container: PropTypes.oneOfType([PropTypes.oneOf([false]), PropTypes.string]),\n delay: PropTypes.oneOfType([\n PropTypes.number,\n PropTypes.shape({\n show: PropTypes.number,\n hide: PropTypes.number\n })\n ]),\n html: PropTypes.bool,\n onHidden: PropTypes.func,\n onHide: PropTypes.func,\n onInserted: PropTypes.func,\n onShow: PropTypes.func,\n onShown: PropTypes.func,\n placement: PropTypes.oneOf(['top', 'bottom', 'left', 'right', 'auto']),\n sanitize: PropTypes.bool,\n sanitizeFn: PropTypes.func,\n selector: PropTypes.oneOfType([PropTypes.oneOf([false]), PropTypes.string]),\n template: PropTypes.string,\n title: PropTypes.oneOfType([PropTypes.string, PropTypes.func]),\n trigger: PropTypes.string,\n viewport: PropTypes.shape({ padding: PropTypes.number, select: PropTypes.string })\n}\n\nTooltip.defaultProps = {\n animation: true,\n container: false,\n delay: 0,\n html: false,\n onHidden: () => {},\n onHide: () => {},\n onInserted: () => {},\n onShow: () => {},\n onShown: () => {},\n placement: 'top',\n sanitize: true,\n sanitizeFn: null,\n selector: false,\n template: DEFAULT_TEMPLATE,\n title: '',\n trigger: 'hover focus',\n viewport: null\n}\n\nexport default Tooltip\n","// extracted by mini-css-extract-plugin\nmodule.exports = {\"google-oauth-button\":\"styles-module__google-oauth-button___2LrHr\",\"amazon-oauth-button\":\"styles-module__amazon-oauth-button___2jSOM\",\"btn-toggle\":\"styles-module__btn-toggle___3oEQW\",\"handle\":\"styles-module__handle___1Rrc9\",\"active\":\"styles-module__active___13At6\",\"focus\":\"styles-module__focus___3OgEK\",\"card-panel\":\"styles-module__card-panel___39EPY\",\"panel-heading\":\"styles-module__panel-heading___AUJR9\",\"panel-title\":\"styles-module__panel-title___3sAWy\",\"panel-subtitle\":\"styles-module__panel-subtitle___2IJS8\",\"panel-body\":\"styles-module__panel-body___2fBHD\",\"th\":\"styles-module__th___3S4HC\"};","import { getQueryURLForDataExporterV1 } from './helpers'\n\ndescribe('getQueryURLForDataExporterV1', () => {\n it('should build valid url when search exists', () => {\n const input = {\n location: {\n search: '?a=b&report_type=test'\n },\n params: {\n metrics: ['x', 'y']\n }\n }\n\n expect(getQueryURLForDataExporterV1(input))\n .toBe('/dashboard/data_exporter?a=b&report_type=test&metrics=x%2Cy')\n })\n\n it('should build valid url when search does not exist', () => {\n const input = {\n location: {},\n params: {\n metrics: ['x', 'y']\n }\n }\n\n expect(getQueryURLForDataExporterV1(input))\n .toBe('/dashboard/data_exporter?metrics=x%2Cy&report_type=user_acquisition')\n })\n\n it('should prepend ? to url if missing in search', () => {\n const input = {\n location: {\n search: 'a=b&report_type=test'\n },\n params: {\n metrics: ['x', 'y']\n }\n }\n\n expect(getQueryURLForDataExporterV1(input))\n .toBe('/dashboard/data_exporter?a=b&report_type=test&metrics=x%2Cy')\n })\n\n it('should add User Acquisition report type if none provided in search', () => {\n const input = {\n location: {\n search: '?a=b'\n },\n params: {\n metrics: ['x', 'y']\n }\n }\n\n expect(getQueryURLForDataExporterV1(input))\n .toBe('/dashboard/data_exporter?a=b&metrics=x%2Cy&report_type=user_acquisition')\n })\n})\n","import React from 'react'\nimport renderer from 'react-test-renderer'\nimport Footer from './index'\n\nit('renders correctly', () => {\n const tree = renderer\n .create()\n .toJSON()\n expect(tree).toMatchSnapshot()\n})\n","import { METRIC_CATEGORY } from '../../../../contexts/MetricDefinitions/constants'\n\nimport { isNewMetric } from './helpers'\n\njest.mock('../../../../contexts/MetricDefinitions/constants', () => ({\n METRIC_CATEGORY: {\n new: { id: 'new' },\n NEW: { id: 'new' }\n }\n}))\n\ndescribe(\"isNewMetric\", () => {\n describe(\"when metricDefinition contains the NEW category\", () => {\n it(\"returns true\", () => {\n const metricDefinition = { categories: [METRIC_CATEGORY.NEW, \"other\"] };\n expect(isNewMetric(metricDefinition)).toBe(true);\n });\n });\n\n describe(\"when metricDefinition does not contain the NEW category\", () => {\n it(\"returns false\", () => {\n const metricDefinition = { categories: [\"other\"] };\n expect(isNewMetric(metricDefinition)).toBe(false);\n });\n });\n\n describe(\"when metricDefinition has an empty categories array\", () => {\n it(\"returns false\", () => {\n const metricDefinition = { categories: [] };\n expect(isNewMetric(metricDefinition)).toBe(false);\n });\n });\n});\n","import { isMatchedBySearch, sortMetricsAlphabeticallyWithXDay } from './helpers'\n\ndescribe('isMatchedBySearch', () => {\n const exampleDefinitions = {\n totalArpu: {\n components: {\n tooltip: {\n title: 'Total Revenue per Daily Active Users'\n }\n },\n key: 'totalArpu',\n displayName: 'Total Revenue per Daily Active Users',\n abbreviatedName: 'Total ARPDAU',\n keywords: 'arpdau'\n },\n cpm: {\n key: 'cpm',\n displayName: 'Cost-Per-1000-Impressions (CPM)',\n abbreviatedName: 'CPM',\n keywords: 'cost mille thousand'\n }\n }\n\n describe('when searchText matches a property inside the definition', () => {\n it('returns true', () => {\n expect(\n isMatchedBySearch({\n metricDefinition: exampleDefinitions.totalArpu,\n searchText: 'ARPDAU'\n })\n ).toBeTruthy()\n\n expect(\n isMatchedBySearch({\n metricDefinition: exampleDefinitions.totalArpu,\n searchText: 'rEvEnuE'\n })\n ).toBeTruthy()\n\n expect(\n isMatchedBySearch({\n metricDefinition: exampleDefinitions.totalArpu,\n searchText: 'Daily'\n })\n ).toBeTruthy()\n\n expect(\n isMatchedBySearch({\n metricDefinition: exampleDefinitions.cpm,\n searchText: 'thousand'\n })\n ).toBeTruthy()\n\n expect(\n isMatchedBySearch({\n metricDefinition: exampleDefinitions.cpm,\n searchText: 'mille'\n })\n ).toBeTruthy()\n\n expect(\n isMatchedBySearch({\n metricDefinition: exampleDefinitions.cpm,\n searchText: 'cpm'\n })\n ).toBeTruthy()\n })\n })\n\n describe('when searchText does not match a property inside the definition', () => {\n it('returns false', () => {\n expect(\n isMatchedBySearch({\n metricDefinition: exampleDefinitions.totalArpu,\n searchText: 'spend'\n })\n ).toBeFalsy()\n\n expect(\n isMatchedBySearch({\n metricDefinition: exampleDefinitions.cpm,\n searchText: 'million'\n })\n ).toBeFalsy()\n\n expect(\n isMatchedBySearch({\n metricDefinition: exampleDefinitions.cpm,\n searchText: ''\n })\n ).toBeFalsy()\n })\n })\n\n describe('when arguments are null or empty', () => {\n it('returns false', () => {\n expect(\n isMatchedBySearch({\n metricDefinition: null,\n searchText: 'a'\n })\n ).toBeFalsy()\n\n expect(\n isMatchedBySearch({\n metricDefinition: exampleDefinitions.x,\n searchText: 'b'\n })\n ).toBeFalsy()\n\n expect(\n isMatchedBySearch({\n metricDefinition: exampleDefinitions.cpm,\n searchText: ''\n })\n ).toBeFalsy()\n })\n })\n})\n\ndescribe('sortMetricsAlphabeticallyWithXDay', () => {\n describe('when given metrics with numeric prefixes', () => {\n it('sorts by numeric part correctly', () => {\n const metrics = [\n { name: '10day Cost' },\n { name: '2day Cost' },\n { name: '1day Cost' }\n ]\n\n const sortedMetrics = metrics.sort(sortMetricsAlphabeticallyWithXDay)\n\n expect(sortedMetrics).toEqual([\n { name: '1day Cost' },\n { name: '2day Cost' },\n { name: '10day Cost' }\n ])\n })\n })\n\n describe('when numbers are equal or absent', () => {\n it('sorts alphabetically when numbers are equal or absent', () => {\n const metrics = [\n { name: 'Retention at 2day' },\n { name: 'Retention at 1day' },\n { name: 'Retention Summary' }\n ]\n\n const sortedMetrics = metrics.sort(sortMetricsAlphabeticallyWithXDay)\n\n expect(sortedMetrics).toEqual([\n { name: 'Retention Summary' },\n { name: 'Retention at 1day' },\n { name: 'Retention at 2day' }\n ])\n })\n })\n\n describe('when mixed cases with and without numbers', () => {\n it('sorts correctly in groups', () => {\n const metrics = [\n { name: '10day Cost' },\n { name: 'Retention at 2day' },\n { name: '0day ROI' },\n { name: 'Retention at 4day' },\n { name: '4day ROI' },\n { name: '1day Cost' },\n { name: '2day ROI' },\n { name: 'Retention Summary' }\n ]\n\n const sortedMetrics = metrics.sort(sortMetricsAlphabeticallyWithXDay)\n\n expect(sortedMetrics).toEqual([\n { name: 'Retention Summary' },\n { name: '1day Cost' },\n { name: '10day Cost' },\n { name: '0day ROI' },\n { name: '2day ROI' },\n { name: '4day ROI' },\n { name: 'Retention at 2day' },\n { name: 'Retention at 4day' }\n ])\n })\n })\n\n describe('when without numbers after items with numbers', () => {\n it('places items without numbers before items with numbers', () => {\n const metrics = [\n { name: 'Summary' },\n { name: 'Retention at 2day' },\n { name: 'Retention at 10day' }\n ]\n\n const sortedMetrics = metrics.sort(sortMetricsAlphabeticallyWithXDay)\n\n expect(sortedMetrics).toEqual([\n { name: 'Summary' },\n { name: 'Retention at 2day' },\n { name: 'Retention at 10day' }\n ])\n })\n })\n\n describe('when empty array', () => {\n it('handles an empty array gracefully', () => {\n const metrics = []\n\n const sortedMetrics = metrics.sort(sortMetricsAlphabeticallyWithXDay)\n\n expect(sortedMetrics).toEqual([])\n })\n })\n\n describe('when a single element', () => {\n it('handles arrays with a single element gracefully', () => {\n const metrics = [{ name: '1day Cost' }]\n\n const sortedMetrics = metrics.sort(sortMetricsAlphabeticallyWithXDay)\n\n expect(sortedMetrics).toEqual([{ name: '1day Cost' }])\n })\n })\n})\n","import { isCompatibleWithUAMetrics } from './helpers'\n\ndescribe('isCompatibleWithUAMetrics', () => {\n describe('when groupBy is empty', () => {\n it('returns false', () => {\n expect(isCompatibleWithUAMetrics(null)).toBeFalsy()\n })\n it('returns false', () => {\n expect(isCompatibleWithUAMetrics(undefined)).toBeFalsy()\n })\n })\n describe('when groupBy is not empty', () => {\n describe('when groupBy is in OVERLAP_GROUP_BY_IDS', () => {\n describe('when groupBy is ad_network_id', () => {\n it('returns true', () => {\n expect(isCompatibleWithUAMetrics('ad_network_id')).toBeTruthy()\n })\n })\n describe('when groupBy is campaign_id', () => {\n it('returns true', () => {\n expect(isCompatibleWithUAMetrics('campaign_id')).toBeTruthy()\n })\n })\n })\n describe('when groupBy is not in OVERLAP_GROUP_BY_IDS', () => {\n it('returns false', () => {\n expect(isCompatibleWithUAMetrics('example_incompatible_id')).toBeFalsy()\n })\n })\n })\n})\n","import { isV4CompatibleEndpoint, isSummaryEndpoint, flattenSummaryDataFromQueries } from './helpers'\n\ndescribe('isV4CompatibleEndpoint', () => {\n describe('when is compatible with v4 endpoint', () => {\n it('returns true', () => {\n expect(isV4CompatibleEndpoint('groupedStats')).toBeTruthy()\n })\n it('returns true', () => {\n expect(isV4CompatibleEndpoint('summary')).toBeTruthy()\n })\n it('returns true', () => {\n expect(isV4CompatibleEndpoint('adRevenue')).toBeTruthy()\n })\n it('returns true', () => {\n expect(isV4CompatibleEndpoint('adRevenueSummary')).toBeTruthy()\n })\n })\n describe('when is not compatible with v4 endpoint', () => {\n it('returns false', () => {\n expect(isV4CompatibleEndpoint('asdf')).toBeFalsy()\n })\n it('returns false', () => {\n expect(isV4CompatibleEndpoint('cohort')).toBeFalsy()\n })\n })\n})\n\ndescribe('isSummaryEndpoint', () => {\n describe('when is summary endpoint', () => {\n it('returns true', () => {\n expect(isSummaryEndpoint('adRevenueSummary')).toBeTruthy()\n })\n it('returns true', () => {\n expect(isSummaryEndpoint('summary')).toBeTruthy()\n })\n })\n describe('when is not summary endpoint', () => {\n it('returns false', () => {\n expect(isSummaryEndpoint('groupedStats')).toBeFalsy()\n })\n it('returns false', () => {\n expect(isSummaryEndpoint('adRevenue')).toBeFalsy()\n })\n })\n})\n\ndescribe('flattenSummaryDataFromQueries', () => {\n describe('when data is in the top level of the returned query response', () => {\n it('returns a valid flattened object', () => {\n const example = [\n { data: { a: 1 } },\n { data: { b: 2 } }\n ]\n\n const result = { a: 1, b: 2 }\n\n expect(flattenSummaryDataFromQueries(example)).toEqual(result)\n })\n })\n describe('when data is one layer deep into the returned query response', () => {\n it('returns a valid flattened object', () => {\n const example = [\n { data: { 0: { a: 1 } } },\n { data: { 0: { b: 2 } } }\n ]\n\n const result = { a: 1, b: 2 }\n\n expect(flattenSummaryDataFromQueries(example)).toEqual(result)\n })\n })\n describe('when data does not exist', () => {\n it('returns an empty object', () => {\n const example = null\n\n const result = {}\n\n expect(flattenSummaryDataFromQueries(example)).toEqual(result)\n })\n })\n})\n","import { getDefaultOnboardingPopupStatus } from './helpers'\n\ndescribe('getDefaultOnboardingPopupStatus', () => {\n it('returns true if userSettings is missing \"onboarding.popup\"', () => {\n const userSettings = {}\n\n const result = getDefaultOnboardingPopupStatus(userSettings)\n\n expect(result).toBe(true)\n })\n\n it('returns true if userSettings.onboarding.popup is \"enabled\"', () => {\n const userSettings = {\n onboarding: {\n popup: 'enabled',\n },\n }\n\n const result = getDefaultOnboardingPopupStatus(userSettings)\n\n expect(result).toBe(true)\n })\n\n it('returns false if userSettings.onboarding.popup is not \"enabled\"', () => {\n const userSettings = {\n onboarding: {\n popup: 'disabled',\n },\n }\n\n const result = getDefaultOnboardingPopupStatus(userSettings)\n\n expect(result).toBe(false)\n })\n\n it('returns false if userSettings has \"onboarding.popup\" but it is not \"enabled\"', () => {\n const userSettings = {\n onboarding: {\n popup: 'otherValue',\n },\n }\n\n const result = getDefaultOnboardingPopupStatus(userSettings)\n\n expect(result).toBe(false)\n })\n\n it('returns false if userSettings is null', () => {\n const userSettings = null\n\n const result = getDefaultOnboardingPopupStatus(userSettings)\n\n expect(result).toBe(false)\n })\n})\n","import { getPercentageByValue } from './helpers';\n\ndescribe('getPercentageByValue', () => {\n it('returns \"12.35%\" for 0.12345', () => {\n expect(getPercentageByValue(0.12345)).toBe('12.35%');\n });\n\n it('returns \"10%\" for 0.1', () => {\n expect(getPercentageByValue(0.1)).toBe('10%');\n });\n\n it('returns \"0.00%\" for 0', () => {\n expect(getPercentageByValue(0)).toBe('0%');\n });\n\n it('returns \"1%\" for 1', () => {\n expect(getPercentageByValue(1)).toBe('1%');\n });\n\n it('handles negative values correctly', () => {\n expect(getPercentageByValue(-0.12345)).toBe('-12.35%');\n });\n\n it('handles values greater than 1 correctly', () => {\n expect(getPercentageByValue(1.2345)).toBe('123.45%');\n });\n\n it('returns \"40%\" for 40', () => {\n expect(getPercentageByValue(40)).toBe('40%');\n });\n\n it('returns \"100%\" for 100', () => {\n expect(getPercentageByValue(100)).toBe('100%');\n });\n\n it('returns \"-40%\" for -40', () => {\n expect(getPercentageByValue(-40)).toBe('-40%');\n });\n});\n","import { isBlankValue } from './helpers'\n\ndescribe('isBlankValue', () => {\n describe('when value is null', () => {\n it('returns true', () => {\n expect(isBlankValue(null)).toBeTruthy()\n })\n })\n describe('when value is undefined', () => {\n it('returns true', () => {\n expect(isBlankValue(undefined)).toBeTruthy()\n })\n })\n describe('when value is number', () => {\n describe('when value is 0', () => {\n it('returns true', () => {\n expect(isBlankValue(0)).toBeTruthy()\n })\n })\n describe('when value is 1', () => {\n it('returns false', () => {\n expect(isBlankValue(1)).toBeFalsy()\n })\n })\n })\n describe('when value is string', () => {\n describe('when value is blank', () => {\n it('returns true', () => {\n expect(isBlankValue('')).toBeTruthy()\n })\n })\n describe('when value is not blank', () => {\n it('returns false', () => {\n expect(isBlankValue('asdf')).toBeFalsy()\n })\n })\n })\n})\n","import React from 'react'\nimport renderer from 'react-test-renderer'\nimport ReportingDataMetricValueDisplay from './index'\n\nit('renders correctly', () => {\n const tree = renderer\n .create()\n .toJSON()\n expect(tree).toMatchSnapshot()\n})\n","import { getRestrictedDateRange } from './helpers';\nimport { ONE_YEAR_IN_MILLISECONDS } from './constants'\n\ndescribe('getRestrictedDateRange', () => {\n it('returns the same date range if within one year', () => {\n const startDate = new Date('2023-01-01');\n const endDate = new Date('2023-02-01');\n const dateRange = { startDate, endDate };\n\n const result = getRestrictedDateRange(dateRange);\n\n expect(result).toEqual(dateRange);\n });\n\n it('restricts the date range to one year if it exceeds one year', () => {\n const startDate = new Date('2023-01-01');\n const endDate = new Date('2024-02-01');\n const dateRange = { startDate, endDate };\n\n const result = getRestrictedDateRange(dateRange);\n\n const expectedEndDate = new Date(startDate.getTime() + ONE_YEAR_IN_MILLISECONDS);\n const expectedRestrictedRange = { startDate, endDate: expectedEndDate };\n\n expect(result).toEqual(expectedRestrictedRange);\n });\n\n it('works with date ranges less than one day', () => {\n const startDate = new Date('2023-01-01');\n const endDate = new Date('2023-01-01');\n const dateRange = { startDate, endDate };\n\n const result = getRestrictedDateRange(dateRange);\n\n expect(result).toEqual(dateRange);\n });\n});\n","import { hasSelectedAllVisibleItems } from './helpers'\n\ndescribe('hasSelectedAllVisibleItems', () => {\n const visibleMetrics = [{ id: 'spend' }]\n const key = 'id'\n\n it('should return true for identical lists', () => {\n const selectedMetrics = [ 'spend' ]\n const options = { key: key, visibleItems: visibleMetrics, selectedKeys: selectedMetrics }\n expect(hasSelectedAllVisibleItems(options)).toBeTruthy()\n });\n\n it('should use `id` as default key', () => {\n const selectedMetrics = [ 'spend' ]\n const options = { visibleItems: visibleMetrics, selectedKeys: selectedMetrics }\n expect(hasSelectedAllVisibleItems(options)).toBeTruthy()\n });\n\n it('should return false if lists differ', () => {\n const selectedMetrics = [ 'reporting' ]\n const options = { key: key, visibleItems: visibleMetrics, selectedKeys: selectedMetrics }\n expect(hasSelectedAllVisibleItems(options)).toBeFalsy()\n });\n\n it('should return false if lists differ', () => {\n const selectedMetrics = [ 'spend', 'reporting' ]\n const options = { key: key, visibleItems: visibleMetrics, selectedKeys: selectedMetrics }\n expect(hasSelectedAllVisibleItems(options)).toBeFalsy()\n });\n});\n","import React from 'react'\nimport { Formik } from 'formik'\n\n// Components - alphabetized\nimport BackLink from '../BackLink'\nimport Chip from '../Chip'\nimport FontAwesomeIcon from '../FontAwesomeIcon'\nimport Form from '../Form/Form'\nimport FormChip from '../FormChip/FormChip'\nimport FormChipGroup from '../FormChipGroup/FormChipGroup'\nimport FormSelect from '../FormSelect/FormSelect'\nimport FormSubmitButton from '../FormSubmitButton/FormSubmitButton'\nimport FormTextField from '../FormTextField/FormTextField'\nimport PageContainer from '../PageContainer/PageContainer'\nimport PageHeader from '../PageHeader'\nimport PageHeaderLabel from '../PageHeader/Label'\nimport PageSectionHeader from '../PageSectionHeader/PageSectionHeader'\nimport PlatformIcon from '../PlatformIcon'\nimport Popover from '../Popover/Popover'\nimport RadioToggle from '../RadioToggle/RadioToggle'\n\nclass AdminPage extends React.Component {\n static renderPopover() {\n return (\n \n \n \n \n \n )\n }\n\n static renderPageHeaders() {\n return (\n \n \n This is a page header\n \n\n \n
\n This is a page header w/ count label\n \n\n
\n 10\n \n
\n\n \n \n )\n }\n\n static renderBackLink() {\n return (\n \n \n Back Link\n \n\n \n \n )\n }\n\n constructor(props) {\n super(props)\n\n this.handleFormSubmit = this.handleFormSubmit.bind(this)\n this.handleSelectChange = this.handleSelectChange.bind(this)\n\n this.selectOptions = {\n bear: {\n id: 'bear', name: 'Bear'\n },\n cat: {\n id: 'cat', name: 'Cat'\n },\n dog: {\n id: 'dog', name: 'Dog'\n }\n }\n\n this.state = {\n chipIsSelected: false,\n isDisplayingSelect: true,\n selectedOption: 'dog'\n }\n }\n\n async handleFormSubmit(values) {\n await new Promise(r => setTimeout(r, 500))\n alert(JSON.stringify(values, null, 2))\n }\n\n handleSelectChange(option) {\n this.setState({ selectedOption: option })\n }\n\n renderChip() {\n const { chipIsSelected } = this.state\n\n return (\n \n \n Chips\n \n\n }\n label=\"Android\"\n onClick={() => this.setState({ chipIsSelected: !chipIsSelected })}\n selected={chipIsSelected}\n />\n \n )\n }\n\n renderForm() {\n const { isDisplayingSelect, selectedOption } = this.state\n\n return (\n \n \n Form\n \n\n \n {({ dirty, isSubmitting }) => (\n \n )}\n \n \n )\n }\n\n render() {\n return (\n \n {this.constructor.renderPageHeaders()}\n\n {this.constructor.renderBackLink()}\n\n {this.renderChip()}\n\n {this.renderForm()}\n\n {this.constructor.renderPopover()}\n \n )\n }\n}\n\nexport default AdminPage\n","import {\n processAllMergeableCampaigns,\n getAppByUrl,\n getChannelByUrl,\n getLookbackWindowByUrl\n} from './helpers'\n\ndescribe('processAllMergeableCampaigns', () => {\n it('should format retrieved campaigns into form compatible options', () => {\n const exampleRetrievedCampaigns = {\n reported: [\n {\n campaignId: 'a',\n campaignName: 'C_A',\n installs: 1,\n spend: 1\n }\n ],\n tracked: [\n {\n campaignId: 'b',\n campaignName: 'C_B',\n trackedInstalls: 2\n }\n ]\n }\n\n expect(processAllMergeableCampaigns(exampleRetrievedCampaigns))\n .toEqual({\n reportedCampaigns: [\n {\n id: 'a',\n name: 'C_A',\n reportedInstalls: 1,\n spend: 1\n }\n ],\n trackedCampaigns: [\n {\n id: 'b',\n name: 'C_B',\n trackedInstalls: 2\n }\n ]\n })\n })\n})\n\ndescribe('getAppByUrl', () => {\n it('returns the app if it exists as a url param and included in apps', () => {\n const exampleApp = { id: '1', name: 'app1' }\n\n const apps = [\n { id: '1', name: 'app1' },\n { id: '2', name: 'app2' },\n { id: '3', name: 'app3' }\n ]\n\n const urlSearch = '?app_id=1&ad_network_id=5&lookback_window=7'\n\n expect(getAppByUrl({ apps, urlSearch })).toEqual(exampleApp)\n })\n\n it('returns null if the app_id in the url search does not match an app in apps', () => {\n const apps = [\n { id: '1', name: 'app1' },\n { id: '2', name: 'app2' },\n { id: '3', name: 'app3' }\n ]\n\n const urlSearch = '?app_id=7&ad_network_id=5&lookback_window=7'\n\n expect(getAppByUrl({ apps, urlSearch })).toBeNull()\n })\n})\n\ndescribe('getChannelByUrl', () => {\n it('returns the channel id if it exists as a url param and included in channels', () => {\n const exampleChannel = { id: 1, name: 'Channel1' }\n\n const channels = [\n { id: 1, name: 'Channel1' },\n { id: 2, name: 'Channel2' },\n { id: 3, name: 'Channel3' }\n ]\n\n const urlSearch = '?app_id=4&ad_network_id=1&lookback_window=7'\n\n expect(getChannelByUrl({ channels, urlSearch })).toEqual(exampleChannel)\n })\n\n it('returns null if the ad_network_id in the url search does not match a channel in channels', () => {\n const channels = [\n { id: 1, name: 'Channel1' },\n { id: 2, name: 'Channel2' },\n { id: 3, name: 'Channel3' }\n ]\n\n const urlSearch = '?app_id=7&ad_network_id=6&lookback_window=7'\n\n expect(getChannelByUrl({ channels, urlSearch })).toBeNull()\n })\n})\n\ndescribe('getLookbackWindowByUrl', () => {\n it('returns the lookback value if it exists as a url param and included in lookback windows', () => {\n const exampleLookbackWindow = { value: 7, label: 'Lookback7' }\n\n const lookbackWindows = [\n { value: 1, label: 'Lookback1' },\n { value: 2, label: 'Lookback2' },\n { value: 7, label: 'Lookback7' }\n ]\n\n const urlSearch = '?app_id=4&ad_network_id=1&lookback_window=7'\n\n expect(getLookbackWindowByUrl({ lookbackWindows, urlSearch })).toEqual(exampleLookbackWindow)\n })\n\n it('returns the lookback value if it exists as a url param and included in lookback windows', () => {\n const lookbackWindows = [\n { value: '1', label: 'Lookback1' },\n { value: '2', label: 'Lookback2' },\n { value: '7', label: 'Lookback7' }\n ]\n\n const urlSearch = '?app_id=4&ad_network_id=1&lookback_window=727'\n\n expect(getLookbackWindowByUrl({ lookbackWindows, urlSearch })).toBeNull()\n })\n})\n","import { formatCallbackGroupTemplate } from \"./helpers\"\n\ndescribe(\"formatCallbackGroupTemplate\", () => {\n it(\"returns a valid payload with requiredMacros string into an array\", () => {\n const payload = { requiredMacros: \"macro1,macro2,macro3\" }\n const expected = { requiredMacros: [\"macro1\", \"macro2\", \"macro3\"] }\n expect(formatCallbackGroupTemplate(payload)).toEqual(expected)\n })\n\n it(\"returns a valid payload with preserved payload properties\", () => {\n const payload = {\n someProp: \"someValue\",\n requiredMacros: \"macro1,macro2\",\n }\n const expected = {\n someProp: \"someValue\",\n requiredMacros: [\"macro1\", \"macro2\"],\n }\n expect(formatCallbackGroupTemplate(payload)).toEqual(expected)\n })\n\n it(\"returns a valid payload with empty requiredMacros string\", () => {\n const payload = { requiredMacros: \"\" }\n const expected = { requiredMacros: [\"\"] }\n expect(formatCallbackGroupTemplate(payload)).toEqual(expected)\n })\n\n it(\"returns a valid payload when no commas in requiredMacros\", () => {\n const payload = { requiredMacros: \"singleMacro\" }\n const expected = { requiredMacros: [\"singleMacro\"] }\n expect(formatCallbackGroupTemplate(payload)).toEqual(expected)\n })\n\n it(\"returns an empty array when requiredMacros is undefined\", () => {\n const payload = {}\n const expected = { requiredMacros: [\"\"] } // Or adjust based on your function's expected behavior\n expect(formatCallbackGroupTemplate(payload)).toEqual(expected)\n })\n})\n","import { getSortValueByName, getSortedRowsByProperty } from './helpers'\n\nconst row1 = { ad_network_name: 'a', organization_name: 'z', contact_user_email: 'm', ad_account_name: 'b' }\nconst row2 = { ad_network_name: 'z', organization_name: 'a', contact_user_email: 'a', ad_account_name: 'c' }\nconst row3 = { ad_network_name: 'm', organization_name: 'm', contact_user_email: 'z', ad_account_name: 'a' }\n\nconst startingArray = [row1, row2, row3]\n\ndescribe('getSortValueByName', () => {\n describe('when the value exists in the mapping', () => {\n it('returns the mapped value', () => {\n expect(getSortValueByName('user')).toEqual('contact_user_email')\n })\n })\n\n describe('when the value does not exist in the mapping', () => {\n it('returns nil', () => {\n expect(getSortValueByName('test')).toBeNil\n })\n })\n})\n\ndescribe('getSortedRowsByProperty', () => {\n describe('when sorting a standard array', () => {\n it('returns the sorted array', () => {\n const sortedArray = getSortedRowsByProperty({ baseRows: startingArray, property: 'organization_name' })\n\n expect(sortedArray).toEqual([row2, row3, row1])\n })\n })\n\n describe('when the array is empty', () => {\n it('returns an empty array', () => {\n const sortedArray = getSortedRowsByProperty({ baseRows: [], property: 'ad_network_name' })\n \n expect(sortedArray).toEqual([])\n })\n })\n\n describe('when the property does not exist', () => {\n it('returns the original array', () => {\n const sortedArray = getSortedRowsByProperty({ baseRows: startingArray, property: null })\n\n expect(sortedArray).toEqual(startingArray)\n })\n })\n})\n","import {\n getNumberAsPercentage,\n sanitizePercentage\n} from './helpers'\n\ndescribe('getNumberAsPercentage', () => {\n it('should multiply numbers by 100', () => {\n expect(getNumberAsPercentage(0.15)).toBe(15)\n expect(getNumberAsPercentage(0.30)).toBe(30)\n })\n})\n\ndescribe('sanitizePercentage', () => {\n describe('when input is not a number', () => {\n it('should return 0', () => {\n expect(sanitizePercentage('value')).toBe(0)\n })\n })\n\n describe('when input is outside the percentage range', () => {\n it('should return 0', () => {\n expect(sanitizePercentage(-100)).toBe(0)\n expect(sanitizePercentage(1000)).toBe(100)\n })\n })\n\n describe('when input is not a whole number', () => {\n it('should return a whole number', () => {\n expect(sanitizePercentage(14.523412)).toBe(15)\n })\n })\n\n it('should return numeric values', () => {\n const num = 23\n expect(sanitizePercentage(num)).toBe(num)\n })\n})\n","import {\n isEqualFloat,\n} from './helpers'\n\ndescribe('isEqualFloat', () => {\n describe('when given identical numbers', () => {\n it('should return 0', () => {\n const number = 0.15\n expect(number === number).toBe(true)\n expect(isEqualFloat(number, number)).toBe(true)\n })\n })\n\n describe('when given different numbers', () => {\n it('should return 0', () => {\n const big = 0.3\n const small = 0.15\n expect(big === small).toBe(false)\n expect(isEqualFloat(big, small)).toBe(false)\n })\n })\n\n describe('when given numbers close enough', () => {\n it('should return 0', () => {\n const good = 1.57\n const bad = 1 + 0.57\n expect(good === bad).toBe(false)\n expect(isEqualFloat(good, bad)).toBe(true)\n })\n })\n})\n","import {\n validDates,\n validDateRange\n} from './helpers'\n\ndescribe('validDates', () => {\n const startDate = '2023-10-23'\n const endDate = '2023-10-24'\n\n describe('when bad start date is given', () => {\n it('should return false', () => {\n expect(validDates(null, endDate)).toBe(false)\n expect(validDates('2023-13-40', endDate)).toBe(false)\n })\n })\n\n describe('when bad end date is given', () => {\n it('should return false', () => {\n expect(validDates(startDate, '2023-13-40')).toBe(false)\n })\n })\n\n describe('when good dates are given', () => {\n it('should return true', () => {\n expect(validDates(startDate, null)).toBe(true)\n expect(validDates(startDate, endDate)).toBe(true)\n })\n })\n})\n\ndescribe('validDateRange', () => {\n const startDate = '2023-10-23'\n const endDate = '2023-10-24'\n\n describe('when good dates are given', () => {\n it('should return true', () => {\n expect(validDateRange(startDate, endDate)).toBe(true)\n })\n })\n\n describe('when end date is null', () => {\n it('should return true', () => {\n expect(validDateRange(startDate, null)).toBe(true)\n })\n })\n\n describe('when end date is before start date', () => {\n it('should return false', () => {\n expect(validDateRange(endDate, startDate)).toBe(false)\n })\n })\n})\n","import { formatDate } from './helpers'\n\ndescribe('formatDate', () => {\n const date = '2023-10-23'\n const defaultValue = 'Ongoing'\n\n describe('when no date is given', () => {\n it('should return default value', () => {\n expect(formatDate(null, defaultValue)).toBe(defaultValue)\n })\n })\n\n describe('when bad end date is given', () => {\n it('should return localized date', () => {\n expect(formatDate(date)).toBe('10/23/2023')\n })\n })\n})\n","import { getDecimalByPercent, hasStarted, todayDateString } from './helpers'\nimport { deepSnakeKeys } from '../../../../../../utils/helpers'\nimport { makeRequest, parseDeductionRecord } from './helpers'\nimport { post, put } from '../../../../../../utils/request'\nimport { format } from \"date-fns\";\n\njest.mock('../../../../../../utils/request')\n\ndescribe('decimalToPercent', () => {\n describe('when given a number', () => {\n it('should return percent formatted value', () => {\n expect(getDecimalByPercent(0.15)).toBe('15%')\n expect(getDecimalByPercent(0.30)).toBe('30%')\n })\n })\n})\n\ndescribe('todayDateString', function () {\n it('returns today\\'s date', function () {\n const today = format(new Date(), 'yyyy-MM-dd')\n expect(todayDateString()).toEqual(today)\n })\n})\n\ndescribe('hasStarted', function () {\n describe('given past date', function () {\n it('returns true', () => {\n expect(hasStarted('1981-10-23')).toBeTruthy()\n })\n })\n\n describe('given today', function () {\n it('returns true', () => {\n expect(hasStarted(todayDateString())).toBeTruthy()\n })\n })\n\n describe('given future date', function () {\n it('returns false', () => {\n // note: Y3K problem; fix by year 2999\n expect(hasStarted('3000-01-01')).toBeFalsy()\n })\n })\n})\n\ndescribe('makeRequest', () => {\n const newRecord = {}\n const existingRecord = { id: 'abcde' }\n const data = { startDate: '2023-10-23', deduction: 0.15 }\n const snakeCaseData = deepSnakeKeys(data)\n const baseURL = 'https://www.example.com'\n\n describe('when given a new record', () => {\n it('makes POST request', () => {\n makeRequest({ baseURL, data, record: newRecord })\n expect(post).toHaveBeenCalledWith(baseURL, snakeCaseData)\n })\n })\n\n describe('when given an existing record', () => {\n it('makes PUT request', () => {\n makeRequest({ baseURL, data, record: existingRecord })\n expect(put).toHaveBeenCalledWith(`${baseURL}/${existingRecord.id}`, snakeCaseData)\n })\n })\n})\n\ndescribe('parseDeductionRecord', () => {\n const data = {\n deduction: '0.3',\n endDate: null,\n startDate: '2023-01-04',\n }\n const response = { data: data }\n\n describe('given a response', function () {\n it('should change deduction to a number', function () {\n const record = parseDeductionRecord(response)\n expect(record.deduction).toEqual(0.3)\n });\n });\n})\n","import { getChannelsFilteredByAdSpend } from './helpers'\n\ndescribe('getChannelsFilteredByAdSpend', () => {\n const channels = [\n {\n id: '1',\n adSpend: false,\n custom: false\n },\n {\n id: '2',\n adSpend: false,\n custom: true\n },\n {\n id: '3',\n adSpend: true,\n custom: false\n }\n ]\n\n describe('when given a valid set of channels', () => {\n it('returns the correctly filtered set of channels', () => {\n expect(getChannelsFilteredByAdSpend(channels)).toEqual([\n {\n id: '2',\n adSpend: false,\n custom: true\n },\n {\n id: '3',\n adSpend: true,\n custom: false\n }\n ])\n })\n })\n})\n","import {\n convertSecondsToHumanObject,\n convertTimeToSeconds,\n getAppChannelSettingsByAppAndChannel,\n getSupportedTimeTypes\n} from './utils'\n\ndescribe('convertSecondsToHumanObject', () => {\n describe('when length is a day or more', () => {\n it('converts seconds to days', () => {\n const secondsInADay = 86400\n const expectedResultForDays = {\n label: '1 day',\n type: 'days',\n value: 1\n }\n expect(convertSecondsToHumanObject({ seconds: secondsInADay, supportedTimeTypes: ['hours', 'days'] })).toEqual(expectedResultForDays)\n })\n\n describe('when supportedTimeTypes does not include days', () => {\n it('converts seconds to hours', () => {\n const secondsInADay = 86400\n const expectedResultForHours = {\n label: '24 hours',\n type: 'hours',\n value: 24\n }\n expect(convertSecondsToHumanObject({ seconds: secondsInADay, supportedTimeTypes: ['hours'] })).toEqual(expectedResultForHours)\n })\n })\n })\n\n describe('when length is less than a day', () => {\n it('converts seconds to hours', () => {\n const secondsInAnHour = 3600\n const expectedResultForHours = {\n label: '1 hour',\n type: 'hours',\n value: 1\n }\n expect(convertSecondsToHumanObject({ seconds: secondsInAnHour, supportedTimeTypes: ['hours', 'days'] })).toEqual(expectedResultForHours)\n })\n })\n\n describe('when seconds are missing or zero', () => {\n it('defaults to 0 value and hours type', () => {\n const zeroSeconds = 0\n const expectedResultForZero = {\n label: '0 hours',\n type: 'hours',\n value: 0\n }\n expect(convertSecondsToHumanObject({ seconds: zeroSeconds, supportedTimeTypes: ['hours', 'days'] })).toEqual(expectedResultForZero)\n })\n })\n})\n\ndescribe('convertTimeToSeconds', () => {\n it('converts days to seconds', () => {\n const result = convertTimeToSeconds({\n type: 'days',\n value: 2\n })\n const expectedResult = 172800\n expect(result).toEqual(expectedResult);\n })\n\n it('converts hours to seconds', () => {\n const result = convertTimeToSeconds({\n type: 'hours',\n value: 12\n })\n const expectedResult = 43200\n expect(result).toEqual(expectedResult);\n })\n})\n\ndescribe('getAppChannelSettingsByAppAndChannel', () => {\n it('returns app channel config if app channel is present and has custom settings', () => {\n const result = getAppChannelSettingsByAppAndChannel({\n currentAppChannel: {\n adNetworkId: 123,\n appId: \"123\",\n deterministicClickAttributionWindow: 3600,\n deterministicImpressionAttributionWindow: 3600,\n id: \"5678\",\n organizationId: \"910\",\n probabilisticClickAttributionWindow: 3600,\n probabilisticImpressionAttributionWindow: 3600\n },\n currentApp: {\n \"id\": \"123\",\n \"organizationId\": \"0cfd7a97-333d-4ea9-90af-cc69d20aaf3b\",\n \"name\": \"Test App\",\n \"storeId\": null,\n \"platform\": \"android\",\n \"bundleId\": \"com.megster.tenjin.iap\",\n \"deterministicClickAttributionWindow\": 1814400,\n \"deterministicImpressionAttributionWindow\": 86400,\n \"probabilisticClickAttributionWindow\": 86400,\n \"probabilisticImpressionAttributionWindow\": 43200\n },\n currentChannel: {\n \"id\": 123,\n \"name\": \"Test Channel\",\n \"apiClass\": \"CustomChannelApi\",\n \"shortId\": \"test-channel\",\n \"custom\": true\n },\n currentAppChannelHasCustomSettings: true,\n currentAppChannelOverrideToggleOn: true\n })\n\n const expectedResult = {\n \"deterministicClickAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"click\",\n \"level\": \"appChannel\",\n \"matchType\": \"deterministic\",\n \"value\": 3600,\n },\n \"deterministicImpressionAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"impression\",\n \"level\": \"appChannel\",\n \"matchType\": \"deterministic\",\n \"value\": 3600,\n },\n \"probabilisticClickAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"click\",\n \"level\": \"appChannel\",\n \"matchType\": \"probabilistic\",\n \"value\": 3600,\n },\n \"probabilisticImpressionAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"impression\",\n \"level\": \"appChannel\",\n \"matchType\": \"probabilistic\",\n \"value\": 3600,\n }\n }\n expect(result).toEqual(expectedResult);\n })\n\n it('returns default app channel config if app channel is present and no custom settings and override toggle is on', () => {\n const result = getAppChannelSettingsByAppAndChannel({\n currentAppChannel: {\n adNetworkId: 123,\n appId: \"123\",\n deterministicClickAttributionWindow: null,\n deterministicImpressionAttributionWindow: null,\n id: \"5678\",\n organizationId: \"910\",\n probabilisticClickAttributionWindow: null,\n probabilisticImpressionAttributionWindow: null\n },\n currentApp: {\n \"id\": \"123\",\n \"organizationId\": \"0cfd7a97-333d-4ea9-90af-cc69d20aaf3b\",\n \"name\": \"Test App\",\n \"storeId\": null,\n \"platform\": \"android\",\n \"bundleId\": \"com.megster.tenjin.iap\",\n \"deterministicClickAttributionWindow\": 1814400,\n \"deterministicImpressionAttributionWindow\": 86400,\n \"probabilisticClickAttributionWindow\": 86400,\n \"probabilisticImpressionAttributionWindow\": 43200\n },\n currentChannel: {\n \"id\": 123,\n \"name\": \"Test Channel\",\n \"apiClass\": \"CustomChannelApi\",\n \"shortId\": \"test-channel\",\n \"custom\": true\n },\n currentAppChannelHasCustomSettings: false,\n currentAppChannelOverrideToggleOn: true\n\n })\n const expectedResult = {\n \"deterministicClickAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"click\",\n \"level\": \"appChannel\",\n \"matchType\": \"deterministic\",\n \"value\": 604800\n },\n \"deterministicImpressionAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"impression\",\n \"level\": \"appChannel\",\n \"matchType\": \"deterministic\",\n \"value\": 3600\n },\n \"probabilisticClickAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"click\",\n \"level\": \"appChannel\",\n \"matchType\": \"probabilistic\",\n \"value\": 3600\n },\n \"probabilisticImpressionAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"impression\",\n \"level\": \"appChannel\",\n \"matchType\": \"probabilistic\",\n \"value\": 3600\n }\n }\n \n expect(result).toEqual(expectedResult);\n })\n\n it('returns app channel config with app settings if app channel does not have custom settings and override toggle is off', () => {\n const result = getAppChannelSettingsByAppAndChannel({\n currentAppChannel: {},\n currentApp: {\n \"id\": \"123\",\n \"organizationId\": \"0cfd7a97-333d-4ea9-90af-cc69d20aaf3b\",\n \"name\": \"Test App\",\n \"storeId\": null,\n \"platform\": \"android\",\n \"bundleId\": \"com.megster.tenjin.iap\",\n \"deterministicClickAttributionWindow\": 1814400,\n \"deterministicImpressionAttributionWindow\": 86400,\n \"probabilisticClickAttributionWindow\": 86400,\n \"probabilisticImpressionAttributionWindow\": 43200\n },\n currentChannel: {\n \"id\": 123,\n \"name\": \"Test Channel\",\n \"apiClass\": \"CustomChannelApi\",\n \"shortId\": \"test-channel\",\n \"custom\": true\n },\n currentAppChannelHasCustomSettings: false,\n currentAppChannelOverrideToggleOn: false,\n })\n const expectedResult = {\n \"deterministicClickAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"click\",\n \"level\": \"appChannel\",\n \"matchType\": \"deterministic\",\n \"value\": 1814400\n },\n \"deterministicImpressionAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"impression\",\n \"level\": \"appChannel\",\n \"matchType\": \"deterministic\",\n \"value\": 86400\n },\n \"probabilisticClickAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"click\",\n \"level\": \"appChannel\",\n \"matchType\": \"probabilistic\",\n \"value\": 86400\n },\n \"probabilisticImpressionAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"impression\",\n \"level\": \"appChannel\",\n \"matchType\": \"probabilistic\",\n \"value\": 43200\n }\n }\n\n expect(result).toEqual(expectedResult)\n });\n\n it('returns default app channel config', () => {\n const result = getAppChannelSettingsByAppAndChannel({\n currentAppChannel: {},\n currentApp: {\n \"id\": \"123\",\n \"organizationId\": \"0cfd7a97-333d-4ea9-90af-cc69d20aaf3b\",\n \"name\": \"Test App\",\n \"storeId\": null,\n \"platform\": \"android\",\n \"bundleId\": \"com.megster.tenjin.iap\",\n \"deterministicClickAttributionWindow\": 1814400,\n \"deterministicImpressionAttributionWindow\": 86400,\n \"probabilisticClickAttributionWindow\": 86400,\n \"probabilisticImpressionAttributionWindow\": 43200\n },\n currentChannel: {\n \"id\": 123,\n \"name\": \"Test Channel\",\n \"apiClass\": \"CustomChannelApi\",\n \"shortId\": \"test-channel\",\n \"custom\": true\n },\n currentAppChannelHasCustomSettings: false,\n currentAppChannelOverrideToggleOn: true,\n })\n const expectedResult = {\n \"deterministicClickAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"click\",\n \"level\": \"appChannel\",\n \"matchType\": \"deterministic\",\n \"value\": 604800\n },\n \"deterministicImpressionAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"impression\",\n \"level\": \"appChannel\",\n \"matchType\": \"deterministic\",\n \"value\": 3600\n },\n \"probabilisticClickAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"click\",\n \"level\": \"appChannel\",\n \"matchType\": \"probabilistic\",\n \"value\": 3600\n },\n \"probabilisticImpressionAttributionWindow\": {\n \"appId\": \"123\",\n \"channelId\": 123,\n \"engagementType\": \"impression\",\n \"level\": \"appChannel\",\n \"matchType\": \"probabilistic\",\n \"value\": 3600\n }\n }\n\n expect(result).toEqual(expectedResult)\n })\n})\n\ndescribe('getSupportedTimeTypes', () => {\n it('returns only hours and days for deterministic click', () => {\n const result = getSupportedTimeTypes({\n matchType: 'deterministic',\n engagementType: 'click'\n })\n expect(result).toEqual(['hours', 'days'])\n })\n\n it('returns only hours for deterministic impression', () => {\n const result = getSupportedTimeTypes({\n matchType: 'deterministic',\n engagementType: 'impression'\n })\n expect(result).toEqual(['hours'])\n })\n\n it('returns only hours for probabilistic click', () => {\n const result = getSupportedTimeTypes({\n matchType: 'probabilistic',\n engagementType: 'click'\n })\n expect(result).toEqual(['hours'])\n })\n\n it('returns only hours for probabilistic impression', () => {\n const result = getSupportedTimeTypes({\n matchType: 'probabilistic',\n engagementType: 'impression'\n })\n expect(result).toEqual(['hours'])\n })\n})\n","import {\n getCredentialsFromSettings,\n getFieldSetFromSettings,\n getRequiredMacrosMappingForDraft,\n getSortedCallbackGroupsForTable,\n validateEditedCallbackDraft,\n validateNewEventDraft\n} from './helpers'\n\ndescribe('getCredentialsFromSettings', () => {\n it('converts macro data keys to camel case and extract values', () => {\n const CREDENTIAL_SETTINGS = {\n apiKey: {\n value: 'key',\n display: 'API Key',\n associatedGroups: ['Tenjin Custom Event', 'Tenjin IAP']\n },\n other: {\n value: 'account 1',\n display: 'Account Name',\n associatedGroups: [\n 'Tenjin IAP',\n 'Tenjin Install',\n 'Tenjin Game Completed'\n ]\n }\n }\n\n const expectedOutput = {\n apiKey: 'key',\n other: 'account 1'\n }\n\n const result = getCredentialsFromSettings(CREDENTIAL_SETTINGS)\n expect(result).toEqual(expectedOutput)\n })\n\n it('handles empty macro data', () => {\n const CREDENTIAL_SETTINGS = {}\n\n const expectedOutput = {}\n\n const result = getCredentialsFromSettings(CREDENTIAL_SETTINGS)\n expect(result).toEqual(expectedOutput)\n })\n\n it('handles macro data with no value field', () => {\n const CREDENTIAL_SETTINGS = {\n apiKey: {\n display: 'API Key',\n associatedGroups: ['Tenjin Custom Event', 'Tenjin IAP']\n }\n }\n\n const expectedOutput = {\n apiKey: undefined\n }\n\n const result = getCredentialsFromSettings(CREDENTIAL_SETTINGS)\n expect(result).toEqual(expectedOutput)\n })\n})\n\ndescribe('getFieldSetFromSettings', () => {\n it('converts macro data to field set with camel cased keys', () => {\n const CREDENTIAL_SETTINGS = {\n apiKey: {\n value: 'key',\n display: 'API Key',\n associatedGroups: ['Tenjin Custom Event', 'Tenjin IAP']\n },\n other: {\n value: 'account 1',\n display: 'Account Name',\n associatedGroups: ['Tenjin IAP']\n }\n }\n\n const expectedOutput = [\n {\n id: 'apiKey',\n associatedGroups: ['Tenjin Custom Event', 'Tenjin IAP'],\n display: 'API Key',\n value: 'key'\n },\n {\n id: 'other',\n associatedGroups: ['Tenjin IAP'],\n display: 'Account Name',\n value: 'account 1'\n }\n ]\n\n const result = getFieldSetFromSettings(CREDENTIAL_SETTINGS)\n expect(result).toEqual(expectedOutput)\n })\n\n it('handles empty macro data', () => {\n const CREDENTIAL_SETTINGS = {}\n\n const expectedOutput = []\n\n const result = getFieldSetFromSettings(CREDENTIAL_SETTINGS)\n expect(result).toEqual(expectedOutput)\n })\n\n it('handles macro data with various fields', () => {\n const CREDENTIAL_SETTINGS = {\n singleField: {\n display: 'Single Field'\n },\n multiField: {\n display: 'Multi Field',\n associatedGroups: ['Group 1', 'Group 2'],\n value: 'multi'\n }\n }\n\n const expectedOutput = [\n {\n id: 'singleField',\n display: 'Single Field'\n },\n {\n id: 'multiField',\n display: 'Multi Field',\n associatedGroups: ['Group 1', 'Group 2'],\n value: 'multi'\n }\n ]\n\n const result = getFieldSetFromSettings(CREDENTIAL_SETTINGS)\n expect(result).toEqual(expectedOutput)\n })\n})\n\ndescribe('getSortedCallbackGroupsForTable', () => {\n it('places active items at the top', () => {\n const input = [\n { active: false, name: 'banana' },\n { active: true, name: 'apple' },\n { active: false, name: 'grape' },\n { active: true, name: 'orange' }\n ]\n\n const expectedOutput = [\n { active: true, name: 'apple' },\n { active: true, name: 'orange' },\n { active: false, name: 'banana' },\n { active: false, name: 'grape' }\n ]\n\n expect(getSortedCallbackGroupsForTable(input)).toEqual(expectedOutput)\n })\n\n it('sorts alphabetically within active and inactive groups', () => {\n const input = [\n { active: true, name: 'orange' },\n { active: true, name: 'apple' },\n { active: false, name: 'banana' },\n { active: false, name: 'grape' }\n ]\n\n const expectedOutput = [\n { active: true, name: 'apple' },\n { active: true, name: 'orange' },\n { active: false, name: 'banana' },\n { active: false, name: 'grape' }\n ]\n\n expect(getSortedCallbackGroupsForTable(input)).toEqual(expectedOutput)\n })\n\n it('handles an empty array', () => {\n const input = []\n const expectedOutput = []\n\n expect(getSortedCallbackGroupsForTable(input)).toEqual(expectedOutput)\n })\n\n it('handles a single item array', () => {\n const input = [{ active: true, name: 'apple' }]\n const expectedOutput = [{ active: true, name: 'apple' }]\n\n expect(getSortedCallbackGroupsForTable(input)).toEqual(expectedOutput)\n })\n\n it('handles all items being active or inactive', () => {\n const input = [\n { active: true, name: 'banana' },\n { active: true, name: 'apple' },\n { active: true, name: 'orange' }\n ]\n\n const expectedOutput = [\n { active: true, name: 'apple' },\n { active: true, name: 'banana' },\n { active: true, name: 'orange' }\n ]\n\n expect(getSortedCallbackGroupsForTable(input)).toEqual(expectedOutput)\n })\n})\n\ndescribe('getRequiredMacrosMappingForDraft', () => {\n describe('when there is a matching default value in credentials', () => {\n it('generates the mapping correctly', () => {\n const callbackGroupTemplate = {\n id: 'exampleAppId',\n name: 'TikTok Custom Event',\n requiredMacros: [\n {\n name: 'event enum',\n allowedValues: ['foo', 'bar'],\n optional: false,\n default: true\n }\n ],\n fixedEventDefinition: null\n }\n\n const credentials = {\n tiktokAppId: '0000',\n 'event enum': '1234'\n }\n\n const result = getRequiredMacrosMappingForDraft({\n callbackGroupTemplate,\n credentials\n })\n expect(result).toEqual({\n 'event enum': '1234'\n })\n })\n })\n describe('when there are no defaults', () => {\n it('generates the mapping correctly', () => {\n const callbackGroupTemplate = {\n id: 'exampleAppId',\n name: 'TikTok Custom Event',\n requiredMacros: [\n {\n name: 'event enum',\n allowedValues: ['foo', 'bar'],\n optional: false\n }\n ],\n fixedEventDefinition: null\n }\n\n const credentials = {\n 'event enum': null\n }\n\n const result = getRequiredMacrosMappingForDraft({\n callbackGroupTemplate,\n credentials\n })\n\n expect(result).toEqual({\n 'event enum': null\n })\n })\n })\n})\n\ndescribe('validateNewEventDraft', () => {\n describe('when given a valid draft', () => {\n it('returns true', () => {\n const newEventDraft = {\n \"rows\": [\n {\n \"action\": null,\n \"actionOptions\": [\n {\n \"label\": \"Ping Every Time\",\n \"value\": \"ping\"\n },\n {\n \"label\": \"Ping on Every Install\",\n \"value\": \"ping_on_first\"\n }\n ],\n \"callbackName\": \"TikTok Custom Event\",\n \"eventDefinition\": { id: 'eventDefinitionId', name: 'App Open' },\n \"userFilter\": { \"label\": \"all users\", \"value\": \"all\" },\n \"userFilterOptions\": [\n {\n \"label\": \"all users\",\n \"value\": \"all\"\n },\n {\n \"label\": \"this channel only\",\n \"value\": \"channel\"\n },\n {\n \"label\": \"this channel and organic\",\n \"value\": \"channelAndOrganic\"\n }\n ],\n \"event enum\": \"foo\"\n }\n ],\n \"selectedCallbackGroupTemplate\": {\n \"id\": \"exampleCallbackGroupTemplateId\",\n \"name\": \"TikTok Custom Event\",\n \"requiredMacros\": [\n {\n \"name\": \"event enum\",\n \"allowedValues\": [\n \"foo\",\n \"bar\"\n ],\n \"optional\": false,\n \"default\": true\n }\n ],\n \"fixedEventDefinition\": null\n }\n }\n\n const result = validateNewEventDraft(newEventDraft)\n\n expect(result).toBe(true)\n })\n })\n\n describe('when given a valid draft with an optional value', () => {\n it('returns true', () => {\n const newEventDraft = {\n \"rows\": [\n {\n \"action\": null,\n \"actionOptions\": [\n {\n \"label\": \"Ping Every Time\",\n \"value\": \"ping\"\n },\n {\n \"label\": \"Ping on Every Install\",\n \"value\": \"ping_on_first\"\n }\n ],\n \"callbackName\": \"TikTok Custom Event\",\n \"eventDefinition\": { id: 'eventDefinitionId', name: 'App Open' },\n \"userFilter\": { \"label\": \"this channel and organic\", \"value\": \"channelAndOrganic\" },\n \"userFilterOptions\": [\n {\n \"label\": \"all users\",\n \"value\": \"all\"\n },\n {\n \"label\": \"this channel only\",\n \"value\": \"channel\"\n },\n {\n \"label\": \"this channel and organic\",\n \"value\": \"channelAndOrganic\"\n }\n ],\n \"event enum\": null\n }\n ],\n \"selectedCallbackGroupTemplate\": {\n \"id\": \"exampleCallbackGroupTemplateId\",\n \"name\": \"TikTok Custom Event\",\n \"requiredMacros\": [\n {\n \"name\": \"event enum\",\n \"allowedValues\": [\n \"foo\",\n \"bar\"\n ],\n \"optional\": true,\n \"default\": true\n }\n ],\n \"fixedEventDefinition\": null\n }\n }\n\n const result = validateNewEventDraft(newEventDraft)\n\n expect(result).toBe(true)\n })\n })\n\n describe('when given an invalid draft', () => {\n it('returns false', () => {\n const newEventDraft = {\n \"rows\": [\n {\n \"action\": \"ping\",\n \"actionOptions\": [\n {\n \"label\": \"Ping Every Time\",\n \"value\": \"ping\"\n },\n {\n \"label\": \"Ping on Every Install\",\n \"value\": \"ping_on_first\"\n }\n ],\n \"callbackName\": \"TikTok Custom Event\",\n \"eventDefinition\": null,\n \"userFilter\": \"all\",\n \"userFilterOptions\": [\n {\n \"label\": \"all users\",\n \"value\": \"all\"\n },\n {\n \"label\": \"this channel only\",\n \"value\": \"channel\"\n },\n {\n \"label\": \"this channel and organic\",\n \"value\": \"channelAndOrganic\"\n }\n ],\n \"event enum\": null\n }\n ],\n \"selectedCallbackGroupTemplate\": {\n \"id\": \"exampleCallbackGroupTemplateId\",\n \"name\": \"TikTok Custom Event\",\n \"requiredMacros\": [\n {\n \"name\": \"event enum\",\n \"allowedValues\": [\n \"foo\",\n \"bar\"\n ],\n \"optional\": false,\n \"default\": true\n }\n ],\n \"fixedEventDefinition\": null\n }\n }\n\n const result = validateNewEventDraft(newEventDraft)\n\n expect(result).toBe(false)\n })\n })\n})\n\ndescribe('validateEditedCallbackDraft', () => {\n describe('when given a valid draft', () => {\n it('returns true', () => {\n const editedCallbackDraft = {\n \"isDirty\": true,\n \"rows\": [\n {\n \"callbackName\": \"TikTok Ad Revenue\",\n \"eventDefinition\": \"Ad Revenue Impression\",\n \"userFilter\": { \"label\": \"all users\", \"value\": \"all\" },\n \"userFilterOptions\": [\n {\n \"label\": \"all users\",\n \"value\": \"all\"\n },\n {\n \"label\": \"this channel only\",\n \"value\": \"channel\"\n },\n {\n \"label\": \"this channel and organic\",\n \"value\": \"channelAndOrganic\"\n }\n ],\n \"macroKey1\": { label: \"value_1\", value: \"value_1\" },\n \"macro_key_2\": { label: \"value_2\", value: \"value_2\" }\n }\n ],\n \"selectedCallback\": {\n \"active\": false,\n \"activatable\": true,\n \"event\": \"Ad Revenue Impression\",\n \"eventEditable\": true,\n \"id\": \"exampleCallbackId1\",\n \"macros\": [\n {\n name: 'macroKey1',\n value: 'value_1',\n allowed_values: ['value_1', 'value_2'],\n optional: false,\n default: true\n },\n {\n name: 'macro_key_2',\n value: 'value_1',\n allowed_values: ['value_1', 'value_2'],\n optional: false,\n default: true\n }\n ],\n \"name\": \"TikTok Ad Revenue\",\n \"userFilter\": \"all\"\n }\n }\n\n const result = validateEditedCallbackDraft(editedCallbackDraft)\n\n expect(result).toBe(true)\n })\n })\n describe('when given an invalid draft', () => {\n it('returns false', () => {\n const editedCallbackDraft = {\n \"isDirty\": false,\n \"rows\": [\n {\n \"callbackName\": \"TikTok Ad Revenue\",\n \"eventDefinition\": \"Ad Revenue Impression\",\n \"userFilter\": { \"label\": \"all users\", \"value\": \"all\" },\n \"userFilterOptions\": [\n {\n \"label\": \"all users\",\n \"value\": \"all\"\n },\n {\n \"label\": \"this channel only\",\n \"value\": \"channel\"\n },\n {\n \"label\": \"this channel and organic\",\n \"value\": \"channelAndOrganic\"\n }\n ],\n \"macroKey1\": { label: \"value_1\", value: \"value_1\" },\n \"macro_key_2\": { label: \"value_2\", value: \"value_2\" }\n }\n ],\n \"selectedCallback\": {\n \"active\": false,\n \"activatable\": true,\n \"event\": \"Ad Revenue Impression\",\n \"eventEditable\": true,\n \"id\": \"exampleCallbackId1\",\n \"macros\": [\n {\n name: 'macroKey1',\n value: 'value_1',\n allowed_values: ['value_1', 'value_2'],\n optional: false,\n default: true\n },\n {\n name: 'macro_key_2',\n value: 'value_1',\n allowed_values: ['value_1', 'value_2'],\n optional: false,\n default: true\n }\n ],\n \"name\": \"TikTok Ad Revenue\",\n \"userFilter\": \"all\"\n }\n }\n\n const result = validateEditedCallbackDraft(editedCallbackDraft)\n\n expect(result).toBe(false)\n })\n })\n})\n","import {\n getCvSchemaFromJson,\n getSkanVersionFromJson,\n getEventMappingFromCondition,\n getJsonFromCvSchema\n} from './helpers'\n\nimport { CV_SCHEMA_SKAN_VERSION_3, CV_SCHEMA_SKAN_VERSION_4 } from './constants'\n\nconst EXAMPLE_PARSED_CSV = [\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"1\",\n \"customEventName\": \"session\",\n \"metaEventName\": \"123\",\n \"minRange\": \"1\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n },\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"2\",\n \"customEventName\": \"level_10_achieved\",\n \"metaEventName\": \"456\",\n \"minRange\": \"1\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n },\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"2\",\n \"customEventName\": \"ad_impression_revenue\",\n \"metaEventName\": \"\",\n \"minRange\": \"10\",\n \"maxRange\": \"20\",\n \"currency\": \"USD\"\n },\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"3\",\n \"customEventName\": \"level_20_achieved\",\n \"metaEventName\": \"\",\n \"minRange\": \"1\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n },\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"4\",\n \"customEventName\": \"ad_impression_revenue\",\n \"metaEventName\": \"\",\n \"minRange\": \"20\",\n \"maxRange\": \"30\",\n \"currency\": \"USD\"\n },\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"5\",\n \"customEventName\": \"ad_impression_revenue\",\n \"metaEventName\": \"\",\n \"minRange\": \"30\",\n \"maxRange\": \"40\",\n \"currency\": \"USD\"\n },\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"coarse\",\n \"conversionValue\": \"low\",\n \"customEventName\": \"session\",\n \"metaEventName\": \"\",\n \"minRange\": \"1\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n },\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"coarse\",\n \"conversionValue\": \"medium\",\n \"customEventName\": \"ad_impression_revenue\",\n \"metaEventName\": \"\",\n \"minRange\": \"10\",\n \"maxRange\": \"20\",\n \"currency\": \"USD\"\n },\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"coarse\",\n \"conversionValue\": \"high\",\n \"customEventName\": \"ad_impression_revenue\",\n \"metaEventName\": \"\",\n \"minRange\": \"30\",\n \"maxRange\": \"40\",\n \"currency\": \"USD\"\n },\n {\n \"postbackSequenceIndex\": \"1\",\n \"conversionValueType\": \"coarse\",\n \"conversionValue\": \"low\",\n \"customEventName\": \"\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n },\n {\n \"postbackSequenceIndex\": \"1\",\n \"conversionValueType\": \"coarse\",\n \"conversionValue\": \"medium\",\n \"customEventName\": \"\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n },\n {\n \"postbackSequenceIndex\": \"1\",\n \"conversionValueType\": \"coarse\",\n \"conversionValue\": \"high\",\n \"customEventName\": \"\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n },\n {\n \"postbackSequenceIndex\": \"2\",\n \"conversionValueType\": \"coarse\",\n \"conversionValue\": \"low\",\n \"customEventName\": \"\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n },\n {\n \"postbackSequenceIndex\": \"2\",\n \"conversionValueType\": \"coarse\",\n \"conversionValue\": \"medium\",\n \"customEventName\": \"\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n },\n {\n \"postbackSequenceIndex\": \"2\",\n \"conversionValueType\": \"coarse\",\n \"conversionValue\": \"high\",\n \"customEventName\": \"\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n }\n]\n\nconst EXAMPLE_CV_SCHEMA = {\n \"cvSchema\": {\n \"appId\": \"example-app-id\",\n \"cvSchemaWindows\": [\n {\n \"cvSchemaConditions\": [\n {\n \"aggregationType\": \"\",\n \"conversionValue\": 1,\n \"currency\": \"\",\n \"eventName\": \"session\",\n \"eventMapping\": { \"meta\": \"123\" },\n \"maxRange\": \"\",\n \"minRange\": 1\n },\n {\n \"aggregationType\": \"\",\n \"conversionValue\": 2,\n \"currency\": \"\",\n \"eventName\": \"level_10_achieved\",\n \"eventMapping\": { \"meta\": \"456\" },\n \"maxRange\": \"\",\n \"minRange\": 1\n },\n {\n \"aggregationType\": \"\",\n \"conversionValue\": 2,\n \"currency\": \"USD\",\n \"eventName\": \"ad_impression_revenue\",\n \"eventMapping\": {},\n \"maxRange\": 20,\n \"minRange\": 10\n },\n {\n \"aggregationType\": \"\",\n \"conversionValue\": 3,\n \"currency\": \"\",\n \"eventName\": \"level_20_achieved\",\n \"eventMapping\": {},\n \"maxRange\": \"\",\n \"minRange\": 1\n },\n {\n \"aggregationType\": \"\",\n \"conversionValue\": 4,\n \"currency\": \"USD\",\n \"eventName\": \"ad_impression_revenue\",\n \"eventMapping\": {},\n \"maxRange\": 30,\n \"minRange\": 20\n },\n {\n \"aggregationType\": \"\",\n \"conversionValue\": 5,\n \"currency\": \"USD\",\n \"eventName\": \"ad_impression_revenue\",\n \"eventMapping\": {},\n \"maxRange\": 40,\n \"minRange\": 30\n }\n ],\n \"lockWindowHours\": \"\",\n \"postbackSequenceIndex\": 0,\n \"schemaType\": \"fine\"\n },\n {\n \"cvSchemaConditions\": [\n {\n \"aggregationType\": \"\",\n \"conversionValue\": 0,\n \"currency\": \"\",\n \"eventName\": \"session\",\n \"eventMapping\": {},\n \"maxRange\": \"\",\n \"minRange\": 1\n },\n {\n \"aggregationType\": \"\",\n \"conversionValue\": 1,\n \"currency\": \"USD\",\n \"eventName\": \"ad_impression_revenue\",\n \"eventMapping\": {},\n \"maxRange\": 20,\n \"minRange\": 10\n },\n {\n \"aggregationType\": \"\",\n \"conversionValue\": 2,\n \"currency\": \"USD\",\n \"eventName\": \"ad_impression_revenue\",\n \"eventMapping\": {},\n \"maxRange\": 40,\n \"minRange\": 30\n }\n ],\n \"lockWindowHours\": \"\",\n \"postbackSequenceIndex\": 0,\n \"schemaType\": \"coarse\"\n },\n {\n \"cvSchemaConditions\": [\n {\n \"aggregationType\": \"\",\n \"conversionValue\": 0,\n \"currency\": \"\",\n \"eventName\": \"\",\n \"eventMapping\": {},\n \"maxRange\": \"\",\n \"minRange\": \"\"\n },\n {\n \"aggregationType\": \"\",\n \"conversionValue\": 1,\n \"currency\": \"\",\n \"eventName\": \"\",\n \"eventMapping\": {},\n \"maxRange\": \"\",\n \"minRange\": \"\"\n },\n {\n \"aggregationType\": \"\",\n \"conversionValue\": 2,\n \"currency\": \"\",\n \"eventName\": \"\",\n \"eventMapping\": {},\n \"maxRange\": \"\",\n \"minRange\": \"\"\n }\n ],\n \"lockWindowHours\": \"\",\n \"postbackSequenceIndex\": 1,\n \"schemaType\": \"coarse\"\n },\n {\n \"cvSchemaConditions\": [\n {\n \"aggregationType\": \"\",\n \"conversionValue\": 0,\n \"currency\": \"\",\n \"eventName\": \"\",\n \"eventMapping\": {},\n \"maxRange\": \"\",\n \"minRange\": \"\"\n },\n {\n \"aggregationType\": \"\",\n \"conversionValue\": 1,\n \"currency\": \"\",\n \"eventName\": \"\",\n \"eventMapping\": {},\n \"maxRange\": \"\",\n \"minRange\": \"\"\n },\n {\n \"aggregationType\": \"\",\n \"conversionValue\": 2,\n \"currency\": \"\",\n \"eventName\": \"\",\n \"eventMapping\": {},\n \"maxRange\": \"\",\n \"minRange\": \"\"\n }\n ],\n \"lockWindowHours\": \"\",\n \"postbackSequenceIndex\": 2,\n \"schemaType\": \"coarse\"\n }\n ],\n \"description\": \"example-description\",\n \"online\": true,\n \"skanVersion\": \"4.0\"\n }\n}\n\nconst EXAMPLE_CV_TO_JSON_FOR_TABLE = [\n {\n \"conversionValue\": \"1\",\n \"currency\": \"\",\n \"maxRange\": \"\",\n \"minRange\": \"1\",\n \"conversionValueType\": \"fine\",\n \"customEventName\": \"session\",\n \"postbackSequenceIndex\": \"0\",\n \"metaEventName\": \"123\"\n },\n {\n \"conversionValue\": \"2\",\n \"currency\": \"\",\n \"maxRange\": \"\",\n \"minRange\": \"1\",\n \"conversionValueType\": \"fine\",\n \"customEventName\": \"level_10_achieved\",\n \"postbackSequenceIndex\": \"0\",\n \"metaEventName\": \"456\"\n },\n {\n \"conversionValue\": \"2\",\n \"currency\": \"USD\",\n \"maxRange\": \"20\",\n \"minRange\": \"10\",\n \"conversionValueType\": \"fine\",\n \"customEventName\": \"ad_impression_revenue\",\n \"postbackSequenceIndex\": \"0\",\n \"metaEventName\": \"\"\n },\n {\n \"conversionValue\": \"3\",\n \"currency\": \"\",\n \"maxRange\": \"\",\n \"minRange\": \"1\",\n \"conversionValueType\": \"fine\",\n \"customEventName\": \"level_20_achieved\",\n \"postbackSequenceIndex\": \"0\",\n \"metaEventName\": \"\"\n },\n {\n \"conversionValue\": \"4\",\n \"currency\": \"USD\",\n \"maxRange\": \"30\",\n \"minRange\": \"20\",\n \"conversionValueType\": \"fine\",\n \"customEventName\": \"ad_impression_revenue\",\n \"postbackSequenceIndex\": \"0\",\n \"metaEventName\": \"\"\n },\n {\n \"conversionValue\": \"5\",\n \"currency\": \"USD\",\n \"maxRange\": \"40\",\n \"minRange\": \"30\",\n \"conversionValueType\": \"fine\",\n \"customEventName\": \"ad_impression_revenue\",\n \"postbackSequenceIndex\": \"0\",\n \"metaEventName\": \"\"\n },\n {\n \"conversionValue\": \"low\",\n \"currency\": \"\",\n \"maxRange\": \"\",\n \"minRange\": \"1\",\n \"conversionValueType\": \"coarse\",\n \"customEventName\": \"session\",\n \"postbackSequenceIndex\": \"0\",\n \"metaEventName\": \"\"\n },\n {\n \"conversionValue\": \"medium\",\n \"currency\": \"USD\",\n \"maxRange\": \"20\",\n \"minRange\": \"10\",\n \"conversionValueType\": \"coarse\",\n \"customEventName\": \"ad_impression_revenue\",\n \"postbackSequenceIndex\": \"0\",\n \"metaEventName\": \"\"\n },\n {\n \"conversionValue\": \"high\",\n \"currency\": \"USD\",\n \"maxRange\": \"40\",\n \"minRange\": \"30\",\n \"conversionValueType\": \"coarse\",\n \"customEventName\": \"ad_impression_revenue\",\n \"postbackSequenceIndex\": \"0\",\n \"metaEventName\": \"\"\n },\n {\n \"conversionValue\": \"low\",\n \"currency\": \"\",\n \"maxRange\": \"\",\n \"minRange\": \"\",\n \"conversionValueType\": \"coarse\",\n \"customEventName\": \"\",\n \"postbackSequenceIndex\": \"1\",\n \"metaEventName\": \"\"\n },\n {\n \"conversionValue\": \"medium\",\n \"currency\": \"\",\n \"maxRange\": \"\",\n \"minRange\": \"\",\n \"conversionValueType\": \"coarse\",\n \"customEventName\": \"\",\n \"postbackSequenceIndex\": \"1\",\n \"metaEventName\": \"\"\n },\n {\n \"conversionValue\": \"high\",\n \"currency\": \"\",\n \"maxRange\": \"\",\n \"minRange\": \"\",\n \"conversionValueType\": \"coarse\",\n \"customEventName\": \"\",\n \"postbackSequenceIndex\": \"1\",\n \"metaEventName\": \"\"\n },\n {\n \"conversionValue\": \"low\",\n \"currency\": \"\",\n \"maxRange\": \"\",\n \"minRange\": \"\",\n \"conversionValueType\": \"coarse\",\n \"customEventName\": \"\",\n \"postbackSequenceIndex\": \"2\",\n \"metaEventName\": \"\"\n },\n {\n \"conversionValue\": \"medium\",\n \"currency\": \"\",\n \"maxRange\": \"\",\n \"minRange\": \"\",\n \"conversionValueType\": \"coarse\",\n \"customEventName\": \"\",\n \"postbackSequenceIndex\": \"2\",\n \"metaEventName\": \"\"\n },\n {\n \"conversionValue\": \"high\",\n \"currency\": \"\",\n \"maxRange\": \"\",\n \"minRange\": \"\",\n \"conversionValueType\": \"coarse\",\n \"customEventName\": \"\",\n \"postbackSequenceIndex\": \"2\",\n \"metaEventName\": \"\"\n }\n]\n\ndescribe('getCvSchemaFromJson', () => {\n describe('when json is a valid format', () => {\n it('returns a valid cvSchema', () => {\n const result = getCvSchemaFromJson({\n jsonData: EXAMPLE_PARSED_CSV,\n appId: 'example-app-id',\n description: 'example-description'\n })\n\n expect(result).toEqual(EXAMPLE_CV_SCHEMA)\n })\n })\n\n describe('when json contains unsupported conversion values', () => {\n it('throws an appropriate error', () => {\n expect(() => {\n getCvSchemaFromJson({\n jsonData: [\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"invalid-conversion-value\",\n \"customEventName\": \"example-custom-event\",\n \"metaEventName\": \"\",\n \"minRange\": \"1\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n }\n ],\n appId: 'example-app-id',\n description: 'example-description'\n })\n }).toThrow('Unsupported raw conversion value')\n })\n })\n\n describe('when json contains unsupported postbackSequenceIndex', () => {\n it('throws an appropriate error', () => {\n expect(() => {\n getCvSchemaFromJson({\n jsonData: [\n {\n \"postbackSequenceIndex\": \"invalid-postback-sequence-index\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"1\",\n \"customEventName\": \"example-custom-event\",\n \"metaEventName\": \"\",\n \"minRange\": \"1\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n }\n ],\n appId: 'example-app-id',\n description: 'example-description'\n })\n }).toThrow('Unsupported postback sequence index')\n })\n })\n\n describe('when json contains unsupported min/max range', () => {\n it('throws an appropriate error', () => {\n expect(() => {\n getCvSchemaFromJson({\n jsonData: [\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"1\",\n \"customEventName\": \"example-custom-event\",\n \"metaEventName\": \"\",\n \"minRange\": \"invalid-min-range\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n }\n ],\n appId: 'example-app-id',\n description: 'example-description'\n })\n }).toThrow('Unsupported min/max range')\n\n expect(() => {\n getCvSchemaFromJson({\n jsonData: [\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"1\",\n \"customEventName\": \"example-custom-event\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"invalid-min-range\",\n \"currency\": \"\"\n }\n ],\n appId: 'example-app-id',\n description: 'example-description'\n })\n }).toThrow('Unsupported min/max range')\n })\n })\n\n describe('when json contains unsupported schema type', () => {\n it('throws an appropriate error', () => {\n expect(() => {\n getCvSchemaFromJson({\n jsonData: [\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"invalid-schema-type\",\n \"conversionValue\": \"1\",\n \"customEventName\": \"example-custom-event\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n }\n ],\n appId: 'example-app-id',\n description: 'example-description'\n })\n }).toThrow('Unsupported schema type')\n })\n })\n})\n\ndescribe('getJsonFromCvSchema', () => {\n describe('when cvSchema is a valid format', () => {\n it('returns a json', () => {\n const result = getJsonFromCvSchema(EXAMPLE_CV_SCHEMA.cvSchema)\n\n expect(result).toEqual(EXAMPLE_CV_TO_JSON_FOR_TABLE)\n })\n })\n})\n\ndescribe('getSkanVersionFromJson', () => {\n describe('when postbackSequenceIndex is all 0', () => {\n describe('when conversionValueType has \"coarse\"', () => {\n it('returns SKAN Version 4', () => {\n const result = getSkanVersionFromJson([\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"1\",\n \"customEventName\": \"example_custom_event_name_1\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n },\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"coarse\",\n \"conversionValue\": \"2\",\n \"customEventName\": \"example_custom_event_name_2\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n }\n ])\n\n expect(result).toBe(CV_SCHEMA_SKAN_VERSION_4)\n })\n })\n describe('when conversionValueType does not have \"coarse\"', () => {\n it('returns SKAN Version 3', () => {\n const result = getSkanVersionFromJson([\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"1\",\n \"customEventName\": \"example_custom_event_name_1\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n },\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"2\",\n \"customEventName\": \"example_custom_event_name_2\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n }\n ])\n\n expect(result).toBe(CV_SCHEMA_SKAN_VERSION_3)\n })\n })\n })\n describe('when postbackSequenceIndex is not all 0', () => {\n describe('when conversionValueType has \"coarse\"', () => {\n it('returns SKAN Version 4', () => {\n const result = getSkanVersionFromJson([\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"1\",\n \"customEventName\": \"example_custom_event_name_1\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n },\n {\n \"postbackSequenceIndex\": \"1\",\n \"conversionValueType\": \"coarse\",\n \"conversionValue\": \"2\",\n \"customEventName\": \"example_custom_event_name_2\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n }\n ])\n\n expect(result).toBe(CV_SCHEMA_SKAN_VERSION_4)\n })\n })\n describe('when conversionValueType does not have \"coarse\"', () => {\n it('returns SKAN Version 4', () => {\n const result = getSkanVersionFromJson([\n {\n \"postbackSequenceIndex\": \"0\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"1\",\n \"customEventName\": \"example_custom_event_name_1\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n },\n {\n \"postbackSequenceIndex\": \"1\",\n \"conversionValueType\": \"fine\",\n \"conversionValue\": \"2\",\n \"customEventName\": \"example_custom_event_name_2\",\n \"metaEventName\": \"\",\n \"minRange\": \"\",\n \"maxRange\": \"\",\n \"currency\": \"\"\n }\n ])\n\n expect(result).toBe(CV_SCHEMA_SKAN_VERSION_4)\n })\n })\n })\n})\n\ndescribe('getEventMappingFromCondition', () => {\n describe('when metaEventName is provided', () => {\n it('formats meta_event_name into an appropriate object', () => {\n expect(\n getEventMappingFromCondition({ metaEventName: 'asdf' })\n ).toEqual({ meta: \"asdf\" })\n })\n })\n describe('when metaEventName is not provided', () => {\n it('returns an empty object', () => {\n expect(\n getEventMappingFromCondition({ meta: '' })\n ).toEqual({})\n })\n })\n})\n","import { getNavigationOptions } from './helpers';\n\nimport {\n LABEL_APP_AND_SDK,\n LABEL_ATTRIBUTION,\n LABEL_SK_AD_NETWORK,\n LABEL_CALLBACKS\n} from '../constants';\n\ndescribe('getNavigationOptions', () => {\n const originalLocation = window.location;\n const setIsLoading = jest.fn();\n\n beforeEach(() => {\n delete window.location;\n window.location = {\n href: '',\n pathname: ''\n };\n\n window.gon.feature_flags = ['skan_csv_upload']\n });\n\n afterEach(() => {\n window.location = originalLocation;\n\n jest.restoreAllMocks()\n });\n\n describe('when an ios app is selected', () => {\n it('configures options correctly', () => {\n const app = { id: 'app123', platform: 'ios' };\n const options = getNavigationOptions({ app, setIsLoading });\n expect(options).toHaveLength(4);\n expect(options[0].label).toBe(LABEL_APP_AND_SDK);\n expect(options[0].path).toBe(`/dashboard/apps/${app.id}`);\n expect(options[1].label).toBe(LABEL_ATTRIBUTION);\n expect(options[1].path).toBe(`/dashboard/apps/${app.id}/attribution`);\n expect(options[2].label).toBe(LABEL_CALLBACKS);\n expect(options[2].path).toBe(`/dashboard/apps/${app.id}/callbacks`);\n expect(options[3].label).toBe(LABEL_SK_AD_NETWORK);\n expect(options[3].path).toBe(`/dashboard/apps/${app.id}/skadnetwork`);\n });\n })\n\n describe('when an ios app is not selected', () => {\n it('configures options correctly', () => {\n const app = { id: 'app123', platform: 'android' };\n const options = getNavigationOptions({ app, setIsLoading });\n expect(options).toHaveLength(3);\n expect(options[0].label).toBe(LABEL_APP_AND_SDK);\n expect(options[0].path).toBe(`/dashboard/apps/${app.id}`);\n expect(options[1].label).toBe(LABEL_ATTRIBUTION);\n expect(options[1].path).toBe(`/dashboard/apps/${app.id}/attribution`);\n expect(options[2].label).toBe(LABEL_CALLBACKS);\n expect(options[2].path).toBe(`/dashboard/apps/${app.id}/callbacks`);\n });\n })\n\n describe('when current path matches a simple navigation path', () => {\n it('returns true for isActive()', () => {\n const app = { id: 'app123' };\n window.location.pathname = `/dashboard/apps/${app.id}`;\n const options = getNavigationOptions({ app, setIsLoading });\n expect(options[0].isActive()).toBe(true);\n });\n })\n\n describe('when current path matches a complex navigation path', () => {\n it('returns true for isActive()', () => {\n const app = { id: 'app123' };\n window.location.pathname = `/dashboard/apps/${app.id}/integrations/123/attribution`;\n const options = getNavigationOptions({ app, setIsLoading });\n expect(options[1].isActive()).toBe(true);\n });\n })\n\n describe('when tab is selected', () => {\n describe('when selected tab is SkAdNetwork', () => {\n describe('when app is not ios', () => {\n it('navigates correctly', () => {\n const app = { id: 'app123', platform: 'android' };\n const options = getNavigationOptions({ app, setIsLoading });\n options[0].handleChangeAppRedirect(app);\n expect(window.location.href).toBe(`/dashboard/apps/${app.id}`);\n expect(setIsLoading).toHaveBeenCalledTimes(1)\n });\n })\n describe('when app is ios', () => {\n it('redirects back to app & sdk page', () => {\n const app = { id: 'app123', platform: 'ios' };\n const options = getNavigationOptions({ app, setIsLoading });\n options[3].handleChangeAppRedirect(app);\n expect(window.location.href).toBe(`/dashboard/apps/${app.id}/skadnetwork`);\n expect(setIsLoading).toHaveBeenCalledTimes(2)\n });\n })\n })\n describe('when selected tab is not SkAdNetwork', () => {\n it('updates window.location.href', () => {\n const app = { id: 'app123' };\n const options = getNavigationOptions({ app, setIsLoading });\n options[0].handleChangeAppRedirect(app);\n expect(window.location.href).toBe(`/dashboard/apps/${app.id}`);\n });\n })\n })\n});\n","import { getAttributionTabUrl } from './helpers'\n\ndescribe('getAttributionTabUrl', () => {\n const app = { id: '12345' }\n const channel = { id: '67890', short_id: 'some_name' }\n\n describe('when given a regular action', () => {\n const action = { id: 'purge' }\n\n it('returns a path with a valid action', () => {\n const adNetworkAppUrl = `/dashboard/apps/${app.id}/integrations/${channel.id}/${action.id}`\n const opts = { appId: app.id, channelId: channel.id, actionId: action.id }\n expect(getAttributionTabUrl(opts)).toBe(adNetworkAppUrl)\n })\n })\n\n describe('when no actionId is given', () => {\n it('returns a path without a valid action', () => {\n const adNetworkAppUrl = `/dashboard/apps/${app.id}/integrations/${channel.id}`\n const opts = { appId: app.id, channelId: channel.id }\n expect(getAttributionTabUrl(opts)).toBe(adNetworkAppUrl)\n })\n })\n\n describe('when a custom channel', () => {\n const action = { id: 'attribution' }\n\n it('returns a path with channel short_id and a valid action', () => {\n const adNetworkAppUrl = `/dashboard/apps/${app.id}/integrations/${channel.short_id}/${action.id}`\n const opts = { appId: app.id, channelId: channel.short_id, actionId: action.id }\n expect(getAttributionTabUrl(opts)).toBe(adNetworkAppUrl)\n })\n })\n})\n","import { buildSavedReportUrl } from './helpers'\n\ndescribe('buildSavedReportUrl', () => {\n describe('when location, reportType and savedReportId are present', () => {\n it('returns a valid constructed url', () => {\n expect(buildSavedReportUrl({\n location: { pathname: '/dashboard/data_exporter' },\n reportType: 'user_acquisition',\n savedReportId: 'example_id_1'\n })).toBe('/dashboard/data_exporter?report_type=user_acquisition&saved_report_id=example_id_1')\n })\n })\n})\n","import { getNonMetricHeaderVisibility } from './helpers'\n\njest.mock('../../../../../api/reporting/helpers', () => {\n const originalModule = jest.requireActual('../../../../../api/reporting/helpers');\n\n return {\n __esModule: true,\n ...originalModule,\n isUsingClickhouse: () => false,\n }\n})\n\ndescribe('getNonMetricHeaderVisibility', () => {\n describe('when reportType is publisher (ad monetization) report', () => {\n it('should return a valid mapping of UI state booleans', () => {\n const _includesSomeItemCombination = jest.fn()\n .mockReturnValueOnce(true)\n .mockReturnValueOnce(true)\n .mockReturnValueOnce(true)\n .mockReturnValueOnce(false)\n .mockReturnValueOnce(true)\n\n const input = {\n columnKeys: [\n 'adNetworkName',\n 'appName', 'appIconUrl',\n 'country',\n 'name',\n 'platform'\n ],\n groupBy: 'adNetworkId',\n reportType: 'ad_revenue',\n _includesSomeItemCombination\n }\n\n expect(getNonMetricHeaderVisibility(input)).toEqual({\n showAdNetwork: true,\n showApp: true,\n showCountry: true,\n showName: false,\n showPlatform: true\n })\n })\n })\n describe('when reportType is not publisher (ad monetization) report', () => {\n it('should return a valid mapping of UI state booleans', () => {\n const _includesSomeItemCombination = jest.fn()\n .mockReturnValueOnce(true)\n .mockReturnValueOnce(true)\n .mockReturnValueOnce(true)\n .mockReturnValueOnce(true)\n .mockReturnValueOnce(true)\n\n const input = {\n columnKeys: [\n 'adNetworkName',\n 'appName', 'appIconUrl',\n 'country',\n 'name',\n 'platform'\n ],\n groupBy: 'adNetworkId',\n reportType: 'user_acquisition',\n _includesSomeItemCombination\n }\n\n expect(getNonMetricHeaderVisibility(input)).toEqual({\n showAdNetwork: true,\n showApp: true,\n showCountry: true,\n showName: true,\n showPlatform: true\n })\n })\n })\n})\n","import { calculateRowRange, getAllRowsText } from './helpers'\n\ndescribe('calculateRowRange', () => {\n it('returns the correct row range for the first page', () => {\n const pageIndex = 0;\n const pageSize = 10;\n const rowCount = 200;\n const result = calculateRowRange({ pageIndex, pageSize, rowCount });\n expect(result).toEqual({ start: 1, end: 10 });\n });\n\n it('returns the correct row range for a middle page', () => {\n const pageIndex = 2;\n const pageSize = 10;\n const rowCount = 200;\n const result = calculateRowRange({ pageIndex, pageSize, rowCount });\n expect(result).toEqual({ start: 21, end: 30 });\n });\n\n it('returns the correct row range for the last page', () => {\n const pageIndex = 19;\n const pageSize = 10;\n const rowCount = 200;\n const result = calculateRowRange({ pageIndex, pageSize, rowCount });\n expect(result).toEqual({ start: 191, end: 200 });\n });\n\n it('handles the case where there are fewer rows than the page size', () => {\n const pageIndex = 0;\n const pageSize = 10;\n const rowCount = 5;\n const result = calculateRowRange({ pageIndex, pageSize, rowCount });\n expect(result).toEqual({ start: 1, end: 5 });\n });\n\n it('handles the case where the last page has fewer rows than the page size', () => {\n const pageIndex = 3;\n const pageSize = 10;\n const rowCount = 25;\n const result = calculateRowRange({ pageIndex, pageSize, rowCount });\n expect(result).toEqual({ start: 31, end: 25 });\n });\n});\n\ndescribe('getAllRowsText', () => {\n it('returns \"No results.\" when rowCount is 0', () => {\n const result = getAllRowsText(0);\n expect(result).toBe('No results.');\n });\n\n it('returns \"Viewing 1 row.\" when rowCount is 1', () => {\n const result = getAllRowsText(1);\n expect(result).toBe('Viewing 1 row.');\n });\n\n it('returns \"Viewing all {rowCount} rows.\" when rowCount is greater than 1', () => {\n const result = getAllRowsText(5);\n expect(result).toBe('Viewing all 5 rows.');\n });\n\n it('handles large rowCount and return \"Viewing all {rowCount} rows.\"', () => {\n const result = getAllRowsText(1000);\n expect(result).toBe('Viewing all 1000 rows.');\n });\n});\n","import { getGranularitiesByTotalsOption } from './helpers'\n\ndescribe('getGranularitiesByTotalsOption', () => {\n describe('when dataExporterGranularities is null', () => {\n it('returns empty array', () => {\n expect(getGranularitiesByTotalsOption({\n dataExporterGranularities: [],\n isUsingTotals: false\n })).toEqual([])\n })\n })\n describe('when dataExporterGranularities is not null', () => {\n const dataExporterGranularities = [\n { name: 'a', id: 'a' },\n { name: 'b', id: 'b' },\n { name: 'totals-a', id: 'totals-a' },\n { name: 'totals-b', id: 'totals-b' },\n ]\n\n describe('when isUsingTotals is true', () => {\n it('returns a and b', () => {\n expect(getGranularitiesByTotalsOption({\n dataExporterGranularities,\n isUsingTotals: true\n })).toEqual([\n { name: 'totals-a', id: 'totals-a' },\n { name: 'totals-b', id: 'totals-b' }\n ])\n })\n })\n describe('when isUsingTotals is false', () => {\n it('returns totals-a and totals-b', () => {\n expect(getGranularitiesByTotalsOption({\n dataExporterGranularities,\n isUsingTotals: false\n })).toEqual([\n { name: 'a', id: 'a' },\n { name: 'b', id: 'b' }\n ])\n })\n })\n })\n})\n","import { getSelectableMetrics } from './helpers'\n\ndescribe('getSelectableMetrics', () => {\n describe('when metric definitions is empty', () => {\n it('returns an empty array', () => {\n expect(getSelectableMetrics({\n metricDefinitions: null,\n reportType: 'report_type'\n })).toEqual([])\n })\n })\n describe('when metric definitions is not null', () => {\n describe('when metric definitions has visible metrics', () => {\n const metricDefinitionsVisible = [\n {\n key: 'c',\n displayName: 'C',\n components: {\n dataExporter: {\n isVisible: true\n }\n }\n },\n {\n key: 'a',\n displayName: 'A',\n components: {\n dataExporter: {\n isVisible: true\n }\n }\n },\n {\n key: 'b',\n displayName: 'B',\n components: {\n dataExporter: {\n isVisible: false\n }\n }\n }\n ]\n\n it('returns visible metrics sorted by name', () => {\n expect(getSelectableMetrics({\n metricDefinitions: metricDefinitionsVisible,\n reportType: 'user_acquisition'\n })).toEqual([\n {\n key: 'a',\n displayName: 'A',\n components: {\n dataExporter: {\n isVisible: true\n }\n }\n },\n {\n key: 'c',\n displayName: 'C',\n components: {\n dataExporter: {\n isVisible: true\n }\n }\n }\n ])\n })\n\n describe('when report type is sk_ad_network ', () => {\n const metricDefinitionsVisibleWithSkAdReport = [\n {\n key: 'c',\n displayName: 'C',\n components: {\n dataExporter: {\n hideForSkAdNetworkReport: true,\n isVisible: true\n }\n }\n },\n {\n key: 'a',\n displayName: 'A',\n components: {\n dataExporter: {\n isVisible: true\n }\n }\n },\n {\n key: 'b',\n displayName: 'B',\n components: {\n dataExporter: {\n isVisible: false\n }\n }\n }\n ]\n\n it('returns non-hidden metrics', () => {\n expect(getSelectableMetrics({\n metricDefinitions: metricDefinitionsVisibleWithSkAdReport,\n reportType: 'sk_ad_network_report'\n })).toEqual([\n {\n key: 'a',\n displayName: 'A',\n components: {\n dataExporter: {\n isVisible: true\n }\n }\n }\n ])\n })\n })\n })\n describe('when metric definitions does not have visible metrics', () => {\n const metricDefinitionsNotVisible = [\n {\n key: 'b',\n displayName: 'B',\n components: {\n dataExporter: {\n isVisible: false\n }\n }\n }\n ]\n\n it('returns an empty array', () => {\n expect(getSelectableMetrics(metricDefinitionsNotVisible)).toEqual([])\n })\n })\n })\n})\n","import { BrowserRouter as Router } from 'react-router-dom'\n\nimport ReportingPage from './index'\n\n/* eslint-disable react/prop-types */\nconst Entry = props => (\n \n \n \n)\n\nexport default Entry\n/* eslint-enable react/prop-types */\n","import { pickBy } from 'lodash'\n\nimport { getUrlSearchParams } from '../../../contexts/ReportingFilters'\nimport { deepSnakeKeys, isPresent } from '../../../utils/helpers'\n\nexport const updateReportingNavLinks = (\n {\n groupBysByReportingContext, location, reportingContext\n }\n) => {\n const $uaNavLinks = document.getElementsByClassName('js-updateUrlParamsUA')\n\n if ($uaNavLinks.length > 0) {\n for (let $uaNavLink of $uaNavLinks) {\n $uaNavLink.setAttribute('href', `/dashboard${location.search}`)\n }\n }\n\n const $amNavLinks = document.getElementsByClassName('js-updateUrlParamsAM')\n\n if ($amNavLinks.length > 0) {\n const baseAmUrl = '/dashboard/publisher'\n const isViewingAMReports = reportingContext === 'am'\n\n if (isViewingAMReports) {\n for (let $amNavLink of $amNavLinks) {\n $amNavLink.setAttribute('href', `${baseAmUrl}${location.search}`)\n }\n } else {\n const validAmGroupBys = groupBysByReportingContext.am.map(groupBy => groupBy.id)\n\n const queryParams = getUrlSearchParams(location.search)\n\n const hasInvalidGroupByForAM = !validAmGroupBys.includes(queryParams.get('group_by'))\n\n if (hasInvalidGroupByForAM) {\n queryParams.delete('group_by')\n }\n\n const queryString = queryParams.toString()\n\n if (isPresent(queryString)) {\n for (let $amNavLink of $amNavLinks) {\n $amNavLink.setAttribute('href', `${baseAmUrl}?${queryString}`)\n }\n }\n }\n }\n}\n","export const sampleMetricDefinitions = {\n \"allFraud\": {\n \"key\": \"allFraud\",\n \"abbreviatedName\": \"Total Fraud Events\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Fraud\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Total Fraud Events\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"number\"\n },\n \"blockedClicks\": {\n \"key\": \"blockedClicks\",\n \"abbreviatedName\": \"Blocked Clicks\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Clicks\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Blocked Clicks\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"number\"\n },\n \"blockedDeviceEvents\": {\n \"key\": \"blockedDeviceEvents\",\n \"abbreviatedName\": \"Blocked Device Events\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Events\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Blocked Device Events\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"number\"\n },\n \"clicks\": {\n \"key\": \"clicks\",\n \"abbreviatedName\": \"Reported Clicks\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Clicks\"\n }\n },\n \"context\": [\n \"ua\",\n \"am\"\n ],\n \"displayName\": \"Reported Clicks\",\n \"onboardingRequirements\": [\n \"ua_channel\"\n ],\n \"valueType\": \"wholeNumber\"\n },\n \"clicksDifference\": {\n \"key\": \"clicksDifference\",\n \"abbreviatedName\": \"Clicks Diff\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Difference (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Clicks Difference\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\",\n \"ua_channel\"\n ],\n \"valueType\": \"number\"\n },\n \"clicksDifferencePct\": {\n \"key\": \"clicksDifferencePct\",\n \"abbreviatedName\": \"Clicks Difference Percent\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Difference (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Clicks Difference Percent\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\",\n \"ua_channel\"\n ],\n \"valueType\": \"percentage\"\n },\n \"cpUser\": {\n \"key\": \"cpUser\",\n \"abbreviatedName\": \"Lifetime Cost / User\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": false\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Cost per User ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Lifetime Cost per Retained User\",\n \"hasXDayVariant\": true,\n \"onboardingRequirements\": [\n \"app\",\n \"ua_channel\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"cpc\": {\n \"key\": \"cpc\",\n \"abbreviatedName\": \"CPC\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Cost-Per-Click (CPC)\",\n \"onboardingRequirements\": [\n \"ua_channel\"\n ],\n \"valueType\": \"currency\"\n },\n \"cpi\": {\n \"key\": \"cpi\",\n \"abbreviatedName\": \"CPI\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Cost-Per-Install (CPI)\",\n \"onboardingRequirements\": [\n \"ua_channel\"\n ],\n \"valueType\": \"currency\"\n },\n \"cpm\": {\n \"key\": \"cpm\",\n \"abbreviatedName\": \"CPM\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Cost-Per-1000-Impressions (CPM)\",\n \"onboardingRequirements\": [\n \"ua_channel\"\n ],\n \"valueType\": \"currency\"\n },\n \"cpr\": {\n \"key\": \"cpr\",\n \"abbreviatedName\": \"CPR\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Percentage (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Completion Rate (CPR)\",\n \"onboardingRequirements\": [\n \"ua_channel\"\n ],\n \"valueType\": \"percentage\"\n },\n \"ctr\": {\n \"key\": \"ctr\",\n \"abbreviatedName\": \"CTR\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Percentage (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Click-Through-Rate (CTR)\",\n \"onboardingRequirements\": [\n \"ua_channel\"\n ],\n \"valueType\": \"percentage\"\n },\n \"cvr\": {\n \"key\": \"cvr\",\n \"abbreviatedName\": \"CVR\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Percentage (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Conversion Rate (CVR)\",\n \"onboardingRequirements\": [\n \"ua_channel\"\n ],\n \"valueType\": \"percentage\"\n },\n \"fraudPurchases\": {\n \"key\": \"fraudPurchases\",\n \"abbreviatedName\": \"Fradulent Purchases\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Purchases\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Fraudulent Purchases\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"number\"\n },\n \"fraudRevenue\": {\n \"key\": \"fraudRevenue\",\n \"abbreviatedName\": \"Blocked Fradulent Rev\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Blocked Fraudulent Revenue\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"iapRevenue\": {\n \"key\": \"iapRevenue\",\n \"abbreviatedName\": \"In App Purchase LTV\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": false\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"IAP Revenue ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"In App Purchase LTV\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"iapRoi\": {\n \"key\": \"iapRoi\",\n \"abbreviatedName\": \"Lifetime IAP ROI\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": false\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"IAP ROI (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Lifetime IAP ROI\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\",\n \"ua_channel\"\n ],\n \"valueType\": \"percentage\"\n },\n \"iapRpu\": {\n \"key\": \"iapRpu\",\n \"abbreviatedName\": \"In App Purchase LTV / User\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": false\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"IAP RPU ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"In App Purchase LTV / User\",\n \"hasXDayVariant\": true,\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"impressions\": {\n \"key\": \"impressions\",\n \"abbreviatedName\": \"Impressions\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Impressions\"\n }\n },\n \"context\": [\n \"ua\",\n \"am\"\n ],\n \"displayName\": \"Reported Impressions\",\n \"onboardingRequirements\": [\n \"ua_channel\"\n ],\n \"valueType\": \"wholeNumber\"\n },\n \"installs\": {\n \"key\": \"installs\",\n \"abbreviatedName\": \"Reported Installs\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Installs\"\n }\n },\n \"context\": [\n \"ua\",\n \"sk\"\n ],\n \"displayName\": \"Reported Installs\",\n \"onboardingRequirements\": [\n \"ua_channel\"\n ],\n \"valueType\": \"wholeNumber\"\n },\n \"installsDifference\": {\n \"key\": \"installsDifference\",\n \"abbreviatedName\": \"Installs Diff\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Difference\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Installs Difference\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\",\n \"ua_channel\"\n ],\n \"valueType\": \"number\"\n },\n \"installsDifferencePct\": {\n \"key\": \"installsDifferencePct\",\n \"abbreviatedName\": \"Installs Difference Percent\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Difference (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Installs Difference Percent\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\",\n \"ua_channel\"\n ],\n \"valueType\": \"percentage\"\n },\n \"lifetime\": {\n \"key\": \"lifetime\",\n \"abbreviatedName\": \"Lifetime Active Days / User\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": false\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Difference (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Lifetime Active Days Per User\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"number\"\n },\n \"pubRev\": {\n \"key\": \"pubRev\",\n \"abbreviatedName\": \"Ad Rev\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Ad Revenue\",\n \"hasXDayVariant\": true,\n \"onboardingRequirements\": [\n \"am_channel\"\n ],\n \"valueType\": \"currency\"\n },\n \"pubRevenue\": {\n \"key\": \"pubRevenue\",\n \"abbreviatedName\": \"Ad Revenue LTV\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": false\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Ad Revenue ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Ad Revenue LTV\",\n \"onboardingRequirements\": [\n \"am_channel\"\n ],\n \"valueType\": \"currency\"\n },\n \"pubRoi\": {\n \"key\": \"pubRoi\",\n \"abbreviatedName\": \"Lifetime Ad ROI\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": false\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Ad ROI (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Lifetime Ad ROI\",\n \"onboardingRequirements\": [\n \"am_channel\",\n \"app\",\n \"sdk\",\n \"ua_channel\"\n ],\n \"valueType\": \"percentage\"\n },\n \"pubRpu\": {\n \"key\": \"pubRpu\",\n \"abbreviatedName\": \"Ad Revenue LTV / User\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": false\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Ad RPU ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Ad Revenue LTV / User\",\n \"hasXDayVariant\": true,\n \"onboardingRequirements\": [\n \"am_channel\"\n ],\n \"valueType\": \"currency\"\n },\n \"retention\": {\n \"key\": \"retention\",\n \"abbreviatedName\": \"Lifetime Ret\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": false\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Retention (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Lifetime Retention\",\n \"hasXDayVariant\": true,\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"percentage\"\n },\n \"revenues\": {\n \"key\": \"revenues\",\n \"abbreviatedName\": \"IAP Rev\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"IAP Revenue\",\n \"hasXDayVariant\": true,\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"sessions\": {\n \"key\": \"sessions\",\n \"abbreviatedName\": \"Sessions\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Sessions\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Sessions\",\n \"hasXDayVariant\": true,\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"number\"\n },\n \"sessionsLtpu\": {\n \"key\": \"sessionsLtpu\",\n \"abbreviatedName\": \"Lifetime Sess / User\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": false\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Lifetime Sessions Per User\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Lifetime Sessions Per User\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"number\"\n },\n \"spend\": {\n \"key\": \"spend\",\n \"abbreviatedName\": \"Spend\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"chartType\": \"area\",\n \"isVisible\": true,\n \"position\": 0,\n \"reportId\": \"spend\"\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n },\n \"skAdNetworkReport\": {\n \"kpiCard\": {\n \"isVisible\": true,\n \"position\": 0\n }\n }\n },\n \"context\": [\n \"ua\",\n \"sk\"\n ],\n \"displayName\": \"Spend\",\n \"onboardingRequirements\": [\n \"ua_channel\"\n ],\n \"valueType\": \"currency\"\n },\n \"tcpi\": {\n \"key\": \"tcpi\",\n \"abbreviatedName\": \"tCPI\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Cost-Per-Tracked Install (tCPI)\",\n \"onboardingRequirements\": [\n \"app\",\n \"ua_channel\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"totalRev\": {\n \"key\": \"totalRev\",\n \"abbreviatedName\": \"Total Rev\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"chartType\": \"area\",\n \"isVisible\": true,\n \"position\": 1,\n \"reportId\": \"revenue\"\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Total Revenue\",\n \"hasXDayVariant\": true,\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"totalRevenue\": {\n \"key\": \"totalRevenue\",\n \"abbreviatedName\": \"Total LTV\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": false\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Total Revenue ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Total LTV\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"totalRoas\": {\n \"key\": \"totalRoas\",\n \"abbreviatedName\": \"Lifetime Total ROAS\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": false\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Total ROAS (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Lifetime Total ROAS\",\n \"hasXDayVariant\": true,\n \"onboardingRequirements\": [\n \"am_channel\",\n \"app\",\n \"sdk\",\n \"ua_channel\"\n ],\n \"valueType\": \"percentage\"\n },\n \"totalRoi\": {\n \"key\": \"totalRoi\",\n \"abbreviatedName\": \"Lifetime Total ROI\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": false\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Total ROI (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Lifetime Total ROI\",\n \"hasXDayVariant\": true,\n \"onboardingRequirements\": [\n \"am_channel\",\n \"app\",\n \"sdk\",\n \"ua_channel\"\n ],\n \"valueType\": \"percentage\"\n },\n \"totalRpu\": {\n \"key\": \"totalRpu\",\n \"abbreviatedName\": \"Total LTV / User\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": false\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Total RPU ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Total LTV / User\",\n \"hasXDayVariant\": true,\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"trackedClicks\": {\n \"key\": \"trackedClicks\",\n \"abbreviatedName\": \"Tracked Clicks\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Clicks\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Tracked Clicks\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"number\"\n },\n \"trackedCvr\": {\n \"key\": \"trackedCvr\",\n \"abbreviatedName\": \"Tracked CVR\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Percentage (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Tracked Conversion Rate (CVR)\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"percentage\"\n },\n \"trackedImpressions\": {\n \"key\": \"trackedImpressions\",\n \"abbreviatedName\": \"Tracked Impressions\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Impressions\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Tracked Impressions\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"number\"\n },\n \"trackedInstalls\": {\n \"key\": \"trackedInstalls\",\n \"abbreviatedName\": \"Tracked Installs\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"chartType\": \"area\",\n \"isVisible\": true,\n \"position\": 3,\n \"reportId\": \"usage\"\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Installs\"\n }\n },\n \"context\": [\n \"ua\",\n \"sk\"\n ],\n \"displayName\": \"Tracked Installs\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"number\"\n },\n \"cpUser_0d\": {\n \"key\": \"cpUser_0d\",\n \"abbreviatedName\": \"CP 0-Day User\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"chartType\": \"line\",\n \"isVisible\": false,\n \"position\": 6,\n \"reportId\": \"value\"\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Cost per 0-Day Retained User\",\n \"onboardingRequirements\": [\n \"app\",\n \"ua_channel\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"cpUser_1d\": {\n \"key\": \"cpUser_1d\",\n \"abbreviatedName\": \"CP 1-Day User\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"chartType\": \"line\",\n \"isVisible\": false,\n \"position\": 6,\n \"reportId\": \"value\"\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Cost per 1-Day Retained User\",\n \"onboardingRequirements\": [\n \"app\",\n \"ua_channel\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"iapRpu_0d\": {\n \"key\": \"iapRpu_0d\",\n \"abbreviatedName\": \"0-Day IAP LTV / User\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"0-Day IAP LTV / User\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"iapRpu_1d\": {\n \"key\": \"iapRpu_1d\",\n \"abbreviatedName\": \"1-Day IAP LTV / User\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"1-Day IAP LTV / User\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"pubrev_0d\": {\n \"key\": \"pubrev_0d\",\n \"abbreviatedName\": \"0-Day Adrev LTV\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"0-Day Ad Revenue LTV\",\n \"onboardingRequirements\": [\n \"am_channel\",\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"pubrev_1d\": {\n \"key\": \"pubrev_1d\",\n \"abbreviatedName\": \"1-Day Adrev LTV\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"1-Day Ad Revenue LTV\",\n \"onboardingRequirements\": [\n \"am_channel\",\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"pubRpu_0d\": {\n \"key\": \"pubRpu_0d\",\n \"abbreviatedName\": \"0-Day Adrev LTV / User\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"0-Day Ad Revenue LTV / User\",\n \"onboardingRequirements\": [\n \"am_channel\",\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"pubRpu_1d\": {\n \"key\": \"pubRpu_1d\",\n \"abbreviatedName\": \"1-Day Adrev LTV / User\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"1-Day Ad Revenue LTV / User\",\n \"onboardingRequirements\": [\n \"am_channel\",\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"retention_0d\": {\n \"key\": \"retention_0d\",\n \"abbreviatedName\": \"0-Day Ret %\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"chartType\": \"line\",\n \"isVisible\": false,\n \"position\": 5,\n \"reportId\": \"retention\"\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Percentage (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"0-Day Retention Rate\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"percentage\"\n },\n \"retention_1d\": {\n \"key\": \"retention_1d\",\n \"abbreviatedName\": \"1-Day Ret %\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"chartType\": \"line\",\n \"isVisible\": true,\n \"position\": 4,\n \"reportId\": \"retention\"\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Percentage (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"1-Day Retention Rate\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"percentage\"\n },\n \"revenues_0d\": {\n \"key\": \"revenues_0d\",\n \"abbreviatedName\": \"0-Day IAP LTV\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"0-Day IAP LTV\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"revenues_1d\": {\n \"key\": \"revenues_1d\",\n \"abbreviatedName\": \"1-Day IAP LTV\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"1-Day IAP LTV\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"sessions_0d\": {\n \"key\": \"sessions_0d\",\n \"abbreviatedName\": \"0-Day Sess\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Sessions\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"0-Day Sessions\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"number\"\n },\n \"sessions_1d\": {\n \"key\": \"sessions_1d\",\n \"abbreviatedName\": \"1-Day Sess\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Sessions\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"1-Day Sessions\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"number\"\n },\n \"totalRev_0d\": {\n \"key\": \"totalRev_0d\",\n \"abbreviatedName\": \"0-Day Total LTV\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"0-Day Total LTV\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"totalRev_1d\": {\n \"key\": \"totalRev_1d\",\n \"abbreviatedName\": \"1-Day Total LTV\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"1-Day Total LTV\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"roas_0d\": {\n \"key\": \"roas_0d\",\n \"abbreviatedName\": \"0-Day ROAS\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Percentage (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"0-Day ROAS\",\n \"onboardingRequirements\": [\n \"am_channel\",\n \"app\",\n \"sdk\",\n \"ua_channel\"\n ],\n \"valueType\": \"percentage\"\n },\n \"roas_1d\": {\n \"key\": \"roas_1d\",\n \"abbreviatedName\": \"1-Day ROAS\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Percentage (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"1-Day ROAS\",\n \"onboardingRequirements\": [\n \"am_channel\",\n \"app\",\n \"sdk\",\n \"ua_channel\"\n ],\n \"valueType\": \"percentage\"\n },\n \"roi_0d\": {\n \"key\": \"roi_0d\",\n \"abbreviatedName\": \"0-Day ROI\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"chartType\": \"line\",\n \"isVisible\": false,\n \"position\": 7,\n \"reportId\": \"roi\"\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Percentage (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"0-Day ROI\",\n \"onboardingRequirements\": [\n \"am_channel\",\n \"app\",\n \"sdk\",\n \"ua_channel\"\n ],\n \"valueType\": \"percentage\"\n },\n \"roi_1d\": {\n \"key\": \"roi_1d\",\n \"abbreviatedName\": \"1-Day ROI\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"chartType\": \"line\",\n \"isVisible\": false,\n \"position\": 7,\n \"reportId\": \"roi\"\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Percentage (%)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"1-Day ROI\",\n \"onboardingRequirements\": [\n \"am_channel\",\n \"app\",\n \"sdk\",\n \"ua_channel\"\n ],\n \"valueType\": \"percentage\"\n },\n \"rpu_0d\": {\n \"key\": \"rpu_0d\",\n \"abbreviatedName\": \"0-Day Total LTV / User\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"0-Day Total LTV / User\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"rpu_1d\": {\n \"key\": \"rpu_1d\",\n \"abbreviatedName\": \"1-Day Total LTV / User\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"1-Day Total LTV / User\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"cpKsessions_0d\": {\n \"key\": \"cpKsessions_0d\",\n \"abbreviatedName\": \"CP K 0-Day Sessions\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Cost per 1000 0-Day Sessions\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\",\n \"ua_channel\"\n ],\n \"valueType\": \"currency\"\n },\n \"cpKsessions_1d\": {\n \"key\": \"cpKsessions_1d\",\n \"abbreviatedName\": \"CP K 1-Day Sessions\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Cost per 1000 1-Day Sessions\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\",\n \"ua_channel\"\n ],\n \"valueType\": \"currency\"\n },\n \"iapArpu\": {\n \"key\": \"iapArpu\",\n \"abbreviatedName\": \"IAP ARPDAU\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"IAP Revenue per Daily Active Users\",\n \"valueType\": \"currency\"\n },\n \"pubArpu\": {\n \"key\": \"pubArpu\",\n \"abbreviatedName\": \"Ad ARPDAU\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Ad Revenue per Daily Active Users\",\n \"onboardingRequirements\": [\n \"am_channel\"\n ],\n \"valueType\": \"currency\"\n },\n \"totalArpu\": {\n \"key\": \"totalArpu\",\n \"abbreviatedName\": \"Total ARPDAU\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Amount ($)\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Total Revenue per Daily Active Users\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"currency\"\n },\n \"users\": {\n \"key\": \"users\",\n \"abbreviatedName\": \"DAU\",\n \"calculatedAsLabel\": \"AVERAGE\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"chartType\": \"area\",\n \"isVisible\": true,\n \"position\": 2,\n \"reportId\": \"usage\"\n },\n \"kpiTabChart\": {\n \"yAxis\": \"DAU\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"Daily Active Users\",\n \"hasCustomVariant\": true,\n \"hasXDayVariant\": true,\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"number\"\n },\n \"users_0d\": {\n \"key\": \"users_0d\",\n \"abbreviatedName\": \"0-Day Users\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Users\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"0-Day Retained Users\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"number\"\n },\n \"users_1d\": {\n \"key\": \"users_1d\",\n \"abbreviatedName\": \"1-Day Users\",\n \"calculatedAsLabel\": \"TOTAL\",\n \"components\": {\n \"groupedSummaryTable\": {\n \"isVisible\": true\n },\n \"kpiCard\": {\n \"isVisible\": false\n },\n \"kpiTabChart\": {\n \"yAxis\": \"Users\"\n }\n },\n \"context\": [\n \"ua\"\n ],\n \"displayName\": \"1-Day Retained Users\",\n \"onboardingRequirements\": [\n \"app\",\n \"sdk\"\n ],\n \"valueType\": \"number\"\n }\n}\n\nexport const metricColumnsByReport = {\n \"overview\": [\n \"tracked_installs\",\n \"total_rev_90d\",\n \"roas_1d\",\n \"sessions_1d\",\n \"retention_1d\",\n \"revenues_0d\",\n \"roi_0d\",\n \"roas_0d\",\n \"iap_rpu_0d\",\n \"sessions_0d\",\n \"retention_0d\",\n \"users_0d\",\n \"pub_rpu_1d\",\n \"pubrev_0d\",\n \"pub_rpu_0d\",\n \"total_rev_0d\",\n \"roi_1d\",\n \"revenues\"\n ],\n \"spend\": [\n \"spend\",\n \"impressions\",\n \"clicks\",\n \"installs\",\n \"cpi\",\n \"ctr\",\n \"cvr\",\n \"tcpi\"\n ],\n \"retention\": [\n \"retention_1d\",\n \"retention_2d\",\n \"retention_3d\",\n \"retention_4d\",\n \"retention_5d\",\n \"retention_6d\",\n \"retention_7d\",\n \"retention_14d\",\n \"retention_30d\",\n \"retention_90d\"\n ],\n \"value\": [\n \"cp_user_1d\",\n \"cp_user_3d\",\n \"cp_user_7d\",\n \"cp_user_14d\",\n \"cp_user_90d\"\n ],\n \"roi\": [\n \"roi_0d\",\n \"roi_1d\",\n \"roi_2d\",\n \"roi_3d\",\n \"roi_7d\",\n \"roi_14d\",\n \"roi_30d\",\n \"roi_90d\"\n ],\n \"revenue\": [\n \"users\",\n \"revenues\",\n \"total_rev\",\n \"total_rev_0d\",\n \"total_rev_7d\",\n \"total_rev_90d\",\n \"rpu_0d\",\n \"rpu_7d\",\n \"rpu_90d\"\n ],\n \"publisher\": [\n \"impressions\",\n \"clicks\",\n \"ecpm\",\n \"ecpc\"\n ],\n \"custom\": [\n \"users\",\n \"count\",\n \"users_3d\",\n \"cum_cnt_3d\",\n \"participation_3d\",\n \"cp_participant_3d\",\n \"cp_event_3d\"\n ],\n \"fraud\": [\n \"tracked_clicks\",\n \"tracked_installs\",\n \"tracked_cvr\",\n \"blocked_clicks\",\n \"fraud_purchases\",\n \"fraud_revenue\",\n \"blocked_device_events\",\n \"all_fraud\"\n ],\n \"sk_ad_network\": [\n \"conversion_value_count\",\n \"conversion_value_avg\",\n \"apple_conversion_value_count\",\n \"apple_conversion_value_avg\",\n \"spend\",\n \"tracked_installs\"\n ]\n}\n","import {\n buildDataExporterCSVData,\n buildSkAdNetworkCSVData,\n formatRow,\n getNameHeaderAndValueByGroupBy,\n getCSVHeaders,\n getCSVFilename,\n getCombinationGroupByFromArray\n} from './helpers'\n\nimport { demoOrgApps, iosApp } from '../../utils/factories/apps'\nimport { sampleMetricDefinitions } from '../../utils/factories/metrics'\n\ndescribe('buildDataExporterCSVData', () => {\n describe('when data includes date', () => {\n describe('when groupBy is \"app\"', () => {\n const data = [\n {\n \"date\": \"2015-03-02\",\n \"trackedInstalls\": 5,\n \"name\": \"Word Search (OLD)\",\n \"iconUrl\": \"https://example-hosting.com/icon.png\",\n \"platform\": \"ios\",\n \"bundleId\": \"com.tenjin.wordfinder\",\n \"storeId\": \"887212194\",\n \"id\": \"ee270433-b7da-4e0f-9b03-8dd25d89da49\"\n },\n {\n \"date\": \"2015-03-01\",\n \"trackedInstalls\": 10,\n \"name\": \"Word Search (OLD)\",\n \"iconUrl\": \"https://example-hosting.com/icon.png\",\n \"platform\": \"ios\",\n \"bundleId\": \"com.tenjin.wordfinder\",\n \"storeId\": \"887212194\",\n \"id\": \"ee270433-b7da-4e0f-9b03-8dd25d89da49\"\n },\n {\n \"date\": \"2015-03-01\",\n \"trackedInstalls\": 3,\n \"name\": \"Flow Free\",\n \"iconUrl\": \"https://example-hosting.com/icon.png\",\n \"platform\": \"android\",\n \"bundleId\": \"com.bigduckgames.flow\",\n \"storeId\": \"com.bigduckgames.flow\",\n \"id\": \"1bb0335a-9412-4ba7-8f5c-742a5ce56ba5\"\n }\n ]\n\n it('returns a formatted collection sorted by date and appName', () => {\n const result = buildDataExporterCSVData({\n data,\n apps: demoOrgApps,\n groupBy: 'appId',\n metricDefinitions: sampleMetricDefinitions\n })\n\n expect(result).toEqual([\n {\n \"app_name\": \"Flow Free\",\n \"bundle_id\": \"com.bigduckgames.flow\",\n \"date\": \"2015-03-01\",\n \"platform\": \"android\",\n \"store_id\": \"com.bigduckgames.flow\",\n \"tracked_installs\": 3\n },\n {\n \"app_name\": \"Word Search (OLD)\",\n \"bundle_id\": \"com.tenjin.wordfinder\",\n \"date\": \"2015-03-01\",\n \"platform\": \"ios\",\n \"store_id\": \"887212194\",\n \"tracked_installs\": 10\n },\n {\n \"app_name\": \"Word Search (OLD)\",\n \"bundle_id\": \"com.tenjin.wordfinder\",\n \"date\": \"2015-03-02\",\n \"platform\": \"ios\",\n \"store_id\": \"887212194\",\n \"tracked_installs\": 5\n }\n ])\n })\n })\n describe('when groupBy is \"app + channel + country\"', () => {\n const data = [\n {\n \"date\": \"2022-09-09\",\n \"adNetworkId\": \"-1\",\n \"appId\": \"exampleAppId\",\n \"country\": \"AR\",\n \"spend\": null,\n \"adNetworkIconUrl\": null,\n \"appIconUrl\": \"https://example-hosting.com/icon.png\",\n \"appName\": \"exampleAppName\",\n \"platform\": \"ios\",\n \"adNetworkName\": null,\n \"bundleId\": \"exampleBundleId\",\n \"storeId\": \"exampleStoreId\",\n \"id\": null\n },\n {\n \"date\": \"2022-09-09\",\n \"adNetworkId\": \"-1\",\n \"appId\": \"ede3a53c-79d1-4214-afae-496e9c138af7\",\n \"country\": \"ZA\",\n \"spend\": null,\n \"adNetworkIconUrl\": null,\n \"appIconUrl\": \"https://example-hosting.com/icon.png\",\n \"appName\": \"exampleAppName\",\n \"platform\": \"ios\",\n \"adNetworkName\": null,\n \"bundleId\": \"exampleBundleId\",\n \"storeId\": \"exampleStoreId\",\n \"id\": null\n }\n ]\n\n it('returns a formatted collection sorted by date and appName', () => {\n const result = buildDataExporterCSVData({\n data,\n apps: demoOrgApps,\n groupBy: 'adNetworkAppCountry',\n metricDefinitions: sampleMetricDefinitions\n })\n\n expect(result).toEqual([\n {\n \"ad_network_name\": null,\n \"app_name\": \"exampleAppName\",\n \"bundle_id\": \"exampleBundleId\",\n \"country\": \"AR\",\n \"date\": \"2022-09-09\",\n \"platform\": \"ios\",\n \"spend\": null,\n \"store_id\": \"exampleStoreId\",\n },\n {\n \"ad_network_name\": null,\n \"app_name\": \"exampleAppName\",\n \"bundle_id\": \"exampleBundleId\",\n \"country\": \"ZA\",\n \"date\": \"2022-09-09\",\n \"platform\": \"ios\",\n \"spend\": null,\n \"store_id\": \"exampleStoreId\",\n },\n ])\n })\n })\n describe('when groupBy is \"campaign\"', () => {\n const data = [\n {\n \"date\": \"2022-08-29\",\n \"spend\": 1.0,\n \"name\": \"exampleCampaignName\",\n \"platform\": \"android\",\n \"app_name\": \"Flow Free\",\n \"app_id\": \"1bb0335a-9412-4ba7-8f5c-742a5ce56ba5\",\n \"ad_network_id\": \"3\",\n \"ad_network_name\": \"Meta\",\n \"bundle_id\": \"com.bigduckgames.flow\",\n \"store_id\": \"com.bigduckgames.flow\",\n \"app_icon_url\": \"https://example.com/icon.png\",\n \"ad_network_icon_url\": \"https://example.com/ad_network/icon.png\",\n \"icon_url\": \"https://example.com/ad_network/icon.png\",\n \"id\": \"0270bbaf-df43-4675-a3cd-05263af44822\"\n }\n ]\n\n it('returns a formatted collection sorted by date and appName', () => {\n const result = buildDataExporterCSVData({\n data,\n apps: demoOrgApps,\n groupBy: 'campaign',\n metricDefinitions: sampleMetricDefinitions\n })\n\n expect(result).toEqual([\n {\n \"ad_network_icon_url\": \"https://example.com/ad_network/icon.png\",\n \"ad_network_id\": \"3\",\n \"ad_network_name\": \"Meta\",\n \"app_icon_url\": \"https://example.com/icon.png\",\n \"app_id\": \"1bb0335a-9412-4ba7-8f5c-742a5ce56ba5\",\n \"app_name\": \"Flow Free\",\n \"bundle_id\": \"com.bigduckgames.flow\",\n \"campaign\": \"exampleCampaignName\",\n \"date\": \"2022-08-29\",\n \"icon_url\": \"https://example.com/ad_network/icon.png\",\n \"platform\": \"android\",\n \"spend\": 1,\n \"store_id\": \"com.bigduckgames.flow\",\n }\n ])\n })\n })\n })\n describe('when groupBy is \"app\"', () => {\n const data = [\n {\n \"trackedInstalls\": 15,\n \"name\": \"Word Search (OLD)\",\n \"iconUrl\": \"https://example-hosting.com/icon.png\",\n \"platform\": \"ios\",\n \"bundleId\": \"com.tenjin.wordfinder\",\n \"storeId\": \"887212194\",\n \"id\": \"ee270433-b7da-4e0f-9b03-8dd25d89da49\"\n },\n {\n \"trackedInstalls\": 3,\n \"name\": \"Flow Free\",\n \"iconUrl\": \"https://example-hosting.com/icon.png\",\n \"platform\": \"android\",\n \"bundleId\": \"com.bigduckgames.flow\",\n \"storeId\": \"com.bigduckgames.flow\",\n \"id\": \"1bb0335a-9412-4ba7-8f5c-742a5ce56ba5\"\n }\n ]\n\n it('returns a formatted collection sorted by appName', () => {\n const result = buildDataExporterCSVData({\n data,\n apps: demoOrgApps,\n groupBy: 'appId',\n metricDefinitions: sampleMetricDefinitions\n })\n\n expect(result).toEqual([\n {\n \"app_name\": \"Flow Free\",\n \"bundle_id\": \"com.bigduckgames.flow\",\n \"platform\": \"android\",\n \"store_id\": \"com.bigduckgames.flow\",\n \"tracked_installs\": 3\n },\n {\n \"app_name\": \"Word Search (OLD)\",\n \"bundle_id\": \"com.tenjin.wordfinder\",\n \"platform\": \"ios\",\n \"store_id\": \"887212194\",\n \"tracked_installs\": 15\n }\n ])\n })\n })\n describe('when storeId is missing in each row', () => {\n const data = [\n {\n \"trackedInstalls\": 15,\n \"name\": \"Word Search (OLD)\",\n \"iconUrl\": \"https://example-hosting.com/icon.png\",\n \"platform\": \"ios\",\n \"bundleId\": \"com.tenjin.wordfinder\",\n \"storeId\": null,\n \"id\": \"ee270433-b7da-4e0f-9b03-8dd25d89da49\"\n },\n {\n \"trackedInstalls\": 3,\n \"name\": \"Flow Free\",\n \"iconUrl\": \"https://example-hosting.com/icon.png\",\n \"platform\": \"android\",\n \"bundleId\": \"com.bigduckgames.flow\",\n \"storeId\": null,\n \"id\": \"1bb0335a-9412-4ba7-8f5c-742a5ce56ba5\"\n }\n ]\n\n it('returns a formatted collection with missing the column removed', () => {\n const result = buildDataExporterCSVData({\n data,\n apps: demoOrgApps,\n groupBy: 'appId',\n metricDefinitions: sampleMetricDefinitions\n })\n\n expect(result).toEqual([\n {\n \"app_name\": \"Flow Free\",\n \"bundle_id\": \"com.bigduckgames.flow\",\n \"platform\": \"android\",\n \"tracked_installs\": 3\n },\n {\n \"app_name\": \"Word Search (OLD)\",\n \"bundle_id\": \"com.tenjin.wordfinder\",\n \"platform\": \"ios\",\n \"tracked_installs\": 15\n }\n ])\n })\n })\n describe('when bundleId is missing in each row', () => {\n const data = [\n {\n \"trackedInstalls\": 15,\n \"name\": \"Word Search (OLD)\",\n \"iconUrl\": \"https://example-hosting.com/icon.png\",\n \"platform\": \"ios\",\n \"bundleId\": null,\n \"storeId\": \"887212194\",\n \"id\": \"ee270433-b7da-4e0f-9b03-8dd25d89da49\"\n },\n {\n \"trackedInstalls\": 3,\n \"name\": \"Flow Free\",\n \"iconUrl\": \"https://example-hosting.com/icon.png\",\n \"platform\": \"android\",\n \"bundleId\": null,\n \"storeId\": \"com.bigduckgames.flow\",\n \"id\": \"1bb0335a-9412-4ba7-8f5c-742a5ce56ba5\"\n }\n ]\n\n it('returns a formatted collection with missing the column removed', () => {\n const result = buildDataExporterCSVData({\n data,\n apps: demoOrgApps,\n groupBy: 'appId',\n metricDefinitions: sampleMetricDefinitions\n })\n\n expect(result).toEqual([\n {\n \"app_name\": \"Flow Free\",\n \"platform\": \"android\",\n \"store_id\": \"com.bigduckgames.flow\",\n \"tracked_installs\": 3\n },\n {\n \"app_name\": \"Word Search (OLD)\",\n \"platform\": \"ios\",\n \"store_id\": \"887212194\",\n \"tracked_installs\": 15\n }\n ])\n })\n })\n describe('when appInfo is missing in lookup for row', () => {\n const data = [\n {\n \"trackedInstalls\": 15,\n \"name\": \"Word Search (OLD)\",\n \"iconUrl\": \"https://example-hosting.com/icon.png\",\n \"platform\": \"ios\",\n \"bundleId\": \"com.tenjin.wordfinder\",\n \"storeId\": \"887212194\",\n \"id\": \"ee270433-b7da-4e0f-9b03-8dd25d89da49\"\n },\n {\n \"trackedInstalls\": 3,\n \"name\": \"Missing App Name\",\n \"iconUrl\": \"https://example-hosting.com/icon.png\",\n \"platform\": \"android\",\n \"bundleId\": \"com.missingapp.flow\",\n \"storeId\": \"com.missingapp.flow\",\n \"id\": \"missingAppId\"\n }\n ]\n\n it('returns a formatted collection sorted by appName', () => {\n const result = buildDataExporterCSVData({\n data,\n apps: demoOrgApps,\n groupBy: 'appId',\n metricDefinitions: sampleMetricDefinitions\n })\n\n expect(result).toEqual([\n {\n \"app_name\": \"Missing App Name\",\n \"bundle_id\": \"com.missingapp.flow\",\n \"platform\": \"android\",\n \"store_id\": \"com.missingapp.flow\",\n \"tracked_installs\": 3\n },\n {\n \"app_name\": \"Word Search (OLD)\",\n \"bundle_id\": \"com.tenjin.wordfinder\",\n \"platform\": \"ios\",\n \"store_id\": \"887212194\",\n \"tracked_installs\": 15\n }\n ])\n })\n })\n describe('when groupBy is \"country\"', () => {\n const data = [\n {\n \"name\": \"US\",\n \"id\": \"US\",\n \"spend\": 2.0,\n },\n {\n \"name\": \"CA\",\n \"id\": \"CA\",\n \"spend\": 1.0,\n }\n ]\n\n it('returns a formatted collection sorted by country', () => {\n const result = buildDataExporterCSVData({\n data,\n apps: demoOrgApps,\n groupBy: 'country',\n metricDefinitions: sampleMetricDefinitions\n })\n\n expect(result).toEqual([\n {\n \"country\": \"CA\",\n \"spend\": 1.0,\n },\n {\n \"country\": \"US\",\n \"spend\": 2.0,\n }\n ])\n })\n })\n})\n\ndescribe('buildSkAdNetworkCSVData', () => {\n describe('when data includes date', () => {\n describe('when groupBy is adNetworkId (channel)', () => {\n const data = [\n {\n \"date\": \"2022-09-10\",\n \"id\": 29,\n \"custom\": false,\n \"spend\": 10.0,\n \"adNetworkId\": 29,\n \"adNetworkName\": \"ironSource\",\n \"adNetworkShortId\": \"supersonic\",\n \"conversionValueCount\": 20,\n \"name\": \"ironSource\",\n \"iconUrl\": \"https://tenjin-production.s3.amazonaws.com/uploads/ad_network/logo/29/icon.png\",\n \"shortId\": \"supersonic\"\n },\n {\n \"date\": \"2022-09-09\",\n \"id\": 29,\n \"custom\": false,\n \"spend\": 5.0,\n \"adNetworkId\": 29,\n \"adNetworkName\": \"ironSource\",\n \"adNetworkShortId\": \"supersonic\",\n \"conversionValueCount\": 10,\n \"name\": \"ironSource\",\n \"iconUrl\": \"https://tenjin-production.s3.amazonaws.com/uploads/ad_network/logo/29/icon.png\",\n \"shortId\": \"supersonic\"\n }\n ]\n\n const selectedApps = [\n {\n \"id\": \"9668185b-da2e-4638-b15f-e03431377ac5\",\n \"name\": \"Super Word Hunt\",\n \"storeId\": \"1478027094\",\n \"platform\": \"ios\",\n \"bundleId\": \"com.tenjin.wordsearch\",\n \"iconUrl\": \"https://tenjin-production.s3.amazonaws.com/app_icon/9668185b-da2e-4638-b15f-e03431377ac5/icon.png\",\n \"numSkApps\": 1\n },\n ]\n\n it('returns a formatted collection sorted by date', () => {\n const result = buildSkAdNetworkCSVData({\n data,\n selectedApps,\n apps: demoOrgApps,\n groupBys: ['adNetworkId', 'campaignId'],\n metricDefinitions: sampleMetricDefinitions\n })\n\n expect(result).toEqual([\n {\n \"ad_network_name\": \"ironSource\",\n \"bundle_id\": \"com.tenjin.wordsearch\",\n \"channel\": \"ironSource\",\n \"conversion_value_count\": 10,\n \"date\": \"2022-09-09\",\n \"app_name\": \"Super Word Hunt\",\n \"spend\": 5,\n \"store_id\": \"1478027094\"\n },\n {\n \"ad_network_name\": \"ironSource\",\n \"bundle_id\": \"com.tenjin.wordsearch\",\n \"channel\": \"ironSource\",\n \"conversion_value_count\": 20,\n \"date\": \"2022-09-10\",\n \"app_name\": \"Super Word Hunt\",\n \"spend\": 10,\n \"store_id\": \"1478027094\",\n }\n ])\n })\n })\n describe('when data has subrows (second groupBy is campaign_id)', () => {\n const data = [\n {\n \"date\": \"2022-09-10\",\n \"id\": 29,\n \"spend\": 10.0,\n \"adNetworkId\": 29,\n \"adNetworkName\": \"ironSource\",\n \"adNetworkShortId\": \"supersonic\",\n \"conversionValueCount\": 20,\n \"name\": \"ironSource\",\n \"iconUrl\": \"https://tenjin-production.s3.amazonaws.com/uploads/ad_network/logo/29/icon.png\",\n \"shortId\": \"supersonic\",\n \"subRows\": [\n {\n \"id\": \"9668185b-da2e-4638-b15f-e03431377ac5.29.8d4ca0ef-8448-4fdf-b060-66c601b3d9ec\",\n \"date\": \"2022-09-10\",\n \"platform\": \"ios\",\n \"iconUrl\": \"https://tenjin-production.s3.amazonaws.com/uploads/ad_network/logo/29/icon.png\",\n \"spend\": 10.0,\n \"type\": \"sk_ad_network_report\",\n \"appId\": \"9668185b-da2e-4638-b15f-e03431377ac5\",\n \"appName\": \"Super Word Hunt\",\n \"bundleId\": \"com.tenjin.wordsearch\",\n \"storeId\": \"1478027094\",\n \"platform\": \"ios\",\n \"adNetworkId\": 29,\n \"campaignId\": \"8d4ca0ef-8448-4fdf-b060-66c601b3d9ec\",\n \"campaignName\": \"Super Word Hunt - iOS - WW\",\n \"remoteCampaignId\": \"8358339\",\n \"adNetworkName\": \"ironSource\",\n \"adNetworkShortId\": \"supersonic\",\n \"conversionValueCount\": 20,\n \"name\": \"Super Word Hunt - iOS - WW\",\n },\n ]\n }\n ]\n\n const selectedApps = [\n {\n \"id\": \"9668185b-da2e-4638-b15f-e03431377ac5\",\n \"name\": \"Super Word Hunt\",\n \"storeId\": \"1478027094\",\n \"platform\": \"ios\",\n \"bundleId\": \"com.tenjin.wordsearch\",\n \"iconUrl\": \"https://tenjin-production.s3.amazonaws.com/app_icon/9668185b-da2e-4638-b15f-e03431377ac5/icon.png\",\n \"numSkApps\": 1\n },\n ]\n\n it('returns a formatted collection sorted by date', () => {\n const result = buildSkAdNetworkCSVData({\n data,\n selectedApps,\n apps: demoOrgApps,\n groupBys: ['adNetworkId', 'campaignId'],\n metricDefinitions: sampleMetricDefinitions\n })\n\n expect(result).toEqual([\n {\n \"date\": \"2022-09-10\",\n \"spend\": 10.0,\n \"ad_network_name\": \"ironSource\",\n \"conversion_value_count\": 20,\n \"channel\": \"ironSource\",\n \"bundle_id\": \"com.tenjin.wordsearch\",\n \"app_name\": \"Super Word Hunt\",\n \"store_id\": \"1478027094\"\n },\n {\n \"date\": \"2022-09-10\",\n \"platform\": \"ios\",\n \"spend\": 10.0,\n \"app_name\": \"Super Word Hunt\",\n \"bundle_id\": \"com.tenjin.wordsearch\",\n \"store_id\": \"1478027094\",\n \"platform\": \"ios\",\n \"campaign_name\": \"Super Word Hunt - iOS - WW\",\n \"campaign\": \"Super Word Hunt - iOS - WW\",\n \"remote_campaign_id\": \"8358339\",\n \"ad_network_name\": \"ironSource\",\n \"conversion_value_count\": 20\n }\n ])\n })\n })\n })\n describe('when on data exporter page', () => {\n describe('when groupBy is adNetworkId (campaign) + campaign', () => {\n const data = [\n {\n \"adNetworkId\": 29,\n \"adNetworkName\": \"ironSource\",\n \"adNetworkShortId\": \"supersonic\",\n \"appId\": \"9668185b-da2e-4638-b15f-e03431377ac5\",\n \"appName\": \"Super Word Hunt\",\n \"bundleId\": \"com.tenjin.wordsearch\",\n \"campaignId\": \"1df01670-d10d-401b-b481-74bc108c5089\",\n \"campaignName\": \"Super Word Hunt 1A CA\",\n \"conversionValueCount\": 20,\n \"custom\": false,\n \"date\": \"2022-09-10\",\n \"iconUrl\": \"https://tenjin-production.s3.amazonaws.com/uploads/ad_network/logo/29/icon.png\",\n \"id\": 29,\n \"name\": \"Super Word Hunt 1A CA\",\n \"platform\": \"ios\",\n \"remoteCampaignId\": \"00000000000\",\n \"shortId\": \"supersonic\",\n \"spend\": 10.0,\n \"storeId\": \"1478027094\"\n },\n {\n \"adNetworkId\": 29,\n \"adNetworkName\": \"ironSource\",\n \"adNetworkShortId\": \"supersonic\",\n \"appId\": \"9668185b-da2e-4638-b15f-e03431377ac5\",\n \"appName\": \"Super Word Hunt\",\n \"bundleId\": \"com.tenjin.wordsearch\",\n \"campaignId\": \"1df01670-d10d-401b-b481-74bc108c5089\",\n \"campaignName\": \"Super Word Hunt 1A CA\",\n \"conversionValueCount\": 40,\n \"custom\": false,\n \"date\": \"2022-09-09\",\n \"iconUrl\": \"https://tenjin-production.s3.amazonaws.com/uploads/ad_network/logo/29/icon.png\",\n \"id\": 29,\n \"name\": \"Super Word Hunt 1A CA\",\n \"platform\": \"ios\",\n \"remoteCampaignId\": \"00000000000\",\n \"shortId\": \"supersonic\",\n \"spend\": 20.0,\n \"storeId\": \"1478027094\"\n }\n ]\n\n const selectedApps = [\n {\n \"id\": \"9668185b-da2e-4638-b15f-e03431377ac5\",\n \"name\": \"Super Word Hunt\",\n \"storeId\": \"1478027094\",\n \"platform\": \"ios\",\n \"bundleId\": \"com.tenjin.wordsearch\",\n \"iconUrl\": \"https://tenjin-production.s3.amazonaws.com/app_icon/9668185b-da2e-4638-b15f-e03431377ac5/icon.png\",\n \"numSkApps\": 1\n },\n ]\n\n it('returns a formatted collection sorted by date', () => {\n const result = buildSkAdNetworkCSVData({\n apps: demoOrgApps,\n data,\n groupBys: ['adNetworkId', 'campaignId'],\n isDataExporter: true,\n metricDefinitions: sampleMetricDefinitions,\n selectedApps\n })\n\n expect(result).toEqual([\n {\n \"ad_network_name\": \"ironSource\",\n \"bundle_id\": \"com.tenjin.wordsearch\",\n \"campaign\": \"Super Word Hunt 1A CA\",\n \"conversion_value_count\": 40,\n \"campaign_name\": \"Super Word Hunt 1A CA\",\n \"date\": \"2022-09-09\",\n \"app_name\": \"Super Word Hunt\",\n \"platform\": \"ios\",\n \"spend\": 20,\n \"store_id\": \"1478027094\",\n \"remote_campaign_id\": \"00000000000\"\n },\n {\n \"ad_network_name\": \"ironSource\",\n \"bundle_id\": \"com.tenjin.wordsearch\",\n \"campaign\": \"Super Word Hunt 1A CA\",\n \"conversion_value_count\": 20,\n \"campaign_name\": \"Super Word Hunt 1A CA\",\n \"date\": \"2022-09-10\",\n \"app_name\": \"Super Word Hunt\",\n \"platform\": \"ios\",\n \"spend\": 10,\n \"store_id\": \"1478027094\",\n \"remote_campaign_id\": \"00000000000\"\n }\n ])\n })\n })\n })\n})\n\ndescribe('formatRow', () => {\n it('returns formatted row', () => {\n expect(\n formatRow({\n row: { spend: 123 },\n metricDefinitions: sampleMetricDefinitions\n })\n ).toEqual({ spend: 123 })\n })\n describe('when metric does not exist in definitions', () => {\n it('returns value as is', () => {\n expect(\n formatRow({\n row: { fakemetric: 1 },\n metricDefinitions: sampleMetricDefinitions\n })\n ).toEqual({ fakemetric: 1.0 })\n })\n })\n describe('when metric is of percentage value type', () => {\n it('returns value formatted between 0 and 1 as decimal', () => {\n expect(\n formatRow({\n row: { clicksDifferencePct: 75 },\n metricDefinitions: sampleMetricDefinitions\n })\n ).toEqual({ clicksDifferencePct: 0.75 })\n })\n })\n describe('when key is date', () => {\n it('returns value as date', () => {\n expect(\n formatRow({\n row: { date: '2022-01-25' },\n metricDefinitions: sampleMetricDefinitions\n })\n ).toEqual({ date: '2022-01-25' })\n })\n describe('when date is longer than MMMM-YY-DD formatting', () => {\n it('returns date as MMMM-YY-DD', () => {\n expect(\n formatRow({\n row: { date: '2022-01-25 00:00:00' },\n metricDefinitions: sampleMetricDefinitions\n })\n ).toEqual({ date: '2022-01-25' })\n })\n })\n })\n})\n\ndescribe('getNameHeaderAndValueByGroupBy', () => {\n describe('when groupById is appId and appInfo exists', () => {\n it('returns appName as header with appropriate app nameValue', () => {\n expect(\n getNameHeaderAndValueByGroupBy({\n appInfo: iosApp,\n groupById: 'appId',\n row: { testmetric: 'testvalue', name: 'testname' }\n })\n ).toEqual({\n nameHeader: 'appName',\n nameValue: 'iOS App'\n })\n })\n })\n describe('when missing groupById', () => {\n it('returns name as header with row nameValue', () => {\n expect(\n getNameHeaderAndValueByGroupBy({\n appInfo: iosApp,\n groupById: null,\n row: { testmetric: 'testvalue', name: 'testname' }\n })\n ).toEqual({\n nameHeader: 'name',\n nameValue: 'testname'\n })\n })\n })\n describe('when groupById is not appId and row.name is missing', () => {\n it('returns pluralized unavailable display name', () => {\n expect(\n getNameHeaderAndValueByGroupBy({\n appInfo: iosApp,\n groupById: 'channel',\n row: { testmetric: 'testvalue', name: null }\n })\n ).toEqual({\n nameHeader: 'channel',\n nameValue: 'Unavailable Groupings'\n })\n })\n })\n})\n\ndescribe('getCSVHeaders', () => {\n describe('when data items include date', () => {\n const csvData = [\n {\n \"app_name\": \"Flow Free\",\n \"bundle_id\": \"com.bigduckgames.flow\",\n \"date\": \"2015-03-01\",\n \"platform\": \"android\",\n \"store_id\": \"com.bigduckgames.flow\",\n \"tracked_installs\": 3\n },\n {\n \"app_name\": \"Word Search (OLD)\",\n \"bundle_id\": \"com.tenjin.wordfinder\",\n \"date\": \"2015-03-01\",\n \"platform\": \"ios\",\n \"store_id\": \"887212194\",\n \"tracked_installs\": 10\n }\n ]\n\n it('returns headers in correct sort order', () => {\n expect(getCSVHeaders(csvData)).toStrictEqual(\n [\n { key: 'date', label: 'date' },\n { key: 'app_name', label: 'app_name' },\n { key: 'platform', label: 'platform' },\n { key: 'bundle_id', label: 'bundle_id' },\n { key: 'store_id', label: 'store_id' },\n { key: 'tracked_installs', label: 'tracked_installs' }\n ]\n )\n })\n })\n describe('when data items do not include date', () => {\n const csvData = [\n {\n \"app_name\": \"Flow Free\",\n \"bundle_id\": \"com.bigduckgames.flow\",\n \"platform\": \"android\",\n \"store_id\": \"com.bigduckgames.flow\",\n \"tracked_installs\": 3\n },\n {\n \"app_name\": \"Word Search (OLD)\",\n \"bundle_id\": \"com.tenjin.wordfinder\",\n \"platform\": \"ios\",\n \"store_id\": \"887212194\",\n \"tracked_installs\": 10\n }\n ]\n\n it('returns headers in correct sort order', () => {\n expect(getCSVHeaders(csvData)).toStrictEqual(\n [\n { key: 'app_name', label: 'app_name' },\n { key: 'platform', label: 'platform' },\n { key: 'bundle_id', label: 'bundle_id' },\n { key: 'store_id', label: 'store_id' },\n { key: 'tracked_installs', label: 'tracked_installs' }\n ]\n )\n })\n })\n describe('when data items have the same keys', () => {\n const csvData = [\n {\n \"a\": 1,\n \"b\": 2\n },\n {\n \"a\": 3,\n \"b\": 4,\n }\n ]\n\n it('returns headers in correct sort order', () => {\n expect(getCSVHeaders(csvData)).toStrictEqual(\n [\n { key: 'a', label: 'a' },\n { key: 'b', label: 'b' }\n ]\n )\n })\n })\n describe('when data items have some different keys', () => {\n const csvData = [\n {\n \"a\": 1,\n \"b\": 2\n },\n {\n \"b\": 3,\n \"c\": 4,\n }\n ]\n\n it('returns headers in correct sort order', () => {\n expect(getCSVHeaders(csvData)).toStrictEqual(\n [\n { key: 'a', label: 'a' },\n { key: 'b', label: 'b' },\n { key: 'c', label: 'c' }\n ]\n )\n })\n })\n describe('when data items have combination groupBys', () => {\n const csvData = [\n {\n \"ad_network_name\": null,\n \"app_name\": \"exampleAppName\",\n \"bundle_id\": \"exampleBundleId\",\n \"country\": \"AR\",\n \"date\": \"2022-09-09\",\n \"platform\": \"ios\",\n \"spend\": null,\n \"store_id\": \"exampleStoreId\",\n },\n {\n \"ad_network_name\": null,\n \"app_name\": \"exampleAppName\",\n \"bundle_id\": \"exampleBundleId\",\n \"country\": \"ZA\",\n \"date\": \"2022-09-09\",\n \"platform\": \"ios\",\n \"spend\": null,\n \"store_id\": \"exampleStoreId\",\n }\n ]\n\n it('returns headers in correct sort order', () => {\n expect(getCSVHeaders(csvData)).toStrictEqual(\n [\n { key: 'date', label: 'date' },\n { key: 'country', label: 'country' },\n { key: 'app_name', label: 'app_name' },\n { key: 'platform', label: 'platform' },\n { key: 'ad_network_name', label: 'ad_network_name' },\n { key: 'bundle_id', label: 'bundle_id' },\n { key: 'store_id', label: 'store_id' },\n { key: 'spend', label: 'spend' }\n ]\n )\n })\n })\n})\n\ndescribe('getCSVFilename', () => {\n it('returns the correctly formatted filename', () => {\n expect(getCSVFilename({\n groupBy: 'app_id',\n startDate: '2022-01-30',\n endDate: '2022-02-30'\n })).toBe('20220130-20220230-app_id.csv')\n })\n})\n\ndescribe('getCombinationGroupByFromArray', () => {\n describe('when grouping is adNetworkId + appId', () => {\n it('returns adNetworkApp', () => {\n expect(getCombinationGroupByFromArray(\n ['adNetworkId', 'appId']\n )).toBe('adNetworkApp')\n })\n })\n describe('when grouping is adNetworkId + appId + country', () => {\n it('returns adNetworkAppCountry', () => {\n expect(getCombinationGroupByFromArray(\n ['adNetworkId', 'appId', 'country']\n )).toBe('adNetworkAppCountry')\n })\n })\n describe('when grouping is campaignId + country', () => {\n it('returns campaignCountry', () => {\n expect(getCombinationGroupByFromArray(\n ['campaignId', 'country']\n )).toBe('campaignCountry')\n })\n })\n})\n","import { camelCase } from 'camel-case'\nimport { omitBy } from 'lodash'\n\nimport { PLATFORMS } from './constants'\n\nconst platformsOrderPrecedence = [\n 'ios',\n 'android',\n 'amazon',\n 'androidOther'\n]\n\nconst sortPlatformIdsList = platformIdsList => (\n platformIdsList.sort((a, b) => {\n const aIndex = platformsOrderPrecedence.indexOf(a)\n const bIndex = platformsOrderPrecedence.indexOf(b)\n\n if (aIndex >= 0 && bIndex >= 0) {\n return aIndex - bIndex\n }\n\n if (aIndex >= 0) {\n return -1\n }\n\n if (bIndex >= 0) {\n return 1\n }\n\n return 0\n })\n)\n\nexport default function mergePlatformsMetadata(platforms) {\n const updatedPlatformsObject = {}\n\n sortPlatformIdsList(Object.keys(platforms)).forEach(platformId => {\n const id = camelCase(platformId)\n\n updatedPlatformsObject[id] = {\n ...platforms[id],\n ...PLATFORMS[id],\n appStore: {\n ...platforms[id].appStore,\n ...(PLATFORMS[id].appStore || {})\n },\n id\n }\n })\n\n return updatedPlatformsObject\n}\n","import React from 'react'\n\nimport BackLink from '../BackLink'\nimport CreateAppForm from '../CreateAppForm/CreateAppForm'\nimport PageContainer from '../PageContainer/PageContainer'\nimport PageHeader from '../PageHeader'\nimport PageSeparator from '../PageSeparator/PageSeparator'\n\nimport { createApp } from '../../api/apps'\nimport { deepCamelKeys } from '../../utils/helpers'\nimport mergePlatformsMetadata from '../../utils/platforms'\nimport {\n objectOfServerAttributionProviders,\n objectOfServerPlatforms\n} from '../../utils/customPropTypes'\n\nconst NewAppPage = (\n { attributionProviders: attributionProvidersProp, platforms: platformsProp }\n) => {\n const attributionProviders = deepCamelKeys(attributionProvidersProp)\n const platforms = mergePlatformsMetadata(deepCamelKeys(platformsProp))\n\n return (\n \n \n\n \n Add a New App\n \n\n \n\n \n \n )\n}\n\nNewAppPage.propTypes = {\n attributionProviders: objectOfServerAttributionProviders.isRequired,\n platforms: objectOfServerPlatforms.isRequired\n}\n\nexport default NewAppPage\n","module.exports = __webpack_public_path__ + \"media/svgs/amazon-028b108f.svg\";","module.exports = __webpack_public_path__ + \"media/svgs/android_other-9442c766.svg\";","module.exports = __webpack_public_path__ + \"media/svgs/ios-f07a4d93.svg\";","module.exports = __webpack_public_path__ + \"media/svgs/android-9c194caf.svg\";","module.exports = __webpack_public_path__ + \"media/svgs/windows-cc9f1e0f.svg\";","module.exports = __webpack_public_path__ + \"media/svgs/unknown-8a36d3fb.svg\";","var map = {\n\t\"./Alert\": 260,\n\t\"./Alert/\": 260,\n\t\"./Alert/constants\": 849,\n\t\"./Alert/constants.js\": 849,\n\t\"./Alert/index\": 260,\n\t\"./Alert/index.js\": 260,\n\t\"./Alert/styles\": 191,\n\t\"./Alert/styles.module\": 191,\n\t\"./Alert/styles.module.scss\": 191,\n\t\"./AlertList\": 261,\n\t\"./AlertList/\": 261,\n\t\"./AlertList/index\": 261,\n\t\"./AlertList/index.js\": 261,\n\t\"./AlertList/styles\": 694,\n\t\"./AlertList/styles.module\": 694,\n\t\"./AlertList/styles.module.scss\": 694,\n\t\"./AppAccessSelector\": 681,\n\t\"./AppAccessSelector/\": 681,\n\t\"./AppAccessSelector/constants\": 198,\n\t\"./AppAccessSelector/constants.js\": 198,\n\t\"./AppAccessSelector/index\": 681,\n\t\"./AppAccessSelector/index.js\": 681,\n\t\"./AppAccessSelector/styles\": 44,\n\t\"./AppAccessSelector/styles.module\": 44,\n\t\"./AppAccessSelector/styles.module.scss\": 44,\n\t\"./AppSelector\": 307,\n\t\"./AppSelector/\": 307,\n\t\"./AppSelector/constants\": 659,\n\t\"./AppSelector/constants.js\": 659,\n\t\"./AppSelector/index\": 307,\n\t\"./AppSelector/index.js\": 307,\n\t\"./AppSelector/styles\": 141,\n\t\"./AppSelector/styles.module\": 141,\n\t\"./AppSelector/styles.module.scss\": 141,\n\t\"./AsyncActionButton\": 428,\n\t\"./AsyncActionButton/\": 428,\n\t\"./AsyncActionButton/index\": 428,\n\t\"./AsyncActionButton/index.js\": 428,\n\t\"./AsyncButton\": 167,\n\t\"./AsyncButton/\": 167,\n\t\"./AsyncButton/constants\": 850,\n\t\"./AsyncButton/constants.js\": 850,\n\t\"./AsyncButton/index\": 167,\n\t\"./AsyncButton/index.js\": 167,\n\t\"./AsyncButton/styles\": 140,\n\t\"./AsyncButton/styles.module\": 140,\n\t\"./AsyncButton/styles.module.scss\": 140,\n\t\"./AsyncIconTextButton\": 203,\n\t\"./AsyncIconTextButton/\": 203,\n\t\"./AsyncIconTextButton/constants\": 660,\n\t\"./AsyncIconTextButton/constants.js\": 660,\n\t\"./AsyncIconTextButton/index\": 203,\n\t\"./AsyncIconTextButton/index.js\": 203,\n\t\"./AsyncIconTextButton/styles\": 615,\n\t\"./AsyncIconTextButton/styles.module\": 615,\n\t\"./AsyncIconTextButton/styles.module.scss\": 615,\n\t\"./AwaitingDataOverlay\": 107,\n\t\"./AwaitingDataOverlay/\": 107,\n\t\"./AwaitingDataOverlay/index\": 107,\n\t\"./AwaitingDataOverlay/index.js\": 107,\n\t\"./AwaitingDataOverlay/styles\": 697,\n\t\"./AwaitingDataOverlay/styles.module\": 697,\n\t\"./AwaitingDataOverlay/styles.module.scss\": 697,\n\t\"./BackLink\": 259,\n\t\"./BackLink/\": 259,\n\t\"./BackLink/index\": 259,\n\t\"./BackLink/index.js\": 259,\n\t\"./BackLink/styles\": 682,\n\t\"./BackLink/styles.module\": 682,\n\t\"./BackLink/styles.module.scss\": 682,\n\t\"./Badge\": 228,\n\t\"./Badge/\": 228,\n\t\"./Badge/index\": 228,\n\t\"./Badge/index.js\": 228,\n\t\"./Badge/styles\": 281,\n\t\"./Badge/styles.module\": 281,\n\t\"./Badge/styles.module.scss\": 281,\n\t\"./BoldLink\": 262,\n\t\"./BoldLink/\": 262,\n\t\"./BoldLink/index\": 262,\n\t\"./BoldLink/index.js\": 262,\n\t\"./BoldLink/styles\": 698,\n\t\"./BoldLink/styles.module\": 698,\n\t\"./BoldLink/styles.module.scss\": 698,\n\t\"./Breadcrumb\": 371,\n\t\"./Breadcrumb/\": 371,\n\t\"./Breadcrumb/index\": 371,\n\t\"./Breadcrumb/index.js\": 371,\n\t\"./Button\": 118,\n\t\"./Button/\": 118,\n\t\"./Button/constants\": 415,\n\t\"./Button/constants.js\": 415,\n\t\"./Button/index\": 118,\n\t\"./Button/index.js\": 118,\n\t\"./Button/styles\": 282,\n\t\"./Button/styles.module\": 282,\n\t\"./Button/styles.module.scss\": 282,\n\t\"./ButtonTabNavigation\": 372,\n\t\"./ButtonTabNavigation/\": 372,\n\t\"./ButtonTabNavigation/index\": 372,\n\t\"./ButtonTabNavigation/index.js\": 372,\n\t\"./ButtonTabNavigation/styles\": 394,\n\t\"./ButtonTabNavigation/styles.module\": 394,\n\t\"./ButtonTabNavigation/styles.module.scss\": 394,\n\t\"./CardHeader\": 133,\n\t\"./CardHeader/\": 133,\n\t\"./CardHeader/index\": 133,\n\t\"./CardHeader/index.js\": 133,\n\t\"./CardHeader/styles\": 616,\n\t\"./CardHeader/styles.module\": 616,\n\t\"./CardHeader/styles.module.scss\": 616,\n\t\"./CardPanel\": 70,\n\t\"./CardPanel/\": 70,\n\t\"./CardPanel/constants\": 149,\n\t\"./CardPanel/constants.js\": 149,\n\t\"./CardPanel/index\": 70,\n\t\"./CardPanel/index.js\": 70,\n\t\"./CardPanel/styles\": 113,\n\t\"./CardPanel/styles.module\": 113,\n\t\"./CardPanel/styles.module.scss\": 113,\n\t\"./ChannelSelector\": 263,\n\t\"./ChannelSelector/\": 263,\n\t\"./ChannelSelector/constants\": 661,\n\t\"./ChannelSelector/constants.js\": 661,\n\t\"./ChannelSelector/index\": 263,\n\t\"./ChannelSelector/index.js\": 263,\n\t\"./ChannelSelector/styles\": 99,\n\t\"./ChannelSelector/styles.module\": 99,\n\t\"./ChannelSelector/styles.module.scss\": 99,\n\t\"./ChartFailed\": 127,\n\t\"./ChartFailed/\": 127,\n\t\"./ChartFailed/index\": 127,\n\t\"./ChartFailed/index.js\": 127,\n\t\"./ChartFailed/styles\": 699,\n\t\"./ChartFailed/styles.module\": 699,\n\t\"./ChartFailed/styles.module.scss\": 699,\n\t\"./Checkbox/Checkbox\": 683,\n\t\"./Checkbox/Checkbox.jsx\": 683,\n\t\"./Checkbox/styles\": 190,\n\t\"./Checkbox/styles.module\": 190,\n\t\"./Checkbox/styles.module.scss\": 190,\n\t\"./CheckboxIcon/CheckboxIcon\": 842,\n\t\"./CheckboxIcon/CheckboxIcon.jsx\": 842,\n\t\"./CheckboxIcon/styles\": 391,\n\t\"./CheckboxIcon/styles.module\": 391,\n\t\"./CheckboxIcon/styles.module.scss\": 391,\n\t\"./Chip\": 309,\n\t\"./Chip/\": 309,\n\t\"./Chip/index\": 309,\n\t\"./Chip/index.js\": 309,\n\t\"./Chip/styles\": 248,\n\t\"./Chip/styles.module\": 248,\n\t\"./Chip/styles.module.scss\": 248,\n\t\"./ClickOutsideAlerter\": 119,\n\t\"./ClickOutsideAlerter.jsx\": 119,\n\t\"./ConfirmationModalContent\": 230,\n\t\"./ConfirmationModalContent/\": 230,\n\t\"./ConfirmationModalContent/index\": 230,\n\t\"./ConfirmationModalContent/index.js\": 230,\n\t\"./ConfirmationModalContent/styles\": 211,\n\t\"./ConfirmationModalContent/styles.module\": 211,\n\t\"./ConfirmationModalContent/styles.module.scss\": 211,\n\t\"./ConversionValueHistogram\": 429,\n\t\"./ConversionValueHistogram/\": 429,\n\t\"./ConversionValueHistogram/Chart\": 500,\n\t\"./ConversionValueHistogram/Chart/\": 500,\n\t\"./ConversionValueHistogram/Chart/constants\": 192,\n\t\"./ConversionValueHistogram/Chart/constants.js\": 192,\n\t\"./ConversionValueHistogram/Chart/helpers\": 665,\n\t\"./ConversionValueHistogram/Chart/helpers.js\": 665,\n\t\"./ConversionValueHistogram/Chart/index\": 500,\n\t\"./ConversionValueHistogram/Chart/index.js\": 500,\n\t\"./ConversionValueHistogram/Chart/styles\": 143,\n\t\"./ConversionValueHistogram/Chart/styles.module\": 143,\n\t\"./ConversionValueHistogram/Chart/styles.module.scss\": 143,\n\t\"./ConversionValueHistogram/GroupingTitle\": 430,\n\t\"./ConversionValueHistogram/GroupingTitle/\": 430,\n\t\"./ConversionValueHistogram/GroupingTitle/index\": 430,\n\t\"./ConversionValueHistogram/GroupingTitle/index.js\": 430,\n\t\"./ConversionValueHistogram/HistogramActions\": 431,\n\t\"./ConversionValueHistogram/HistogramActions/\": 431,\n\t\"./ConversionValueHistogram/HistogramActions/ChartTypeButtons\": 498,\n\t\"./ConversionValueHistogram/HistogramActions/ChartTypeButtons/\": 498,\n\t\"./ConversionValueHistogram/HistogramActions/ChartTypeButtons/constants\": 782,\n\t\"./ConversionValueHistogram/HistogramActions/ChartTypeButtons/constants.js\": 782,\n\t\"./ConversionValueHistogram/HistogramActions/ChartTypeButtons/index\": 498,\n\t\"./ConversionValueHistogram/HistogramActions/ChartTypeButtons/index.js\": 498,\n\t\"./ConversionValueHistogram/HistogramActions/ChartTypeButtons/styles\": 396,\n\t\"./ConversionValueHistogram/HistogramActions/ChartTypeButtons/styles.module\": 396,\n\t\"./ConversionValueHistogram/HistogramActions/ChartTypeButtons/styles.module.scss\": 396,\n\t\"./ConversionValueHistogram/HistogramActions/ComparisonSelector\": 432,\n\t\"./ConversionValueHistogram/HistogramActions/ComparisonSelector/\": 432,\n\t\"./ConversionValueHistogram/HistogramActions/ComparisonSelector/constants\": 759,\n\t\"./ConversionValueHistogram/HistogramActions/ComparisonSelector/constants.js\": 759,\n\t\"./ConversionValueHistogram/HistogramActions/ComparisonSelector/index\": 432,\n\t\"./ConversionValueHistogram/HistogramActions/ComparisonSelector/index.js\": 432,\n\t\"./ConversionValueHistogram/HistogramActions/ComparisonSelector/styles\": 161,\n\t\"./ConversionValueHistogram/HistogramActions/ComparisonSelector/styles.module\": 161,\n\t\"./ConversionValueHistogram/HistogramActions/ComparisonSelector/styles.module.scss\": 161,\n\t\"./ConversionValueHistogram/HistogramActions/ValueRangeSelector\": 499,\n\t\"./ConversionValueHistogram/HistogramActions/ValueRangeSelector/\": 499,\n\t\"./ConversionValueHistogram/HistogramActions/ValueRangeSelector/index\": 499,\n\t\"./ConversionValueHistogram/HistogramActions/ValueRangeSelector/index.js\": 499,\n\t\"./ConversionValueHistogram/HistogramActions/index\": 431,\n\t\"./ConversionValueHistogram/HistogramActions/index.js\": 431,\n\t\"./ConversionValueHistogram/constants\": 208,\n\t\"./ConversionValueHistogram/constants.js\": 208,\n\t\"./ConversionValueHistogram/helpers\": 270,\n\t\"./ConversionValueHistogram/helpers.js\": 270,\n\t\"./ConversionValueHistogram/index\": 429,\n\t\"./ConversionValueHistogram/index.js\": 429,\n\t\"./ConversionValueHistogram/styles\": 622,\n\t\"./ConversionValueHistogram/styles.module\": 622,\n\t\"./ConversionValueHistogram/styles.module.scss\": 622,\n\t\"./CopyButton\": 376,\n\t\"./CopyButton/\": 376,\n\t\"./CopyButton/constants\": 872,\n\t\"./CopyButton/constants.js\": 872,\n\t\"./CopyButton/index\": 376,\n\t\"./CopyButton/index.js\": 376,\n\t\"./CopyButton/styles\": 623,\n\t\"./CopyButton/styles.module\": 623,\n\t\"./CopyButton/styles.module.scss\": 623,\n\t\"./CreateAppForm/AppBasicFormFields\": 873,\n\t\"./CreateAppForm/AppBasicFormFields.jsx\": 873,\n\t\"./CreateAppForm/AppDestinationUrlFormField\": 501,\n\t\"./CreateAppForm/AppDestinationUrlFormField/\": 501,\n\t\"./CreateAppForm/AppDestinationUrlFormField/index\": 501,\n\t\"./CreateAppForm/AppDestinationUrlFormField/index.js\": 501,\n\t\"./CreateAppForm/AppStoreUrlFormField\": 874,\n\t\"./CreateAppForm/AppStoreUrlFormField.jsx\": 874,\n\t\"./CreateAppForm/AttributionProviderSelect\": 876,\n\t\"./CreateAppForm/AttributionProviderSelect.jsx\": 876,\n\t\"./CreateAppForm/BaseForm\": 878,\n\t\"./CreateAppForm/BaseForm.jsx\": 878,\n\t\"./CreateAppForm/CreateAppForm\": 906,\n\t\"./CreateAppForm/CreateAppForm.jsx\": 906,\n\t\"./CreateAppForm/HasAppStoreUrlRadioField\": 879,\n\t\"./CreateAppForm/HasAppStoreUrlRadioField.jsx\": 879,\n\t\"./CreateAppForm/PlatformSelect\": 880,\n\t\"./CreateAppForm/PlatformSelect.jsx\": 880,\n\t\"./CreateAppForm/UsesTenjinSdkRadioField\": 881,\n\t\"./CreateAppForm/UsesTenjinSdkRadioField.jsx\": 881,\n\t\"./CreateAppForm/hooks/useAttributionProviderChangeEffect\": 882,\n\t\"./CreateAppForm/hooks/useAttributionProviderChangeEffect.js\": 882,\n\t\"./CreateAppForm/hooks/usePlatformChangeEffect\": 883,\n\t\"./CreateAppForm/hooks/usePlatformChangeEffect.js\": 883,\n\t\"./CreateAppForm/hooks/useShowingAppStoreUrlInputChangeEffect\": 884,\n\t\"./CreateAppForm/hooks/useShowingAppStoreUrlInputChangeEffect.js\": 884,\n\t\"./DataExporterButton\": 457,\n\t\"./DataExporterButton/\": 457,\n\t\"./DataExporterButton/helpers\": 285,\n\t\"./DataExporterButton/helpers.js\": 285,\n\t\"./DataExporterButton/helpers.spec\": 967,\n\t\"./DataExporterButton/helpers.spec.js\": 967,\n\t\"./DataExporterButton/index\": 457,\n\t\"./DataExporterButton/index.js\": 457,\n\t\"./DataExporterButton/styles\": 710,\n\t\"./DataExporterButton/styles.module\": 710,\n\t\"./DataExporterButton/styles.module.scss\": 710,\n\t\"./DownloadCSVButtonClient\": 450,\n\t\"./DownloadCSVButtonClient/\": 450,\n\t\"./DownloadCSVButtonClient/constants\": 177,\n\t\"./DownloadCSVButtonClient/constants.js\": 177,\n\t\"./DownloadCSVButtonClient/helpers\": 42,\n\t\"./DownloadCSVButtonClient/helpers.js\": 42,\n\t\"./DownloadCSVButtonClient/helpers.spec\": 1008,\n\t\"./DownloadCSVButtonClient/helpers.spec.js\": 1008,\n\t\"./DownloadCSVButtonClient/index\": 450,\n\t\"./DownloadCSVButtonClient/index.js\": 450,\n\t\"./Dropdown\": 30,\n\t\"./Dropdown/\": 30,\n\t\"./Dropdown/index\": 30,\n\t\"./Dropdown/index.js\": 30,\n\t\"./Dropdown/styles\": 74,\n\t\"./Dropdown/styles.module\": 74,\n\t\"./Dropdown/styles.module.scss\": 74,\n\t\"./FilterBar\": 679,\n\t\"./FilterBar/\": 679,\n\t\"./FilterBar/helpers\": 414,\n\t\"./FilterBar/helpers.js\": 414,\n\t\"./FilterBar/index\": 679,\n\t\"./FilterBar/index.js\": 679,\n\t\"./FilterBar/styles\": 188,\n\t\"./FilterBar/styles.module\": 188,\n\t\"./FilterBar/styles.module.scss\": 188,\n\t\"./FlexTable\": 95,\n\t\"./FlexTable/\": 95,\n\t\"./FlexTable/index\": 95,\n\t\"./FlexTable/index.js\": 95,\n\t\"./FlexTable/styles\": 399,\n\t\"./FlexTable/styles.module\": 399,\n\t\"./FlexTable/styles.module.scss\": 399,\n\t\"./FontAwesomeIcon\": 7,\n\t\"./FontAwesomeIcon/\": 7,\n\t\"./FontAwesomeIcon/constants\": 209,\n\t\"./FontAwesomeIcon/constants.js\": 209,\n\t\"./FontAwesomeIcon/index\": 7,\n\t\"./FontAwesomeIcon/index.js\": 7,\n\t\"./Footer\": 264,\n\t\"./Footer/\": 264,\n\t\"./Footer/__snapshots__/index.spec.js.snap\": 1107,\n\t\"./Footer/index\": 264,\n\t\"./Footer/index.js\": 264,\n\t\"./Footer/index.spec\": 968,\n\t\"./Footer/index.spec.js\": 968,\n\t\"./Footer/styles\": 217,\n\t\"./Footer/styles.module\": 217,\n\t\"./Footer/styles.module.scss\": 217,\n\t\"./Form/Form\": 333,\n\t\"./Form/Form.jsx\": 333,\n\t\"./Form/styles\": 628,\n\t\"./Form/styles.module\": 628,\n\t\"./Form/styles.module.scss\": 628,\n\t\"./FormChip/FormChip\": 344,\n\t\"./FormChip/FormChip.jsx\": 344,\n\t\"./FormChipGroup/FormChipGroup\": 631,\n\t\"./FormChipGroup/FormChipGroup.jsx\": 631,\n\t\"./FormChipGroup/styles\": 721,\n\t\"./FormChipGroup/styles.module\": 721,\n\t\"./FormChipGroup/styles.module.scss\": 721,\n\t\"./FormDropdown\": 135,\n\t\"./FormDropdown/\": 135,\n\t\"./FormDropdown/index\": 135,\n\t\"./FormDropdown/index.js\": 135,\n\t\"./FormDropdown/styles\": 65,\n\t\"./FormDropdown/styles.module\": 65,\n\t\"./FormDropdown/styles.module.scss\": 65,\n\t\"./FormError/FormError\": 240,\n\t\"./FormError/FormError.jsx\": 240,\n\t\"./FormError/styles\": 716,\n\t\"./FormError/styles.module\": 716,\n\t\"./FormError/styles.module.scss\": 716,\n\t\"./FormHelpPopover/FormHelpPopover\": 332,\n\t\"./FormHelpPopover/FormHelpPopover.jsx\": 332,\n\t\"./FormHelpPopover/constants\": 875,\n\t\"./FormHelpPopover/constants.js\": 875,\n\t\"./FormHelpPopover/styles\": 398,\n\t\"./FormHelpPopover/styles.module\": 398,\n\t\"./FormHelpPopover/styles.module.scss\": 398,\n\t\"./FormInput\": 169,\n\t\"./FormInput/\": 169,\n\t\"./FormInput/index\": 169,\n\t\"./FormInput/index.js\": 169,\n\t\"./FormInput/styles\": 218,\n\t\"./FormInput/styles.module\": 218,\n\t\"./FormInput/styles.module.scss\": 218,\n\t\"./FormLabel/FormLabel\": 624,\n\t\"./FormLabel/FormLabel.jsx\": 624,\n\t\"./FormLabel/styles\": 717,\n\t\"./FormLabel/styles.module\": 717,\n\t\"./FormLabel/styles.module.scss\": 717,\n\t\"./FormLabelWithTooltip\": 97,\n\t\"./FormLabelWithTooltip/\": 97,\n\t\"./FormLabelWithTooltip/index\": 97,\n\t\"./FormLabelWithTooltip/index.js\": 97,\n\t\"./FormLabelWithTooltip/styles\": 714,\n\t\"./FormLabelWithTooltip/styles.module\": 714,\n\t\"./FormLabelWithTooltip/styles.module.scss\": 714,\n\t\"./FormRadioToggle/FormRadioToggle\": 629,\n\t\"./FormRadioToggle/FormRadioToggle.jsx\": 629,\n\t\"./FormRadioToggle/styles\": 720,\n\t\"./FormRadioToggle/styles.module\": 720,\n\t\"./FormRadioToggle/styles.module.scss\": 720,\n\t\"./FormSelect/FormSelect\": 626,\n\t\"./FormSelect/FormSelect.jsx\": 626,\n\t\"./FormSelect/constants\": 877,\n\t\"./FormSelect/constants.js\": 877,\n\t\"./FormSelect/styles\": 250,\n\t\"./FormSelect/styles.module\": 250,\n\t\"./FormSelect/styles.module.scss\": 250,\n\t\"./FormSubmitButton/FormSubmitButton\": 334,\n\t\"./FormSubmitButton/FormSubmitButton.jsx\": 334,\n\t\"./FormSubmitButton/styles\": 718,\n\t\"./FormSubmitButton/styles.module\": 718,\n\t\"./FormSubmitButton/styles.module.scss\": 718,\n\t\"./FormTextField/FormTextField\": 121,\n\t\"./FormTextField/FormTextField.jsx\": 121,\n\t\"./FormTextField/styles\": 397,\n\t\"./FormTextField/styles.module\": 397,\n\t\"./FormTextField/styles.module.scss\": 397,\n\t\"./FragmentWrapper\": 308,\n\t\"./FragmentWrapper/\": 308,\n\t\"./FragmentWrapper/index\": 308,\n\t\"./FragmentWrapper/index.js\": 308,\n\t\"./GroupedSummaryTable\": 68,\n\t\"./GroupedSummaryTable/\": 68,\n\t\"./GroupedSummaryTable/ColumnEditorPane\": 436,\n\t\"./GroupedSummaryTable/ColumnEditorPane/\": 436,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ApplyMetricsButton\": 437,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ApplyMetricsButton/\": 437,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ApplyMetricsButton/index\": 437,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ApplyMetricsButton/index.js\": 437,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ArrowIcon\": 310,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ArrowIcon/\": 310,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ArrowIcon/index\": 310,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ArrowIcon/index.js\": 310,\n\t\"./GroupedSummaryTable/ColumnEditorPane/AvailableItem\": 441,\n\t\"./GroupedSummaryTable/ColumnEditorPane/AvailableItem/\": 441,\n\t\"./GroupedSummaryTable/ColumnEditorPane/AvailableItem/index\": 441,\n\t\"./GroupedSummaryTable/ColumnEditorPane/AvailableItem/index.js\": 441,\n\t\"./GroupedSummaryTable/ColumnEditorPane/CategorySelector\": 442,\n\t\"./GroupedSummaryTable/ColumnEditorPane/CategorySelector/\": 442,\n\t\"./GroupedSummaryTable/ColumnEditorPane/CategorySelector/constants\": 852,\n\t\"./GroupedSummaryTable/ColumnEditorPane/CategorySelector/constants.js\": 852,\n\t\"./GroupedSummaryTable/ColumnEditorPane/CategorySelector/index\": 442,\n\t\"./GroupedSummaryTable/ColumnEditorPane/CategorySelector/index.js\": 442,\n\t\"./GroupedSummaryTable/ColumnEditorPane/DragIcon\": 444,\n\t\"./GroupedSummaryTable/ColumnEditorPane/DragIcon/\": 444,\n\t\"./GroupedSummaryTable/ColumnEditorPane/DragIcon/index\": 444,\n\t\"./GroupedSummaryTable/ColumnEditorPane/DragIcon/index.js\": 444,\n\t\"./GroupedSummaryTable/ColumnEditorPane/Filter\": 438,\n\t\"./GroupedSummaryTable/ColumnEditorPane/Filter/\": 438,\n\t\"./GroupedSummaryTable/ColumnEditorPane/Filter/index\": 438,\n\t\"./GroupedSummaryTable/ColumnEditorPane/Filter/index.js\": 438,\n\t\"./GroupedSummaryTable/ColumnEditorPane/Header\": 439,\n\t\"./GroupedSummaryTable/ColumnEditorPane/Header/\": 439,\n\t\"./GroupedSummaryTable/ColumnEditorPane/Header/index\": 439,\n\t\"./GroupedSummaryTable/ColumnEditorPane/Header/index.js\": 439,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ItemList\": 440,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ItemList/\": 440,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ItemList/helpers\": 340,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ItemList/helpers.js\": 340,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ItemList/helpers.spec\": 969,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ItemList/helpers.spec.js\": 969,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ItemList/index\": 440,\n\t\"./GroupedSummaryTable/ColumnEditorPane/ItemList/index.js\": 440,\n\t\"./GroupedSummaryTable/ColumnEditorPane/SelectedItem\": 443,\n\t\"./GroupedSummaryTable/ColumnEditorPane/SelectedItem/\": 443,\n\t\"./GroupedSummaryTable/ColumnEditorPane/SelectedItem/index\": 443,\n\t\"./GroupedSummaryTable/ColumnEditorPane/SelectedItem/index.js\": 443,\n\t\"./GroupedSummaryTable/ColumnEditorPane/helpers\": 64,\n\t\"./GroupedSummaryTable/ColumnEditorPane/helpers.js\": 64,\n\t\"./GroupedSummaryTable/ColumnEditorPane/helpers.spec\": 970,\n\t\"./GroupedSummaryTable/ColumnEditorPane/helpers.spec.js\": 970,\n\t\"./GroupedSummaryTable/ColumnEditorPane/index\": 436,\n\t\"./GroupedSummaryTable/ColumnEditorPane/index.js\": 436,\n\t\"./GroupedSummaryTable/ColumnEditorPane/styles\": 29,\n\t\"./GroupedSummaryTable/ColumnEditorPane/styles.module\": 29,\n\t\"./GroupedSummaryTable/ColumnEditorPane/styles.module.scss\": 29,\n\t\"./GroupedSummaryTable/DataRowExternalLink\": 448,\n\t\"./GroupedSummaryTable/DataRowExternalLink/\": 448,\n\t\"./GroupedSummaryTable/DataRowExternalLink/constants\": 395,\n\t\"./GroupedSummaryTable/DataRowExternalLink/constants.js\": 395,\n\t\"./GroupedSummaryTable/DataRowExternalLink/helpers\": 853,\n\t\"./GroupedSummaryTable/DataRowExternalLink/helpers.js\": 853,\n\t\"./GroupedSummaryTable/DataRowExternalLink/index\": 448,\n\t\"./GroupedSummaryTable/DataRowExternalLink/index.js\": 448,\n\t\"./GroupedSummaryTable/DataRowExternalLink/styles\": 617,\n\t\"./GroupedSummaryTable/DataRowExternalLink/styles.module\": 617,\n\t\"./GroupedSummaryTable/DataRowExternalLink/styles.module.scss\": 617,\n\t\"./GroupedSummaryTable/GroupingTitle\": 445,\n\t\"./GroupedSummaryTable/GroupingTitle/\": 445,\n\t\"./GroupedSummaryTable/GroupingTitle/index\": 445,\n\t\"./GroupedSummaryTable/GroupingTitle/index.js\": 445,\n\t\"./GroupedSummaryTable/Header\": 331,\n\t\"./GroupedSummaryTable/Header/\": 331,\n\t\"./GroupedSummaryTable/Header/constants\": 854,\n\t\"./GroupedSummaryTable/Header/constants.js\": 854,\n\t\"./GroupedSummaryTable/Header/index\": 331,\n\t\"./GroupedSummaryTable/Header/index.js\": 331,\n\t\"./GroupedSummaryTable/Header/styles\": 618,\n\t\"./GroupedSummaryTable/Header/styles.module\": 618,\n\t\"./GroupedSummaryTable/Header/styles.module.scss\": 618,\n\t\"./GroupedSummaryTable/Header/variables\": 971,\n\t\"./GroupedSummaryTable/Header/variables.scss\": 971,\n\t\"./GroupedSummaryTable/Table\": 446,\n\t\"./GroupedSummaryTable/Table/\": 446,\n\t\"./GroupedSummaryTable/Table/constants\": 213,\n\t\"./GroupedSummaryTable/Table/constants.js\": 213,\n\t\"./GroupedSummaryTable/Table/helpers\": 760,\n\t\"./GroupedSummaryTable/Table/helpers.js\": 760,\n\t\"./GroupedSummaryTable/Table/index\": 446,\n\t\"./GroupedSummaryTable/Table/index.js\": 446,\n\t\"./GroupedSummaryTable/Table/styles\": 172,\n\t\"./GroupedSummaryTable/Table/styles.module\": 172,\n\t\"./GroupedSummaryTable/Table/styles.module.scss\": 172,\n\t\"./GroupedSummaryTable/TableActions\": 449,\n\t\"./GroupedSummaryTable/TableActions/\": 449,\n\t\"./GroupedSummaryTable/TableActions/DownloadCSVButton\": 818,\n\t\"./GroupedSummaryTable/TableActions/DownloadCSVButton/\": 818,\n\t\"./GroupedSummaryTable/TableActions/DownloadCSVButton/constants\": 885,\n\t\"./GroupedSummaryTable/TableActions/DownloadCSVButton/constants.js\": 885,\n\t\"./GroupedSummaryTable/TableActions/DownloadCSVButton/index\": 818,\n\t\"./GroupedSummaryTable/TableActions/DownloadCSVButton/index.js\": 818,\n\t\"./GroupedSummaryTable/TableActions/EditColumnsButton\": 451,\n\t\"./GroupedSummaryTable/TableActions/EditColumnsButton/\": 451,\n\t\"./GroupedSummaryTable/TableActions/EditColumnsButton/index\": 451,\n\t\"./GroupedSummaryTable/TableActions/EditColumnsButton/index.js\": 451,\n\t\"./GroupedSummaryTable/TableActions/GlobalFilter\": 452,\n\t\"./GroupedSummaryTable/TableActions/GlobalFilter/\": 452,\n\t\"./GroupedSummaryTable/TableActions/GlobalFilter/index\": 452,\n\t\"./GroupedSummaryTable/TableActions/GlobalFilter/index.js\": 452,\n\t\"./GroupedSummaryTable/TableActions/GlobalFilter/styles\": 619,\n\t\"./GroupedSummaryTable/TableActions/GlobalFilter/styles.module\": 619,\n\t\"./GroupedSummaryTable/TableActions/GlobalFilter/styles.module.scss\": 619,\n\t\"./GroupedSummaryTable/TableActions/TableViewModeButtons\": 453,\n\t\"./GroupedSummaryTable/TableActions/TableViewModeButtons/\": 453,\n\t\"./GroupedSummaryTable/TableActions/TableViewModeButtons/constants\": 761,\n\t\"./GroupedSummaryTable/TableActions/TableViewModeButtons/constants.js\": 761,\n\t\"./GroupedSummaryTable/TableActions/TableViewModeButtons/index\": 453,\n\t\"./GroupedSummaryTable/TableActions/TableViewModeButtons/index.js\": 453,\n\t\"./GroupedSummaryTable/TableActions/ToggleNameExtendedButton\": 454,\n\t\"./GroupedSummaryTable/TableActions/ToggleNameExtendedButton/\": 454,\n\t\"./GroupedSummaryTable/TableActions/ToggleNameExtendedButton/index\": 454,\n\t\"./GroupedSummaryTable/TableActions/ToggleNameExtendedButton/index.js\": 454,\n\t\"./GroupedSummaryTable/TableActions/index\": 449,\n\t\"./GroupedSummaryTable/TableActions/index.js\": 449,\n\t\"./GroupedSummaryTable/TableInstance\": 447,\n\t\"./GroupedSummaryTable/TableInstance/\": 447,\n\t\"./GroupedSummaryTable/TableInstance/index\": 447,\n\t\"./GroupedSummaryTable/TableInstance/index.js\": 447,\n\t\"./GroupedSummaryTable/TableInstance/styles\": 93,\n\t\"./GroupedSummaryTable/TableInstance/styles.module\": 93,\n\t\"./GroupedSummaryTable/TableInstance/styles.module.scss\": 93,\n\t\"./GroupedSummaryTable/constants\": 111,\n\t\"./GroupedSummaryTable/constants.js\": 111,\n\t\"./GroupedSummaryTable/helpers\": 83,\n\t\"./GroupedSummaryTable/helpers.js\": 83,\n\t\"./GroupedSummaryTable/helpers.spec\": 972,\n\t\"./GroupedSummaryTable/helpers.spec.js\": 972,\n\t\"./GroupedSummaryTable/index\": 68,\n\t\"./GroupedSummaryTable/index.js\": 68,\n\t\"./GroupedSummaryTable/styles\": 341,\n\t\"./GroupedSummaryTable/styles.module\": 341,\n\t\"./GroupedSummaryTable/styles.module.scss\": 341,\n\t\"./HamburgerNav\": 819,\n\t\"./HamburgerNav/\": 819,\n\t\"./HamburgerNav/Modal\": 502,\n\t\"./HamburgerNav/Modal/\": 502,\n\t\"./HamburgerNav/Modal/Admin\": 503,\n\t\"./HamburgerNav/Modal/Admin/\": 503,\n\t\"./HamburgerNav/Modal/Admin/index\": 503,\n\t\"./HamburgerNav/Modal/Admin/index.js\": 503,\n\t\"./HamburgerNav/Modal/Analyze\": 504,\n\t\"./HamburgerNav/Modal/Analyze/\": 504,\n\t\"./HamburgerNav/Modal/Analyze/index\": 504,\n\t\"./HamburgerNav/Modal/Analyze/index.js\": 504,\n\t\"./HamburgerNav/Modal/Automate\": 505,\n\t\"./HamburgerNav/Modal/Automate/\": 505,\n\t\"./HamburgerNav/Modal/Automate/index\": 505,\n\t\"./HamburgerNav/Modal/Automate/index.js\": 505,\n\t\"./HamburgerNav/Modal/BackLink\": 318,\n\t\"./HamburgerNav/Modal/BackLink/\": 318,\n\t\"./HamburgerNav/Modal/BackLink/index\": 318,\n\t\"./HamburgerNav/Modal/BackLink/index.js\": 318,\n\t\"./HamburgerNav/Modal/BackLink/styles\": 633,\n\t\"./HamburgerNav/Modal/BackLink/styles.module\": 633,\n\t\"./HamburgerNav/Modal/BackLink/styles.module.scss\": 633,\n\t\"./HamburgerNav/Modal/Configure\": 506,\n\t\"./HamburgerNav/Modal/Configure/\": 506,\n\t\"./HamburgerNav/Modal/Configure/index\": 506,\n\t\"./HamburgerNav/Modal/Configure/index.js\": 506,\n\t\"./HamburgerNav/Modal/Diagnose\": 507,\n\t\"./HamburgerNav/Modal/Diagnose/\": 507,\n\t\"./HamburgerNav/Modal/Diagnose/index\": 507,\n\t\"./HamburgerNav/Modal/Diagnose/index.js\": 507,\n\t\"./HamburgerNav/Modal/Impersonate\": 508,\n\t\"./HamburgerNav/Modal/Impersonate/\": 508,\n\t\"./HamburgerNav/Modal/Impersonate/index\": 508,\n\t\"./HamburgerNav/Modal/Impersonate/index.js\": 508,\n\t\"./HamburgerNav/Modal/Label\": 92,\n\t\"./HamburgerNav/Modal/Label/\": 92,\n\t\"./HamburgerNav/Modal/Label/index\": 92,\n\t\"./HamburgerNav/Modal/Label/index.js\": 92,\n\t\"./HamburgerNav/Modal/Label/styles\": 725,\n\t\"./HamburgerNav/Modal/Label/styles.module\": 725,\n\t\"./HamburgerNav/Modal/Label/styles.module.scss\": 725,\n\t\"./HamburgerNav/Modal/Link\": 21,\n\t\"./HamburgerNav/Modal/Link/\": 21,\n\t\"./HamburgerNav/Modal/Link/index\": 21,\n\t\"./HamburgerNav/Modal/Link/index.js\": 21,\n\t\"./HamburgerNav/Modal/Link/styles\": 632,\n\t\"./HamburgerNav/Modal/Link/styles.module\": 632,\n\t\"./HamburgerNav/Modal/Link/styles.module.scss\": 632,\n\t\"./HamburgerNav/Modal/MyAccount\": 509,\n\t\"./HamburgerNav/Modal/MyAccount/\": 509,\n\t\"./HamburgerNav/Modal/MyAccount/index\": 509,\n\t\"./HamburgerNav/Modal/MyAccount/index.js\": 509,\n\t\"./HamburgerNav/Modal/MyAccount/styles\": 634,\n\t\"./HamburgerNav/Modal/MyAccount/styles.module\": 634,\n\t\"./HamburgerNav/Modal/MyAccount/styles.module.scss\": 634,\n\t\"./HamburgerNav/Modal/Notifications\": 512,\n\t\"./HamburgerNav/Modal/Notifications/\": 512,\n\t\"./HamburgerNav/Modal/Notifications/index\": 512,\n\t\"./HamburgerNav/Modal/Notifications/index.js\": 512,\n\t\"./HamburgerNav/Modal/Section\": 76,\n\t\"./HamburgerNav/Modal/Section/\": 76,\n\t\"./HamburgerNav/Modal/Section/index\": 76,\n\t\"./HamburgerNav/Modal/Section/index.js\": 76,\n\t\"./HamburgerNav/Modal/Section/styles\": 722,\n\t\"./HamburgerNav/Modal/Section/styles.module\": 722,\n\t\"./HamburgerNav/Modal/Section/styles.module.scss\": 722,\n\t\"./HamburgerNav/Modal/SectionContent\": 77,\n\t\"./HamburgerNav/Modal/SectionContent/\": 77,\n\t\"./HamburgerNav/Modal/SectionContent/index\": 77,\n\t\"./HamburgerNav/Modal/SectionContent/index.js\": 77,\n\t\"./HamburgerNav/Modal/SectionContent/styles\": 723,\n\t\"./HamburgerNav/Modal/SectionContent/styles.module\": 723,\n\t\"./HamburgerNav/Modal/SectionContent/styles.module.scss\": 723,\n\t\"./HamburgerNav/Modal/SectionHeader\": 78,\n\t\"./HamburgerNav/Modal/SectionHeader/\": 78,\n\t\"./HamburgerNav/Modal/SectionHeader/index\": 78,\n\t\"./HamburgerNav/Modal/SectionHeader/index.js\": 78,\n\t\"./HamburgerNav/Modal/SectionHeader/styles\": 724,\n\t\"./HamburgerNav/Modal/SectionHeader/styles.module\": 724,\n\t\"./HamburgerNav/Modal/SectionHeader/styles.module.scss\": 724,\n\t\"./HamburgerNav/Modal/SignOutLink\": 511,\n\t\"./HamburgerNav/Modal/SignOutLink/\": 511,\n\t\"./HamburgerNav/Modal/SignOutLink/index\": 511,\n\t\"./HamburgerNav/Modal/SignOutLink/index.js\": 511,\n\t\"./HamburgerNav/Modal/Support\": 513,\n\t\"./HamburgerNav/Modal/Support/\": 513,\n\t\"./HamburgerNav/Modal/Support/index\": 513,\n\t\"./HamburgerNav/Modal/Support/index.js\": 513,\n\t\"./HamburgerNav/Modal/SwitchOrgs\": 514,\n\t\"./HamburgerNav/Modal/SwitchOrgs/\": 514,\n\t\"./HamburgerNav/Modal/SwitchOrgs/index\": 514,\n\t\"./HamburgerNav/Modal/SwitchOrgs/index.js\": 514,\n\t\"./HamburgerNav/Modal/SwitchOrgs/styles\": 726,\n\t\"./HamburgerNav/Modal/SwitchOrgs/styles.module\": 726,\n\t\"./HamburgerNav/Modal/SwitchOrgs/styles.module.scss\": 726,\n\t\"./HamburgerNav/Modal/index\": 502,\n\t\"./HamburgerNav/Modal/index.js\": 502,\n\t\"./HamburgerNav/Modal/styles\": 635,\n\t\"./HamburgerNav/Modal/styles.module\": 635,\n\t\"./HamburgerNav/Modal/styles.module.scss\": 635,\n\t\"./HamburgerNav/index\": 819,\n\t\"./HamburgerNav/index.js\": 819,\n\t\"./HamburgerNav/presentation\": 886,\n\t\"./HamburgerNav/presentation.js\": 886,\n\t\"./HamburgerNav/styles\": 727,\n\t\"./HamburgerNav/styles.module\": 727,\n\t\"./HamburgerNav/styles.module.scss\": 727,\n\t\"./Header\": 374,\n\t\"./Header/\": 374,\n\t\"./Header/index\": 374,\n\t\"./Header/index.js\": 374,\n\t\"./Header/styles\": 715,\n\t\"./Header/styles.module\": 715,\n\t\"./Header/styles.module.scss\": 715,\n\t\"./HeaderWithHelpText\": 319,\n\t\"./HeaderWithHelpText/\": 319,\n\t\"./HeaderWithHelpText/index\": 319,\n\t\"./HeaderWithHelpText/index.js\": 319,\n\t\"./HeaderWithHelpText/styles\": 400,\n\t\"./HeaderWithHelpText/styles.module\": 400,\n\t\"./HeaderWithHelpText/styles.module.scss\": 400,\n\t\"./HelpText\": 467,\n\t\"./HelpText/\": 467,\n\t\"./HelpText/index\": 467,\n\t\"./HelpText/index.js\": 467,\n\t\"./HelpText/styles\": 713,\n\t\"./HelpText/styles.module\": 713,\n\t\"./HelpText/styles.module.scss\": 713,\n\t\"./Icon\": 153,\n\t\"./Icon/\": 153,\n\t\"./Icon/index\": 153,\n\t\"./Icon/index.js\": 153,\n\t\"./KPICard\": 515,\n\t\"./KPICard/\": 515,\n\t\"./KPICard/index\": 515,\n\t\"./KPICard/index.js\": 515,\n\t\"./KPICard/styles\": 125,\n\t\"./KPICard/styles.module\": 125,\n\t\"./KPICard/styles.module.scss\": 125,\n\t\"./KPIDrilldown\": 109,\n\t\"./KPIDrilldown/\": 109,\n\t\"./KPIDrilldown/index\": 109,\n\t\"./KPIDrilldown/index.js\": 109,\n\t\"./KPIDrilldown/presentation\": 865,\n\t\"./KPIDrilldown/presentation.js\": 865,\n\t\"./KPIDrilldown/styles\": 173,\n\t\"./KPIDrilldown/styles.module\": 173,\n\t\"./KPIDrilldown/styles.module.scss\": 173,\n\t\"./KPITabs\": 461,\n\t\"./KPITabs/\": 461,\n\t\"./KPITabs/Chart\": 462,\n\t\"./KPITabs/Chart/\": 462,\n\t\"./KPITabs/Chart/XDaySelector\": 463,\n\t\"./KPITabs/Chart/XDaySelector/\": 463,\n\t\"./KPITabs/Chart/XDaySelector/index\": 463,\n\t\"./KPITabs/Chart/XDaySelector/index.js\": 463,\n\t\"./KPITabs/Chart/constants\": 272,\n\t\"./KPITabs/Chart/constants.js\": 272,\n\t\"./KPITabs/Chart/helpers\": 764,\n\t\"./KPITabs/Chart/helpers.js\": 764,\n\t\"./KPITabs/Chart/index\": 462,\n\t\"./KPITabs/Chart/index.js\": 462,\n\t\"./KPITabs/Chart/skeleton\": 271,\n\t\"./KPITabs/Chart/skeleton.js\": 271,\n\t\"./KPITabs/Chart/styles\": 712,\n\t\"./KPITabs/Chart/styles.module\": 712,\n\t\"./KPITabs/Chart/styles.module.scss\": 712,\n\t\"./KPITabs/SummaryBlocks\": 464,\n\t\"./KPITabs/SummaryBlocks/\": 464,\n\t\"./KPITabs/SummaryBlocks/SummaryBlock\": 315,\n\t\"./KPITabs/SummaryBlocks/SummaryBlock/\": 315,\n\t\"./KPITabs/SummaryBlocks/SummaryBlock/index\": 315,\n\t\"./KPITabs/SummaryBlocks/SummaryBlock/index.js\": 315,\n\t\"./KPITabs/SummaryBlocks/SummaryBlock/styles\": 343,\n\t\"./KPITabs/SummaryBlocks/SummaryBlock/styles.module\": 343,\n\t\"./KPITabs/SummaryBlocks/SummaryBlock/styles.module.scss\": 343,\n\t\"./KPITabs/SummaryBlocks/index\": 464,\n\t\"./KPITabs/SummaryBlocks/index.js\": 464,\n\t\"./KPITabs/SummaryBlocks/skeleton\": 863,\n\t\"./KPITabs/SummaryBlocks/skeleton.js\": 863,\n\t\"./KPITabs/SummaryBlocks/styles\": 382,\n\t\"./KPITabs/SummaryBlocks/styles.module\": 382,\n\t\"./KPITabs/SummaryBlocks/styles.module.scss\": 382,\n\t\"./KPITabs/TabButtons\": 465,\n\t\"./KPITabs/TabButtons/\": 465,\n\t\"./KPITabs/TabButtons/index\": 465,\n\t\"./KPITabs/TabButtons/index.js\": 465,\n\t\"./KPITabs/TabButtons/skeleton\": 864,\n\t\"./KPITabs/TabButtons/skeleton.js\": 864,\n\t\"./KPITabs/TabButtons/styles\": 170,\n\t\"./KPITabs/TabButtons/styles.module\": 170,\n\t\"./KPITabs/TabButtons/styles.module.scss\": 170,\n\t\"./KPITabs/VisibleDataSelector\": 466,\n\t\"./KPITabs/VisibleDataSelector/\": 466,\n\t\"./KPITabs/VisibleDataSelector/index\": 466,\n\t\"./KPITabs/VisibleDataSelector/index.js\": 466,\n\t\"./KPITabs/VisibleDataSelector/styles\": 215,\n\t\"./KPITabs/VisibleDataSelector/styles.module\": 215,\n\t\"./KPITabs/VisibleDataSelector/styles.module.scss\": 215,\n\t\"./KPITabs/constants\": 664,\n\t\"./KPITabs/constants.js\": 664,\n\t\"./KPITabs/helpers\": 56,\n\t\"./KPITabs/helpers.js\": 56,\n\t\"./KPITabs/helpers.spec\": 973,\n\t\"./KPITabs/helpers.spec.js\": 973,\n\t\"./KPITabs/index\": 461,\n\t\"./KPITabs/index.js\": 461,\n\t\"./KPITabs/loading\": 862,\n\t\"./KPITabs/loading.js\": 862,\n\t\"./KPITabs/presentation\": 861,\n\t\"./KPITabs/presentation.js\": 861,\n\t\"./KPITabs/styles\": 273,\n\t\"./KPITabs/styles.module\": 273,\n\t\"./KPITabs/styles.module.scss\": 273,\n\t\"./KPITabs/wrapper\": 36,\n\t\"./KPITabs/wrapper.js\": 36,\n\t\"./Label/Label\": 205,\n\t\"./Label/Label.jsx\": 205,\n\t\"./Label/styles\": 392,\n\t\"./Label/styles.module\": 392,\n\t\"./Label/styles.module.scss\": 392,\n\t\"./LineTabNavigation\": 320,\n\t\"./LineTabNavigation/\": 320,\n\t\"./LineTabNavigation/index\": 320,\n\t\"./LineTabNavigation/index.js\": 320,\n\t\"./LineTabNavigation/styles\": 401,\n\t\"./LineTabNavigation/styles.module\": 401,\n\t\"./LineTabNavigation/styles.module.scss\": 401,\n\t\"./LoadingBar\": 265,\n\t\"./LoadingBar/\": 265,\n\t\"./LoadingBar/constants\": 784,\n\t\"./LoadingBar/constants.js\": 784,\n\t\"./LoadingBar/index\": 265,\n\t\"./LoadingBar/index.js\": 265,\n\t\"./LoadingBar/styles\": 251,\n\t\"./LoadingBar/styles.module\": 251,\n\t\"./LoadingBar/styles.module.scss\": 251,\n\t\"./LoadingOverlay\": 317,\n\t\"./LoadingOverlay/\": 317,\n\t\"./LoadingOverlay/index\": 317,\n\t\"./LoadingOverlay/index.js\": 317,\n\t\"./LoadingOverlay/styles\": 627,\n\t\"./LoadingOverlay/styles.module\": 627,\n\t\"./LoadingOverlay/styles.module.scss\": 627,\n\t\"./MetricTooltip\": 134,\n\t\"./MetricTooltip/\": 134,\n\t\"./MetricTooltip/constants\": 851,\n\t\"./MetricTooltip/constants.js\": 851,\n\t\"./MetricTooltip/index\": 134,\n\t\"./MetricTooltip/index.js\": 134,\n\t\"./MetricTooltip/styles\": 212,\n\t\"./MetricTooltip/styles.module\": 212,\n\t\"./MetricTooltip/styles.module.scss\": 212,\n\t\"./ModalHeaderWithClose\": 266,\n\t\"./ModalHeaderWithClose/\": 266,\n\t\"./ModalHeaderWithClose/index\": 266,\n\t\"./ModalHeaderWithClose/index.js\": 266,\n\t\"./ModalHeaderWithClose/styles\": 728,\n\t\"./ModalHeaderWithClose/styles.module\": 728,\n\t\"./ModalHeaderWithClose/styles.module.scss\": 728,\n\t\"./Navigation/MyAccount/PtiMeter\": 510,\n\t\"./Navigation/MyAccount/PtiMeter/\": 510,\n\t\"./Navigation/MyAccount/PtiMeter/index\": 510,\n\t\"./Navigation/MyAccount/PtiMeter/index.js\": 510,\n\t\"./Navigation/MyAccount/PtiMeter/styles\": 289,\n\t\"./Navigation/MyAccount/PtiMeter/styles.module\": 289,\n\t\"./Navigation/MyAccount/PtiMeter/styles.module.scss\": 289,\n\t\"./NoDataOverlay\": 108,\n\t\"./NoDataOverlay/\": 108,\n\t\"./NoDataOverlay/index\": 108,\n\t\"./NoDataOverlay/index.js\": 108,\n\t\"./NoDataOverlay/styles\": 700,\n\t\"./NoDataOverlay/styles.module\": 700,\n\t\"./NoDataOverlay/styles.module.scss\": 700,\n\t\"./OnboardingActionOverlay\": 90,\n\t\"./OnboardingActionOverlay/\": 90,\n\t\"./OnboardingActionOverlay/MissingRequirementBtn\": 434,\n\t\"./OnboardingActionOverlay/MissingRequirementBtn/\": 434,\n\t\"./OnboardingActionOverlay/MissingRequirementBtn/index\": 434,\n\t\"./OnboardingActionOverlay/MissingRequirementBtn/index.js\": 434,\n\t\"./OnboardingActionOverlay/MissingRequirementBtn/styles\": 701,\n\t\"./OnboardingActionOverlay/MissingRequirementBtn/styles.module\": 701,\n\t\"./OnboardingActionOverlay/MissingRequirementBtn/styles.module.scss\": 701,\n\t\"./OnboardingActionOverlay/MissingRequirementsMessage\": 435,\n\t\"./OnboardingActionOverlay/MissingRequirementsMessage/\": 435,\n\t\"./OnboardingActionOverlay/MissingRequirementsMessage/index\": 435,\n\t\"./OnboardingActionOverlay/MissingRequirementsMessage/index.js\": 435,\n\t\"./OnboardingActionOverlay/MissingRequirementsMessage/styles\": 702,\n\t\"./OnboardingActionOverlay/MissingRequirementsMessage/styles.module\": 702,\n\t\"./OnboardingActionOverlay/MissingRequirementsMessage/styles.module.scss\": 702,\n\t\"./OnboardingActionOverlay/index\": 90,\n\t\"./OnboardingActionOverlay/index.js\": 90,\n\t\"./OnboardingPopup\": 820,\n\t\"./OnboardingPopup/\": 820,\n\t\"./OnboardingPopup/Overlay\": 516,\n\t\"./OnboardingPopup/Overlay/\": 516,\n\t\"./OnboardingPopup/Overlay/index\": 516,\n\t\"./OnboardingPopup/Overlay/index.js\": 516,\n\t\"./OnboardingPopup/Overlay/styles\": 193,\n\t\"./OnboardingPopup/Overlay/styles.module\": 193,\n\t\"./OnboardingPopup/Overlay/styles.module.scss\": 193,\n\t\"./OnboardingPopup/constants\": 100,\n\t\"./OnboardingPopup/constants.js\": 100,\n\t\"./OnboardingPopup/helpers\": 252,\n\t\"./OnboardingPopup/helpers.js\": 252,\n\t\"./OnboardingPopup/helpers.spec\": 974,\n\t\"./OnboardingPopup/helpers.spec.js\": 974,\n\t\"./OnboardingPopup/index\": 820,\n\t\"./OnboardingPopup/index.js\": 820,\n\t\"./OnboardingPopup/styles\": 636,\n\t\"./OnboardingPopup/styles.module\": 636,\n\t\"./OnboardingPopup/styles.module.scss\": 636,\n\t\"./Overlay\": 154,\n\t\"./Overlay/\": 154,\n\t\"./Overlay/Subtext\": 229,\n\t\"./Overlay/Subtext/\": 229,\n\t\"./Overlay/Subtext/index\": 229,\n\t\"./Overlay/Subtext/index.js\": 229,\n\t\"./Overlay/Subtext/styles\": 696,\n\t\"./Overlay/Subtext/styles.module\": 696,\n\t\"./Overlay/Subtext/styles.module.scss\": 696,\n\t\"./Overlay/Text\": 179,\n\t\"./Overlay/Text/\": 179,\n\t\"./Overlay/Text/index\": 179,\n\t\"./Overlay/Text/index.js\": 179,\n\t\"./Overlay/Text/styles\": 695,\n\t\"./Overlay/Text/styles.module\": 695,\n\t\"./Overlay/Text/styles.module.scss\": 695,\n\t\"./Overlay/index\": 154,\n\t\"./Overlay/index.js\": 154,\n\t\"./Overlay/styles\": 247,\n\t\"./Overlay/styles.module\": 247,\n\t\"./Overlay/styles.module.scss\": 247,\n\t\"./PageContainer/PageContainer\": 381,\n\t\"./PageContainer/PageContainer.jsx\": 381,\n\t\"./PageContainer/styles\": 613,\n\t\"./PageContainer/styles.module\": 613,\n\t\"./PageContainer/styles.module.scss\": 613,\n\t\"./PageHeader\": 120,\n\t\"./PageHeader/\": 120,\n\t\"./PageHeader/Label\": 370,\n\t\"./PageHeader/Label/\": 370,\n\t\"./PageHeader/Label/index\": 370,\n\t\"./PageHeader/Label/index.js\": 370,\n\t\"./PageHeader/Label/styles\": 687,\n\t\"./PageHeader/Label/styles.module\": 687,\n\t\"./PageHeader/Label/styles.module.scss\": 687,\n\t\"./PageHeader/index\": 120,\n\t\"./PageHeader/index.js\": 120,\n\t\"./PageHeader/styles\": 686,\n\t\"./PageHeader/styles.module\": 686,\n\t\"./PageHeader/styles.module.scss\": 686,\n\t\"./PageLayout\": 377,\n\t\"./PageLayout/\": 377,\n\t\"./PageLayout/index\": 377,\n\t\"./PageLayout/index.js\": 377,\n\t\"./PageNotice\": 96,\n\t\"./PageNotice/\": 96,\n\t\"./PageNotice/index\": 96,\n\t\"./PageNotice/index.js\": 96,\n\t\"./PageNotice/styles\": 729,\n\t\"./PageNotice/styles.module\": 729,\n\t\"./PageNotice/styles.module.scss\": 729,\n\t\"./PageSectionHeader/PageSectionHeader\": 688,\n\t\"./PageSectionHeader/PageSectionHeader.jsx\": 688,\n\t\"./PageSectionHeader/styles\": 689,\n\t\"./PageSectionHeader/styles.module\": 689,\n\t\"./PageSectionHeader/styles.module.scss\": 689,\n\t\"./PageSeparator/PageSeparator\": 887,\n\t\"./PageSeparator/PageSeparator.jsx\": 887,\n\t\"./PageSeparator/styles\": 730,\n\t\"./PageSeparator/styles.module\": 730,\n\t\"./PageSeparator/styles.module.scss\": 730,\n\t\"./PageSubtext/PageSubtext\": 690,\n\t\"./PageSubtext/PageSubtext.jsx\": 690,\n\t\"./PageSubtext/styles\": 691,\n\t\"./PageSubtext/styles.module\": 691,\n\t\"./PageSubtext/styles.module.scss\": 691,\n\t\"./Paginator/Paginator\": 931,\n\t\"./Paginator/Paginator.jsx\": 931,\n\t\"./Paginator/constants\": 112,\n\t\"./Paginator/constants.js\": 112,\n\t\"./Paginator/styles\": 614,\n\t\"./Paginator/styles.module\": 614,\n\t\"./Paginator/styles.module.scss\": 614,\n\t\"./Paginator/utils\": 657,\n\t\"./Paginator/utils.js\": 657,\n\t\"./PaginatorInfo/PaginatorInfo\": 845,\n\t\"./PaginatorInfo/PaginatorInfo.jsx\": 845,\n\t\"./PaginatorInfo/constants\": 656,\n\t\"./PaginatorInfo/constants.js\": 656,\n\t\"./PaginatorInfo/styles\": 692,\n\t\"./PaginatorInfo/styles.module\": 692,\n\t\"./PaginatorInfo/styles.module.scss\": 692,\n\t\"./PaginatorInfo/utils\": 846,\n\t\"./PaginatorInfo/utils.js\": 846,\n\t\"./PaginatorItem/PaginatorItem\": 269,\n\t\"./PaginatorItem/PaginatorItem.jsx\": 269,\n\t\"./PaginatorNextItem/PaginatorNextItem\": 847,\n\t\"./PaginatorNextItem/PaginatorNextItem.jsx\": 847,\n\t\"./PaginatorPreviousItem/PaginatorPreviousItem\": 848,\n\t\"./PaginatorPreviousItem/PaginatorPreviousItem.jsx\": 848,\n\t\"./PercentageLabel\": 378,\n\t\"./PercentageLabel/\": 378,\n\t\"./PercentageLabel/constants\": 145,\n\t\"./PercentageLabel/constants.js\": 145,\n\t\"./PercentageLabel/helpers\": 144,\n\t\"./PercentageLabel/helpers.js\": 144,\n\t\"./PercentageLabel/helpers.spec\": 975,\n\t\"./PercentageLabel/helpers.spec.js\": 975,\n\t\"./PercentageLabel/index\": 378,\n\t\"./PercentageLabel/index.js\": 378,\n\t\"./PercentageLabel/styles\": 345,\n\t\"./PercentageLabel/styles.module\": 345,\n\t\"./PercentageLabel/styles.module.scss\": 345,\n\t\"./PlatformIcon\": 57,\n\t\"./PlatformIcon/\": 57,\n\t\"./PlatformIcon/constants\": 246,\n\t\"./PlatformIcon/constants.js\": 246,\n\t\"./PlatformIcon/index\": 57,\n\t\"./PlatformIcon/index.js\": 57,\n\t\"./PopoutLink\": 236,\n\t\"./PopoutLink/\": 236,\n\t\"./PopoutLink/index\": 236,\n\t\"./PopoutLink/index.js\": 236,\n\t\"./PopoutLink/styles\": 731,\n\t\"./PopoutLink/styles.module\": 731,\n\t\"./PopoutLink/styles.module.scss\": 731,\n\t\"./Popover/Popover\": 625,\n\t\"./Popover/Popover.jsx\": 625,\n\t\"./Popover/constants\": 783,\n\t\"./Popover/constants.js\": 783,\n\t\"./Popover/styles\": 216,\n\t\"./Popover/styles.module\": 216,\n\t\"./Popover/styles.module.scss\": 216,\n\t\"./RadioButton/RadioButton\": 244,\n\t\"./RadioButton/RadioButton.jsx\": 244,\n\t\"./RadioButton/styles\": 288,\n\t\"./RadioButton/styles.module\": 288,\n\t\"./RadioButton/styles.module.scss\": 288,\n\t\"./RadioToggle/RadioToggle\": 630,\n\t\"./RadioToggle/RadioToggle.jsx\": 630,\n\t\"./RadioToggle/styles\": 719,\n\t\"./RadioToggle/styles.module\": 719,\n\t\"./RadioToggle/styles.module.scss\": 719,\n\t\"./ReportingContent\": 181,\n\t\"./ReportingContent/\": 181,\n\t\"./ReportingContent/index\": 181,\n\t\"./ReportingContent/index.js\": 181,\n\t\"./ReportingContent/styles\": 637,\n\t\"./ReportingContent/styles.module\": 637,\n\t\"./ReportingContent/styles.module.scss\": 637,\n\t\"./ReportingDataDateDisplay\": 517,\n\t\"./ReportingDataDateDisplay/\": 517,\n\t\"./ReportingDataDateDisplay/index\": 517,\n\t\"./ReportingDataDateDisplay/index.js\": 517,\n\t\"./ReportingDataDateDisplay/styles\": 732,\n\t\"./ReportingDataDateDisplay/styles.module\": 732,\n\t\"./ReportingDataDateDisplay/styles.module.scss\": 732,\n\t\"./ReportingDataDisplay\": 245,\n\t\"./ReportingDataDisplay/\": 245,\n\t\"./ReportingDataDisplay/index\": 245,\n\t\"./ReportingDataDisplay/index.js\": 245,\n\t\"./ReportingDataDisplay/styles\": 402,\n\t\"./ReportingDataDisplay/styles.module\": 402,\n\t\"./ReportingDataDisplay/styles.module.scss\": 402,\n\t\"./ReportingDataImg\": 110,\n\t\"./ReportingDataImg/\": 110,\n\t\"./ReportingDataImg/index\": 110,\n\t\"./ReportingDataImg/index.js\": 110,\n\t\"./ReportingDataImg/styles\": 708,\n\t\"./ReportingDataImg/styles.module\": 708,\n\t\"./ReportingDataImg/styles.module.scss\": 708,\n\t\"./ReportingDataMetricValueDisplay\": 80,\n\t\"./ReportingDataMetricValueDisplay/\": 80,\n\t\"./ReportingDataMetricValueDisplay/__snapshots__/index.spec.js.snap\": 1108,\n\t\"./ReportingDataMetricValueDisplay/constants\": 393,\n\t\"./ReportingDataMetricValueDisplay/constants.js\": 393,\n\t\"./ReportingDataMetricValueDisplay/helpers\": 81,\n\t\"./ReportingDataMetricValueDisplay/helpers.js\": 81,\n\t\"./ReportingDataMetricValueDisplay/helpers.spec\": 976,\n\t\"./ReportingDataMetricValueDisplay/helpers.spec.js\": 976,\n\t\"./ReportingDataMetricValueDisplay/index\": 80,\n\t\"./ReportingDataMetricValueDisplay/index.js\": 80,\n\t\"./ReportingDataMetricValueDisplay/index.spec\": 977,\n\t\"./ReportingDataMetricValueDisplay/index.spec.js\": 977,\n\t\"./ReportingDataMetricValueDisplay/styles\": 693,\n\t\"./ReportingDataMetricValueDisplay/styles.module\": 693,\n\t\"./ReportingDataMetricValueDisplay/styles.module.scss\": 693,\n\t\"./ReportingDataNameDisplay\": 155,\n\t\"./ReportingDataNameDisplay/\": 155,\n\t\"./ReportingDataNameDisplay/helpers\": 160,\n\t\"./ReportingDataNameDisplay/helpers.js\": 160,\n\t\"./ReportingDataNameDisplay/index\": 155,\n\t\"./ReportingDataNameDisplay/index.js\": 155,\n\t\"./ReportingDataNameDisplay/styles\": 709,\n\t\"./ReportingDataNameDisplay/styles.module\": 709,\n\t\"./ReportingDataNameDisplay/styles.module.scss\": 709,\n\t\"./ReportingSidebar\": 321,\n\t\"./ReportingSidebar/\": 321,\n\t\"./ReportingSidebar/ApplyBtn\": 322,\n\t\"./ReportingSidebar/ApplyBtn/\": 322,\n\t\"./ReportingSidebar/ApplyBtn/index\": 322,\n\t\"./ReportingSidebar/ApplyBtn/index.js\": 322,\n\t\"./ReportingSidebar/ApplyBtn/styles\": 733,\n\t\"./ReportingSidebar/ApplyBtn/styles.module\": 733,\n\t\"./ReportingSidebar/ApplyBtn/styles.module.scss\": 733,\n\t\"./ReportingSidebar/AppsFilter\": 323,\n\t\"./ReportingSidebar/AppsFilter/\": 323,\n\t\"./ReportingSidebar/AppsFilter/ListItem\": 519,\n\t\"./ReportingSidebar/AppsFilter/ListItem/\": 519,\n\t\"./ReportingSidebar/AppsFilter/ListItem/index\": 519,\n\t\"./ReportingSidebar/AppsFilter/ListItem/index.js\": 519,\n\t\"./ReportingSidebar/AppsFilter/ListItem/styles\": 639,\n\t\"./ReportingSidebar/AppsFilter/ListItem/styles.module\": 639,\n\t\"./ReportingSidebar/AppsFilter/ListItem/styles.module.scss\": 639,\n\t\"./ReportingSidebar/AppsFilter/PlatformFilters\": 521,\n\t\"./ReportingSidebar/AppsFilter/PlatformFilters/\": 521,\n\t\"./ReportingSidebar/AppsFilter/PlatformFilters/PlatformFilter\": 275,\n\t\"./ReportingSidebar/AppsFilter/PlatformFilters/PlatformFilter/\": 275,\n\t\"./ReportingSidebar/AppsFilter/PlatformFilters/PlatformFilter/index\": 275,\n\t\"./ReportingSidebar/AppsFilter/PlatformFilters/PlatformFilter/index.js\": 275,\n\t\"./ReportingSidebar/AppsFilter/PlatformFilters/index\": 521,\n\t\"./ReportingSidebar/AppsFilter/PlatformFilters/index.js\": 521,\n\t\"./ReportingSidebar/AppsFilter/constants\": 785,\n\t\"./ReportingSidebar/AppsFilter/constants.js\": 785,\n\t\"./ReportingSidebar/AppsFilter/index\": 323,\n\t\"./ReportingSidebar/AppsFilter/index.js\": 323,\n\t\"./ReportingSidebar/AppsFilter/styles\": 736,\n\t\"./ReportingSidebar/AppsFilter/styles.module\": 736,\n\t\"./ReportingSidebar/AppsFilter/styles.module.scss\": 736,\n\t\"./ReportingSidebar/ChannelsFilter\": 237,\n\t\"./ReportingSidebar/ChannelsFilter/\": 237,\n\t\"./ReportingSidebar/ChannelsFilter/ListItem\": 523,\n\t\"./ReportingSidebar/ChannelsFilter/ListItem/\": 523,\n\t\"./ReportingSidebar/ChannelsFilter/ListItem/index\": 523,\n\t\"./ReportingSidebar/ChannelsFilter/ListItem/index.js\": 523,\n\t\"./ReportingSidebar/ChannelsFilter/ListItem/styles\": 407,\n\t\"./ReportingSidebar/ChannelsFilter/ListItem/styles.module\": 407,\n\t\"./ReportingSidebar/ChannelsFilter/ListItem/styles.module.scss\": 407,\n\t\"./ReportingSidebar/ChannelsFilter/PaidFilter\": 524,\n\t\"./ReportingSidebar/ChannelsFilter/PaidFilter/\": 524,\n\t\"./ReportingSidebar/ChannelsFilter/PaidFilter/constants\": 888,\n\t\"./ReportingSidebar/ChannelsFilter/PaidFilter/constants.js\": 888,\n\t\"./ReportingSidebar/ChannelsFilter/PaidFilter/index\": 524,\n\t\"./ReportingSidebar/ChannelsFilter/PaidFilter/index.js\": 524,\n\t\"./ReportingSidebar/ChannelsFilter/constants\": 786,\n\t\"./ReportingSidebar/ChannelsFilter/constants.js\": 786,\n\t\"./ReportingSidebar/ChannelsFilter/index\": 237,\n\t\"./ReportingSidebar/ChannelsFilter/index.js\": 237,\n\t\"./ReportingSidebar/ChannelsFilter/styles\": 737,\n\t\"./ReportingSidebar/ChannelsFilter/styles.module\": 737,\n\t\"./ReportingSidebar/ChannelsFilter/styles.module.scss\": 737,\n\t\"./ReportingSidebar/Collapser\": 238,\n\t\"./ReportingSidebar/Collapser/\": 238,\n\t\"./ReportingSidebar/Collapser/index\": 238,\n\t\"./ReportingSidebar/Collapser/index.js\": 238,\n\t\"./ReportingSidebar/Collapser/styles\": 641,\n\t\"./ReportingSidebar/Collapser/styles.module\": 641,\n\t\"./ReportingSidebar/Collapser/styles.module.scss\": 641,\n\t\"./ReportingSidebar/CountriesFilter\": 326,\n\t\"./ReportingSidebar/CountriesFilter/\": 326,\n\t\"./ReportingSidebar/CountriesFilter/ListItem\": 525,\n\t\"./ReportingSidebar/CountriesFilter/ListItem/\": 525,\n\t\"./ReportingSidebar/CountriesFilter/ListItem/index\": 525,\n\t\"./ReportingSidebar/CountriesFilter/ListItem/index.js\": 525,\n\t\"./ReportingSidebar/CountriesFilter/ListItem/styles\": 738,\n\t\"./ReportingSidebar/CountriesFilter/ListItem/styles.module\": 738,\n\t\"./ReportingSidebar/CountriesFilter/ListItem/styles.module.scss\": 738,\n\t\"./ReportingSidebar/CountriesFilter/constants\": 787,\n\t\"./ReportingSidebar/CountriesFilter/constants.js\": 787,\n\t\"./ReportingSidebar/CountriesFilter/index\": 326,\n\t\"./ReportingSidebar/CountriesFilter/index.js\": 326,\n\t\"./ReportingSidebar/CountriesFilter/styles\": 739,\n\t\"./ReportingSidebar/CountriesFilter/styles.module\": 739,\n\t\"./ReportingSidebar/CountriesFilter/styles.module.scss\": 739,\n\t\"./ReportingSidebar/DateFilter\": 239,\n\t\"./ReportingSidebar/DateFilter/\": 239,\n\t\"./ReportingSidebar/DateFilter/constants\": 71,\n\t\"./ReportingSidebar/DateFilter/constants.js\": 71,\n\t\"./ReportingSidebar/DateFilter/helpers\": 40,\n\t\"./ReportingSidebar/DateFilter/helpers.js\": 40,\n\t\"./ReportingSidebar/DateFilter/helpers.spec\": 978,\n\t\"./ReportingSidebar/DateFilter/helpers.spec.js\": 978,\n\t\"./ReportingSidebar/DateFilter/index\": 239,\n\t\"./ReportingSidebar/DateFilter/index.js\": 239,\n\t\"./ReportingSidebar/DateFilter/styles\": 408,\n\t\"./ReportingSidebar/DateFilter/styles.module\": 408,\n\t\"./ReportingSidebar/DateFilter/styles.module.scss\": 408,\n\t\"./ReportingSidebar/Filter\": 48,\n\t\"./ReportingSidebar/Filter/\": 48,\n\t\"./ReportingSidebar/Filter/Label\": 58,\n\t\"./ReportingSidebar/Filter/Label/\": 58,\n\t\"./ReportingSidebar/Filter/Label/VisibilityIcon\": 518,\n\t\"./ReportingSidebar/Filter/Label/VisibilityIcon/\": 518,\n\t\"./ReportingSidebar/Filter/Label/VisibilityIcon/index\": 518,\n\t\"./ReportingSidebar/Filter/Label/VisibilityIcon/index.js\": 518,\n\t\"./ReportingSidebar/Filter/Label/VisibilityIcon/styles\": 638,\n\t\"./ReportingSidebar/Filter/Label/VisibilityIcon/styles.module\": 638,\n\t\"./ReportingSidebar/Filter/Label/VisibilityIcon/styles.module.scss\": 638,\n\t\"./ReportingSidebar/Filter/Label/helpers\": 185,\n\t\"./ReportingSidebar/Filter/Label/helpers.js\": 185,\n\t\"./ReportingSidebar/Filter/Label/index\": 58,\n\t\"./ReportingSidebar/Filter/Label/index.js\": 58,\n\t\"./ReportingSidebar/Filter/Label/styles\": 219,\n\t\"./ReportingSidebar/Filter/Label/styles.module\": 219,\n\t\"./ReportingSidebar/Filter/Label/styles.module.scss\": 219,\n\t\"./ReportingSidebar/Filter/Pane\": 63,\n\t\"./ReportingSidebar/Filter/Pane/\": 63,\n\t\"./ReportingSidebar/Filter/Pane/Header\": 182,\n\t\"./ReportingSidebar/Filter/Pane/Header/\": 182,\n\t\"./ReportingSidebar/Filter/Pane/Header/index\": 182,\n\t\"./ReportingSidebar/Filter/Pane/Header/index.js\": 182,\n\t\"./ReportingSidebar/Filter/Pane/Header/styles\": 640,\n\t\"./ReportingSidebar/Filter/Pane/Header/styles.module\": 640,\n\t\"./ReportingSidebar/Filter/Pane/Header/styles.module.scss\": 640,\n\t\"./ReportingSidebar/Filter/Pane/ListItem\": 53,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/\": 53,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/MultiSelectIcon\": 128,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/MultiSelectIcon/\": 128,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/MultiSelectIcon/index\": 128,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/MultiSelectIcon/index.js\": 128,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/MultiSelectIcon/styles\": 274,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/MultiSelectIcon/styles.module\": 274,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/MultiSelectIcon/styles.module.scss\": 274,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/SingleSelectIcon\": 91,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/SingleSelectIcon/\": 91,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/SingleSelectIcon/index\": 91,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/SingleSelectIcon/index.js\": 91,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/index\": 53,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/index.js\": 53,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/styles\": 290,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/styles.module\": 290,\n\t\"./ReportingSidebar/Filter/Pane/ListItem/styles.module.scss\": 290,\n\t\"./ReportingSidebar/Filter/Pane/QuickSelectorBtn\": 325,\n\t\"./ReportingSidebar/Filter/Pane/QuickSelectorBtn/\": 325,\n\t\"./ReportingSidebar/Filter/Pane/QuickSelectorBtn/index\": 325,\n\t\"./ReportingSidebar/Filter/Pane/QuickSelectorBtn/index.js\": 325,\n\t\"./ReportingSidebar/Filter/Pane/QuickSelectorBtn/styles\": 404,\n\t\"./ReportingSidebar/Filter/Pane/QuickSelectorBtn/styles.module\": 404,\n\t\"./ReportingSidebar/Filter/Pane/QuickSelectorBtn/styles.module.scss\": 404,\n\t\"./ReportingSidebar/Filter/Pane/Subtitle\": 520,\n\t\"./ReportingSidebar/Filter/Pane/Subtitle/\": 520,\n\t\"./ReportingSidebar/Filter/Pane/Subtitle/index\": 520,\n\t\"./ReportingSidebar/Filter/Pane/Subtitle/index.js\": 520,\n\t\"./ReportingSidebar/Filter/Pane/Subtitle/styles\": 734,\n\t\"./ReportingSidebar/Filter/Pane/Subtitle/styles.module\": 734,\n\t\"./ReportingSidebar/Filter/Pane/Subtitle/styles.module.scss\": 734,\n\t\"./ReportingSidebar/Filter/Pane/Title\": 324,\n\t\"./ReportingSidebar/Filter/Pane/Title/\": 324,\n\t\"./ReportingSidebar/Filter/Pane/Title/index\": 324,\n\t\"./ReportingSidebar/Filter/Pane/Title/index.js\": 324,\n\t\"./ReportingSidebar/Filter/Pane/Title/styles\": 735,\n\t\"./ReportingSidebar/Filter/Pane/Title/styles.module\": 735,\n\t\"./ReportingSidebar/Filter/Pane/Title/styles.module.scss\": 735,\n\t\"./ReportingSidebar/Filter/Pane/index\": 63,\n\t\"./ReportingSidebar/Filter/Pane/index.js\": 63,\n\t\"./ReportingSidebar/Filter/Pane/styles\": 403,\n\t\"./ReportingSidebar/Filter/Pane/styles.module\": 403,\n\t\"./ReportingSidebar/Filter/Pane/styles.module.scss\": 403,\n\t\"./ReportingSidebar/Filter/Search\": 156,\n\t\"./ReportingSidebar/Filter/Search/\": 156,\n\t\"./ReportingSidebar/Filter/Search/index\": 156,\n\t\"./ReportingSidebar/Filter/Search/index.js\": 156,\n\t\"./ReportingSidebar/Filter/Search/styles\": 405,\n\t\"./ReportingSidebar/Filter/Search/styles.module\": 405,\n\t\"./ReportingSidebar/Filter/Search/styles.module.scss\": 405,\n\t\"./ReportingSidebar/Filter/SelectAll\": 183,\n\t\"./ReportingSidebar/Filter/SelectAll/\": 183,\n\t\"./ReportingSidebar/Filter/SelectAll/index\": 183,\n\t\"./ReportingSidebar/Filter/SelectAll/index.js\": 183,\n\t\"./ReportingSidebar/Filter/SelectedItems\": 184,\n\t\"./ReportingSidebar/Filter/SelectedItems/\": 184,\n\t\"./ReportingSidebar/Filter/SelectedItems/SelectedItem\": 522,\n\t\"./ReportingSidebar/Filter/SelectedItems/SelectedItem/\": 522,\n\t\"./ReportingSidebar/Filter/SelectedItems/SelectedItem/index\": 522,\n\t\"./ReportingSidebar/Filter/SelectedItems/SelectedItem/index.js\": 522,\n\t\"./ReportingSidebar/Filter/SelectedItems/SelectedItem/styles\": 406,\n\t\"./ReportingSidebar/Filter/SelectedItems/SelectedItem/styles.module\": 406,\n\t\"./ReportingSidebar/Filter/SelectedItems/SelectedItem/styles.module.scss\": 406,\n\t\"./ReportingSidebar/Filter/SelectedItems/constants\": 335,\n\t\"./ReportingSidebar/Filter/SelectedItems/constants.js\": 335,\n\t\"./ReportingSidebar/Filter/SelectedItems/index\": 184,\n\t\"./ReportingSidebar/Filter/SelectedItems/index.js\": 184,\n\t\"./ReportingSidebar/Filter/SelectedItems/styles\": 291,\n\t\"./ReportingSidebar/Filter/SelectedItems/styles.module\": 291,\n\t\"./ReportingSidebar/Filter/SelectedItems/styles.module.scss\": 291,\n\t\"./ReportingSidebar/Filter/constants\": 241,\n\t\"./ReportingSidebar/Filter/constants.js\": 241,\n\t\"./ReportingSidebar/Filter/helpers\": 136,\n\t\"./ReportingSidebar/Filter/helpers.js\": 136,\n\t\"./ReportingSidebar/Filter/helpers.spec\": 979,\n\t\"./ReportingSidebar/Filter/helpers.spec.js\": 979,\n\t\"./ReportingSidebar/Filter/index\": 48,\n\t\"./ReportingSidebar/Filter/index.js\": 48,\n\t\"./ReportingSidebar/Filter/styles\": 346,\n\t\"./ReportingSidebar/Filter/styles.module\": 346,\n\t\"./ReportingSidebar/Filter/styles.module.scss\": 346,\n\t\"./ReportingSidebar/Filter/variables\": 980,\n\t\"./ReportingSidebar/Filter/variables.scss\": 980,\n\t\"./ReportingSidebar/GranularityFilter\": 526,\n\t\"./ReportingSidebar/GranularityFilter/\": 526,\n\t\"./ReportingSidebar/GranularityFilter/ListItem\": 527,\n\t\"./ReportingSidebar/GranularityFilter/ListItem/\": 527,\n\t\"./ReportingSidebar/GranularityFilter/ListItem/index\": 527,\n\t\"./ReportingSidebar/GranularityFilter/ListItem/index.js\": 527,\n\t\"./ReportingSidebar/GranularityFilter/index\": 526,\n\t\"./ReportingSidebar/GranularityFilter/index.js\": 526,\n\t\"./ReportingSidebar/GroupByFilter\": 528,\n\t\"./ReportingSidebar/GroupByFilter/\": 528,\n\t\"./ReportingSidebar/GroupByFilter/ListItem\": 529,\n\t\"./ReportingSidebar/GroupByFilter/ListItem/\": 529,\n\t\"./ReportingSidebar/GroupByFilter/ListItem/index\": 529,\n\t\"./ReportingSidebar/GroupByFilter/ListItem/index.js\": 529,\n\t\"./ReportingSidebar/GroupByFilter/TargetingTags\": 530,\n\t\"./ReportingSidebar/GroupByFilter/TargetingTags/\": 530,\n\t\"./ReportingSidebar/GroupByFilter/TargetingTags/index\": 530,\n\t\"./ReportingSidebar/GroupByFilter/TargetingTags/index.js\": 530,\n\t\"./ReportingSidebar/GroupByFilter/TargetingTags/styles\": 740,\n\t\"./ReportingSidebar/GroupByFilter/TargetingTags/styles.module\": 740,\n\t\"./ReportingSidebar/GroupByFilter/TargetingTags/styles.module.scss\": 740,\n\t\"./ReportingSidebar/GroupByFilter/index\": 528,\n\t\"./ReportingSidebar/GroupByFilter/index.js\": 528,\n\t\"./ReportingSidebar/helpers\": 416,\n\t\"./ReportingSidebar/helpers.js\": 416,\n\t\"./ReportingSidebar/index\": 321,\n\t\"./ReportingSidebar/index.js\": 321,\n\t\"./ReportingSidebar/styles\": 137,\n\t\"./ReportingSidebar/styles.module\": 137,\n\t\"./ReportingSidebar/styles.module.scss\": 137,\n\t\"./ReportingSidebar/variables\": 981,\n\t\"./ReportingSidebar/variables.scss\": 981,\n\t\"./SearchInput/SearchInput\": 684,\n\t\"./SearchInput/SearchInput.jsx\": 684,\n\t\"./SearchInput/styles\": 210,\n\t\"./SearchInput/styles.module\": 210,\n\t\"./SearchInput/styles.module.scss\": 210,\n\t\"./SearchInputV2\": 168,\n\t\"./SearchInputV2/\": 168,\n\t\"./SearchInputV2/index\": 168,\n\t\"./SearchInputV2/index.js\": 168,\n\t\"./SearchInputV2/styles\": 284,\n\t\"./SearchInputV2/styles.module\": 284,\n\t\"./SearchInputV2/styles.module.scss\": 284,\n\t\"./Select/Select\": 279,\n\t\"./Select/Select.jsx\": 279,\n\t\"./Select/styles\": 685,\n\t\"./Select/styles.module\": 685,\n\t\"./Select/styles.module.scss\": 685,\n\t\"./SelectButton/SelectButton\": 844,\n\t\"./SelectButton/SelectButton.jsx\": 844,\n\t\"./SelectButton/styles\": 337,\n\t\"./SelectButton/styles.module\": 337,\n\t\"./SelectButton/styles.module.scss\": 337,\n\t\"./SelectMenu/SelectMenu\": 843,\n\t\"./SelectMenu/SelectMenu.jsx\": 843,\n\t\"./SelectMenu/styles\": 139,\n\t\"./SelectMenu/styles.module\": 139,\n\t\"./SelectMenu/styles.module.scss\": 139,\n\t\"./SelectMenuItem\": 380,\n\t\"./SelectMenuItem/\": 380,\n\t\"./SelectMenuItem/index\": 380,\n\t\"./SelectMenuItem/index.js\": 380,\n\t\"./SelectMenuItem/styles\": 207,\n\t\"./SelectMenuItem/styles.module\": 207,\n\t\"./SelectMenuItem/styles.module.scss\": 207,\n\t\"./Switch\": 375,\n\t\"./Switch/\": 375,\n\t\"./Switch/index\": 375,\n\t\"./Switch/index.js\": 375,\n\t\"./Switch/styles\": 286,\n\t\"./Switch/styles.module\": 286,\n\t\"./Switch/styles.module.scss\": 286,\n\t\"./SyncButton\": 379,\n\t\"./SyncButton/\": 379,\n\t\"./SyncButton/index\": 379,\n\t\"./SyncButton/index.js\": 379,\n\t\"./SyncButton/styles\": 162,\n\t\"./SyncButton/styles.module\": 162,\n\t\"./SyncButton/styles.module.scss\": 162,\n\t\"./Table\": 373,\n\t\"./Table/\": 373,\n\t\"./Table/Container\": 231,\n\t\"./Table/Container/\": 231,\n\t\"./Table/Container/index\": 231,\n\t\"./Table/Container/index.js\": 231,\n\t\"./Table/Container/styles\": 703,\n\t\"./Table/Container/styles.module\": 703,\n\t\"./Table/Container/styles.module.scss\": 703,\n\t\"./Table/Data\": 232,\n\t\"./Table/Data/\": 232,\n\t\"./Table/Data/index\": 232,\n\t\"./Table/Data/index.js\": 232,\n\t\"./Table/Data/styles\": 704,\n\t\"./Table/Data/styles.module\": 704,\n\t\"./Table/Data/styles.module.scss\": 704,\n\t\"./Table/DataRowExpander\": 267,\n\t\"./Table/DataRowExpander/\": 267,\n\t\"./Table/DataRowExpander/index\": 267,\n\t\"./Table/DataRowExpander/index.js\": 267,\n\t\"./Table/DataRowExpander/styles\": 214,\n\t\"./Table/DataRowExpander/styles.module\": 214,\n\t\"./Table/DataRowExpander/styles.module.scss\": 214,\n\t\"./Table/DataRowExpander/variables\": 982,\n\t\"./Table/DataRowExpander/variables.scss\": 982,\n\t\"./Table/FakeRows\": 233,\n\t\"./Table/FakeRows/\": 233,\n\t\"./Table/FakeRows/index\": 233,\n\t\"./Table/FakeRows/index.js\": 233,\n\t\"./Table/FakeRows/styles\": 705,\n\t\"./Table/FakeRows/styles.module\": 705,\n\t\"./Table/FakeRows/styles.module.scss\": 705,\n\t\"./Table/Header\": 234,\n\t\"./Table/Header/\": 234,\n\t\"./Table/Header/index\": 234,\n\t\"./Table/Header/index.js\": 234,\n\t\"./Table/Header/styles\": 706,\n\t\"./Table/Header/styles.module\": 706,\n\t\"./Table/Header/styles.module.scss\": 706,\n\t\"./Table/Header/variables\": 983,\n\t\"./Table/Header/variables.scss\": 983,\n\t\"./Table/NoDataRow\": 311,\n\t\"./Table/NoDataRow/\": 311,\n\t\"./Table/NoDataRow/index\": 311,\n\t\"./Table/NoDataRow/index.js\": 311,\n\t\"./Table/NoDataRow/styles\": 707,\n\t\"./Table/NoDataRow/styles.module\": 707,\n\t\"./Table/NoDataRow/styles.module.scss\": 707,\n\t\"./Table/Row\": 235,\n\t\"./Table/Row/\": 235,\n\t\"./Table/Row/index\": 235,\n\t\"./Table/Row/index.js\": 235,\n\t\"./Table/Row/styles\": 283,\n\t\"./Table/Row/styles.module\": 283,\n\t\"./Table/Row/styles.module.scss\": 283,\n\t\"./Table/SkeletonRows\": 180,\n\t\"./Table/SkeletonRows/\": 180,\n\t\"./Table/SkeletonRows/index\": 180,\n\t\"./Table/SkeletonRows/index.js\": 180,\n\t\"./Table/helpers\": 330,\n\t\"./Table/helpers.js\": 330,\n\t\"./Table/index\": 373,\n\t\"./Table/index.js\": 373,\n\t\"./Toggle\": 204,\n\t\"./Toggle/\": 204,\n\t\"./Toggle/index\": 204,\n\t\"./Toggle/index.js\": 204,\n\t\"./Toggle/styles\": 253,\n\t\"./Toggle/styles.module\": 253,\n\t\"./Toggle/styles.module.scss\": 253,\n\t\"./ToggleButton\": 327,\n\t\"./ToggleButton/\": 327,\n\t\"./ToggleButton/index\": 327,\n\t\"./ToggleButton/index.js\": 327,\n\t\"./Toolbar\": 531,\n\t\"./Toolbar/\": 531,\n\t\"./Toolbar/index\": 531,\n\t\"./Toolbar/index.js\": 531,\n\t\"./Toolbar/styles\": 741,\n\t\"./Toolbar/styles.module\": 741,\n\t\"./Toolbar/styles.module.scss\": 741,\n\t\"./ToolbarButton\": 276,\n\t\"./ToolbarButton/\": 276,\n\t\"./ToolbarButton/index\": 276,\n\t\"./ToolbarButton/index.js\": 276,\n\t\"./ToolbarButton/styles\": 642,\n\t\"./ToolbarButton/styles.module\": 642,\n\t\"./ToolbarButton/styles.module.scss\": 642,\n\t\"./Tooltip/Tooltip\": 932,\n\t\"./Tooltip/Tooltip.jsx\": 932,\n\t\"./Tooltip/constants\": 658,\n\t\"./Tooltip/constants.js\": 658,\n\t\"./TooltipPoint\": 313,\n\t\"./TooltipPoint/\": 313,\n\t\"./TooltipPoint/index\": 313,\n\t\"./TooltipPoint/index.js\": 313,\n\t\"./TooltipPoint/styles\": 620,\n\t\"./TooltipPoint/styles.module\": 620,\n\t\"./TooltipPoint/styles.module.scss\": 620,\n\t\"./pages/AccountIssuePage\": 821,\n\t\"./pages/AccountIssuePage/\": 821,\n\t\"./pages/AccountIssuePage/index\": 821,\n\t\"./pages/AccountIssuePage/index.js\": 821,\n\t\"./pages/AccountIssuePage/styles\": 742,\n\t\"./pages/AccountIssuePage/styles.module\": 742,\n\t\"./pages/AccountIssuePage/styles.module.scss\": 742,\n\t\"./pages/AdMonetizationPage\": 532,\n\t\"./pages/AdMonetizationPage/\": 532,\n\t\"./pages/AdMonetizationPage/PublisherPage\": 533,\n\t\"./pages/AdMonetizationPage/PublisherPage/\": 533,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPIDrilldown/AdRevenue\": 534,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPIDrilldown/AdRevenue/\": 534,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPIDrilldown/AdRevenue/constants\": 889,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPIDrilldown/AdRevenue/constants.js\": 889,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPIDrilldown/AdRevenue/index\": 534,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPIDrilldown/AdRevenue/index.js\": 534,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPITabs/AdRevenue\": 535,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPITabs/AdRevenue/\": 535,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPITabs/AdRevenue/constants\": 788,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPITabs/AdRevenue/constants.js\": 788,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPITabs/AdRevenue/index\": 535,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPITabs/AdRevenue/index.js\": 535,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPITabs/EffectiveCost\": 536,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPITabs/EffectiveCost/\": 536,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPITabs/EffectiveCost/constants\": 789,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPITabs/EffectiveCost/constants.js\": 789,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPITabs/EffectiveCost/index\": 536,\n\t\"./pages/AdMonetizationPage/PublisherPage/KPITabs/EffectiveCost/index.js\": 536,\n\t\"./pages/AdMonetizationPage/PublisherPage/index\": 533,\n\t\"./pages/AdMonetizationPage/PublisherPage/index.js\": 533,\n\t\"./pages/AdMonetizationPage/index\": 532,\n\t\"./pages/AdMonetizationPage/index.js\": 532,\n\t\"./pages/AdminPage\": 984,\n\t\"./pages/AdminPage.jsx\": 984,\n\t\"./pages/CampaignMergePage\": 822,\n\t\"./pages/CampaignMergePage/\": 822,\n\t\"./pages/CampaignMergePage/CampaignFilters\": 537,\n\t\"./pages/CampaignMergePage/CampaignFilters/\": 537,\n\t\"./pages/CampaignMergePage/CampaignFilters/index\": 537,\n\t\"./pages/CampaignMergePage/CampaignFilters/index.js\": 537,\n\t\"./pages/CampaignMergePage/CampaignFilters/styles\": 743,\n\t\"./pages/CampaignMergePage/CampaignFilters/styles.module\": 743,\n\t\"./pages/CampaignMergePage/CampaignFilters/styles.module.scss\": 743,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool\": 538,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/\": 538,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/CampaignColumns\": 539,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/CampaignColumns/\": 539,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/CampaignColumns/constants\": 417,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/CampaignColumns/constants.js\": 417,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/CampaignColumns/index\": 539,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/CampaignColumns/index.js\": 539,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/CampaignColumns/skeleton\": 790,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/CampaignColumns/skeleton.js\": 790,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/CampaignColumns/styles\": 38,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/CampaignColumns/styles.module\": 38,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/CampaignColumns/styles.module.scss\": 38,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/index\": 538,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/index.js\": 538,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/styles\": 254,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/styles.module\": 254,\n\t\"./pages/CampaignMergePage/StandaloneCampaignMergeTool/styles.module.scss\": 254,\n\t\"./pages/CampaignMergePage/constants\": 349,\n\t\"./pages/CampaignMergePage/constants.js\": 349,\n\t\"./pages/CampaignMergePage/helpers\": 124,\n\t\"./pages/CampaignMergePage/helpers.js\": 124,\n\t\"./pages/CampaignMergePage/helpers.spec\": 985,\n\t\"./pages/CampaignMergePage/helpers.spec.js\": 985,\n\t\"./pages/CampaignMergePage/index\": 822,\n\t\"./pages/CampaignMergePage/index.js\": 822,\n\t\"./pages/CampaignMergePage/styles\": 350,\n\t\"./pages/CampaignMergePage/styles.module\": 350,\n\t\"./pages/CampaignMergePage/styles.module.scss\": 350,\n\t\"./pages/Dashboard/Admin/AdAccounts/LastUpdatedBtn\": 823,\n\t\"./pages/Dashboard/Admin/AdAccounts/LastUpdatedBtn/\": 823,\n\t\"./pages/Dashboard/Admin/AdAccounts/LastUpdatedBtn/constants\": 292,\n\t\"./pages/Dashboard/Admin/AdAccounts/LastUpdatedBtn/constants.js\": 292,\n\t\"./pages/Dashboard/Admin/AdAccounts/LastUpdatedBtn/helpers\": 667,\n\t\"./pages/Dashboard/Admin/AdAccounts/LastUpdatedBtn/helpers.js\": 667,\n\t\"./pages/Dashboard/Admin/AdAccounts/LastUpdatedBtn/index\": 823,\n\t\"./pages/Dashboard/Admin/AdAccounts/LastUpdatedBtn/index.js\": 823,\n\t\"./pages/Dashboard/Admin/AdAccounts/LastUpdatedBtn/styles\": 351,\n\t\"./pages/Dashboard/Admin/AdAccounts/LastUpdatedBtn/styles.module\": 351,\n\t\"./pages/Dashboard/Admin/AdAccounts/LastUpdatedBtn/styles.module.scss\": 351,\n\t\"./pages/Dashboard/Admin/AdNetworks/CallbackGroupTemplates\": 840,\n\t\"./pages/Dashboard/Admin/AdNetworks/CallbackGroupTemplates/\": 840,\n\t\"./pages/Dashboard/Admin/AdNetworks/CallbackGroupTemplates/constants\": 890,\n\t\"./pages/Dashboard/Admin/AdNetworks/CallbackGroupTemplates/constants.js\": 890,\n\t\"./pages/Dashboard/Admin/AdNetworks/CallbackGroupTemplates/helpers\": 220,\n\t\"./pages/Dashboard/Admin/AdNetworks/CallbackGroupTemplates/helpers.js\": 220,\n\t\"./pages/Dashboard/Admin/AdNetworks/CallbackGroupTemplates/helpers.spec\": 986,\n\t\"./pages/Dashboard/Admin/AdNetworks/CallbackGroupTemplates/helpers.spec.js\": 986,\n\t\"./pages/Dashboard/Admin/AdNetworks/CallbackGroupTemplates/index\": 840,\n\t\"./pages/Dashboard/Admin/AdNetworks/CallbackGroupTemplates/index.js\": 840,\n\t\"./pages/Dashboard/Admin/AdNetworks/CallbackGroupTemplates/styles\": 84,\n\t\"./pages/Dashboard/Admin/AdNetworks/CallbackGroupTemplates/styles.module\": 84,\n\t\"./pages/Dashboard/Admin/AdNetworks/CallbackGroupTemplates/styles.module.scss\": 84,\n\t\"./pages/Dashboard/Admin/CallbackTemplates/CallbackGroupTemplatesDropdown\": 824,\n\t\"./pages/Dashboard/Admin/CallbackTemplates/CallbackGroupTemplatesDropdown/\": 824,\n\t\"./pages/Dashboard/Admin/CallbackTemplates/CallbackGroupTemplatesDropdown/constants\": 361,\n\t\"./pages/Dashboard/Admin/CallbackTemplates/CallbackGroupTemplatesDropdown/constants.js\": 361,\n\t\"./pages/Dashboard/Admin/CallbackTemplates/CallbackGroupTemplatesDropdown/index\": 824,\n\t\"./pages/Dashboard/Admin/CallbackTemplates/CallbackGroupTemplatesDropdown/index.js\": 824,\n\t\"./pages/Dashboard/Admin/CallbackTemplates/CallbackGroupTemplatesDropdown/styles\": 744,\n\t\"./pages/Dashboard/Admin/CallbackTemplates/CallbackGroupTemplatesDropdown/styles.module\": 744,\n\t\"./pages/Dashboard/Admin/CallbackTemplates/CallbackGroupTemplatesDropdown/styles.module.scss\": 744,\n\t\"./pages/Dashboard/Admin/ComponentLibrary\": 825,\n\t\"./pages/Dashboard/Admin/ComponentLibrary/\": 825,\n\t\"./pages/Dashboard/Admin/ComponentLibrary/index\": 825,\n\t\"./pages/Dashboard/Admin/ComponentLibrary/index.js\": 825,\n\t\"./pages/Dashboard/Admin/ComponentLibrary/styles\": 146,\n\t\"./pages/Dashboard/Admin/ComponentLibrary/styles.module\": 146,\n\t\"./pages/Dashboard/Admin/ComponentLibrary/styles.module.scss\": 146,\n\t\"./pages/Dashboard/Admin/Monitoring\": 826,\n\t\"./pages/Dashboard/Admin/Monitoring/\": 826,\n\t\"./pages/Dashboard/Admin/Monitoring/constants\": 174,\n\t\"./pages/Dashboard/Admin/Monitoring/constants.js\": 174,\n\t\"./pages/Dashboard/Admin/Monitoring/helpers\": 221,\n\t\"./pages/Dashboard/Admin/Monitoring/helpers.js\": 221,\n\t\"./pages/Dashboard/Admin/Monitoring/helpers.spec\": 987,\n\t\"./pages/Dashboard/Admin/Monitoring/helpers.spec.js\": 987,\n\t\"./pages/Dashboard/Admin/Monitoring/index\": 826,\n\t\"./pages/Dashboard/Admin/Monitoring/index.js\": 826,\n\t\"./pages/Dashboard/Admin/Monitoring/styles\": 175,\n\t\"./pages/Dashboard/Admin/Monitoring/styles.module\": 175,\n\t\"./pages/Dashboard/Admin/Monitoring/styles.module.scss\": 175,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys\": 827,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/\": 827,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow\": 540,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/\": 540,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/AppDetail\": 541,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/AppDetail/\": 541,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/AppDetail/constants\": 791,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/AppDetail/constants.js\": 791,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/AppDetail/index\": 541,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/AppDetail/index.js\": 541,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/AppDetail/styles\": 222,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/AppDetail/styles.module\": 222,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/AppDetail/styles.module.scss\": 222,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/EnableSdkKeyButton\": 542,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/EnableSdkKeyButton/\": 542,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/EnableSdkKeyButton/constants\": 891,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/EnableSdkKeyButton/constants.js\": 891,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/EnableSdkKeyButton/index\": 542,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/EnableSdkKeyButton/index.js\": 542,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/helpers\": 792,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/helpers.js\": 792,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/index\": 540,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/index.js\": 540,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/styles\": 194,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/styles.module\": 194,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/SdkKeyRow/styles.module.scss\": 194,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/index\": 827,\n\t\"./pages/Dashboard/Admin/Organizations/Show/SdkKeys/index.js\": 827,\n\t\"./pages/Dashboard/Admin/SwaggerInfoLookup\": 828,\n\t\"./pages/Dashboard/Admin/SwaggerInfoLookup/\": 828,\n\t\"./pages/Dashboard/Admin/SwaggerInfoLookup/index\": 828,\n\t\"./pages/Dashboard/Admin/SwaggerInfoLookup/index.js\": 828,\n\t\"./pages/Dashboard/Admin/SwaggerInfoLookup/styles\": 126,\n\t\"./pages/Dashboard/Admin/SwaggerInfoLookup/styles.module\": 126,\n\t\"./pages/Dashboard/Admin/SwaggerInfoLookup/styles.module.scss\": 126,\n\t\"./pages/Dashboard/Apps/EventCallbacks/ActionSelect\": 829,\n\t\"./pages/Dashboard/Apps/EventCallbacks/ActionSelect/\": 829,\n\t\"./pages/Dashboard/Apps/EventCallbacks/ActionSelect/index\": 829,\n\t\"./pages/Dashboard/Apps/EventCallbacks/ActionSelect/index.js\": 829,\n\t\"./pages/Dashboard/Apps/EventCallbacks/ActionSelect/styles\": 130,\n\t\"./pages/Dashboard/Apps/EventCallbacks/ActionSelect/styles.module\": 130,\n\t\"./pages/Dashboard/Apps/EventCallbacks/ActionSelect/styles.module.scss\": 130,\n\t\"./pages/Dashboard/Apps/RevenueDeductions\": 830,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/\": 830,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission\": 543,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/\": 543,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CancelButton\": 544,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CancelButton/\": 544,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CancelButton/index\": 544,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CancelButton/index.js\": 544,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue\": 547,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/\": 547,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueInput\": 549,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueInput/\": 549,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueInput/constants\": 668,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueInput/constants.js\": 668,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueInput/helpers\": 138,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueInput/helpers.js\": 138,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueInput/helpers.spec\": 988,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueInput/helpers.spec.js\": 988,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueInput/index\": 549,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueInput/index.js\": 549,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueInput/styles\": 643,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueInput/styles.module\": 643,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueInput/styles.module.scss\": 643,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueSelector\": 548,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueSelector/\": 548,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueSelector/helpers\": 352,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueSelector/helpers.js\": 352,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueSelector/helpers.spec\": 989,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueSelector/helpers.spec.js\": 989,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueSelector/index\": 548,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/EditCommissionValueSelector/index.js\": 548,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/ShowCommissionValue\": 328,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/ShowCommissionValue/\": 328,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/ShowCommissionValue/index\": 328,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/ShowCommissionValue/index.js\": 328,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/index\": 547,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/CommissionValue/index.js\": 547,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue\": 550,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/\": 550,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/EditDateValue\": 551,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/EditDateValue/\": 551,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/EditDateValue/helpers\": 147,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/EditDateValue/helpers.js\": 147,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/EditDateValue/helpers.spec\": 990,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/EditDateValue/helpers.spec.js\": 990,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/EditDateValue/index\": 551,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/EditDateValue/index.js\": 551,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/EditDateValue/styles\": 644,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/EditDateValue/styles.module\": 644,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/EditDateValue/styles.module.scss\": 644,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/ShowDateValue\": 552,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/ShowDateValue/\": 552,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/ShowDateValue/helpers\": 353,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/ShowDateValue/helpers.js\": 353,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/ShowDateValue/helpers.spec\": 991,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/ShowDateValue/helpers.spec.js\": 991,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/ShowDateValue/index\": 552,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/ShowDateValue/index.js\": 552,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/index\": 550,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/DateValue/index.js\": 550,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/EditButton\": 545,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/EditButton/\": 545,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/EditButton/index\": 545,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/EditButton/index.js\": 545,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/SaveButton\": 546,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/SaveButton/\": 546,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/SaveButton/index\": 546,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/SaveButton/index.js\": 546,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/constants\": 277,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/constants.js\": 277,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/helpers\": 73,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/helpers.js\": 73,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/helpers.spec\": 992,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/helpers.spec.js\": 992,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/index\": 543,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/index.js\": 543,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/styles\": 163,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/styles.module\": 163,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/AppStoreCommission/styles.module.scss\": 163,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/index\": 830,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/index.js\": 830,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/styles\": 934,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/styles.module\": 934,\n\t\"./pages/Dashboard/Apps/RevenueDeductions/styles.module.scss\": 934,\n\t\"./pages/Dashboard/Apps/Show\": 831,\n\t\"./pages/Dashboard/Apps/Show/\": 831,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab\": 554,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/\": 554,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AdNetworkInstructions\": 555,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AdNetworkInstructions/\": 555,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AdNetworkInstructions/index\": 555,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AdNetworkInstructions/index.js\": 555,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AppChannelInstructions\": 556,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AppChannelInstructions/\": 556,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AppChannelInstructions/index\": 556,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AppChannelInstructions/index.js\": 556,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AppInstructions\": 557,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AppInstructions/\": 557,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AppInstructions/index\": 557,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AppInstructions/index.js\": 557,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails\": 383,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/\": 383,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/EditButton\": 561,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/EditButton/\": 561,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/EditButton/index\": 561,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/EditButton/index.js\": 561,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/SelectFormTimeType\": 562,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/SelectFormTimeType/\": 562,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/SelectFormTimeType/index\": 562,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/SelectFormTimeType/index.js\": 562,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/SelectFormTimeValue\": 563,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/SelectFormTimeValue/\": 563,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/SelectFormTimeValue/index\": 563,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/SelectFormTimeValue/index.js\": 563,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/WindowEditEnabled\": 559,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/WindowEditEnabled/\": 559,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/WindowEditEnabled/index\": 559,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/WindowEditEnabled/index.js\": 559,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/WindowEditMode\": 560,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/WindowEditMode/\": 560,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/WindowEditMode/index\": 560,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/WindowEditMode/index.js\": 560,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/index\": 383,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionDetails/index.js\": 383,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionTable\": 278,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionTable/\": 278,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionTable/index\": 278,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/AttributionTable/index.js\": 278,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/TableHeader\": 558,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/TableHeader/\": 558,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/TableHeader/index\": 558,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/TableHeader/index.js\": 558,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/constants\": 11,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/constants.js\": 11,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/helpers\": 646,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/helpers.js\": 646,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/helpers.spec\": 993,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/helpers.spec.js\": 993,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/hooks/useUpdateAttributionSetting\": 645,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/hooks/useUpdateAttributionSetting.js\": 645,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/index\": 554,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/index.js\": 554,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/styles\": 45,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/styles.module\": 45,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/styles.module.scss\": 45,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/utils\": 59,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/utils.js\": 59,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/utils.spec\": 994,\n\t\"./pages/Dashboard/Apps/Show/AttributionTab/utils.spec.js\": 994,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab\": 564,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/\": 564,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/AemToggle\": 565,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/AemToggle/\": 565,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/AemToggle/constants\": 892,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/AemToggle/constants.js\": 892,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/AemToggle/index\": 565,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/AemToggle/index.js\": 565,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/AemToggle/styles\": 409,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/AemToggle/styles.module\": 409,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/AemToggle/styles.module.scss\": 409,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable\": 384,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable/\": 384,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable/EventOptionsPopupOverlay\": 566,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable/EventOptionsPopupOverlay/\": 566,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable/EventOptionsPopupOverlay/index\": 566,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable/EventOptionsPopupOverlay/index.js\": 566,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable/EventOptionsPopupOverlay/styles\": 647,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable/EventOptionsPopupOverlay/styles.module\": 647,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable/EventOptionsPopupOverlay/styles.module.scss\": 647,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable/constants\": 131,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable/constants.js\": 131,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable/index\": 384,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable/index.js\": 384,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable/styles\": 75,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable/styles.module\": 75,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CallbacksTable/styles.module.scss\": 75,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CredentialsCard\": 385,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CredentialsCard/\": 385,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CredentialsCard/constants\": 893,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CredentialsCard/constants.js\": 893,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CredentialsCard/index\": 385,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CredentialsCard/index.js\": 385,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CredentialsCard/styles\": 195,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CredentialsCard/styles.module\": 195,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/CredentialsCard/styles.module.scss\": 195,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/EditCallbackModal\": 386,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/EditCallbackModal/\": 386,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/EditCallbackModal/index\": 386,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/EditCallbackModal/index.js\": 386,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/EditCallbackModal/styles\": 27,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/EditCallbackModal/styles.module\": 27,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/EditCallbackModal/styles.module.scss\": 27,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/HealthTable\": 387,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/HealthTable/\": 387,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/HealthTable/constants\": 793,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/HealthTable/constants.js\": 793,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/HealthTable/index\": 387,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/HealthTable/index.js\": 387,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/HealthTable/styles\": 196,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/HealthTable/styles.module\": 196,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/HealthTable/styles.module.scss\": 196,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/NewEventModal\": 388,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/NewEventModal/\": 388,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/NewEventModal/index\": 388,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/NewEventModal/index.js\": 388,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/NewEventModal/styles\": 28,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/NewEventModal/styles.module\": 28,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/NewEventModal/styles.module.scss\": 28,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/S2SCallbacksTable\": 389,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/S2SCallbacksTable/\": 389,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/S2SCallbacksTable/constants\": 894,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/S2SCallbacksTable/constants.js\": 894,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/S2SCallbacksTable/helpers\": 995,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/S2SCallbacksTable/helpers.js\": 995,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/S2SCallbacksTable/index\": 389,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/S2SCallbacksTable/index.js\": 389,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/S2SCallbacksTable/styles\": 197,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/S2SCallbacksTable/styles.module\": 197,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/S2SCallbacksTable/styles.module.scss\": 197,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/constants\": 24,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/constants.js\": 24,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/helpers\": 54,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/helpers.js\": 54,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/helpers.spec\": 996,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/helpers.spec.js\": 996,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/index\": 564,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/index.js\": 564,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/styles\": 86,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/styles.module\": 86,\n\t\"./pages/Dashboard/Apps/Show/CallbacksTab/styles.module.scss\": 86,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys\": 832,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/\": 832,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/KeyRow\": 390,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/KeyRow/\": 390,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/KeyRow/TdKeyCell\": 570,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/KeyRow/TdKeyCell/\": 570,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/KeyRow/TdKeyCell/constants\": 896,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/KeyRow/TdKeyCell/constants.js\": 896,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/KeyRow/TdKeyCell/index\": 570,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/KeyRow/TdKeyCell/index.js\": 570,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/KeyRow/constants\": 897,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/KeyRow/constants.js\": 897,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/KeyRow/index\": 390,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/KeyRow/index.js\": 390,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/KeyRow/styles\": 745,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/KeyRow/styles.module\": 745,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/KeyRow/styles.module.scss\": 745,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/constants\": 895,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/constants.js\": 895,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/index\": 832,\n\t\"./pages/Dashboard/Apps/Show/SdkKeys/index.js\": 832,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab\": 567,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/\": 567,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/CSVPreviewTable\": 569,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/CSVPreviewTable/\": 569,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/CSVPreviewTable/constants\": 794,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/CSVPreviewTable/constants.js\": 794,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/CSVPreviewTable/index\": 569,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/CSVPreviewTable/index.js\": 569,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/CSVPreviewTable/styles\": 255,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/CSVPreviewTable/styles.module\": 255,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/CSVPreviewTable/styles.module.scss\": 255,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/constants\": 50,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/constants.js\": 50,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/helpers\": 102,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/helpers.js\": 102,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/helpers.spec\": 997,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/helpers.spec.js\": 997,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/index\": 567,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/index.js\": 567,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/styles\": 52,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/styles.module\": 52,\n\t\"./pages/Dashboard/Apps/Show/SkAdNetworkTab/styles.module.scss\": 52,\n\t\"./pages/Dashboard/Apps/Show/TabNavigation\": 553,\n\t\"./pages/Dashboard/Apps/Show/TabNavigation/\": 553,\n\t\"./pages/Dashboard/Apps/Show/TabNavigation/helpers\": 176,\n\t\"./pages/Dashboard/Apps/Show/TabNavigation/helpers.js\": 176,\n\t\"./pages/Dashboard/Apps/Show/TabNavigation/helpers.spec\": 998,\n\t\"./pages/Dashboard/Apps/Show/TabNavigation/helpers.spec.js\": 998,\n\t\"./pages/Dashboard/Apps/Show/TabNavigation/index\": 553,\n\t\"./pages/Dashboard/Apps/Show/TabNavigation/index.js\": 553,\n\t\"./pages/Dashboard/Apps/Show/constants\": 20,\n\t\"./pages/Dashboard/Apps/Show/constants.js\": 20,\n\t\"./pages/Dashboard/Apps/Show/helpers\": 354,\n\t\"./pages/Dashboard/Apps/Show/helpers.js\": 354,\n\t\"./pages/Dashboard/Apps/Show/helpers.spec\": 999,\n\t\"./pages/Dashboard/Apps/Show/helpers.spec.js\": 999,\n\t\"./pages/Dashboard/Apps/Show/index\": 831,\n\t\"./pages/Dashboard/Apps/Show/index.js\": 831,\n\t\"./pages/Dashboard/Apps/Show/styles\": 256,\n\t\"./pages/Dashboard/Apps/Show/styles.module\": 256,\n\t\"./pages/Dashboard/Apps/Show/styles.module.scss\": 256,\n\t\"./pages/Dashboard/Apps/SkAdNetworkStatus\": 568,\n\t\"./pages/Dashboard/Apps/SkAdNetworkStatus/\": 568,\n\t\"./pages/Dashboard/Apps/SkAdNetworkStatus/constants\": 669,\n\t\"./pages/Dashboard/Apps/SkAdNetworkStatus/constants.js\": 669,\n\t\"./pages/Dashboard/Apps/SkAdNetworkStatus/index\": 568,\n\t\"./pages/Dashboard/Apps/SkAdNetworkStatus/index.js\": 568,\n\t\"./pages/Dashboard/Apps/SkAdNetworkStatus/styles\": 648,\n\t\"./pages/Dashboard/Apps/SkAdNetworkStatus/styles.module\": 648,\n\t\"./pages/Dashboard/Apps/SkAdNetworkStatus/styles.module.scss\": 648,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeInfo\": 833,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeInfo/\": 833,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeInfo/index\": 833,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeInfo/index.js\": 833,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeInfo/styles\": 67,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeInfo/styles.module\": 67,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeInfo/styles.module.scss\": 67,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool\": 834,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/\": 834,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/CampaignsList\": 571,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/CampaignsList/\": 571,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/CampaignsList/constants\": 670,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/CampaignsList/constants.js\": 670,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/CampaignsList/index\": 571,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/CampaignsList/index.js\": 571,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/CampaignsList/skeleton\": 898,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/CampaignsList/skeleton.js\": 898,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/CampaignsList/styles\": 103,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/CampaignsList/styles.module\": 103,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/CampaignsList/styles.module.scss\": 103,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/index\": 834,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/index.js\": 834,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/styles\": 79,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/styles.module\": 79,\n\t\"./pages/Dashboard/Campaigns/CampaignDetailsMergeTool/styles.module.scss\": 79,\n\t\"./pages/Dashboard/Campaigns/MoveCampaign\": 835,\n\t\"./pages/Dashboard/Campaigns/MoveCampaign/\": 835,\n\t\"./pages/Dashboard/Campaigns/MoveCampaign/constants\": 225,\n\t\"./pages/Dashboard/Campaigns/MoveCampaign/constants.js\": 225,\n\t\"./pages/Dashboard/Campaigns/MoveCampaign/index\": 835,\n\t\"./pages/Dashboard/Campaigns/MoveCampaign/index.js\": 835,\n\t\"./pages/Dashboard/Campaigns/MoveCampaign/styles\": 649,\n\t\"./pages/Dashboard/Campaigns/MoveCampaign/styles.module\": 649,\n\t\"./pages/Dashboard/Campaigns/MoveCampaign/styles.module.scss\": 649,\n\t\"./pages/Dashboard/DataExporter/DateInput\": 836,\n\t\"./pages/Dashboard/DataExporter/DateInput/\": 836,\n\t\"./pages/Dashboard/DataExporter/DateInput/constants\": 899,\n\t\"./pages/Dashboard/DataExporter/DateInput/constants.js\": 899,\n\t\"./pages/Dashboard/DataExporter/DateInput/index\": 836,\n\t\"./pages/Dashboard/DataExporter/DateInput/index.js\": 836,\n\t\"./pages/Dashboard/DataExporter/DateInput/styles\": 355,\n\t\"./pages/Dashboard/DataExporter/DateInput/styles.module\": 355,\n\t\"./pages/Dashboard/DataExporter/DateInput/styles.module.scss\": 355,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm\": 839,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/\": 839,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/AdvertisingIdFormField\": 573,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/AdvertisingIdFormField/\": 573,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/AdvertisingIdFormField/index\": 573,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/AdvertisingIdFormField/index.js\": 573,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/AppSelectDropDown\": 575,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/AppSelectDropDown/\": 575,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/AppSelectDropDown/index\": 575,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/AppSelectDropDown/index.js\": 575,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/DeveloperDeviceIdFormField\": 574,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/DeveloperDeviceIdFormField/\": 574,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/DeveloperDeviceIdFormField/index\": 574,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/DeveloperDeviceIdFormField/index.js\": 574,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/DeviceNameFormField\": 572,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/DeviceNameFormField/\": 572,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/DeviceNameFormField/index\": 572,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/DeviceNameFormField/index.js\": 572,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/DeviceTypeDropDown\": 576,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/DeviceTypeDropDown/\": 576,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/DeviceTypeDropDown/index\": 576,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/DeviceTypeDropDown/index.js\": 576,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/index\": 839,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/index.js\": 839,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/styles\": 223,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/styles.module\": 223,\n\t\"./pages/Dashboard/DebugAppUsers/NewDebugAppUserForm/styles.module.scss\": 223,\n\t\"./pages/Dashboard/Integrations/AdAccountSwitch\": 837,\n\t\"./pages/Dashboard/Integrations/AdAccountSwitch/\": 837,\n\t\"./pages/Dashboard/Integrations/AdAccountSwitch/index\": 837,\n\t\"./pages/Dashboard/Integrations/AdAccountSwitch/index.js\": 837,\n\t\"./pages/Dashboard/Integrations/AdAccountSwitch/styles\": 650,\n\t\"./pages/Dashboard/Integrations/AdAccountSwitch/styles.module\": 650,\n\t\"./pages/Dashboard/Integrations/AdAccountSwitch/styles.module.scss\": 650,\n\t\"./pages/Dashboard/Organizations/UsageAndBilling\": 841,\n\t\"./pages/Dashboard/Organizations/UsageAndBilling/\": 841,\n\t\"./pages/Dashboard/Organizations/UsageAndBilling/constants\": 297,\n\t\"./pages/Dashboard/Organizations/UsageAndBilling/constants.js\": 297,\n\t\"./pages/Dashboard/Organizations/UsageAndBilling/index\": 841,\n\t\"./pages/Dashboard/Organizations/UsageAndBilling/index.js\": 841,\n\t\"./pages/Dashboard/Organizations/UsageAndBilling/styles\": 87,\n\t\"./pages/Dashboard/Organizations/UsageAndBilling/styles.module\": 87,\n\t\"./pages/Dashboard/Organizations/UsageAndBilling/styles.module.scss\": 87,\n\t\"./pages/DataExporterPage\": 577,\n\t\"./pages/DataExporterPage/\": 577,\n\t\"./pages/DataExporterPage/ExporterActions\": 584,\n\t\"./pages/DataExporterPage/ExporterActions/\": 584,\n\t\"./pages/DataExporterPage/ExporterActions/DeleteReportBtn\": 585,\n\t\"./pages/DataExporterPage/ExporterActions/DeleteReportBtn/\": 585,\n\t\"./pages/DataExporterPage/ExporterActions/DeleteReportBtn/index\": 585,\n\t\"./pages/DataExporterPage/ExporterActions/DeleteReportBtn/index.js\": 585,\n\t\"./pages/DataExporterPage/ExporterActions/DeleteReportBtn/styles\": 749,\n\t\"./pages/DataExporterPage/ExporterActions/DeleteReportBtn/styles.module\": 749,\n\t\"./pages/DataExporterPage/ExporterActions/DeleteReportBtn/styles.module.scss\": 749,\n\t\"./pages/DataExporterPage/ExporterActions/DownloadCSVBtn\": 586,\n\t\"./pages/DataExporterPage/ExporterActions/DownloadCSVBtn/\": 586,\n\t\"./pages/DataExporterPage/ExporterActions/DownloadCSVBtn/index\": 586,\n\t\"./pages/DataExporterPage/ExporterActions/DownloadCSVBtn/index.js\": 586,\n\t\"./pages/DataExporterPage/ExporterActions/DownloadCSVBtn/styles\": 750,\n\t\"./pages/DataExporterPage/ExporterActions/DownloadCSVBtn/styles.module\": 750,\n\t\"./pages/DataExporterPage/ExporterActions/DownloadCSVBtn/styles.module.scss\": 750,\n\t\"./pages/DataExporterPage/ExporterActions/SaveReportBtn\": 587,\n\t\"./pages/DataExporterPage/ExporterActions/SaveReportBtn/\": 587,\n\t\"./pages/DataExporterPage/ExporterActions/SaveReportBtn/index\": 587,\n\t\"./pages/DataExporterPage/ExporterActions/SaveReportBtn/index.js\": 587,\n\t\"./pages/DataExporterPage/ExporterActions/SaveReportBtn/styles\": 751,\n\t\"./pages/DataExporterPage/ExporterActions/SaveReportBtn/styles.module\": 751,\n\t\"./pages/DataExporterPage/ExporterActions/SaveReportBtn/styles.module.scss\": 751,\n\t\"./pages/DataExporterPage/ExporterActions/SavedReportSelector\": 588,\n\t\"./pages/DataExporterPage/ExporterActions/SavedReportSelector/\": 588,\n\t\"./pages/DataExporterPage/ExporterActions/SavedReportSelector/constants\": 903,\n\t\"./pages/DataExporterPage/ExporterActions/SavedReportSelector/constants.js\": 903,\n\t\"./pages/DataExporterPage/ExporterActions/SavedReportSelector/helpers\": 357,\n\t\"./pages/DataExporterPage/ExporterActions/SavedReportSelector/helpers.js\": 357,\n\t\"./pages/DataExporterPage/ExporterActions/SavedReportSelector/helpers.spec\": 1000,\n\t\"./pages/DataExporterPage/ExporterActions/SavedReportSelector/helpers.spec.js\": 1000,\n\t\"./pages/DataExporterPage/ExporterActions/SavedReportSelector/index\": 588,\n\t\"./pages/DataExporterPage/ExporterActions/SavedReportSelector/index.js\": 588,\n\t\"./pages/DataExporterPage/ExporterActions/SavedReportSelector/styles\": 294,\n\t\"./pages/DataExporterPage/ExporterActions/SavedReportSelector/styles.module\": 294,\n\t\"./pages/DataExporterPage/ExporterActions/SavedReportSelector/styles.module.scss\": 294,\n\t\"./pages/DataExporterPage/ExporterActions/index\": 584,\n\t\"./pages/DataExporterPage/ExporterActions/index.js\": 584,\n\t\"./pages/DataExporterPage/ExporterPreviewTable\": 578,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/\": 578,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/Header\": 189,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/Header/\": 189,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/Header/constants\": 902,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/Header/constants.js\": 902,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/Header/index\": 189,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/Header/index.js\": 189,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/Header/styles\": 748,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/Header/styles.module\": 748,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/Header/styles.module.scss\": 748,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/Header/variables\": 1001,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/Header/variables.scss\": 1001,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTable\": 579,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTable/\": 579,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTable/constants\": 132,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTable/constants.js\": 132,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTable/helpers\": 356,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTable/helpers.js\": 356,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTable/helpers.spec\": 1002,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTable/helpers.spec.js\": 1002,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTable/index\": 579,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTable/index.js\": 579,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTable/styles\": 115,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTable/styles.module\": 115,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTable/styles.module.scss\": 115,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTableInstance\": 580,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTableInstance/\": 580,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTableInstance/index\": 580,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTableInstance/index.js\": 580,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTableInstance/styles\": 114,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTableInstance/styles.module\": 114,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginatedTableInstance/styles.module.scss\": 114,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls\": 581,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/\": 581,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSelector\": 582,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSelector/\": 582,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSelector/index\": 582,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSelector/index.js\": 582,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSelector/styles\": 746,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSelector/styles.module\": 746,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSelector/styles.module.scss\": 746,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSizeSelector\": 583,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSizeSelector/\": 583,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSizeSelector/constants\": 901,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSizeSelector/constants.js\": 901,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSizeSelector/helpers\": 148,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSizeSelector/helpers.js\": 148,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSizeSelector/helpers.spec\": 1003,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSizeSelector/helpers.spec.js\": 1003,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSizeSelector/index\": 583,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSizeSelector/index.js\": 583,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSizeSelector/styles\": 651,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSizeSelector/styles.module\": 651,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/PageSizeSelector/styles.module.scss\": 651,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/index\": 581,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/index.js\": 581,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/styles\": 747,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/styles.module\": 747,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/PaginationControls/styles.module.scss\": 747,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/constants\": 164,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/constants.js\": 164,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/helpers\": 298,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/helpers.js\": 298,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/index\": 578,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/index.js\": 578,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/styles\": 410,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/styles.module\": 410,\n\t\"./pages/DataExporterPage/ExporterPreviewTable/styles.module.scss\": 410,\n\t\"./pages/DataExporterPage/ReportingSidebar\": 589,\n\t\"./pages/DataExporterPage/ReportingSidebar/\": 589,\n\t\"./pages/DataExporterPage/ReportingSidebar/ClearFiltersBtn\": 591,\n\t\"./pages/DataExporterPage/ReportingSidebar/ClearFiltersBtn/\": 591,\n\t\"./pages/DataExporterPage/ReportingSidebar/ClearFiltersBtn/index\": 591,\n\t\"./pages/DataExporterPage/ReportingSidebar/ClearFiltersBtn/index.js\": 591,\n\t\"./pages/DataExporterPage/ReportingSidebar/ClearFiltersBtn/styles\": 752,\n\t\"./pages/DataExporterPage/ReportingSidebar/ClearFiltersBtn/styles.module\": 752,\n\t\"./pages/DataExporterPage/ReportingSidebar/ClearFiltersBtn/styles.module.scss\": 752,\n\t\"./pages/DataExporterPage/ReportingSidebar/FetchResultsBtn\": 592,\n\t\"./pages/DataExporterPage/ReportingSidebar/FetchResultsBtn/\": 592,\n\t\"./pages/DataExporterPage/ReportingSidebar/FetchResultsBtn/index\": 592,\n\t\"./pages/DataExporterPage/ReportingSidebar/FetchResultsBtn/index.js\": 592,\n\t\"./pages/DataExporterPage/ReportingSidebar/FetchResultsBtn/styles\": 753,\n\t\"./pages/DataExporterPage/ReportingSidebar/FetchResultsBtn/styles.module\": 753,\n\t\"./pages/DataExporterPage/ReportingSidebar/FetchResultsBtn/styles.module.scss\": 753,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter\": 593,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/\": 593,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/ListItem\": 594,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/ListItem/\": 594,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/ListItem/index\": 594,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/ListItem/index.js\": 594,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/TotalsRadio\": 595,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/TotalsRadio/\": 595,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/TotalsRadio/index\": 595,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/TotalsRadio/index.js\": 595,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/TotalsRadio/styles\": 412,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/TotalsRadio/styles.module\": 412,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/TotalsRadio/styles.module.scss\": 412,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/helpers\": 358,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/helpers.js\": 358,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/helpers.spec\": 1004,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/helpers.spec.js\": 1004,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/index\": 593,\n\t\"./pages/DataExporterPage/ReportingSidebar/GranularityFilter/index.js\": 593,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter\": 596,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/\": 596,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/ListItem\": 597,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/ListItem/\": 597,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/ListItem/index\": 597,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/ListItem/index.js\": 597,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/constants\": 419,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/constants.js\": 419,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/helpers\": 295,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/helpers.js\": 295,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/helpers.spec\": 1005,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/helpers.spec.js\": 1005,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/index\": 596,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/index.js\": 596,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/styles\": 754,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/styles.module\": 754,\n\t\"./pages/DataExporterPage/ReportingSidebar/MetricsFilter/styles.module.scss\": 754,\n\t\"./pages/DataExporterPage/ReportingSidebar/MultiSelectGroupByFilter\": 598,\n\t\"./pages/DataExporterPage/ReportingSidebar/MultiSelectGroupByFilter/\": 598,\n\t\"./pages/DataExporterPage/ReportingSidebar/MultiSelectGroupByFilter/ListItem\": 599,\n\t\"./pages/DataExporterPage/ReportingSidebar/MultiSelectGroupByFilter/ListItem/\": 599,\n\t\"./pages/DataExporterPage/ReportingSidebar/MultiSelectGroupByFilter/ListItem/index\": 599,\n\t\"./pages/DataExporterPage/ReportingSidebar/MultiSelectGroupByFilter/ListItem/index.js\": 599,\n\t\"./pages/DataExporterPage/ReportingSidebar/MultiSelectGroupByFilter/constants\": 904,\n\t\"./pages/DataExporterPage/ReportingSidebar/MultiSelectGroupByFilter/constants.js\": 904,\n\t\"./pages/DataExporterPage/ReportingSidebar/MultiSelectGroupByFilter/index\": 598,\n\t\"./pages/DataExporterPage/ReportingSidebar/MultiSelectGroupByFilter/index.js\": 598,\n\t\"./pages/DataExporterPage/ReportingSidebar/ReportTypeFilter\": 600,\n\t\"./pages/DataExporterPage/ReportingSidebar/ReportTypeFilter/\": 600,\n\t\"./pages/DataExporterPage/ReportingSidebar/ReportTypeFilter/ListItem\": 336,\n\t\"./pages/DataExporterPage/ReportingSidebar/ReportTypeFilter/ListItem/\": 336,\n\t\"./pages/DataExporterPage/ReportingSidebar/ReportTypeFilter/ListItem/index\": 336,\n\t\"./pages/DataExporterPage/ReportingSidebar/ReportTypeFilter/ListItem/index.js\": 336,\n\t\"./pages/DataExporterPage/ReportingSidebar/ReportTypeFilter/index\": 600,\n\t\"./pages/DataExporterPage/ReportingSidebar/ReportTypeFilter/index.js\": 600,\n\t\"./pages/DataExporterPage/ReportingSidebar/ReportTypeFilter/styles\": 755,\n\t\"./pages/DataExporterPage/ReportingSidebar/ReportTypeFilter/styles.module\": 755,\n\t\"./pages/DataExporterPage/ReportingSidebar/ReportTypeFilter/styles.module.scss\": 755,\n\t\"./pages/DataExporterPage/ReportingSidebar/SingleSelectGroupByFilter\": 601,\n\t\"./pages/DataExporterPage/ReportingSidebar/SingleSelectGroupByFilter/\": 601,\n\t\"./pages/DataExporterPage/ReportingSidebar/SingleSelectGroupByFilter/ListItem\": 602,\n\t\"./pages/DataExporterPage/ReportingSidebar/SingleSelectGroupByFilter/ListItem/\": 602,\n\t\"./pages/DataExporterPage/ReportingSidebar/SingleSelectGroupByFilter/ListItem/index\": 602,\n\t\"./pages/DataExporterPage/ReportingSidebar/SingleSelectGroupByFilter/ListItem/index.js\": 602,\n\t\"./pages/DataExporterPage/ReportingSidebar/SingleSelectGroupByFilter/TargetingTags\": 603,\n\t\"./pages/DataExporterPage/ReportingSidebar/SingleSelectGroupByFilter/TargetingTags/\": 603,\n\t\"./pages/DataExporterPage/ReportingSidebar/SingleSelectGroupByFilter/TargetingTags/index\": 603,\n\t\"./pages/DataExporterPage/ReportingSidebar/SingleSelectGroupByFilter/TargetingTags/index.js\": 603,\n\t\"./pages/DataExporterPage/ReportingSidebar/SingleSelectGroupByFilter/TargetingTags/styles\": 756,\n\t\"./pages/DataExporterPage/ReportingSidebar/SingleSelectGroupByFilter/TargetingTags/styles.module\": 756,\n\t\"./pages/DataExporterPage/ReportingSidebar/SingleSelectGroupByFilter/TargetingTags/styles.module.scss\": 756,\n\t\"./pages/DataExporterPage/ReportingSidebar/SingleSelectGroupByFilter/index\": 601,\n\t\"./pages/DataExporterPage/ReportingSidebar/SingleSelectGroupByFilter/index.js\": 601,\n\t\"./pages/DataExporterPage/ReportingSidebar/helpers\": 418,\n\t\"./pages/DataExporterPage/ReportingSidebar/helpers.js\": 418,\n\t\"./pages/DataExporterPage/ReportingSidebar/index\": 589,\n\t\"./pages/DataExporterPage/ReportingSidebar/index.js\": 589,\n\t\"./pages/DataExporterPage/constants\": 795,\n\t\"./pages/DataExporterPage/constants.js\": 795,\n\t\"./pages/DataExporterPage/index\": 577,\n\t\"./pages/DataExporterPage/index.js\": 577,\n\t\"./pages/DataExporterPage/presentation\": 900,\n\t\"./pages/DataExporterPage/presentation.js\": 900,\n\t\"./pages/DataExporterPage/styles\": 838,\n\t\"./pages/DataExporterPage/styles.module\": 838,\n\t\"./pages/DataExporterPage/styles.module.scss\": 838,\n\t\"./pages/NewAppPage\": 1009,\n\t\"./pages/NewAppPage.jsx\": 1009,\n\t\"./pages/ReportingPage\": 604,\n\t\"./pages/ReportingPage/\": 604,\n\t\"./pages/ReportingPage/Footer\": 611,\n\t\"./pages/ReportingPage/Footer/\": 611,\n\t\"./pages/ReportingPage/Footer/index\": 611,\n\t\"./pages/ReportingPage/Footer/index.js\": 611,\n\t\"./pages/ReportingPage/Footer/styles\": 653,\n\t\"./pages/ReportingPage/Footer/styles.module\": 653,\n\t\"./pages/ReportingPage/Footer/styles.module.scss\": 653,\n\t\"./pages/ReportingPage/Header\": 314,\n\t\"./pages/ReportingPage/Header/\": 314,\n\t\"./pages/ReportingPage/Header/helpers\": 857,\n\t\"./pages/ReportingPage/Header/helpers.js\": 857,\n\t\"./pages/ReportingPage/Header/index\": 314,\n\t\"./pages/ReportingPage/Header/index.js\": 314,\n\t\"./pages/ReportingPage/Header/styles\": 249,\n\t\"./pages/ReportingPage/Header/styles.module\": 249,\n\t\"./pages/ReportingPage/Header/styles.module.scss\": 249,\n\t\"./pages/ReportingPage/constants\": 293,\n\t\"./pages/ReportingPage/constants.js\": 293,\n\t\"./pages/ReportingPage/entry\": 1006,\n\t\"./pages/ReportingPage/entry.js\": 1006,\n\t\"./pages/ReportingPage/helpers\": 1007,\n\t\"./pages/ReportingPage/helpers.js\": 1007,\n\t\"./pages/ReportingPage/index\": 604,\n\t\"./pages/ReportingPage/index.js\": 604,\n\t\"./pages/SkAdNetworkPage\": 605,\n\t\"./pages/SkAdNetworkPage/\": 605,\n\t\"./pages/SkAdNetworkPage/KPICards\": 606,\n\t\"./pages/SkAdNetworkPage/KPICards/\": 606,\n\t\"./pages/SkAdNetworkPage/KPICards/constants\": 797,\n\t\"./pages/SkAdNetworkPage/KPICards/constants.js\": 797,\n\t\"./pages/SkAdNetworkPage/KPICards/helpers\": 796,\n\t\"./pages/SkAdNetworkPage/KPICards/helpers.js\": 796,\n\t\"./pages/SkAdNetworkPage/KPICards/index\": 606,\n\t\"./pages/SkAdNetworkPage/KPICards/index.js\": 606,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar\": 607,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/\": 607,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/AppsFilter\": 329,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/AppsFilter/\": 329,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/AppsFilter/ListItem\": 590,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/AppsFilter/ListItem/\": 590,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/AppsFilter/ListItem/index\": 590,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/AppsFilter/ListItem/index.js\": 590,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/AppsFilter/ListItem/styles\": 411,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/AppsFilter/ListItem/styles.module\": 411,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/AppsFilter/ListItem/styles.module.scss\": 411,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/AppsFilter/index\": 329,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/AppsFilter/index.js\": 329,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/AppsFilter/styles\": 652,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/AppsFilter/styles.module\": 652,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/AppsFilter/styles.module.scss\": 652,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/GroupByFilter\": 608,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/GroupByFilter/\": 608,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/GroupByFilter/SwapButton\": 609,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/GroupByFilter/SwapButton/\": 609,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/GroupByFilter/SwapButton/index\": 609,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/GroupByFilter/SwapButton/index.js\": 609,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/GroupByFilter/SwapButton/styles\": 758,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/GroupByFilter/SwapButton/styles.module\": 758,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/GroupByFilter/SwapButton/styles.module.scss\": 758,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/GroupByFilter/index\": 608,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/GroupByFilter/index.js\": 608,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/helpers\": 420,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/helpers.js\": 420,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/index\": 607,\n\t\"./pages/SkAdNetworkPage/ReportingSidebar/index.js\": 607,\n\t\"./pages/SkAdNetworkPage/index\": 605,\n\t\"./pages/SkAdNetworkPage/index.js\": 605,\n\t\"./pages/SkAdNetworkPage/presentation\": 905,\n\t\"./pages/SkAdNetworkPage/presentation.js\": 905,\n\t\"./pages/SkAdNetworkPage/styles\": 757,\n\t\"./pages/SkAdNetworkPage/styles.module\": 757,\n\t\"./pages/SkAdNetworkPage/styles.module.scss\": 757,\n\t\"./pages/UserAcquisitionPage\": 610,\n\t\"./pages/UserAcquisitionPage/\": 610,\n\t\"./pages/UserAcquisitionPage/CreativesPage\": 433,\n\t\"./pages/UserAcquisitionPage/CreativesPage/\": 433,\n\t\"./pages/UserAcquisitionPage/CreativesPage/index\": 433,\n\t\"./pages/UserAcquisitionPage/CreativesPage/index.js\": 433,\n\t\"./pages/UserAcquisitionPage/CustomPage\": 612,\n\t\"./pages/UserAcquisitionPage/CustomPage/\": 612,\n\t\"./pages/UserAcquisitionPage/CustomPage/CustomEventsSelector\": 459,\n\t\"./pages/UserAcquisitionPage/CustomPage/CustomEventsSelector/\": 459,\n\t\"./pages/UserAcquisitionPage/CustomPage/CustomEventsSelector/constants\": 860,\n\t\"./pages/UserAcquisitionPage/CustomPage/CustomEventsSelector/constants.js\": 860,\n\t\"./pages/UserAcquisitionPage/CustomPage/CustomEventsSelector/helpers\": 663,\n\t\"./pages/UserAcquisitionPage/CustomPage/CustomEventsSelector/helpers.js\": 663,\n\t\"./pages/UserAcquisitionPage/CustomPage/CustomEventsSelector/index\": 459,\n\t\"./pages/UserAcquisitionPage/CustomPage/CustomEventsSelector/index.js\": 459,\n\t\"./pages/UserAcquisitionPage/CustomPage/CustomEventsSelector/styles\": 711,\n\t\"./pages/UserAcquisitionPage/CustomPage/CustomEventsSelector/styles.module\": 711,\n\t\"./pages/UserAcquisitionPage/CustomPage/CustomEventsSelector/styles.module.scss\": 711,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/PurchaseXDay\": 468,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/PurchaseXDay/\": 468,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/PurchaseXDay/constants\": 766,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/PurchaseXDay/constants.js\": 766,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/PurchaseXDay/index\": 468,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/PurchaseXDay/index.js\": 468,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/Purchasers\": 460,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/Purchasers/\": 460,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/Purchasers/constants\": 765,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/Purchasers/constants.js\": 765,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/Purchasers/index\": 460,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/Purchasers/index.js\": 460,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/RetentionXDay\": 469,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/RetentionXDay/\": 469,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/RetentionXDay/constants\": 767,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/RetentionXDay/constants.js\": 767,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/RetentionXDay/index\": 469,\n\t\"./pages/UserAcquisitionPage/CustomPage/KPITabs/RetentionXDay/index.js\": 469,\n\t\"./pages/UserAcquisitionPage/CustomPage/NoCustomEventsPage\": 458,\n\t\"./pages/UserAcquisitionPage/CustomPage/NoCustomEventsPage/\": 458,\n\t\"./pages/UserAcquisitionPage/CustomPage/NoCustomEventsPage/index\": 458,\n\t\"./pages/UserAcquisitionPage/CustomPage/NoCustomEventsPage/index.js\": 458,\n\t\"./pages/UserAcquisitionPage/CustomPage/helpers\": 763,\n\t\"./pages/UserAcquisitionPage/CustomPage/helpers.js\": 763,\n\t\"./pages/UserAcquisitionPage/CustomPage/index\": 612,\n\t\"./pages/UserAcquisitionPage/CustomPage/index.js\": 612,\n\t\"./pages/UserAcquisitionPage/CustomPage/presentation\": 859,\n\t\"./pages/UserAcquisitionPage/CustomPage/presentation.js\": 859,\n\t\"./pages/UserAcquisitionPage/FraudPage\": 470,\n\t\"./pages/UserAcquisitionPage/FraudPage/\": 470,\n\t\"./pages/UserAcquisitionPage/FraudPage/KPIDrilldown/Fraud\": 471,\n\t\"./pages/UserAcquisitionPage/FraudPage/KPIDrilldown/Fraud/\": 471,\n\t\"./pages/UserAcquisitionPage/FraudPage/KPIDrilldown/Fraud/constants\": 866,\n\t\"./pages/UserAcquisitionPage/FraudPage/KPIDrilldown/Fraud/constants.js\": 866,\n\t\"./pages/UserAcquisitionPage/FraudPage/KPIDrilldown/Fraud/index\": 471,\n\t\"./pages/UserAcquisitionPage/FraudPage/KPIDrilldown/Fraud/index.js\": 471,\n\t\"./pages/UserAcquisitionPage/FraudPage/KPITabs/Fraud\": 472,\n\t\"./pages/UserAcquisitionPage/FraudPage/KPITabs/Fraud/\": 472,\n\t\"./pages/UserAcquisitionPage/FraudPage/KPITabs/Fraud/constants\": 768,\n\t\"./pages/UserAcquisitionPage/FraudPage/KPITabs/Fraud/constants.js\": 768,\n\t\"./pages/UserAcquisitionPage/FraudPage/KPITabs/Fraud/index\": 472,\n\t\"./pages/UserAcquisitionPage/FraudPage/KPITabs/Fraud/index.js\": 472,\n\t\"./pages/UserAcquisitionPage/FraudPage/index\": 470,\n\t\"./pages/UserAcquisitionPage/FraudPage/index.js\": 470,\n\t\"./pages/UserAcquisitionPage/KPICard\": 455,\n\t\"./pages/UserAcquisitionPage/KPICard/\": 455,\n\t\"./pages/UserAcquisitionPage/KPICard/Chart\": 456,\n\t\"./pages/UserAcquisitionPage/KPICard/Chart/\": 456,\n\t\"./pages/UserAcquisitionPage/KPICard/Chart/constants\": 342,\n\t\"./pages/UserAcquisitionPage/KPICard/Chart/constants.js\": 342,\n\t\"./pages/UserAcquisitionPage/KPICard/Chart/helpers\": 762,\n\t\"./pages/UserAcquisitionPage/KPICard/Chart/helpers.js\": 762,\n\t\"./pages/UserAcquisitionPage/KPICard/Chart/index\": 456,\n\t\"./pages/UserAcquisitionPage/KPICard/Chart/index.js\": 456,\n\t\"./pages/UserAcquisitionPage/KPICard/index\": 455,\n\t\"./pages/UserAcquisitionPage/KPICard/index.js\": 455,\n\t\"./pages/UserAcquisitionPage/KPICard/styles\": 142,\n\t\"./pages/UserAcquisitionPage/KPICard/styles.module\": 142,\n\t\"./pages/UserAcquisitionPage/KPICard/styles.module.scss\": 142,\n\t\"./pages/UserAcquisitionPage/KPICards\": 312,\n\t\"./pages/UserAcquisitionPage/KPICards/\": 312,\n\t\"./pages/UserAcquisitionPage/KPICards/helpers\": 856,\n\t\"./pages/UserAcquisitionPage/KPICards/helpers.js\": 856,\n\t\"./pages/UserAcquisitionPage/KPICards/index\": 312,\n\t\"./pages/UserAcquisitionPage/KPICards/index.js\": 312,\n\t\"./pages/UserAcquisitionPage/KPICards/presentation\": 855,\n\t\"./pages/UserAcquisitionPage/KPICards/presentation.js\": 855,\n\t\"./pages/UserAcquisitionPage/OverviewPage\": 473,\n\t\"./pages/UserAcquisitionPage/OverviewPage/\": 473,\n\t\"./pages/UserAcquisitionPage/OverviewPage/index\": 473,\n\t\"./pages/UserAcquisitionPage/OverviewPage/index.js\": 473,\n\t\"./pages/UserAcquisitionPage/ReportsSelector\": 69,\n\t\"./pages/UserAcquisitionPage/ReportsSelector/\": 69,\n\t\"./pages/UserAcquisitionPage/ReportsSelector/constants\": 858,\n\t\"./pages/UserAcquisitionPage/ReportsSelector/constants.js\": 858,\n\t\"./pages/UserAcquisitionPage/ReportsSelector/index\": 69,\n\t\"./pages/UserAcquisitionPage/ReportsSelector/index.js\": 69,\n\t\"./pages/UserAcquisitionPage/ReportsSelector/styles\": 621,\n\t\"./pages/UserAcquisitionPage/ReportsSelector/styles.module\": 621,\n\t\"./pages/UserAcquisitionPage/ReportsSelector/styles.module.scss\": 621,\n\t\"./pages/UserAcquisitionPage/RetentionPage\": 474,\n\t\"./pages/UserAcquisitionPage/RetentionPage/\": 474,\n\t\"./pages/UserAcquisitionPage/RetentionPage/KPIDrilldown/Retention\": 475,\n\t\"./pages/UserAcquisitionPage/RetentionPage/KPIDrilldown/Retention/\": 475,\n\t\"./pages/UserAcquisitionPage/RetentionPage/KPIDrilldown/Retention/constants\": 867,\n\t\"./pages/UserAcquisitionPage/RetentionPage/KPIDrilldown/Retention/constants.js\": 867,\n\t\"./pages/UserAcquisitionPage/RetentionPage/KPIDrilldown/Retention/index\": 475,\n\t\"./pages/UserAcquisitionPage/RetentionPage/KPIDrilldown/Retention/index.js\": 475,\n\t\"./pages/UserAcquisitionPage/RetentionPage/KPITabs/Retention\": 476,\n\t\"./pages/UserAcquisitionPage/RetentionPage/KPITabs/Retention/\": 476,\n\t\"./pages/UserAcquisitionPage/RetentionPage/KPITabs/Retention/constants\": 769,\n\t\"./pages/UserAcquisitionPage/RetentionPage/KPITabs/Retention/constants.js\": 769,\n\t\"./pages/UserAcquisitionPage/RetentionPage/KPITabs/Retention/index\": 476,\n\t\"./pages/UserAcquisitionPage/RetentionPage/KPITabs/Retention/index.js\": 476,\n\t\"./pages/UserAcquisitionPage/RetentionPage/index\": 474,\n\t\"./pages/UserAcquisitionPage/RetentionPage/index.js\": 474,\n\t\"./pages/UserAcquisitionPage/RevenuePage\": 477,\n\t\"./pages/UserAcquisitionPage/RevenuePage/\": 477,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPIDrilldown/Revenue\": 478,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPIDrilldown/Revenue/\": 478,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPIDrilldown/Revenue/constants\": 868,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPIDrilldown/Revenue/constants.js\": 868,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPIDrilldown/Revenue/index\": 478,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPIDrilldown/Revenue/index.js\": 478,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalLTV\": 479,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalLTV/\": 479,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalLTV/helpers\": 770,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalLTV/helpers.js\": 770,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalLTV/index\": 479,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalLTV/index.js\": 479,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalLTVPerUser\": 480,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalLTVPerUser/\": 480,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalLTVPerUser/helpers\": 771,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalLTVPerUser/helpers.js\": 771,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalLTVPerUser/index\": 480,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalLTVPerUser/index.js\": 480,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalRevenue\": 481,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalRevenue/\": 481,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalRevenue/helpers\": 772,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalRevenue/helpers.js\": 772,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalRevenue/index\": 481,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalRevenue/index.js\": 481,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalRevenuePerDAU\": 482,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalRevenuePerDAU/\": 482,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalRevenuePerDAU/helpers\": 773,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalRevenuePerDAU/helpers.js\": 773,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalRevenuePerDAU/index\": 482,\n\t\"./pages/UserAcquisitionPage/RevenuePage/KPITabs/TotalRevenuePerDAU/index.js\": 482,\n\t\"./pages/UserAcquisitionPage/RevenuePage/index\": 477,\n\t\"./pages/UserAcquisitionPage/RevenuePage/index.js\": 477,\n\t\"./pages/UserAcquisitionPage/RoiPage\": 483,\n\t\"./pages/UserAcquisitionPage/RoiPage/\": 483,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPIDrilldown/XDayROI\": 484,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPIDrilldown/XDayROI/\": 484,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPIDrilldown/XDayROI/constants\": 869,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPIDrilldown/XDayROI/constants.js\": 869,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPIDrilldown/XDayROI/index\": 484,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPIDrilldown/XDayROI/index.js\": 484,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPITabs/LifetimeROI\": 485,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPITabs/LifetimeROI/\": 485,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPITabs/LifetimeROI/helpers\": 774,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPITabs/LifetimeROI/helpers.js\": 774,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPITabs/LifetimeROI/index\": 485,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPITabs/LifetimeROI/index.js\": 485,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPITabs/ROI\": 486,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPITabs/ROI/\": 486,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPITabs/ROI/constants\": 775,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPITabs/ROI/constants.js\": 775,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPITabs/ROI/index\": 486,\n\t\"./pages/UserAcquisitionPage/RoiPage/KPITabs/ROI/index.js\": 486,\n\t\"./pages/UserAcquisitionPage/RoiPage/index\": 483,\n\t\"./pages/UserAcquisitionPage/RoiPage/index.js\": 483,\n\t\"./pages/UserAcquisitionPage/SourceToggle\": 316,\n\t\"./pages/UserAcquisitionPage/SourceToggle/\": 316,\n\t\"./pages/UserAcquisitionPage/SourceToggle/constants\": 296,\n\t\"./pages/UserAcquisitionPage/SourceToggle/constants.js\": 296,\n\t\"./pages/UserAcquisitionPage/SourceToggle/index\": 316,\n\t\"./pages/UserAcquisitionPage/SourceToggle/index.js\": 316,\n\t\"./pages/UserAcquisitionPage/SourceToggle/styles\": 287,\n\t\"./pages/UserAcquisitionPage/SourceToggle/styles.module\": 287,\n\t\"./pages/UserAcquisitionPage/SourceToggle/styles.module.scss\": 287,\n\t\"./pages/UserAcquisitionPage/SpendPage\": 487,\n\t\"./pages/UserAcquisitionPage/SpendPage/\": 487,\n\t\"./pages/UserAcquisitionPage/SpendPage/KPITabs/Cost\": 488,\n\t\"./pages/UserAcquisitionPage/SpendPage/KPITabs/Cost/\": 488,\n\t\"./pages/UserAcquisitionPage/SpendPage/KPITabs/Cost/constants\": 776,\n\t\"./pages/UserAcquisitionPage/SpendPage/KPITabs/Cost/constants.js\": 776,\n\t\"./pages/UserAcquisitionPage/SpendPage/KPITabs/Cost/index\": 488,\n\t\"./pages/UserAcquisitionPage/SpendPage/KPITabs/Cost/index.js\": 488,\n\t\"./pages/UserAcquisitionPage/SpendPage/KPITabs/Spend\": 489,\n\t\"./pages/UserAcquisitionPage/SpendPage/KPITabs/Spend/\": 489,\n\t\"./pages/UserAcquisitionPage/SpendPage/KPITabs/Spend/constants\": 777,\n\t\"./pages/UserAcquisitionPage/SpendPage/KPITabs/Spend/constants.js\": 777,\n\t\"./pages/UserAcquisitionPage/SpendPage/KPITabs/Spend/index\": 489,\n\t\"./pages/UserAcquisitionPage/SpendPage/KPITabs/Spend/index.js\": 489,\n\t\"./pages/UserAcquisitionPage/SpendPage/index\": 487,\n\t\"./pages/UserAcquisitionPage/SpendPage/index.js\": 487,\n\t\"./pages/UserAcquisitionPage/UsagePage\": 490,\n\t\"./pages/UserAcquisitionPage/UsagePage/\": 490,\n\t\"./pages/UserAcquisitionPage/UsagePage/KPITabs/Usage\": 491,\n\t\"./pages/UserAcquisitionPage/UsagePage/KPITabs/Usage/\": 491,\n\t\"./pages/UserAcquisitionPage/UsagePage/KPITabs/Usage/constants\": 778,\n\t\"./pages/UserAcquisitionPage/UsagePage/KPITabs/Usage/constants.js\": 778,\n\t\"./pages/UserAcquisitionPage/UsagePage/KPITabs/Usage/index\": 491,\n\t\"./pages/UserAcquisitionPage/UsagePage/KPITabs/Usage/index.js\": 491,\n\t\"./pages/UserAcquisitionPage/UsagePage/KPITabs/UsageXDay\": 492,\n\t\"./pages/UserAcquisitionPage/UsagePage/KPITabs/UsageXDay/\": 492,\n\t\"./pages/UserAcquisitionPage/UsagePage/KPITabs/UsageXDay/constants\": 779,\n\t\"./pages/UserAcquisitionPage/UsagePage/KPITabs/UsageXDay/constants.js\": 779,\n\t\"./pages/UserAcquisitionPage/UsagePage/KPITabs/UsageXDay/index\": 492,\n\t\"./pages/UserAcquisitionPage/UsagePage/KPITabs/UsageXDay/index.js\": 492,\n\t\"./pages/UserAcquisitionPage/UsagePage/index\": 490,\n\t\"./pages/UserAcquisitionPage/UsagePage/index.js\": 490,\n\t\"./pages/UserAcquisitionPage/ValuePage\": 493,\n\t\"./pages/UserAcquisitionPage/ValuePage/\": 493,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPIDrilldown/CostPer1000Sessions\": 495,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPIDrilldown/CostPer1000Sessions/\": 495,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPIDrilldown/CostPer1000Sessions/constants\": 871,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPIDrilldown/CostPer1000Sessions/constants.js\": 871,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPIDrilldown/CostPer1000Sessions/index\": 495,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPIDrilldown/CostPer1000Sessions/index.js\": 495,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPIDrilldown/CostPerRetainedUser\": 494,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPIDrilldown/CostPerRetainedUser/\": 494,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPIDrilldown/CostPerRetainedUser/constants\": 870,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPIDrilldown/CostPerRetainedUser/constants.js\": 870,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPIDrilldown/CostPerRetainedUser/index\": 494,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPIDrilldown/CostPerRetainedUser/index.js\": 494,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPITabs/CostPer1000Sessions\": 497,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPITabs/CostPer1000Sessions/\": 497,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPITabs/CostPer1000Sessions/constants\": 781,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPITabs/CostPer1000Sessions/constants.js\": 781,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPITabs/CostPer1000Sessions/index\": 497,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPITabs/CostPer1000Sessions/index.js\": 497,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPITabs/LifetimeCost\": 496,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPITabs/LifetimeCost/\": 496,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPITabs/LifetimeCost/constants\": 780,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPITabs/LifetimeCost/constants.js\": 780,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPITabs/LifetimeCost/index\": 496,\n\t\"./pages/UserAcquisitionPage/ValuePage/KPITabs/LifetimeCost/index.js\": 496,\n\t\"./pages/UserAcquisitionPage/ValuePage/index\": 493,\n\t\"./pages/UserAcquisitionPage/ValuePage/index.js\": 493,\n\t\"./pages/UserAcquisitionPage/constants\": 49,\n\t\"./pages/UserAcquisitionPage/constants.js\": 49,\n\t\"./pages/UserAcquisitionPage/index\": 610,\n\t\"./pages/UserAcquisitionPage/index.js\": 610\n};\n\n\nfunction webpackContext(req) {\n\tvar id = webpackContextResolve(req);\n\treturn __webpack_require__(id);\n}\nfunction webpackContextResolve(req) {\n\tif(!__webpack_require__.o(map, req)) {\n\t\tvar e = new Error(\"Cannot find module '\" + req + \"'\");\n\t\te.code = 'MODULE_NOT_FOUND';\n\t\tthrow e;\n\t}\n\treturn map[req];\n}\nwebpackContext.keys = function webpackContextKeys() {\n\treturn Object.keys(map);\n};\nwebpackContext.resolve = webpackContextResolve;\nmodule.exports = webpackContext;\nwebpackContext.id = 1097;","// Jest Snapshot v1, https://goo.gl/fbAQLP\n\nexports[`renders correctly 1`] = `\n\n`;\n","// Jest Snapshot v1, https://goo.gl/fbAQLP\n\nexports[`renders correctly 1`] = `\n\n \n\n`;\n","/* eslint no-console:0 */\n// This file is automatically compiled by Webpack, along with any other files\n// present in this directory. You're encouraged to place your actual application logic in\n// a relevant structure within app/javascript and only use these pack files to reference\n// that code so it'll be compiled.\n//\n// To reference this file, add <%= javascript_pack_tag 'application' %> to the appropriate\n// layout file, like app/views/layouts/application.html.erb\n\n\n// Uncomment to copy all static images under ../images to the output folder and reference\n// them with the image_pack_tag helper in views (e.g <%= image_pack_tag 'rails.png' %>)\n// or the `imagePath` JavaScript helper below.\n//\n// const images = require.context('../images', true)\n// const imagePath = (name) => images(name, true)\n\n// Support component names relative to this directory:\n\nimport '../stylesheets/main.scss'\n\nwindow.React = require('react')\nwindow.ReactDOM = require('react-dom')\nwindow.PropTypes = require('prop-types')\nwindow['_'] = require('lodash')\nwindow.classNames = require('classnames')\nwindow.pluralize = require('pluralize')\nwindow.Fuse = require('fuse.js').default\nwindow.ClipboardJS = require('clipboard')\nwindow.numeral = require('numeral')\nwindow.Highcharts = require('highcharts')\n$.highcharts = Highcharts\nwindow.notifier = require('react-toastify')\nwindow.camelCase = require('camel-case').camelCase\nwindow.dateFns = require('date-fns')\nwindow.dateFnsTz = require('date-fns-tz')\n\nrequire('bootstrap')\n\nconst { QueryClient } = require('react-query')\nexport const queryClient = new QueryClient()\n\nexport { QueryClientProvider } from 'react-query'\n\nexport { default as BackLink } from '../components/BackLink'\nexport { default as Checkbox } from '../components/Checkbox/Checkbox'\nexport { default as ClickOutsideAlerter } from '../components/ClickOutsideAlerter'\nexport { default as FilterBar } from '../components/FilterBar'\nexport { default as FontAwesomeIcon } from '../components/FontAwesomeIcon'\nexport { default as PageContainer } from '../components/PageContainer/PageContainer'\nexport { default as PageHeader } from '../components/PageHeader'\nexport { default as PageHeaderLabel } from '../components/PageHeader/Label'\nexport { default as PageSectionHeader } from '../components/PageSectionHeader/PageSectionHeader'\nexport { default as PageSubtext } from '../components/PageSubtext/PageSubtext'\nexport { default as Paginator } from '../components/Paginator/Paginator'\nexport { default as PlatformIcon } from '../components/PlatformIcon'\nexport { default as ReportingDataMetricValueDisplay } from '../components/ReportingDataMetricValueDisplay'\nexport { default as SearchInput } from '../components/SearchInput/SearchInput'\nexport { default as Tooltip } from '../components/Tooltip/Tooltip'\nexport { default as buildMetricDefinitionsFor } from '../contexts/MetricDefinitions/helpers'\n\nexport * from '../utils/constants'\nexport * from '../utils/customPropTypes'\nexport * from '../utils/helpers'\nexport * from '../utils/toastNotifications'\n\nvar ReactRailsUJS = require('react_ujs')\n\nvar componentRequireContext = require.context('components', true)\nReactRailsUJS.useContext(componentRequireContext)\n"],"sourceRoot":""}