\n >\n );\n}\n\nPasswordField.propTypes = {\n /**\n * Onchange function for the form control.\n */\n onChange: PropTypes.func,\n /**\n * Value for the form control.\n */\n value: PropTypes.string,\n /**\n * Autocomplete property for the form control.\n */\n autoComplete: PropTypes.string,\n /**\n * Placeholder property for the form control.\n */\n placeholder: PropTypes.string,\n /**\n * Classname for the form control.\n */\n className: PropTypes.string,\n /**\n * Classname for the outer wrapper.\n */\n wrapperClassName: PropTypes.string,\n /**\n * Text for the label.\n */\n labelText: PropTypes.string,\n /**\n * Id for the form control.\n */\n id: PropTypes.string,\n }\n\nexport default PasswordField;","import React from 'react';\nimport { Alert } from 'react-bootstrap';\n\nexport default function PasswordRequirements() {\n \n return(\n \n
Please make sure the entered password meets the following requirements:
\n
\n
Is between 8 and 99 characters long
\n
Contains at least one number
\n
Contains at least one upper- and lower-case letter
\n
\n Contains at least one of the following special characters: \n ^ $ * . [ ] { } ( ) ? \" ! @ # % & / \\ , > < ' : ; | _ ~ `\n
\n
\n \n )\n}\n","import React from 'react';\nimport PropTypes from 'prop-types';\nimport { Modal, Button } from 'react-bootstrap';\n\n/**\n * Dynamic help page.\n */\nfunction SelectProfile({\n show,\n profiles = [],\n message = 'Please select the profile you want to use to sign into the adviser portal.',\n callback,\n ...props\n}) {\n\n /**\n * Gets a list of Buttons for the provided profiles, or a loader if the list\n * is empty.\n */\n function getSelectableProfiles() {\n const mainProfileItem = {uid: '', name: 'Main profile'};\n let sanitisedProfiles = profiles;\n if (\n !Array.isArray(sanitisedProfiles) ||\n sanitisedProfiles.length === 0\n ) {\n sanitisedProfiles = [mainProfileItem];\n }\n // Check that there is a main profile.\n let foundMainProfile = false;\n for (let i = 0; i < sanitisedProfiles.length; i++) {\n foundMainProfile = foundMainProfile || sanitisedProfiles[i].uid === ''\n }\n // if there is none, add it to the front.\n if (!foundMainProfile) {\n sanitisedProfiles = [mainProfileItem, ...sanitisedProfiles];\n }\n\n return (\n
\n { getSelectableProfiles() }\n \n \n )\n}\n\nSelectProfile.propTypes = {\n /**\n * Whether the modal should be visible or not.\n */\n show: PropTypes.bool,\n /**\n * Callback function that will be called with selected uid or null on cancel.\n */\n callback: PropTypes.func,\n}\n\nexport default SelectProfile;","import React, { useState } from 'react';\nimport PropTypes from 'prop-types';\nimport {Container, Row, Col, Nav, NavItem, NavLink, Button} from 'react-bootstrap';\nimport './TabbedContainer.scss'\nimport { useMatomo } from '@jonkoops/matomo-tracker-react'\n\n/**\n * A tabbed container that will show different children depending on the active\n * tab.\n */\nfunction TabbedContainer({\n defaultIndex = 0,\n showNextAndPreviousTop = false,\n topButtonVariant = \"secondary\",\n showNextAndPreviousBottom = false,\n bottomButtonVariant = \"secondary\",\n onBeforeTabChange,\n onAfterTabChange,\n titles = [],\n children = [],\n trackEvents = true,\n eventCategory = 'tabbedContainer',\n ...props\n}) {\n const [tabIndex, setTabIndex] = useState(defaultIndex);\n const [highestAllowedIndex, setHighestAllowedIndex] = useState(1);\n const { trackEvent } = useMatomo();\n\n function getNavItems() {\n return (\n titles.map(\n (title, i) => {\n return(\n \n highestAllowedIndex}\n \n >\n {title}\n \n \n )\n }\n ) \n )\n }\n\n function getActiveChild() {\n if (tabIndex > children.length) {\n return 0\n }\n else {\n return (\n children[tabIndex] \n )\n }\n }\n\n /**\n * Changes the index of the component whilst calling the callbacks if set.\n * If the onBeforeTabChange callback returns false, the tab change will be\n * prevented unless blockOnFalseReturn is set to False.\n * @param {int} to Index to change to.\n */\n function changeTabTo(to) {\n to = parseInt(to)\n const from = parseInt(tabIndex);\n \n let currentTabIsValid = true\n let preventTabChange = false\n // Run our validation callback if set.\n if(typeof(onBeforeTabChange) === 'function') {\n [currentTabIsValid, preventTabChange] = onBeforeTabChange(from, to);\n }\n\n // Track highest allowed index locally, as setState will update is async, and\n // we need it immediately in this function.\n let localHighestAllowedIndex = highestAllowedIndex;\n // Then update the highest allowed tab.\n // If the current tab is valid, and the highest allowed index is currently\n // this tab (or lower, it never should be), we can raise it by one.\n if(currentTabIsValid && highestAllowedIndex <= from) {\n localHighestAllowedIndex = from + 1;\n setHighestAllowedIndex(localHighestAllowedIndex);\n }\n // If this tab isn't valid, we set this tab to the highest allowed.\n else if(!currentTabIsValid) {\n localHighestAllowedIndex = from;\n setHighestAllowedIndex(localHighestAllowedIndex);\n }\n // Only prevent if the onBefore returned false.\n // Don't call onAfter if we didn't change tab.\n if(!preventTabChange && to <= localHighestAllowedIndex) {\n setTabIndex(to)\n if(trackEvents) {\n trackEvent({\n category: eventCategory,\n action: 'changeFormTabTo',\n name: titles[to],\n });\n }\n if(typeof(onAfterTabChange) === 'function') {\n onAfterTabChange(from, to);\n }\n }\n }\n\n function getNextAndPrevious(variant) {\n return (\n \n
\n {getActiveChild()}\n \n \n {\n showNextAndPreviousBottom ? getNextAndPrevious(bottomButtonVariant) : null\n }\n \n );\n}\n\n\nTabbedContainer.propTypes = {\n /**\n * Index the tabbed component should default as active. 0 indexed.\n */\n defaultIndex: PropTypes.number,\n /**\n * Array of the titles for the various tabs.\n */\n titles: PropTypes.arrayOf(PropTypes.string),\n /**\n * Array of children to be displayed in the corresponding tabs.\n * Must be same length as titles.\n */\n children: PropTypes.arrayOf(PropTypes.element),\n /**\n * Whether to show previous and next buttons at the top of the tab contents.\n */\n showNextAndPreviousTop: PropTypes.bool,\n /**\n * Bootstrap variant to use for the top buttons.\n */\n topButtonVariant: PropTypes.oneOf([\n \"primary\",\n \"secondary\",\n \"success\",\n \"warning\",\n \"danger\",\n \"info\",\n \"light\",\n \"dark\",\n \"link\",\n ]),\n /**\n * Whether to show previous and next buttons at the bottom of the tab contents.\n */\n showNextAndPreviousBottom: PropTypes.bool,\n /**\n * Bootstrap variant to use for the bottom buttons.\n */\n bottomButtonVariant: PropTypes.oneOf([\n \"primary\",\n \"secondary\",\n \"success\",\n \"warning\",\n \"danger\",\n \"info\",\n \"light\",\n \"dark\",\n \"link\",\n ]),\n /**\n * Callback function that will be called just before tab is changed.\n * Will be passed two arguments, index navigated from, and index navigated to.\n * Returns an array of two boolean values\n * [currentTabIsValid, preventTabChange]\n * currentTabIsValid will be used to track the highest valid tab, which only\n * allows the user to click forward through tabs they ahve already completed.\n * preventTabChange will block the tab change is set to false.\n */\n onBeforeTabChange: PropTypes.func,\n /**\n * Callback function that will be called just after tab is changed.\n * Function return will be ignored.\n * Will pass two arguments, index navigated from, and index navigated to.\n */\n onAfterTabChange: PropTypes.func,\n /**\n * Whether or not tab changes should send actions to matomo.\n */\n trackEvents: PropTypes.bool,\n /**\n * eventCategory to use when tracking tab changes in matomo.\n */\n eventCategory: PropTypes.string,\n};\n\nexport default TabbedContainer;","import React, { useState, useEffect } from 'react';\nimport {Card, Button} from 'react-bootstrap';\nimport { NavLink, useNavigate } from 'react-router-dom';\nimport { isAbsoluteURL } from '../libs/urllib';\n\n/**\n * Component that will redirect to a given page after a given time.\n * @param {string} target \n * Path to redirect to after timeout expires.\n * @param {string} friendlyName\n * How to display target to user in sentence \"You will be redirected to\n * {friendlyName} in {timeRemaining} seconds.\"\n * @param {number} timeout\n * Number of seconds to wait before redirecting.\n * @param {string} message\n * Message to display. Optional.\n * @param {function} callback\n * Callback to execute on redirect.\n */\nexport default function TimedRedirect({\n target = '/',\n friendlyName = 'the homepage',\n timeout = 3,\n className = '',\n message = null,\n callback = null,\n ...props\n}) {\n const [timeRemaining, setTimeRemaining] = useState(timeout);\n const navigate = useNavigate();\n\n /**\n * Set up our countdown.\n */\n useEffect(\n () => {\n // Start a timer.\n let timer = setInterval(\n () => {\n if(timeRemaining <= 0) {\n // Timeout reached.\n if (typeof callback === 'function') {\n callback();\n }\n // Check whether link is absolute, and redirect in the appropriate\n // manner.\n if(isAbsoluteURL(target)) {\n window.location = target;\n }\n else {\n navigate(target);\n }\n }\n else {\n setTimeRemaining(timeRemaining - 1);\n }\n },\n 1000\n );\n // Return a cleanup function.\n return () => {\n clearInterval(timer);\n }\n },\n );\n\n function getMessage() {\n if (message === null) {\n return null;\n }\n else {\n return (\n <>\n { message } \n >\n );\n }\n }\n\n function getClassName() {\n return \"redirectCard \" + className\n }\n\n return (\n
\n \n \n \n { getMessage() }\n You will be redirected to {friendlyName} in {timeRemaining} seconds.\n \n \n \n \n
\n );\n}","const settings = {\n local: {\n featureFlags: {\n showFirmRegistration: false,\n showConfigOverrides: true,\n disableSelfSignup: true,\n profiles: true,\n scheduleEnvironment: true,\n cats: true,\n submitClaim: true,\n },\n analytics: {\n url: 'https://matomolocal.cirencester-friendly.co.uk',\n siteId: 2\n },\n links: {\n firmRegistration: 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/Register',\n editAccountAdviser: 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/MyAccount/MyAccount?ActivityName=ADP_MyAccount',\n editAccountMember: '',\n // Page that allows user to select their type before logging in.\n loginUserType: 'https://localhost:3000/login',\n //loginUserType: 'https://staging.cirencester-friendly.com/login/'\n menuHome: 'https://staging.cirencester-friendly.com',\n menuAboutUs: 'https://staging.cirencester-friendly.com/about-us/',\n governance: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/',\n accounts: 'https://staging.cirencester-friendly.com/documents/annual-reports-and-accounts/latest/',\n legal: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/legal/',\n cookies: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/cookie-notice',\n privacy: 'https://staging.cirencester-friendly.com/documents/Privacy_Notice.pdf',\n accessibility: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/accessibility',\n complaints: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/complaints-procedure',\n slavery: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/modern-slavery-statement/',\n menuAdviser: 'https://staging.cirencester-friendly.com/adviser/',\n menuMember: 'https://staging.cirencester-friendly.com/member/',\n // Others\n instagram: 'https://www.instagram.com/ciren_friendly/',\n facebook: 'https://www.facebook.com/CirencesterFriendly/',\n twitter: 'https://twitter.com/Ciren_friendly/',\n },\n cognito: {\n REGION: \"eu-west-2\",\n USER_POOL_ID: \"eu-west-2_87ztWeh5V\",\n APP_CLIENT_ID: \"26vlqv7d6u35jqtmppf3fffi0a\",\n allowDelete: true,\n allowAdminDelete: true,\n allowRegister: true,\n },\n federatedFirms: [\n {\n regex: \"^.+@sj[p]{1,2}\\\\.co\\\\.uk$\",\n name: \"St. James' Place\",\n provider: \"SJP\",\n },\n {\n regex: \"^.+@cfsdelta\\\\.onmicrosoft\\\\.com$\",\n name: \"CFS Delta\",\n provider: \"Cirencester-Friendly-Delta\",\n },\n {\n regex: \"^.+@your-domain\\\\.co\\\\.uk$\",\n name: \"Your organisation\",\n provider: \"Cirencester-Friendly-Delta\",\n }\n ],\n captcha: {\n enabled: true,\n siteKey: \"6LcoEvIcAAAAACrarxZfNRb1yYkvMAKWgWEqrZTD\"\n },\n oauth: {\n domain: 'cfs-signin-uat.auth.eu-west-2.amazoncognito.com',\n scope: ['phone', 'email', 'profile', 'openid'],\n redirectSignIn: 'https://localhost:3000/login',\n redirectSignOut: 'https://localhost:3000/login',\n responseType: 'code', // or 'token', note that REFRESH token will only be generated when the responseType is code\n redirect_whitelist: [\n // sys\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal/',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal/Quote/SecureApply',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_CustomerPortal',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_CustomerPortal/',\n\n // UAT\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal/',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_CustomerPortal',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_CustomerPortal//',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal/Quote/SecureApply',\n\n // PP\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal/',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n \n // quotesIN2\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal/',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n\n // SSG-IN2\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal/',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_CustomerPortal',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_CustomerPortal/',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal/Quote/SecureApply',\n\n // IPL 1501/5\n 'https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_AdviserPortal/security/logon',\n 'https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_CustomerPortal/security/logon',\n 'https://origotesting.tcplifesystems.com/tst_env_1505_copSSG_AdviserPortal/Quote/Apply/',\n 'https://origotesting.tcplifesystems.com/tst_env_1505_copSSG_AdviserPortal/Quote/SecureApply',\n ],\n // Groups for federated users.\n federatedGroups: [\n \"eu-west-2_87ztWeh5V_Cirencester-Friendly\"\n ]\n },\n api: {\n address: 'http://localhost:8888/api',\n },\n ssgAdviserItems: [\n {\n title: \"SSG iPipeline 1501\",\n link: \"https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 01\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 02\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 03\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 04\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 11\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 12\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 01\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 02\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 03\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 04\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 11\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 01\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 02\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 03\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 04\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 11\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal\"\n },\n ],\n ssgMemberItems: [\n {\n title: \"SSG iPipeline 1501\",\n link: \"https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 01\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 02\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_02_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 03\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_03_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 04\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_04_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 11\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_11_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 12\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_12_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 01\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 02\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 03\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 04\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 11\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 01\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 02\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 03\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 04\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 11\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_11_copSSG_CustomerPortal\"\n },\n ],\n },\n // DEV #######################################################################\n dev: {\n featureFlags: {\n showFirmRegistration: false,\n showConfigOverrides: true,\n disableSelfSignup: true,\n profiles: true,\n scheduleEnvironment: true,\n cats: false,\n submitClaim: true,\n },\n analytics: {\n url: 'https://matomouat.cirencester-friendly.co.uk',\n siteId: 2\n },\n links: {\n firmRegistration: 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/Register',\n editAccountAdviser: 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/MyAccount/MyAccount?ActivityName=ADP_MyAccount',\n editAccountMember: '',\n // Page that allows user to select their type before logging in.\n loginUserType: '/login',\n menuHome: 'https://staging.cirencester-friendly.com',\n menuAboutUs: 'https://staging.cirencester-friendly.com/about-us/',\n governance: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/',\n accounts: 'https://staging.cirencester-friendly.com/documents/annual-reports-and-accounts/latest/',\n legal: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/legal/',\n cookies: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/cookie-notice',\n privacy: 'https://staging.cirencester-friendly.com/documents/Privacy_Notice.pdf',\n accessibility: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/accessibility',\n complaints: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/complaints-procedure',\n slavery: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/modern-slavery-statement/',\n menuAdviser: 'https://staging.cirencester-friendly.com/adviser/',\n menuMember: 'https://staging.cirencester-friendly.com/member/',\n // Others\n instagram: 'https://www.instagram.com/ciren_friendly/',\n facebook: 'https://www.facebook.com/CirencesterFriendly/',\n twitter: 'https://twitter.com/Ciren_friendly/',\n },\n cognito: {\n REGION: \"eu-west-2\",\n USER_POOL_ID: \"eu-west-2_87ztWeh5V\",\n APP_CLIENT_ID: \"26vlqv7d6u35jqtmppf3fffi0a\",\n allowDelete: true,\n allowAdminDelete: true,\n allowRegister: true,\n },\n federatedFirms: [\n {\n regex: \"^.+@sj[p]{1,2}\\\\.co\\\\.uk$\",\n name: \"St. James' Place\",\n provider: \"SJP\",\n },\n {\n regex: \"^.+@cfsdelta\\\\.onmicrosoft\\\\.com$\",\n name: \"CFS Delta\",\n provider: \"Cirencester-Friendly-Delta\",\n }\n ],\n captcha: {\n enabled: true,\n siteKey: \"6LeIxAcTAAAAAJcZVRqyHh71UMIEGNQ_MXjiZKhI\"\n },\n oauth: {\n domain: 'cfs-signin-uat.auth.eu-west-2.amazoncognito.com',\n scope: ['phone', 'email', 'profile', 'openid'],\n redirectSignIn: 'https://gatewaydev.cirencester-friendly.com/login',\n redirectSignOut: 'https://gatewaydev.cirencester-friendly.com/login',\n responseType: 'code', // or 'token', note that REFRESH token will only be generated when the responseType is code\n redirect_whitelist: [\n // sys\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal/',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal/Quote/SecureApply',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_CustomerPortal',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_CustomerPortal/',\n\n // UAT\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal/',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_CustomerPortal',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_CustomerPortal//',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal/Quote/SecureApply',\n\n // PP\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal/',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n \n // quotesIN2\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal/',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n\n // SSG-IN2\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal/',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_CustomerPortal',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_CustomerPortal/',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal/Quote/SecureApply',\n\n // IPL 1501/5\n 'https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_AdviserPortal/security/logon',\n 'https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_CustomerPortal/security/logon',\n 'https://origotesting.tcplifesystems.com/tst_env_1505_copSSG_AdviserPortal/Quote/Apply/',\n 'https://origotesting.tcplifesystems.com/tst_env_1505_copSSG_AdviserPortal/Quote/SecureApply',\n ],\n // Groups for federated users.\n federatedGroups: [\n \"eu-west-2_87ztWeh5V_Cirencester-Friendly\"\n ]\n },\n api: {\n address: 'https://cesbuat.cirencester-friendly.co.uk/api'\n },\n ssgAdviserItems: [\n {\n title: \"SSG iPipeline 1501\",\n link: \"https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 01\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 02\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 03\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 04\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 11\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 12\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 01\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 02\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 03\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 04\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 11\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 01\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 02\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 03\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 04\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 11\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal\"\n },\n ],\n ssgMemberItems: [\n {\n title: \"SSG iPipeline 1501\",\n link: \"https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 01\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 02\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_02_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 03\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_03_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 04\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_04_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 11\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_11_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 12\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_12_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 01\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 02\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 03\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 04\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 11\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 01\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 02\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 03\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 04\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 11\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_11_copSSG_CustomerPortal\"\n },\n ],\n },\n // UAT #######################################################################\n uat: {\n featureFlags: {\n showFirmRegistration: true,\n showConfigOverrides: true,\n disableSelfSignup: true,\n profiles: true,\n scheduleEnvironment: true,\n cats: false,\n submitClaim: true,\n },\n analytics: {\n url: 'https://matomouat.cirencester-friendly.co.uk',\n siteId: 2\n },\n links: {\n firmRegistration: 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/Register',\n editAccountAdviser: 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/MyAccount/MyAccount?ActivityName=ADP_MyAccount',\n editAccountMember: '',\n // Page that allows user to select their type before logging in.\n //loginUserType: '/login',\n loginUserType: 'https://staging.cirencester-friendly.com/login/',\n menuHome: 'https://staging.cirencester-friendly.com',\n menuAboutUs: 'https://staging.cirencester-friendly.com/about-us/',\n governance: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/',\n accounts: 'https://staging.cirencester-friendly.com/documents/annual-reports-and-accounts/latest/',\n legal: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/legal/',\n cookies: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/cookie-notice',\n privacy: 'https://staging.cirencester-friendly.com/documents/Privacy_Notice.pdf',\n accessibility: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/accessibility',\n complaints: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/complaints-procedure',\n slavery: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/modern-slavery-statement/',\n menuAdviser: 'https://staging.cirencester-friendly.com/adviser/',\n menuMember: 'https://staging.cirencester-friendly.com/member/',\n // Others\n instagram: 'https://www.instagram.com/ciren_friendly/',\n facebook: 'https://www.facebook.com/CirencesterFriendly/',\n twitter: 'https://twitter.com/Ciren_friendly/',\n \n },\n cognito: {\n REGION: \"eu-west-2\",\n USER_POOL_ID: \"eu-west-2_87ztWeh5V\",\n APP_CLIENT_ID: \"26vlqv7d6u35jqtmppf3fffi0a\",\n allowDelete: true,\n allowAdminDelete: true,\n allowRegister: true,\n },\n federatedFirms: [\n {\n regex: \"^.+@cfsdelta\\\\.onmicrosoft\\\\.com$\",\n name: \"CFS Delta\",\n provider: \"Cirencester-Friendly-Delta\",\n }\n ],\n captcha: {\n enabled: true,\n siteKey: \"6LeIxAcTAAAAAJcZVRqyHh71UMIEGNQ_MXjiZKhI\"\n },\n oauth: {\n domain: 'cfs-signin-uat.auth.eu-west-2.amazoncognito.com',\n scope: ['phone', 'email', 'profile', 'openid'],\n redirectSignIn: 'https://gatewayuat.cirencester-friendly.com/login',\n redirectSignOut: 'https://gatewayuat.cirencester-friendly.com/login',\n responseType: 'code', // or 'token', note that REFRESH token will only be generated when the responseType is code\n redirect_whitelist: [\n // sys\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal/',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal/Quote/SecureApply',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_CustomerPortal',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_CustomerPortal/',\n\n // UAT\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal/',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_CustomerPortal',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_CustomerPortal//',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal/Quote/SecureApply',\n\n // PP\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal/',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n \n // quotesIN2\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal/',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n\n // SSG-IN2\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal/',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_CustomerPortal',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_CustomerPortal/',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal/Quote/SecureApply',\n\n // IPL 1501/5\n 'https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_AdviserPortal/security/logon',\n 'https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_CustomerPortal/security/logon',\n 'https://origotesting.tcplifesystems.com/tst_env_1505_copSSG_AdviserPortal/Quote/Apply/',\n 'https://origotesting.tcplifesystems.com/tst_env_1505_copSSG_AdviserPortal/Quote/SecureApply',\n ],\n // Groups for federated users.\n federatedGroups: [\n \"eu-west-2_87ztWeh5V_Cirencester-Friendly\"\n ]\n },\n api: {\n address: 'https://cesbuat.cirencester-friendly.co.uk/api'\n },\n ssgAdviserItems: [\n {\n title: \"SSG iPipeline 1501\",\n link: \"https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 01\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 02\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 03\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 04\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 11\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 12\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 01\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 02\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 03\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 04\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 11\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 01\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 02\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 03\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 04\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 11\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal\"\n },\n ],\n ssgMemberItems: [\n {\n title: \"SSG iPipeline 1501\",\n link: \"https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 01\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 02\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_02_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 03\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_03_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 04\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_04_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 11\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_11_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 12\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_12_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 01\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 02\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 03\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 04\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 11\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 01\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 02\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 03\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 04\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 11\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_11_copSSG_CustomerPortal\"\n },\n ],\n },\n // INT #######################################################################\n int: {\n featureFlags: {\n showFirmRegistration: true,\n showConfigOverrides: true,\n disableSelfSignup: true,\n profiles: true,\n scheduleEnvironment: true,\n cats: false,\n submitClaim: true,\n },\n analytics: {\n url: 'https://matomouat.cirencester-friendly.co.uk',\n siteId: 2\n },\n links: {\n firmRegistration: 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal/Register',\n editAccountAdviser: 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal/MyAccount/MyAccount?ActivityName=ADP_MyAccount',\n editAccountMember: '',\n // Page that allows user to select their type before logging in.\n //loginUserType: '/login',\n loginUserType: '/login',\n menuHome: 'https://staging.cirencester-friendly.com',\n menuAboutUs: 'https://staging.cirencester-friendly.com/about-us/',\n governance: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/',\n accounts: 'https://staging.cirencester-friendly.com/documents/annual-reports-and-accounts/latest/',\n legal: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/legal/',\n cookies: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/cookie-notice',\n privacy: 'https://staging.cirencester-friendly.com/documents/Privacy_Notice.pdf',\n accessibility: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/accessibility',\n complaints: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/complaints-procedure',\n slavery: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/modern-slavery-statement/',\n menuAdviser: 'https://staging.cirencester-friendly.com/adviser/',\n menuMember: 'https://staging.cirencester-friendly.com/member/',\n // Others\n instagram: 'https://www.instagram.com/ciren_friendly/',\n facebook: 'https://www.facebook.com/CirencesterFriendly/',\n twitter: 'https://twitter.com/Ciren_friendly/',\n \n },\n cognito: {\n REGION: \"eu-west-2\",\n USER_POOL_ID: \"eu-west-2_TVWlVxlcw\",\n APP_CLIENT_ID: \"5ab943m20ev9amvog6mku3ha7v\",\n allowDelete: true,\n allowAdminDelete: true,\n allowRegister: true,\n },\n federatedFirms: [\n {\n regex: \"^.+@cfsdelta\\\\.onmicrosoft\\\\.com$\",\n name: \"CFS Delta\",\n provider: \"Cirencester-Friendly-Delta\",\n }\n ],\n captcha: {\n enabled: true,\n siteKey: \"6LeIxAcTAAAAAJcZVRqyHh71UMIEGNQ_MXjiZKhI\"\n },\n oauth: {\n domain: 'cfs-signin-int.auth.eu-west-2.amazoncognito.com',\n scope: ['phone', 'email', 'profile', 'openid'],\n redirectSignIn: 'https://gatewayint.cirencester-friendly.com/login',\n redirectSignOut: 'https://gatewayint.cirencester-friendly.com/login',\n responseType: 'code', // or 'token', note that REFRESH token will only be generated when the responseType is code\n redirect_whitelist: [\n // sys\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal/',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal/Quote/SecureApply',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_CustomerPortal',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_CustomerPortal/',\n\n // UAT\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal/',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_CustomerPortal',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_CustomerPortal//',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal/Quote/SecureApply',\n\n // PP\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal/',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n \n // quotesIN2\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal/',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n\n // SSG-IN2\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal/',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_CustomerPortal',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_CustomerPortal/',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal/Quote/SecureApply',\n\n // IPL 1501/5\n 'https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_AdviserPortal/security/logon',\n 'https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_CustomerPortal/security/logon',\n 'https://origotesting.tcplifesystems.com/tst_env_1505_copSSG_AdviserPortal/Quote/Apply/',\n 'https://origotesting.tcplifesystems.com/tst_env_1505_copSSG_AdviserPortal/Quote/SecureApply',\n ],\n // Groups for federated users.\n federatedGroups: [\n \"eu-west-2_TVWlVxlcw_Cirencester-Friendly\"\n ]\n },\n api: {\n address: 'https://integralint.cirencester-friendly.co.uk/api'\n },\n ssgAdviserItems: [\n {\n title: \"SSG iPipeline 1501\",\n link: \"https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 01\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 02\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 03\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 04\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 11\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 12\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 01\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 02\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 03\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 04\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 11\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 01\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 02\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 03\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 04\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 11\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal\"\n },\n ],\n ssgMemberItems: [\n {\n title: \"SSG iPipeline 1501\",\n link: \"https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 01\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 02\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_02_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 03\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_03_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 04\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_04_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 11\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_11_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 12\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_12_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 01\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 02\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 03\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 04\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 11\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 01\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 02\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 03\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 04\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 11\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_11_copSSG_CustomerPortal\"\n },\n ],\n },\n // IN2 #######################################################################\n in2: {\n featureFlags: {\n showFirmRegistration: false,\n showConfigOverrides: true,\n disableSelfSignup: false,\n profiles: true,\n scheduleEnvironment: true,\n cats: false,\n submitClaim: true,\n },\n analytics: {\n url: 'https://matomouat.cirencester-friendly.co.uk',\n siteId: 2\n },\n links: {\n firmRegistration: 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/Register',\n editAccountAdviser: 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/MyAccount/MyAccount?ActivityName=ADP_MyAccount',\n editAccountMember: '',\n // Page that allows user to select their type before logging in.\n //loginUserType: '/login',\n loginUserType: '/login',\n menuHome: 'https://staging.cirencester-friendly.com',\n menuAboutUs: 'https://staging.cirencester-friendly.com/about-us/',\n governance: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/',\n accounts: 'https://staging.cirencester-friendly.com/documents/annual-reports-and-accounts/latest/',\n legal: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/legal/',\n cookies: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/cookie-notice',\n privacy: 'https://staging.cirencester-friendly.com/documents/Privacy_Notice.pdf',\n accessibility: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/accessibility',\n complaints: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/complaints-procedure',\n slavery: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/modern-slavery-statement/',\n menuAdviser: 'https://staging.cirencester-friendly.com/adviser/',\n menuMember: 'https://staging.cirencester-friendly.com/member/',\n // Others\n instagram: 'https://www.instagram.com/ciren_friendly/',\n facebook: 'https://www.facebook.com/CirencesterFriendly/',\n twitter: 'https://twitter.com/Ciren_friendly/',\n \n },\n cognito: {\n REGION: \"eu-west-2\",\n USER_POOL_ID: \"eu-west-2_VlFHzSsHF\",\n APP_CLIENT_ID: \"3t5ifjeunapejl4eogo3c51u39\",\n allowDelete: true,\n allowAdminDelete: true,\n allowRegister: true,\n },\n federatedFirms: [\n {\n regex: \"^.+@cfsdelta\\\\.onmicrosoft\\\\.com$\",\n name: \"CFS Delta\",\n provider: \"Cirencester-Friendly-Delta\",\n }\n ],\n captcha: {\n enabled: true,\n siteKey: \"6LeIxAcTAAAAAJcZVRqyHh71UMIEGNQ_MXjiZKhI\"\n },\n oauth: {\n domain: 'cfs-signin-in2.auth.eu-west-2.amazoncognito.com',\n scope: ['phone', 'email', 'profile', 'openid'],\n redirectSignIn: 'https://gatewayin2.cirencester-friendly.com/login',\n redirectSignOut: 'https://gatewayin2.cirencester-friendly.com/login',\n responseType: 'code', // or 'token', note that REFRESH token will only be generated when the responseType is code\n redirect_whitelist: [\n // sys\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal/',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal/Quote/SecureApply',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_CustomerPortal',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_CustomerPortal',\n\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_CustomerPortal/',\n 'https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_CustomerPortal/',\n\n // UAT\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal/',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal/',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_CustomerPortal',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_CustomerPortal',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_CustomerPortal//',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_CustomerPortal//',\n\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-uat-web.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal/Quote/SecureApply',\n\n // PP\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal/',\n 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n \n // quotesIN2\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal/',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal/',\n\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n\n // SSG-IN2\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal/',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_CustomerPortal',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal/',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_CustomerPortal/',\n\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://ssg-in2-web.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal/Quote/SecureApply',\n\n // IPL 1501/5\n 'https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_AdviserPortal/security/logon',\n 'https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_CustomerPortal/security/logon',\n 'https://origotesting.tcplifesystems.com/tst_env_1505_copSSG_AdviserPortal/Quote/Apply/',\n 'https://origotesting.tcplifesystems.com/tst_env_1505_copSSG_AdviserPortal/Quote/SecureApply',\n ],\n // Groups for federated users.\n federatedGroups: [\n \"eu-west-2_VlFHzSsHF_Cirencester-Friendly\"\n ]\n },\n api: {\n address: 'https://integralin2.cirencester-friendly.co.uk/api'\n },\n ssgAdviserItems: [\n {\n title: \"SSG iPipeline 1501\",\n link: \"https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 01\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 02\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_02_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 03\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_03_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 04\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_04_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 11\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_11_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG UAT 12\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_12_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 01\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 02\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 03\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 04\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG SYS 11\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 01\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 02\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 03\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 04\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_AdviserPortal\"\n },\n {\n title: \"SSG IN2 11\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_11_copSSG_AdviserPortal\"\n },\n ],\n ssgMemberItems: [\n {\n title: \"SSG iPipeline 1501\",\n link: \"https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 01\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 02\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_02_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 03\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_03_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 04\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_04_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 11\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_11_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG UAT 12\",\n link: \"https://ssg-uat-web-ext.cirencester-friendly.co.uk/uat_env_12_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 01\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 02\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_02_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 03\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_03_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 04\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_04_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG SYS 11\",\n link: \"https://cfs-aws-srv-003.cirencester-friendly.co.uk/sys_env_11_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 01\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 02\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_02_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 03\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_03_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 04\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_04_copSSG_CustomerPortal\"\n },\n {\n title: \"SSG IN2 11\",\n link: \"https://quotesin2.cirencester-friendly.co.uk/in2_env_11_copSSG_CustomerPortal\"\n },\n ],\n },\n // PP #######################################################################\n preprod: {\n featureFlags: {\n showFirmRegistration: false,\n showConfigOverrides: true,\n disableSelfSignup: true,\n profiles: true,\n scheduleEnvironment: true,\n cats: false,\n submitClaim: true,\n },\n analytics: {\n url: 'https://matomopp.cirencester-friendly.co.uk',\n siteId: 2\n },\n links: {\n firmRegistration: 'https://ssg-pp-web-ext.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/Register',\n editAccountAdviser: 'https://ssg-pp-web.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/MyAccount/MyAccount?ActivityName=ADP_MyAccount',\n editAccountMember: '',\n // Page that allows user to select their type before logging in.\n loginUserType: '/login',\n menuHome: 'https://staging.cirencester-friendly.com',\n menuAboutUs: 'https://staging.cirencester-friendly.com/about-us/',\n governance: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/',\n accounts: 'https://staging.cirencester-friendly.com/documents/annual-reports-and-accounts/latest/',\n legal: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/legal/',\n cookies: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/cookie-notice',\n privacy: 'https://staging.cirencester-friendly.com/documents/Privacy_Notice.pdf',\n accessibility: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/accessibility',\n complaints: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/complaints-procedure',\n slavery: 'https://staging.cirencester-friendly.com/about-us/corporate-governance/documents/modern-slavery-statement/',\n menuAdviser: 'https://staging.cirencester-friendly.com/adviser/',\n menuMember: 'https://staging.cirencester-friendly.com/member/',\n // Others\n instagram: 'https://www.instagram.com/ciren_friendly/',\n facebook: 'https://www.facebook.com/CirencesterFriendly/',\n twitter: 'https://twitter.com/Ciren_friendly/',\n },\n cognito: {\n REGION: \"eu-west-2\",\n USER_POOL_ID: \"eu-west-2_n9iUPOCAK\",\n APP_CLIENT_ID: \"3bdejo66br2ao84qvkb2rk9qf2\",\n allowDelete: false,\n allowAdminDelete: false,\n allowRegister: true,\n },\n federatedFirms: [\n {\n regex: \"^.+@cfsdelta\\\\.onmicrosoft\\\\.com$\",\n name: \"CFS Delta\",\n provider: \"Cirencester-Friendly-Delta\",\n }\n ],\n captcha: {\n enabled: true,\n siteKey: \"6LeIxAcTAAAAAJcZVRqyHh71UMIEGNQ_MXjiZKhI\"\n },\n oauth: {\n domain: 'cfs-signin-pp.auth.eu-west-2.amazoncognito.com',\n scope: ['phone', 'email', 'profile', 'openid'],\n redirectSignIn: 'https://gatewaypp.cirencester-friendly.co.uk/login',\n redirectSignOut: 'https://gatewaypp.cirencester-friendly.co.uk/login',\n responseType: 'code', // or 'token', note that REFRESH token will only be generated when the responseType is code\n redirect_whitelist: [\n // PP\n 'https://ssg-pp-web-ext.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal',\n 'https://ssg-pp-web-ext.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/',\n 'https://ssg-pp-web-ext.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal',\n 'https://ssg-pp-web-ext.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal/',\n 'https://ssg-pp-web-ext.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://portalpp.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal',\n 'https://portalpp.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/',\n 'https://portalpp.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal',\n 'https://portalpp.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal/',\n 'https://portalpp.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n // IPL 1501/5\n 'https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_AdviserPortal/security/logon',\n 'https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_CustomerPortal/security/logon',\n // DR\n 'https://CFS-AWS-SRV-059.cirencester-friendly.co.uk/prd_env_01_copSSG_AdviserPortal',\n 'https://CFS-AWS-SRV-059.cirencester-friendly.co.uk/prd_env_01_copSSG_AdviserPortal/',\n 'https://CFS-AWS-SRV-059.cirencester-friendly.co.uk/prd_env_01_copSSG_CustomerPortal',\n 'https://CFS-AWS-SRV-059.cirencester-friendly.co.uk/prd_env_01_copSSG_CustomerPortal/',\n 'https://CFS-AWS-SRV-059.cirencester-friendly.co.uk/prd_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n ],\n // Groups for federated users.\n federatedGroups: [\n \"eu-west-2_n9iUPOCAK_Cirencester-Friendly\"\n ]\n },\n api: {\n address: 'https://integralpp.cirencester-friendly.co.uk/api'\n },\n ssgAdviserItems: [\n {\n title: \"SSG iPipeline 1501\",\n link: \"https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_AdviserPortal\"\n },\n {\n title: \"Adviser portal (ssg-pp-web-ext)\",\n link: \"https://ssg-pp-web-ext.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"Adviser portal (portalpp)\",\n link: \"https://portalpp.cirencester-friendly.co.uk/pp_env_01_copSSG_AdviserPortal\"\n },\n {\n title: \"Adviser portal (DR)\",\n link: \"https://CFS-AWS-SRV-059.cirencester-friendly.co.uk/prd_env_01_copSSG_AdviserPortal\"\n },\n ],\n ssgMemberItems: [\n {\n title: \"SSG iPipeline 1501\",\n link: \"https://cfs-tst01-web-a.tcp.local/tst_env_1501_copSSG_CustomerPortal\"\n },\n {\n title: \"Member portal (ssg-pp-web-ext)\",\n link: \"https://ssg-pp-web-ext.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"Member portal (portalpp)\",\n link: \"https://portalpp.cirencester-friendly.co.uk/pp_env_01_copSSG_CustomerPortal\"\n },\n {\n title: \"Member portal (portalpp)\",\n link: \"https://CFS-AWS-SRV-059.cirencester-friendly.co.uk/prd_env_01_copSSG_CustomerPortal\"\n },\n ],\n },\n // PROD #######################################################################\n production: {\n featureFlags: {\n showFirmRegistration: false,\n showConfigOverrides: false,\n disableSelfSignup: true,\n profiles: true,\n scheduleEnvironment: false,\n cats: false,\n submitClaim: true,\n },\n analytics: {\n url: 'https://matomo.cirencester-friendly.co.uk',\n siteId: 1\n },\n links: {\n firmRegistration: 'https://portal.cirencester-friendly.co.uk/prd_env_01_copSSG_AdviserPortal/Register',\n editAccountAdviser: 'https://portal.cirencester-friendly.co.uk/prd_env_01_copSSG_AdviserPortal/MyAccount/MyAccount?ActivityName=ADP_MyAccount',\n editAccountMember: '',\n // Page that allows user to select their type before logging in.\n loginUserType: 'https://cirencester-friendly.co.uk/login/',\n menuHome: 'https://cirencester-friendly.co.uk',\n menuAboutUs: 'https://cirencester-friendly.co.uk/about-us/',\n governance: 'https://cirencester-friendly.co.uk/about-us/corporate-governance/',\n accounts: 'https://cirencester-friendly.co.uk/documents/annual-reports-and-accounts/latest/',\n legal: 'https://cirencester-friendly.co.uk/about-us/corporate-governance/legal/',\n cookies: 'https://cirencester-friendly.co.uk/about-us/corporate-governance/documents/cookie-notice',\n privacy: 'https://cirencester-friendly.co.uk/documents/Privacy_Notice.pdf',\n accessibility: 'https://cirencester-friendly.co.uk/about-us/corporate-governance/documents/accessibility',\n complaints: 'https://cirencester-friendly.co.uk/about-us/corporate-governance/documents/complaints-procedure',\n slavery: 'https://cirencester-friendly.co.uk/about-us/corporate-governance/documents/modern-slavery-statement/',\n menuAdviser: 'https://cirencester-friendly.co.uk/adviser/',\n menuMember: 'https://cirencester-friendly.co.uk/member/',\n // Others\n instagram: 'https://www.instagram.com/ciren_friendly/',\n facebook: 'https://www.facebook.com/CirencesterFriendly/',\n twitter: 'https://twitter.com/Ciren_friendly/',\n },\n cognito: {\n REGION: \"eu-west-2\",\n USER_POOL_ID: \"eu-west-2_8xS7TBjVK\",\n APP_CLIENT_ID: \"6gd8hl5cl0jv1bgi8vrjomvc5s\",\n allowDelete: false,\n allowAdminDelete: false,\n allowRegister: true,\n },\n federatedFirms: [\n {\n regex: \"^.+@cfsdelta\\\\.onmicrosoft\\\\.com$\",\n name: \"CFS Delta\",\n provider: \"Cirencester-Friendly-Delta\",\n }\n ],\n captcha: {\n enabled: true,\n siteKey: \"6LdkEDsdAAAAANNKBcPSPoRCFouIyOY6ZrqN-ajl\"\n },\n oauth: {\n domain: 'cfs-signin.auth.eu-west-2.amazoncognito.com',\n scope: ['phone', 'email', 'profile', 'openid'],\n redirectSignIn: 'https://gateway.cirencester-friendly.co.uk/login',\n redirectSignOut: 'https://gateway.cirencester-friendly.co.uk/login',\n responseType: 'code', // or 'token', note that REFRESH token will only be generated when the responseType is code\n redirect_whitelist: [\n 'https://portal.cirencester-friendly.co.uk/prd_env_01_copSSG_AdviserPortal',\n 'https://portal.cirencester-friendly.co.uk/prd_env_01_copSSG_AdviserPortal/',\n 'https://portal.cirencester-friendly.co.uk/prd_env_01_copSSG_AdviserPortal/Quote/SecureApply',\n 'https://portal.cirencester-friendly.co.uk/prd_env_01_copSSG_AdviserPortal/Quote/SecureApply/',\n 'https://portal.cirencester-friendly.co.uk/prd_env_01_copSSG_CustomerPortal',\n 'https://portal.cirencester-friendly.co.uk/prd_env_01_copSSG_CustomerPortal/',\n ],// Groups for federated users.\n federatedGroups: [\n \"eu-west-2_8xS7TBjVK_Cirencester-Friendly\"\n ]\n },\n api: {\n address: 'https://integral.cirencester-friendly.co.uk/api',\n },\n ssgMemberItems: [\n {\n title: \"Member portal\",\n link: \"https://portal.cirencester-friendly.co.uk/prd_env_01_copSSG_CustomerPortal\"\n },\n ],\n ssgAdviserItems: [\n {\n title: \"Adviser portal\",\n link: \"https://portal.cirencester-friendly.co.uk/prd_env_01_copSSG_AdviserPortal\"\n },\n ]\n }\n}\n\nconst config = {\n // Common settings here.\n // Default to local for tests etc.\n ...settings[\n (\n process.env.REACT_APP_STAGE === 'dev' ||\n process.env.REACT_APP_STAGE === 'int' ||\n process.env.REACT_APP_STAGE === 'in2' ||\n process.env.REACT_APP_STAGE === 'uat' ||\n process.env.REACT_APP_STAGE === 'preprod' ||\n process.env.REACT_APP_STAGE === 'production'\n )\n ?\n process.env.REACT_APP_STAGE :\n 'local'\n ]\n //process.env.STORYBOOK ? 'local' : process.env.REACT_APP_STAGE]\n}\n\nexport default config;\n","import { useContext, createContext } from 'react';\n\nexport const AppContext = createContext(null);\n\nexport function useAppContext() {\n return useContext(AppContext);\n}","import React from 'react';\n\n/**\n * Class representing an error that is to be displayed to the user.\n */\nexport class UiError {\n /**\n * Creates a UiError.\n * @param {string} key \n * Key of the error. Used to edit error in active errors.\n * @param {string} message \n * Message to display.\n * @param {*} severity \n * Severity of the error. One of:\n * - danger\n * - warning\n * - info\n * - resolved\n * Corresponds with bootstrap class of alert.\n * Resolved will clear the error.\n */\n constructor(\n key,\n message,\n severity = 'danger'\n ) {\n this.key = key;\n // This may accidentally be an Error...\n if(message instanceof Error) {\n this.message = message.message;\n }\n else if(typeof message === 'object' && message.hasOwnProperty('message')) {\n message = message.message;\n }\n // Allow react elements as error messages to allow for more complex\n // displays.\n else if (React.isValidElement(message)) {\n this.message = message\n }\n else if(typeof message !== 'string') {\n try {\n this.message = message.toString();\n }\n catch(error) {\n this.message = 'Unknown error.'\n }\n console.error(['Received invalid message in UiError:construct', message]);\n }\n else {\n this.message = message;\n }\n this.severity = severity;\n\n // Check type.\n if(\n !\n [\n 'primary',\n 'secondary',\n 'success',\n 'danger',\n 'warning',\n 'info',\n 'light',\n 'dark',\n 'resolved',\n 'persist',\n ].includes(this.severity) \n ) {\n this.severity = 'danger';\n }\n }\n}\n\n/**\n * Updates the passed errors array.\n * Updates it if the key already exists.\n * Removes it if the key already exists and the severity is 'resolved'\n *\n * @param {UiError} uiError\n * UiError object to process.\n * @param {[UiError]} errors\n * Array of active error to add error to.\n *\n * @returns {[UiError]} errors\n * Updated array of active errors.\n */\nexport function updateErrorsArray(uiError, errors) {\n // Find it in the array.\n for (let i = 0; i < errors.length; i++) {\n if(errors[i].key === uiError.key) {\n // Found the key.\n if(uiError.severity === 'resolved') {\n // remove it.\n errors.splice(i, 1);\n return errors;\n }\n // Or update it.\n errors[i] = uiError;\n return errors;\n }\n }\n // We didn't find the key. Add the error unless it's resolved.\n if(uiError.severity !== 'resolved') {\n errors.push(uiError);\n }\n return errors;\n}\n\n/**\n * Clears all errors that are not of type 'danger'\n *\n * @param {[uiError]} errors\n * Array of active errors to clear.\n *\n * @returns {[UiError]} errors\n * Updated array of active errors.\n */\nexport function clearNonPersistErrors(errors) {\n // Find it in the array.\n for (let i = 0; i < errors.length; i++) {\n if(errors[i].severity !== 'persist') {\n // remove it.\n errors.splice(i, 1);\n }\n }\n return errors;\n}\n","import { useState, useEffect } from 'react';\n\n/**\n * @callback useFormFieldsCallback\n * @param fieldId\n * Id of the field being set.\n * @param fieldValue\n * Value of field being set.\n */\n/**\n * Returns a custom setter for form fields.\n *\n * If all fields should be set in one go pass an object with all data as\n * the fields param i.e. {fields: {}}\n *\n * To set multiple fields in one go call it with the partialFields param:\n * {patialFields: {}}\n *\n * @param {array} initialState\n * Initial state.\n * @param {useFormFieldsCallback} callback\n * Callback function to run after setting fields.\n */\nexport function useFormFields(initialState, callback = null) {\n const [fields, setValues] = useState(initialState);\n\n return [\n fields,\n function(event) {\n if (callback !== null) {\n callback(event.target.id, event.target.value);\n }\n if(event.hasOwnProperty('fields')) {\n setValues(event.fields);\n }\n // Allow manually sending one or multiple field values by calling as:\n else if(event.hasOwnProperty('partialFields')) {\n setValues({\n ...fields,\n ...event.partialFields\n });\n }\n else {\n // We may be called by a checkbox.\n if(event.target.hasOwnProperty('checked')) {\n setValues({\n ...fields,\n [event.target.id]: event.target.checked\n });\n }\n // Or any other object.\n else {\n setValues({\n ...fields,\n [event.target.id]: event.target.value\n });\n }\n }\n }\n ];\n}\n\n/**\n * Manually set a field value.\n *\n * @param {function} handleFieldChange - Funciton to call.\n * @param {string} id - Field id.\n * @param {*} value - Value to set.\n */\nexport function setFormField(handleFieldChange, id, value) {\n handleFieldChange(\n {\n target: {\n id: id,\n value: value,\n }\n }\n );\n}\n\n/**\n * Storesa values perisstently in localstorage.\n *\n * https://www.joshwcomeau.com/react/persisting-react-state-in-localstorage/\n * Use like this:\n * const [\n * value,\n * setValue\n * ] = useStickyState(, \"\");\n *\n * @param {*} defaultValue\n * Defaultr value to return if no value found in storage.\n * @param {*} key \n * Key to store value in\n *\n * @returns\n * Value.\n */\nexport function useStickyState(defaultValue, key) {\n const [value, setValue] = useState(() => {\n let stickyValue = null;\n try {\n stickyValue = window.localStorage.getItem(key);\n }\n catch (error) {\n console.error(error);\n }\n return stickyValue !== null\n ? JSON.parse(stickyValue)\n : defaultValue;\n });\n useEffect(() => {\n try {\n window.localStorage.setItem(key, JSON.stringify(value));\n }\n catch (error) {\n console.error(error);\n }\n }, [key, value]);\n return [value, setValue];\n}\n","import SessionLib from './sessionLib';\nimport config from '../config';\nimport { rfc3339StringToDateTimeString } from './stringLib';\n\n/**\n * Async function to get data from integral api.\n * \n * @param {string} endpoint\n * Endpoint to fetch. Takes full url f.i. \"`${config.api.address}/fca/firms`\"\n * @param {string} method \n * Verb for the call. F.i. GET, PUT\n * @param {string} postData\n * Jason object to post.\n * @param {bool} throwOnFail\n * Whether an exception should be raised for a on-200 response code.\n */\nexport async function getFromApi (\n endpoint,\n method = 'GET',\n postData = null,\n throwOnFail = false\n) {\n \n // We may want to use a test-token to cut out cognito on the integral side.\n let authHeaderValue = null\n if(config.api.hasOwnProperty('token') && config.api.token !== \"\") {\n authHeaderValue = 'bearer ' + config.api.token;\n }\n else {\n // First get the user's token.\n // If we have no authenticated user it will throw an error.\n const session = await SessionLib.currentSession();\n // get different tokens.\n const idToken = session.getIdToken().jwtToken;\n const accessToken = session.getAccessToken().jwtToken;\n authHeaderValue = 'id_token ' + idToken + ', access_token ' + accessToken;\n }\n\n const settings = {\n method: method,\n headers: {\n 'Accept': 'application/json',\n 'Content-Type': 'application/json',\n 'Authorization': authHeaderValue,\n },\n body: postData\n };\n const fetchResponse = await fetch(endpoint, settings);\n const code = fetchResponse.status;\n const data = await fetchResponse.json();\n // Do we need tot hrow an error?\n if (code !== 200 && throwOnFail) {\n let message = `Received #${code} from api with message: \"${fetchResponse.body}\"`;\n // See if there is error text in the body.\n if (\n data.hasOwnProperty('error') &&\n data.error.hasOwnProperty('message')\n ) {\n message = `Received #${code} from api with message: \"${data.error.message}\"`;\n }\n throw new Error(message);\n }\n return { code, data };\n}\n\n/**\n * Function to get data from integral api. Returns a promise.\n * \n * @param {string} endpoint\n * Endpoint to fetch. Takes full url f.i. \"`${config.api.address}/fca/firms`\"\n * @param {string} method \n * Verb for the call. F.i. GET, PUT\n * @param {string} postData\n * Jason object to post.\n */\nexport function getPromiseFromApi(endpoint, method = 'GET', postData = null) {\n return new Promise((resolve, reject) => {\n // First get the user's token.\n // If we have no authenticated user it will throw an error.\n let code =999;\n SessionLib.currentSession()\n .then(\n session => {\n // We may want to use a test-token to cut out cognito on the integral side.\n let authHeaderValue = null\n if(config.api.hasOwnProperty('token') && config.api.token !== \"\") {\n authHeaderValue = 'bearer ' + config.api.token;\n }\n else {\n // get different tokens.\n const idToken = session.getIdToken().jwtToken;\n const accessToken = session.getAccessToken().jwtToken;\n authHeaderValue = 'id_token ' + idToken + ', access_token ' + accessToken;\n }\n // Then we build request settings:\n let settings = {\n method: method,\n headers: {\n 'Accept': 'application/json',\n 'Content-Type': 'application/json',\n 'Authorization': authHeaderValue,\n }\n };\n if(postData !== null) {\n settings.body = JSON.stringify(postData);\n }\n // And attempt to fetch.\n fetch(endpoint, settings)\n .then(\n response => {\n code = response.status;\n return response.json();\n }\n )\n .then(\n data => {\n resolve({code, data});\n }\n )\n .catch(\n error => {\n reject('Error retrieving data: ' + error.message);\n }\n )\n }\n )\n .catch(error => {\n // We failed to get a session.\n // We may just not have a user.\n if (error === 'No current user') {\n // Try and get it anonymously.\n // Then we build request settings:\n let settings = {\n method: method,\n headers: {\n 'Accept': 'application/json',\n 'Content-Type': 'application/json',\n }\n };\n if(postData !== null) {\n settings.body = JSON.stringify(postData);\n }\n // And attempt to fetch.\n fetch(endpoint, settings)\n .then(\n response => {\n code = response.status;\n return response.json();\n }\n )\n .then(\n data => {\n resolve({code, data});\n }\n )\n .catch(\n error => {\n reject('Error retrieving data: ' + error.message);\n }\n )\n }\n else {\n reject('Error retrieving session: ' + error.message);\n }\n });\n });\n}\n\n/**\n * Turns an array of name-value objs into an object with name: value properties.\n *\n * @param {array} array\n * Array of object containing keys \"name\", and \"value\"\n */\nexport function nameValueArrayToObject(array) {\n let result = {};\n for (let i = 0; i < array.length; i++) {\n // Some users (federated) have an identities property that contains a json\n // string.\n if (array[i].name === 'identities') {\n try {\n result[array[i].name] = JSON.parse(array[i].value);\n }\n catch (error) {\n result[array[i].name] = array[i].value;\n }\n }\n else {\n result[array[i].name] = array[i].value;\n }\n }\n return result;\n}\n\n/**\n * Parses user data as returned from Integral into a more convenient structure.\n *\n * @param {*} data \n */\nexport function parseUser(data) {\n let user = {};\n // Copy the simple ones.\n user.userName = data.userName;\n user.userStatus = data.userStatus;\n user.enabled = data.enabled;\n user.userCreated = rfc3339StringToDateTimeString(data.userCreated);\n user.userLastModified = rfc3339StringToDateTimeString(data.userLastModified);\n // Flatten attributes.\n user.attributes = nameValueArrayToObject(data.attributes);\n // Determine email.\n // See if the user is federated.\n user.email = 'UNKNOWN';\n user.isStaff = false;\n user.isfederated = false;\n if (user.userStatus === 'EXTERNAL_PROVIDER') {\n user.isfederated = true;\n // Have a look at the identities attribute.\n if (\n user.attributes.hasOwnProperty('identities') && \n Array.isArray(user.attributes.identities) &&\n user.attributes.identities.length > 0\n ) {\n const identity = user.attributes.identities[0];\n // We should now have some data.\n if (identity.hasOwnProperty('userId')) {\n user.email = user.attributes.identities[0].userId;\n }\n if (\n identity.hasOwnProperty('providerName') &&\n identity.providerName === 'Cirencester-Friendly'\n ) {\n user.isStaff = true;\n }\n }\n }\n else {\n user.email = user.attributes.email;\n }\n // Determine type\n user.type = [];\n if (user.isStaff) {\n user.type = ['staff'];\n }\n else {\n // Type is stored as bitflags. Parse it here.\n // Convert type to an int.\n user.typeInt = parseInt(user.attributes['custom:type'], 2);\n if (isNaN(user.typeInt)) {\n user.type.push('INVALID');\n user.typeInt = 0;\n }\n else {\n // Do some bitwise compares.\n if(user.typeInt & 0b10000000) {\n user.type.push('member');\n }\n if(user.typeIntpeInt & 0b01000000) {\n user.type.push('staff');\n user.isStaff = true;\n }\n if(user.typeInt & 0b00100000) {\n user.type.push('ifa');\n }\n if(user.typeInt & 0b00010000) {\n user.type.push('paraplanner');\n }\n if(user.typeInt & 0b00001000) {\n user.type.push('administrator');\n }\n }\n }\n return user;\n}\n\n/**\n * An array of user types.\n * @typedef {Object} userType\n * @property {string} code\n * Binary code for user type.\n * @property {string} friendlyName\n * Human readable description of user type.\n */\n\n/**\n * Returns an array of valid (settable) user types.\n *\n * @returns {userType[]} userTypes\n * Settable user types.\n */\nexport function getUserTypes(includeIAmA = false) {\n let result = [];\n\n if (includeIAmA) {\n result.push(\n {\n code: '00000000',\n friendlyName: 'I am a(n)...',\n }\n );\n }\n \n result = result.concat([\n {\n code: '10000000',\n friendlyName: 'Member',\n },\n {\n code: '00100000',\n friendlyName: 'Financial Adviser',\n }\n ]);\n // User can't register as any of these as it is driven from SSG.\n if (!includeIAmA) {\n result = result.concat([\n {\n code: '00010000',\n friendlyName: 'Paraplanner',\n },\n {\n code: '00001000',\n friendlyName: 'Administrator',\n },\n {\n code: '00110000',\n friendlyName: 'Financial Adviser and Paraplanner',\n },\n {\n code: '00011000',\n friendlyName: 'Paraplanner and Administrator',\n },\n ]);\n}\n\n return result;\n}\n\nexport function formatIntegralDate(date) {\n // Test length.\n if (date === null || date.length !== 8) {\n return date;\n }\n return date.substring(6,8) + '/' + date.substring(4,6) + '/' + date.substring(0,4)\n}","/**\n * Returns the occupation as text for a given origo coce.\n * Will return null if the code is unknown.\n * @param {string} origocode \n * Origo code to look up.\n *\n * @returns {string}\n * The human friendly origo occupation name.\n */\nexport function origoCodeToOccupation(origoCode) {\n if(!origoList.hasOwnProperty(origoCode)) {\n return(null);\n }\n return(origoList[origoCode]);\n}\n\nexport const origoList = {\n \"\": \"--- Please Select ---\",\n AAB00001: \"Abattoir Inspector\",\n AAC02588: \"Abattoir Worker\",\n AAD03000: \"Abrasive Wheels Worker\",\n AAB00010: \"Account Executive\",\n AAB00011: \"Accountant\",\n AAD03001: \"Accounts Administrator/Assistant\",\n AAB00013: \"Acidifier Operator\",\n AAD03002: \"Acrobat\",\n AAB00020: \"Actor/Actress (no stunt work)\",\n AAB00021: \"Actuary\",\n AAB00022: \"Acupuncturist\",\n AAC02590: \"Administration Manager\",\n AAD03003: \"Administrator - office\",\n AAB00023: \"Advertising Manager\",\n AAC02591: \"Advertising executive\",\n AAB00024: \"Aerial Erector (40' up)\",\n AAB00025: \"Aerial Erector (up to 40')\",\n AAB00026: \"Aerial Photography\",\n AAC02592: \"Aerobics Instructor\",\n AAB00027: \"Agent\",\n AAB00028: \"Agricultural Engineer\",\n AAB00030: \"Agricultural Worker\",\n AAB00031: \"Agronomist\",\n AAD03004: \"Air Compressor Operator\",\n AAB00036: \"Air Frame Service Fitter\",\n AAB00037: \"Air Pump Attendant -Coastal etc\",\n AAB00038: \"Air Pump Attendant -Deep Sea\",\n AAB00039: \"Air Traffic Control Assistant\",\n AAB00041: \"Air Traffic Controller\",\n AAC02593: \"Air Traffic Planner \",\n AAB00042: \"Aircraft Electronics Service Fitter\",\n AAB00043: \"Aircraft Engine Service Fitter\",\n AAB00044: \"Aircraft Finisher\",\n AAB00045: \"Aircraft Inspector\",\n AAB00046: \"Aircraft Instrument Mechanic\",\n AAB00047: \"Aircraft Joiner\",\n AAB00048: \"Aircraft Maintenance Technician\",\n AAB00049: \"Aircraft Marshaller\",\n AAB00050: \"Aircraft Refueller\",\n AAB00051: \"Aircrew (including Flight Engineer)\",\n AAB00052: \"Airline Cabin Staff\",\n AAB00053: \"Airline Pilots\",\n AAB00054: \"Airport Manager\",\n AAB00055: \"Airport Superintendent\",\n AAD03392: \"Alternative Therapist/Complimentary Therapist\",\n AAC02594: \"Ambassador\",\n AAB00057: \"Ambulance Driver\",\n AAB00058: \"Ambulanceman (No driving)\",\n AAB00119: \"Amusement Arcade Worker\",\n AAD03005: \"Amusement Park Worker\",\n AAB00060: \"Anaesthetist\",\n AAD03006: \"Analyst - Business\",\n AAD03007: \"Analyst - City\",\n AAD03008: \"Analyst - Investment\",\n AAD03009: \"Analyst - Systems\",\n AAD03010: \"Analyst- Other\",\n AAC02596: \"Analytical Chemist\",\n AAB00062: \"Ancient Monuments Inspector\",\n AAB00063: \"Animal Nursing Auxiliary\",\n AAB00064: \"Animal Trainer/Keeper\",\n AAB00065: \"Animator\",\n AAB00066: \"Annealer\",\n AAB00067: \"Announcer - Radio & TV - Entertainment\",\n AAB00068: \"Announcer - Station Personnel - Railways\",\n AAB00069: \"Anodiser\",\n AAB00070: \"Antique Dealer\",\n AAB00071: \"Antique Restorer\",\n AAB00073: \"Arc Welder\",\n AAB00074: \"Archaeologist\",\n AAC02597: \"Archaeologist (other countries) \",\n AAB00075: \"Architect\",\n AAC02598: \"Architect (office)\",\n AAB00076: \"Archivist\",\n AAD03014: \"Armed Forces - Army - SAS\",\n AAD03011: \"Armed Forces - Army - aircrew\",\n AAD03012: \"Armed Forces - Army - bomb disposal\",\n AAD03013: \"Armed Forces - Army - no bomb disposal\",\n AAD03015: \"Armed Forces - Full time reservist - no special duties\",\n AAD03016: \"Armed Forces - Full time reservist - special duties\",\n AAD03019: \"Armed Forces - Navy - SBS\",\n AAD03017: \"Armed Forces - Navy - aircrew\",\n AAD3390: \"Armed Forces - Navy - diving\",\n AAD03018: \"Armed Forces - Navy - no diving\",\n AAD03389: \"Armed Forces - RAF - aircrew\",\n AAD03020: \"Armed Forces - RAF - no flying\",\n AAB00079: \"Aromatherapist\",\n AAB00080: \"Arranger\",\n AAB00081: \"Art Director\",\n AAB00082: \"Art Gallery Attendant\",\n AAB00083: \"Art Gallery Curator\",\n AAB00084: \"Art Gallery Guide\",\n AAC02599: \"Art Gallery Manager - Commercial\",\n AAB00085: \"Artexer\",\n AAB00086: \"Artist - Freelance Painter\",\n AAB00087: \"Artist Commercial\",\n AAB00088: \"Artist's Model\",\n AAD03021: \"Asbestos Inspector\",\n AAB00089: \"Asbestos Worker\",\n AAB00095: \"Asphalter\",\n AAB00108: \"Assembler - Woodworking Industry\",\n AAB00109: \"Assembly Inspector\",\n AAC02600: \"Assessor (claims/insurance)\",\n AAB00110: \"Assistant Cameraman\",\n AAB00111: \"Assistant Director\",\n AAB00112: \"Assistant Editor\",\n AAB00113: \"Assistant Superintendent\",\n AAB00114: \"Assistant Tool Pusher\",\n AAB00115: \"Associate Producer\",\n AAC02601: \"Assumed Non-Hazardous (for quotation only)\",\n AAB00116: \"Astrologer\",\n AAB00117: \"Astronomer\",\n AAC02602: \"Atomic Energy Worker\",\n AAB00120: \"Attendant - Bingo - Entertainment\",\n AAB00121: \"Attendant - Fairground etc - Entertainment\",\n AAD03022: \"Au Pair\",\n AAB00122: \"Auctioneer\",\n AAB00123: \"Audiometrician\",\n AAB00124: \"Auditor\",\n AAB00125: \"Author\",\n AAB00126: \"Autoclave Operator\",\n AAB00127: \"Autolysis Man\",\n AAB00128: \"Automatic Train Attendant\",\n AAD03023: \"Auxiliary Nurse\",\n BAB00130: \"Baggage Handler\",\n BAD03025: \"Baggage Manager\",\n BAB00133: \"Baggage Master\",\n BAB00134: \"Baggage Porter\",\n BAD03026: \"Bailiff\",\n BAC02606: \"Baker\",\n BAB00135: \"Bakery Equipment Operator\",\n BAC02607: \"Bakery Shop Manager \",\n BAB00137: \"Baler\",\n BAB00138: \"Band Leader\",\n BAB00139: \"Band Mill Sawyer\",\n BAB00141: \"Bank Staff \",\n BAD03027: \"Banksman\",\n BAB00152: \"Banksman's Assistant\",\n BAC02609: \"Bar Manager/Proprietor\",\n BAB00153: \"Bar Steward\",\n BAC02610: \"Barber\",\n BAC02611: \"Barber - Shop Manager/Proprietor\",\n BAB00154: \"Bargeman - Merchant Marine\",\n BAB00155: \"Bargeman - Quarrying\",\n BAB00156: \"Bargemaster\",\n BAB00157: \"Barley Roaster\",\n BAB00158: \"Barmaid\",\n BAB00159: \"Barman\",\n BAB00160: \"Barrelman\",\n BAC02612: \"Barrister\",\n BAB00161: \"Barrister, Advocate\",\n BAB00163: \"Batman\",\n BAB00164: \"Battery Assembler\",\n BAB00165: \"Battery Repairer\",\n BAB00167: \"Beautician\",\n BAC02613: \"Beautician Shop Manager/Proprietor\",\n BAC02614: \"Bed & Breakfast Proprietor\",\n BAB00168: \"Beekeeper, Apiarist\",\n BAB00169: \"Belt Maker\",\n BAB00170: \"Belt Patrol Man\",\n BAB00171: \"Bench Hand - Production Fitting - Metal Manufacture\",\n BAB00172: \"Bench Hand - Rubber Industry - Natural\",\n BAB00173: \"Berthing Superintendent\",\n BAC02615: \"Betting Shop Manager (on course)\",\n BAC02616: \"Betting Shop Manager (shop based) \",\n BAB00174: \"Bill Poster/Sticker\",\n BAD03029: \"Bin Man\",\n BAB00176: \"Bindery Assistant\",\n BAB00177: \"Binding Machine Attendant\",\n BAD03030: \"Bingo Hall Manager\",\n BAC02618: \"Biochemist\",\n BAC02619: \"Biochemist - Lecturing and research\",\n BAC02620: \"Biological scientist\",\n BAB00178: \"Biologist (No travel/ underwater)\",\n BAB00179: \"Biologist (Overseas travel)\",\n BAB00180: \"Biologist (Underwater work)\",\n BAB00181: \"Biscuit Baker\",\n BAB00182: \"Blacksmith\",\n BAB00183: \"Blancher\",\n BAD03031: \"Blaster - quarry\",\n BAB00184: \"Bleacher - Paper & Board Manufacture\",\n BAB00185: \"Bleacher - Textile & Clothing Industry\",\n BAB00186: \"Blender\",\n BAB00187: \"Block Cutter\",\n BAB00188: \"Boarding School Matron\",\n BAB00189: \"Boat Builder\",\n BAB00190: \"Boatswain - Fishing Industry\",\n BAB00191: \"Boatswain - Merchant Marine\",\n BAB00192: \"Boatswain's Mate\",\n BAB00193: \"Bodyguard\",\n BAB00194: \"Boiler - Confectionery etc - Food & Drink\",\n BAB00195: \"Boiler - Fruit & Veg. - Food & Drink\",\n BAB00196: \"Boiler - Meat, Fish etc - Food & Drink\",\n BAB00197: \"Boiler Cleaner\",\n BAB00198: \"Boiler Operator - Electrical Supply\",\n BAB00199: \"Boiler Operator - Water Supply Industry\",\n BAB00200: \"Boiler Operator/Fireman\",\n BAB00201: \"Bomb Disposal - Elsewhere\",\n BAB00202: \"Bomb Disposal - Mainland Britain\",\n BAB00203: \"Book Illustrator\",\n BAD03032: \"Book Seller\",\n BAB00204: \"Book-Keeper\",\n BAB00205: \"Bookbinder\",\n BAB00206: \"Bookmaker - On course\",\n BAB00207: \"Bookmaker - Shop Manager\",\n BAB00208: \"Bookmaker - Shop Owner\",\n BAB00209: \"Bookmaker - Shop Staff\",\n BAB00210: \"Boom Operator\",\n BAB00212: \"Borer - Mining\",\n BAB00211: \"Borer - Tunnelling\",\n BAB00213: \"Borstal Matron\",\n BAB00214: \"Bosun (Third Hand)\",\n BAB00215: \"Botanist (No overseas field work)\",\n BAB00216: \"Bottle Washer (hand or machine)\",\n BAB00217: \"Bottling Machine Attendant\",\n BAB00218: \"Box Maker\",\n BAD03033: \"Box Office Cashier\",\n BAD03034: \"Box Office Clerk\",\n BAB00224: \"Box Office Manager\",\n BAB00226: \"Brakesman\",\n BAB00227: \"Brazer\",\n BAB00228: \"Bread Baker\",\n BAB00229: \"Bread Roundsman\",\n BAD03035: \"Breakdown Recovery Man\",\n BAB00230: \"Brewer\",\n BAB00231: \"Brewery Manager\",\n BAB00232: \"Bricklayer\",\n BAB00233: \"Bridge Man\",\n BAD03036: \"Briner\",\n BAD03037: \"Broker - Insurance IFA\",\n BAD03038: \"Broker - Insurance Non IFA\",\n BAD03039: \"Broker - Money/investments\",\n BAD03388: \"Broker - Oil\",\n BAD03040: \"Broker - Other\",\n BAB00236: \"Bronzer\",\n BAB00237: \"Broom/Brush Maker\",\n BAB00238: \"Buffet Car Attendant\",\n BAC02621: \"Builder \",\n BAB00239: \"Building Inspector\",\n BAC02623: \"Building Site Agent - Building and construction\",\n BAD03041: \"Building Society worker \",\n BAB00241: \"Building Surveyor\",\n BAB00243: \"Bulldozer Driver\",\n BAD03042: \"Bunker Control man\",\n BAC02625: \"Burglar Alarm Fitter\",\n BAB00250: \"Bus Conductor (No driving)\",\n BAB00251: \"Bus Driver\",\n BAB00252: \"Bus Inspector\",\n BAB00253: \"Business Consultant\",\n BAB00255: \"Butcher\",\n BAC02627: \"Butcher Shop Proprietor \",\n BAB00256: \"Butler\",\n BAB00257: \"Butter Blender\",\n BAB00258: \"Butter Maker\",\n BAC02628: \"Buyer - retail\",\n BAD03044: \"Buyer - stocks and shares\",\n CAD03055: \"CC TV Installer/Maintenance - 40 ft and over\",\n CAD03056: \"CC TV Installer/Maintenance - under 40 ft\",\n CAB00259: \"Cabin Boy\",\n CAB00260: \"Cabinet Maker\",\n CAB00261: \"Cable Former\",\n CAB00262: \"Cable Hand\",\n CAB00263: \"Cable Jointer\",\n CAB00264: \"Cable Laying Diver\",\n CAB00265: \"Cable Tester\",\n CAB00266: \"Cafe Cashier\",\n CAC02629: \"Cafe Manager\",\n CAB00267: \"Cafe Proprietor (Licensed)\",\n CAB00268: \"Cafe Proprietor (Unlicensed)\",\n CAD03046: \"Cafe Worker\",\n CAB00270: \"Calibrator\",\n CAD03047: \"Call Centre Manager\",\n CAD03048: \"Call Centre Worker\",\n CAB00271: \"Caller\",\n CAC02630: \"Calligrapher\",\n CAC02631: \"Camera Repair Technician\",\n CAD03049: \"Cameraman Outside Work\",\n CAB00273: \"Cameraman Studio\",\n CAD03050: \"Cameraman War or Disaster reporting\",\n CAB00275: \"Candle Maker\",\n CAB00276: \"Canine Beautician\",\n CAC02632: \"Canine Behaviourist \",\n CAB00277: \"Canning Machine Attendant\",\n CAB00278: \"Canteen Assistant\",\n CAB00279: \"Canteen Manager\",\n CAB00280: \"Canvasser\",\n CAB00282: \"Captain - Merchant Marine\",\n CAB00281: \"Captain - Oil & Natural Gas Industries \",\n CAB00284: \"Car Delivery Driver\",\n CAC02633: \"Car Hire Company Proprietor (admin. and driving)\",\n CAB00285: \"Car Lasher\",\n CAB00286: \"Car Park Attendant\",\n CAC02634: \"Car Rental Company Manager\",\n CAD03051: \"Car Rental Company Worker\",\n CAB00287: \"Car Salesman (S/E or commission)\",\n CAB00288: \"Car Salesman (Salaried)\",\n CAB00289: \"Car Valeter\",\n CAB00306: \"Car Wash Attendant\",\n CAD03052: \"Caravan Site Manager\",\n CAD03053: \"Caravan Site Staff\",\n CAB00290: \"Carbon Printer\",\n CAB00291: \"Carbonation Man\",\n CAB00292: \"Carboniser\",\n CAB00293: \"Care Assistant\",\n CAC02635: \"Care Worker - Residential \",\n CAC02636: \"Careers Advisor \",\n CAB00294: \"Caretaker, Janitor\",\n CAB00295: \"Cargo Clerk\",\n CAB00296: \"Cargo Superintendent\",\n CAB00299: \"Carpenter & Joiner\",\n CAB00297: \"Carpenter - Construction Industry\",\n CAB00298: \"Carpenter - Film Industry - Entertainment\",\n CAC02637: \"Carpet Cleaner\",\n CAC02638: \"Carpet Company director (office based admin. only)\",\n CAC02639: \"Carpet Designer \",\n CAB00300: \"Carpet Fitter\",\n CAC02640: \"Carpet Salesman \",\n CAC02642: \"Carpet Shop Assistant\",\n CAC02643: \"Carpet Shop Manager (admin.) \",\n CAC02644: \"Carpet Shop Owner (no manual duties) \",\n CAB00302: \"Carriage Cleaner\",\n CAB00301: \"Carriage Examiner\",\n CAB00303: \"Cartographer\",\n CAB00304: \"Cartoonist\",\n CAB00305: \"Cartridge Filler\",\n CAC02645: \"Cashier - Bank, Building Society\",\n CAC02646: \"Cashier - Shop, cafe, supermarket, bingo\",\n CAB00309: \"Casino Cashier\",\n CAB00310: \"Caster\",\n CAB00311: \"Casting Director\",\n CAB00312: \"Casting Machine Operator\",\n CAC02647: \"Caterer - offshore/at sea\",\n CAC02648: \"Catering Assistant\",\n CAC02649: \"Catering Manager\",\n CAB00317: \"Cathead Man\",\n CAD03054: \"Caulker\",\n CAB00323: \"Ceiling Fixer\",\n CAB00324: \"Cell Tester\",\n CAB00325: \"Cementer\",\n CAD03057: \"Cemetery Worker\",\n CAB00326: \"Ceramicist\",\n CAB00328: \"Chain Maker\",\n CAB00329: \"Chair Maker\",\n CAC02653: \"Chambermaid - Housekeeper\",\n CAB00330: \"Charge Nurse\",\n CAD03058: \"Charity Worker - Admin Only\",\n CAD03390: \"Charity Worker - UK Work\",\n CAD03391: \"Charity Worker - Overseas Work\",\n CAC02654: \"Chartered Engineer (some site duties)\",\n CAC02655: \"Chartered Engineered (admin. only)\",\n CAC02656: \"Chartered Surveyor (admin only) \",\n CAC02657: \"Chartered Surveyor (some site duties)\",\n CAB00332: \"Chassis Builder\",\n CAB00333: \"Chauffeur\",\n CAB00336: \"Chef\",\n CAB00344: \"Chemical Plumber\",\n CAB00345: \"Chemical Plumber's Mate\",\n CAD03059: \"Chemical engineer - UK\",\n CAB00340: \"Chemical engineer - offshore\",\n CAD03060: \"Chemist - industrial\",\n CAD03061: \"Chemist - retail\",\n CAC02658: \"Child Protection Co-ordinator\",\n CAD03062: \"Child Support Agency (CSA) worker\",\n CAC02659: \"Child Welfare Officer\",\n CAB00368: \"Childminder\",\n CAB00370: \"Children's Inspector\",\n CAB00371: \"Children's Matron\",\n CAC02660: \"Children's Nursery Proprietor\",\n CAC02661: \"Children's Play-group Leader\",\n CAB00372: \"Chimney Sweep\",\n CAC02662: \"Chip Shop Owner \",\n CAD03063: \"Chip Shop Worker\",\n CAB00373: \"Chip/Money Changer\",\n CAB00374: \"Chipper & Painter\",\n CAB00375: \"Chipper (hand)\",\n CAB00376: \"Chipping Driver\",\n CAB00377: \"Chiropodist\",\n CAB00378: \"Chiropracter\",\n CAC02664: \"Church Organist \",\n CAD03064: \"Cinema Projectionist\",\n CAB00383: \"Circus Hand\",\n CAD03065: \"Circus Manager\",\n CAD03066: \"Civil Engineer\",\n CAD03067: \"Civil Servant\",\n CAB00390: \"Claims Adjuster\",\n CAB00391: \"Claims Assessor\",\n CAD03068: \"Cleaner - commercial premises\",\n CAC02666: \"Cleaner - domestic premises\",\n CAD03069: \"Cleaner - industrial \",\n CAB00405: \"Clergy\",\n CAB00406: \"Clerical Staff\",\n CAB00407: \"Clerical Worker\",\n CAB00409: \"Clerk of Works\",\n CAB00412: \"Cloakroom Attendant - Club/Nightclub - Entertainment\",\n CAB00413: \"Cloakroom Attendant - Theatre, Ballet etc - Entertainment\",\n CAB00414: \"Clock & Watch Assembler\",\n CAB00415: \"Clock/Watch Maker\",\n CAB00416: \"Clock/Watch Repairer\",\n CAB00417: \"Cloth Cutter\",\n CAC02671: \"Clothing Designer\",\n CAB00418: \"Clown\",\n CAB00419: \"Club Manager\",\n CAB00420: \"Club Proprietor\",\n CAB00421: \"Club Steward\",\n CAD03070: \"Coach - Sports\",\n CAB00427: \"Coach Driver\",\n CAB00428: \"Coach Painter\",\n CAB00431: \"Coal Cutter Mover\",\n CAB00432: \"Coal Cutterman\",\n CAB00433: \"Coal Dry Cleaning Plant Operator\",\n CAB00434: \"Coal Face Workers\",\n CAB00435: \"Coal Melter\",\n CAB00436: \"Coal Merchant - admin only\",\n CAB00437: \"Coal Merchant - some delivery\",\n CAB00438: \"Coal Trimmer\",\n CAB00439: \"Coal Washery Operator\",\n CAB00440: \"Coal Yard Foreman\",\n CAB00441: \"Coal Yard Man\",\n CAB00442: \"Coastguard (Office based)\",\n CAB00443: \"Coastguard (Otherwise)\",\n CAB00444: \"Coffin Maker\",\n CAB00445: \"Coil Former\",\n CAB00446: \"Coil Winder\",\n CAB00447: \"College Lecturer\",\n CAB00449: \"Colour Calculator\",\n CAB00450: \"Colour Matcher\",\n CAB00451: \"Colour Mixer\",\n CAB00452: \"Columnist\",\n CAB00453: \"Comedian\",\n CAB00454: \"Commentator - no overseas travel etc\",\n CAB00455: \"Commentator - otherwise\",\n CAB00456: \"Commercial Diving\",\n CAC02674: \"Commercial Manager (office sales)\",\n CAB00457: \"Commercial Pilots\",\n CAC02675: \"Commercial Traveller\",\n CAB00458: \"Commissionaire\",\n CAD03071: \"Community Development Worker\",\n CAB00460: \"Community Nurse\",\n CAC02678: \"Company Director (admin. duties only)\",\n CAC02679: \"Company Secretary\",\n CAB00462: \"Compass Adjuster\",\n CAC02680: \"Compliance Manager\",\n CAB00463: \"Composer\",\n CAB00464: \"Compositor\",\n CAB00465: \"Compounder\",\n CAC02681: \"Computer Analyst\",\n CAC02682: \"Computer Company Technical Support Manager\",\n CAB00466: \"Computer Operator\",\n CAC02683: \"Computer Programmer \",\n CAB00467: \"Computer Programmer/Analyst\",\n CAC02684: \"Computer Salesman (office based) \",\n CAC02685: \"Computer Software Manager\",\n CAC02686: \"Computer Software Salesman (includes travelling) \",\n CAC02687: \"Computer Systems Installer\",\n CAC02688: \"Computer Wirer\",\n CAC02689: \"Computer Workshop Technical Engineer\",\n CAC02690: \"Concert Promoter\",\n CAB00468: \"Concrete Erector - 40' up\",\n CAB00469: \"Concrete Erector - up to 40'\",\n CAB00470: \"Concrete Finisher\",\n CAB00471: \"Concrete Paving Driver\",\n CAB00472: \"Concrete Shutterer\",\n CAB00473: \"Concreter\",\n CAB00474: \"Conductor - Music Industry - Entertainment\",\n CAB00475: \"Conductor - Train Crew - Railways\",\n CAC02691: \"Confectioner\",\n CAC02692: \"Conference Organising Assistant \",\n CAC02693: \"Conference Organising Manager\",\n CAB00476: \"Conjurer\",\n CAB00478: \"Construction Work\",\n CAB00480: \"Contact Lens Technician\",\n CAB00481: \"Continuity Clerk\",\n CAB00482: \"Control Engineer\",\n CAD03072: \"Control Room Operator\",\n CAD03073: \"Conveyancer\",\n CAD03074: \"Conveyer Operator\",\n CAB00508: \"Cook\",\n CAB00514: \"Cooper\",\n CAB00515: \"Coppersmith\",\n CAB00516: \"Copyholder\",\n CAB00517: \"Copyholder (Newspapers etc)\",\n CAB00518: \"Copytaster\",\n CAC02695: \"Copywriter\",\n CAB00519: \"Core Borer\",\n CAB00520: \"Core Builder\",\n CAB00521: \"Coremaker\",\n CAB00522: \"Coroner\",\n CAB00524: \"Correspondent - no overseas travel etc - Journalism\",\n CAB00523: \"Correspondent - no overseas travel etc - Radio & TV - Entertainment\",\n CAB00526: \"Correspondent - otherwise - Journalism\",\n CAB00525: \"Correspondent - otherwise - Radio & TV - Entertainment\",\n CAB00527: \"Costermonger\",\n CAB00528: \"Costume Designer\",\n CAC02696: \"Costumier\",\n CAB00529: \"Counsellor\",\n CAB00530: \"Counter Staff - Dry Cleaning\",\n CAB00531: \"Counter Staff - Laundry\",\n CAB00532: \"Counter Staff - Post Office/Telecommunications\",\n CAC02697: \"Couriers\",\n CAB00533: \"Court Bailiff\",\n CAB00534: \"Court Usher\",\n CAB00535: \"Crab Fisherman\",\n CAB00542: \"Crane Erector\",\n CAD03075: \"Crane Operator\",\n CAD03076: \"Crane Slinger\",\n CAC02698: \"Credit Agent\",\n CAC02699: \"Credit Controller\",\n CAB00559: \"Critic\",\n CAD03077: \"Crop Sprayer - on ground\",\n CAD03078: \"Crop Sprayer - pilot\",\n CAB00562: \"Crossing Keeper\",\n CAB00563: \"Croupier\",\n CAB00566: \"Crushing Worker\",\n CAC02700: \"Curator (museum) \",\n CAB00567: \"Curator - Zoo\",\n CAB00568: \"Curer\",\n CAC02701: \"Customer Care Officer\",\n CAD03079: \"Customer Service Staff\",\n CAD03080: \"Customs and Excise\",\n CAD03081: \"Cutter\",\n CAD03082: \"Cutting Machine Operator\",\n DAC02702: \"Dairyman\",\n DAB00582: \"Dancer\",\n DAC02703: \"Dancing Teacher \",\n DAD03084: \"Data Controller\",\n DAD03085: \"Data Inputter\",\n DAD03086: \"Dealer - money/shares/investment\",\n DAB00585: \"Debt Collector\",\n DAB00586: \"Deck Chair Attendant\",\n DAB00587: \"Deck Hand\",\n DAB00589: \"Deck Officer\",\n DAC02706: \"Decorator\",\n DAB00593: \"Delivery Driver\",\n DAB00594: \"Demolition Worker-no explosives\",\n DAB00595: \"Demolition Worker-using explosives\",\n DAD03087: \"Demonstrator \",\n DAB00598: \"Dental Assistant\",\n DAC02707: \"Dental Auxiliary\",\n DAB00599: \"Dental Consultant\",\n DAB00600: \"Dental Hygienist\",\n DAB00601: \"Dental Nurse\",\n DAB00602: \"Dental Practitioner\",\n DAD03088: \"Dental Receptionist\",\n DAB00603: \"Dental Technician\",\n DAB00604: \"Dental Therapist\",\n DAB00605: \"Dentist\",\n DAD03089: \"Department Store Manager \",\n DAD03090: \"Department Store worker\",\n DAC02708: \"Dermatologist\",\n DAD03091: \"Design cutter\",\n DAB00612: \"Designer\",\n DAB00616: \"Detention Centre Warden\",\n DAD03092: \"Diamond workers\",\n DAB00626: \"Die Cutter\",\n DAB00627: \"Die Setter\",\n DAB00629: \"Diesel Locomotive Fitter\",\n DAC02709: \"Dietician\",\n DAB00631: \"Dining Car Attendant\",\n DAD03093: \"Dinner Lady\",\n DAD03375: \"Director - Company - admin only\",\n DAD03376: \"Director - Company - other\",\n DAD03377: \"Director - Managing - admin only\",\n DAD03378: \"Director - Managing - other\",\n DAD03379: \"Director - Musical\",\n DAD03380: \"Director - Other\",\n DAD03381: \"Director - Sales - management only\",\n DAD03386: \"Director - Sales - some selling\",\n FAC02771: \"Director - TV and film\",\n DAC02710: \"Director & Medical Consultant\",\n DAB00637: \"Disc Jockey\",\n DAB00638: \"Disinfecting Officer\",\n DAB00639: \"Disinfestor\",\n DAC02711: \"Dispatch Rider\",\n DAB00640: \"Dispatcher\",\n DAC02712: \"Distiller\",\n DAB00641: \"Distillery Manager\",\n DAB00642: \"District Nurse\",\n DAC02713: \"Diver\",\n DAC02714: \"Diver (North Sea)\",\n DAB00643: \"Diver's Linesman -Coastal etc\",\n DAB00644: \"Diver's Linesman -Deep Sea\",\n DAB00647: \"Dock Foreman\",\n DAB00648: \"Dock Master\",\n DAB00649: \"Dock Superintendent\",\n DAB00650: \"Docker\",\n DAB00651: \"Doctor - Health\",\n DAB00652: \"Doctor - Merchant Marine\",\n DAC02715: \"Dog Catcher \",\n DAB00655: \"Dogger\",\n DAB00656: \"Domestic Electrician\",\n DAB00657: \"Domestic Premises Cleaner\",\n DAB00658: \"Domestic Supervisor (Hospital)\",\n DAC02716: \"Domestic Tiler\",\n DAB00659: \"Donkeyman\",\n DAB00660: \"Door to Door Salesman\",\n DAD03094: \"Doorman\",\n DAC02717: \"Double Glazing - Installer/fitter \",\n DAC02719: \"Double Glazing Surveyor \",\n DAD03095: \"Drainage Layer/Clearer\",\n DAC02720: \"Draper\",\n DAB00665: \"Draughtsman\",\n DAB00666: \"Drawer (Bar, Plate, Rod, etc)\",\n DAB00667: \"Drayman\",\n DAB00668: \"Dredger Driver\",\n DAB00669: \"Dredgerman\",\n DAB00672: \"Dresser\",\n DAB00673: \"Dressmaker\",\n DAD03096: \"Drier\",\n DAD03097: \"Driller - offshore\",\n DAD03098: \"Driller - onshore\",\n DAD03101: \"Driver - HGV\",\n DAD03103: \"Driver - PSV\",\n DAD03099: \"Driver - construction\",\n DAD03100: \"Driver - delivery\",\n DAD03102: \"Driver - industrial plant\",\n DAC02724: \"Driver - refuse\",\n DAC02725: \"Driver - tractor\",\n DAB00699: \"Driving Examiner\",\n DAB00700: \"Driving Instructor\",\n DAB00701: \"Drop Ball Operator\",\n DAB00702: \"Dry Cleaning Machine Operator\",\n DAB00703: \"Dry Salter\",\n DAB00708: \"Dustman/Refuse Collector\",\n DAB00710: \"Dyer\",\n EAD03104: \"Ecological Consultant Outside UK\",\n EAD03105: \"Ecological Consultant UK\",\n EAB00712: \"Economist\",\n EAD03106: \"Editor\",\n EAD03107: \"Editorial Assistant\",\n EAD03108: \"Education Assistant\",\n EAC02729: \"Educational Advisor \",\n EAB00715: \"Effluent Inspector\",\n EAB00716: \"Electric Logger\",\n EAB00717: \"Electrical Contractor\",\n EAD03109: \"Electrical Engineer\",\n EAB00722: \"Electrical Fitter\",\n EAB00724: \"Electrical Wireman\",\n EAD03110: \"Electrician - offshore\",\n EAD03111: \"Electrician UK based - domestic\",\n EAD03112: \"Electrician UK based - industrial\",\n EAB00736: \"Electronics Fitter\",\n EAB00737: \"Electronics Installer\",\n EAB00738: \"Electronics Mechanic\",\n EAB00739: \"Electronics Repairer\",\n EAB00740: \"Electronics Service Mechanic\",\n EAB00741: \"Electronics Wireman\",\n EAB00742: \"Electroplater\",\n EAB00743: \"Electrotyper\",\n EAB00744: \"Embalmer\",\n EAD03113: \"Embassy Employee\",\n EAB00745: \"Embroiderer\",\n EAC02740: \"Employment Agency Owner (admin. only)\",\n EAD03114: \"Employment Agency worker\",\n EAB00746: \"Enameller\",\n EAB00747: \"Engine Driver\",\n EAB00748: \"Engine Tester\",\n EAD03115: \"Engineer - admin and site visits only\",\n EAD03116: \"Engineer - admin only\",\n EAD03117: \"Engineer - heavy manual\",\n EAD03118: \"Engineer - light manual \",\n EAC02742: \"Engineer - offshore\",\n EAD03120: \"Engineer - sales\",\n EAD03121: \"Engineer - works at heights over 40 ft\",\n EAB00762: \"Engineering Fitter\",\n EAB00764: \"Engineering Technician\",\n EAD03122: \"Engraver\",\n EAB00770: \"Enrolled Nurse\",\n EAC02746: \"Entertainer - Entertainment industry\",\n EAC02747: \"Entertainment Agent - Entertainment industry\",\n EAC02748: \"Entertainment Manager - Entertainment industry\",\n EAB00771: \"Entertainments Officer\",\n EAC02749: \"Environmental Health Officer\",\n EAB00772: \"Equestrian Artiste\",\n EAB00773: \"Equestrianism - Riding Instructor\",\n EAB00774: \"Equestrianism - Show Jumping\",\n EAB00775: \"Equipment Cleaner\",\n EAB00776: \"Erector - Aircraft/Aerospace\",\n EAB00777: \"Erector - Production Fitting - Metal Manufacture\",\n EAB00778: \"Escapologist\",\n EAB00779: \"Estate Agent\",\n EAC02750: \"Estate Manager - all aspects (no manual work)\",\n EAB00780: \"Estate Ranger\",\n EAB00781: \"Estimator\",\n EAC02751: \"Estimator (mainly office duties) \",\n EAB00785: \"Etcher (creative)\",\n EAB00783: \"Etcher - Pottery Industry\",\n EAB00782: \"Etcher - Precious Metals, Engraving etc - Metal Manufacture\",\n EAB00784: \"Etcher - Printing Industry\",\n EAD03124: \"Examiner - process\",\n EAB00795: \"Excavator Driver\",\n EAD03125: \"Exhaust Fitter\",\n EAB00796: \"Exhausterman\",\n EAC02752: \"Exhibition Foreman\",\n EAC02753: \"Exhibition Space Sales Manager\",\n EAB00797: \"Exhibition Stand Fitter\",\n EAB00798: \"Explosives Inspector\",\n EAC02754: \"Export Agent\",\n EAB00800: \"Extruder\",\n FAD03126: \"Fabric Designer\",\n FAD03127: \"Fabricator - welder/fitter\",\n FAD03128: \"Facilities Assistant\",\n FAB00803: \"Facilities Procurement Officer\",\n FAB00806: \"Factory Inspector\",\n FAC02755: \"Factory (worker)\",\n FAC02756: \"Factory Manager (mainly admin.)\",\n FAC02757: \"Fairground Worker\",\n FAC02760: \"Farm Manager (manual duties)\",\n FAC02761: \"Farm Manager (no manual duties) \",\n FAC02762: \"Farm Owner (manual duties)\",\n FAC02763: \"Farm Owner (no manual duties)\",\n FAC02764: \"Farm Worker/Labourer\",\n FAB00811: \"Farrier\",\n FAB00812: \"Fashion Model\",\n FAB00813: \"Fashion Photographer\",\n FAD03129: \"Fashion Stylist\",\n FAD03130: \"Fast Food Restaurant Assistant\",\n FAC02767: \"Fast Food Restaurant Manager (admin. only)\",\n FAB00814: \"Fat Extractor Man\",\n FAC02768: \"Fencing Contractor\",\n FAB00816: \"Ferryman\",\n FAB00821: \"Fight Arranger\",\n FAB00823: \"Film Developer\",\n FAB00824: \"Film Joiner\",\n FAB00825: \"Film Processor\",\n FAB00827: \"Filmsetting Machine Operator\",\n FAC02774: \"Financial Adviser\",\n FAD03131: \"Financial Planner/Paraplanner\",\n FAD03132: \"Finisher - toys and textiles\",\n FAB00832: \"Fire Eater\",\n FAB00833: \"Fire Prevention Officer\",\n FAB00835: \"Firefighter - Fire Service\",\n FAB00843: \"Fish Farmer\",\n FAB00848: \"Fish Preparer\",\n FAD03133: \"Fish and chip shop owner\",\n FAD03134: \"Fish and chip shop worker\",\n FAB00849: \"Fisherman\",\n FAB00850: \"Fishery Officer/Warden\",\n FAC02779: \"Fishmonger\",\n FAC02782: \"Fitness instructor\",\n FAB00852: \"Fitter - Motor Vehicle & Cycle Industry\",\n FAB00855: \"Fitter-Assembler\",\n FAB00858: \"Fixer Mason\",\n FAB00864: \"Flame cutter - 40 ft +\",\n FAB00865: \"Flame cutter - under 40 ft\",\n FAD03135: \"Flight Attendant\",\n FAB00867: \"Flight Dispatcher\",\n FAD03138: \"Flight Operations Manager\",\n FAB00869: \"Flight Planner\",\n FAB00870: \"Floor Layer\",\n FAB00871: \"Floor Manager\",\n FAB00872: \"Floor Tiler\",\n FAB00873: \"Floorman\",\n FAC02785: \"Floorman - Oil Rig Industry \",\n FAC02786: \"Florist \",\n FAB00874: \"Flour Confectioner\",\n FAB00876: \"Food Technologist\",\n FAC02787: \"Football Manager - Professional players\",\n FAC02788: \"Forecourt Attendant \",\n FAD03139: \"Foreman - heavy manual\",\n FAD03140: \"Foreman - light manual\",\n FAD03141: \"Foreman - no manual\",\n FAD03142: \"Foreman - offshore\",\n FAD03143: \"Foreman - other\",\n FAB00937: \"Forest Ranger\",\n FAB00938: \"Forest Worker\",\n FAB00940: \"Forestry Officer\",\n FAB00941: \"Forge Hammerman\",\n FAB00942: \"Forge Pressman\",\n FAB00943: \"Forger\",\n FAB00944: \"Fork Lift Truck Driver\",\n FAB00945: \"Fortune Teller\",\n FAD03136: \"Foster Parent\",\n FAB00946: \"Frame Finisher\",\n FAB00947: \"Freezer Operator\",\n FAB00948: \"Freight Clerk\",\n FAB00949: \"Freight Manager - Airport\",\n FAB00950: \"Freight Manager - Docks\",\n FAB00951: \"French Polisher\",\n FAC02793: \"Fruitier\",\n FAB00952: \"Fuel Technologist\",\n FAB00953: \"Funeral Director\",\n FAB00954: \"Funeral Director's Assistant\",\n FAB00955: \"Furnace Control Room Operator\",\n FAB00956: \"Furnace Operator - Cemetery, Crematorium\",\n FAD03137: \"Furnace Operator - Other\",\n FAB00961: \"Furniture Designer\",\n FAC02794: \"Furniture Maker \",\n FAB00962: \"Furniture Remover\",\n FAC02795: \"Furniture Restorer\",\n FAC02796: \"Furniture Retailer\",\n GAD03146: \"GP - general practitioner - Doctor\",\n GAD03150: \"Gallery Assistant\",\n GAC02797: \"Gallery Owner (admin. only) \",\n GAC02798: \"Gallery Owner (including manual work)\",\n GAD03155: \"Galley Hand\",\n GAB00965: \"Galvaniser\",\n GAB00966: \"Gamekeeper\",\n GAB00968: \"Ganger\",\n GAD03156: \"Gantry Crane Driver\",\n GAC02800: \"Garage - Mechanic\",\n GAC02801: \"Garage - Petrol Pump Attendant\",\n GAC02802: \"Garage Proprietor - admin only\",\n GAC02803: \"Garage Repair Shop Supervisor (including manual duties)\",\n GAC02804: \"Gardener\",\n GAB00971: \"Gas Appliance Mechanic\",\n GAB00972: \"Gas Compressor Operator\",\n GAB00976: \"Gas Fitter\",\n GAB00979: \"Gas Meter Tester\",\n GAB00984: \"Gem Cutter\",\n GAB00985: \"Gem Polisher\",\n GAB00986: \"Gem Setter\",\n GAB00987: \"Geologist - Mining\",\n GAB00988: \"Geologist - Oil & Natural Gas Industries \",\n GAB00989: \"Geologist - no aerial/offshore etc\",\n GAB00990: \"Geophysicist - Mining\",\n GAB00991: \"Geophysicist - Oil & Natural Gas Industries \",\n GAD03145: \"Glamour Model\",\n GAC02806: \"Glass Blower\",\n GAD03151: \"Glass Worker\",\n GAB00996: \"Glazer\",\n GAD03152: \"Glazier\",\n GAB01000: \"Gold Beater\",\n GAC02807: \"Goldsmith\",\n GAB01001: \"Golf - Caddie\",\n GAB01003: \"Governor\",\n GAB01004: \"Grader\",\n GAC02808: \"Grain Merchant (office based)\",\n GAC02809: \"Graphic Designer\",\n GAB01007: \"Grave Digger\",\n GAD03154: \"Greaser\",\n GAB01010: \"Greenkeeper\",\n GAD03144: \"Grinder\",\n GAC02813: \"Grocer\",\n GAB01019: \"Groom\",\n GAB01020: \"Ground Equipment Service Mechanic\",\n GAB01021: \"Ground Hostess/Steward\",\n GAB01022: \"Ground Movement Controller\",\n GAB01023: \"Groundsman\",\n GAD03147: \"Groundworker\",\n GAD03148: \"Guard - railway\",\n GAD03149: \"Guard - security\",\n GAC02815: \"Guest House Proprietor\",\n GAC02816: \"Guest House Proprietor (admin. only) \",\n GAB01025: \"Guillotine Operator\",\n GAB01026: \"Gummer\",\n GAD03153: \"Gunsmith\",\n HAC02817: \"Haberdasher \",\n HAB01028: \"Hairdresser - Mobile\",\n HAB01029: \"Hairdresser - Salon\",\n HAC02818: \"Hairdresser Shop Manager - admin only\",\n HAC02819: \"Hairdresser Shop Proprietor\",\n HAD03164: \"Hammerman\",\n HAB01037: \"Handyman\",\n HAB01038: \"Harbour Master\",\n HAC02820: \"Harbour Pilot\",\n HAD03157: \"Hardware Shop Retailer\",\n HAB01041: \"Harness Maker\",\n HAB01043: \"Hat Maker\",\n HAB01044: \"Hatchery Worker\",\n HAC02822: \"Haulage Contractor\",\n HAB01046: \"Haulier (no driving)\",\n HAB01047: \"Head Gardener\",\n HAB01048: \"Head Groundsman\",\n HAB01049: \"Head Keeper - Zoo\",\n HAB01050: \"Head Roustabout\",\n HAC02823: \"Headteacher\",\n HAC02824: \"Health & Safety Officer \",\n HAC02827: \"Health Counsellor\",\n HAB01053: \"Health Radiation Monitor\",\n HAC02828: \"Health Visitor\",\n HAC02825: \"Health and Fitness Club Manager (admin. only)\",\n HAC02826: \"Health and Fitness Club Trainer \",\n HAC02829: \"Heating and Ventilating Fitter\",\n HAC02830: \"Heavy Goods Driver (no loading) UK only \",\n HAB01064: \"Heavy Goods Vehicle Driver\",\n HAC02831: \"Helicopter Engineer \",\n HAC02832: \"Helicopter Pilot - Oil Rig Industry \",\n HAC02833: \"Helicopter Pilot - Onshore\",\n HAB01066: \"Historic Building Guide\",\n HAD03162: \"Hod Carrier - construction\",\n HAB01067: \"Hoist Driver\",\n HAD03163: \"Hoist Operator\",\n HAD03165: \"Holiday Representative\",\n HAC02834: \"Home Help\",\n HAC02835: \"Homeless Centre Manager (admin. only) \",\n HAC02836: \"Homeopath\",\n HAB01076: \"Horse Breeder\",\n HAB01077: \"Horse Racing - Flat Jockey\",\n HAB01078: \"Horse Racing - National Hunt\",\n HAC02837: \"Horticulturist\",\n HAB01082: \"Hospital Matron\",\n HAB01084: \"Hospital Porter - Health\",\n HAB01085: \"Hospital Storeman\",\n HAB01086: \"Hospital Ward Orderly\",\n HAB01087: \"Hostel Matron\",\n HAB01088: \"Hostel Warden\",\n HAB01089: \"Hostess\",\n HAD03166: \"Hotel Concierge\",\n HAB01090: \"Hotel Detective\",\n HAB01091: \"Hotel Doorman\",\n HAB01092: \"Hotel Maid\",\n HAC02838: \"Hotel Manager (office based) \",\n HAB01094: \"Hotel Porter\",\n HAB01095: \"Hotel Proprietor\",\n HAB01096: \"Hotel Receptionist\",\n HAB01097: \"House Maid\",\n HAB01098: \"Housekeeper\",\n HAB01099: \"Housewife/House-Husband\",\n HAC02839: \"Housing Association Development Manager (inc. site visits)\",\n HAB01100: \"Housing Inspector\",\n HAC02840: \"Housing Manager \",\n HAD03158: \"Human Resources Advisor\",\n HAD03159: \"Human Resources Analyst\",\n HAD03161: \"Human Resources Assistant\",\n HAD03386: \"Human Resources Consultant\",\n HAD03387: \"Human Resources Officer\",\n HAD03160: \"Hydro-Extractor Operator\",\n HAC02841: \"Hydrographic Engineer/Surveyor\",\n HAC02842: \"Hygienist\",\n HAB01104: \"Hypnotherapist\",\n HAB01105: \"Hypnotist\",\n IAD03170: \"IT Analyst\",\n IAD03172: \"IT Manager - admin only\",\n IAD03174: \"IT Programmer\",\n IAD03176: \"IT Technician\",\n IAB01106: \"Ice Cream Van Driver\",\n IAB01110: \"Illusionist\",\n IAC02846: \"Illustrator \",\n IAD03175: \"Immigration Officer - admin only\",\n IAD03177: \"Immigration Officer - otherwise\",\n IAB01111: \"Impersonator\",\n IAB01112: \"Importer\",\n IAB01114: \"Incinerator Operator\",\n IAD03171: \"Independent Financial Adviser - IFA\",\n IAD03173: \"Industrial Chemist\",\n IAC02847: \"Industrial Designer\",\n IAC02848: \"Industrial Relations Officer\",\n IAC02849: \"Industrial Trainer\",\n IAB01118: \"Inseminator\",\n IAD03178: \"Inspector (not police)\",\n IAD03179: \"Instructor - aviation, diving, etc\",\n IAD03180: \"Instructor - no special risks\",\n IAC02851: \"Instrument Maker\",\n IAC02852: \"Instrument Repairer \",\n IAD03167: \"Insulator - asbestos work inc\",\n IAD03168: \"Insulator - no asbestos work\",\n IAB01154: \"Insurance Agent\",\n IAB01155: \"Insurance Assessor\",\n IAB01156: \"Insurance Broker\",\n IAB01157: \"Insurance Inspector\",\n IAC02853: \"Interior Designer\",\n IAD03169: \"Internal Auditor\",\n IAB01158: \"Interpreter\",\n IAC02854: \"Investment Analyst\",\n IAB01163: \"Ironer\",\n JAC02855: \"Janitor\",\n JAB01167: \"Jetty Hand\",\n JAC02856: \"Jeweller\",\n JAB01168: \"Jewellery Enameller\",\n JAB01169: \"Jewellery Making & Repair\",\n JAB01170: \"Jewellery Mounter\",\n JAB01173: \"Joiner - Construction Industry\",\n JAB01174: \"Joiner - Ship Building, Ship Repair & Marine Engineering\",\n JAB01175: \"Jointer\",\n JAB01176: \"Journalist - no overseas travel etc\",\n JAB01177: \"Journalist - otherwise\",\n JAB01178: \"Judge\",\n JAB01179: \"Judge's Clerk\",\n JAB01180: \"Juggler\",\n JAD03181: \"Justice of the Peace\",\n KAD03182: \"Kebab Van Vendor\",\n KAB01181: \"Keeper - Zoo\",\n KAC02857: \"Kennel Hand, Dog Walker\",\n KAB01184: \"Kerb Layer\",\n KAD03183: \"Key Cutter\",\n KAB01185: \"Keyboard Operator (type setting)\",\n KAB01186: \"Kiln Attendant\",\n KAB01187: \"Kiln Operator\",\n KAB01192: \"Kitchen Porter\",\n KAC02858: \"Kitchen Staff\",\n KAB01194: \"Knife Thrower\",\n KAB01195: \"Knitter\",\n LAB01196: \"Labeller\",\n LAC02859: \"Laboratory Manager (supervisory and some testing)\",\n LAC02860: \"Laboratory Technician\",\n LAD03184: \"Labourer\",\n LAB01246: \"Lagger\",\n LAB01249: \"Laminator\",\n LAB01251: \"Land Agent\",\n LAB01252: \"Land Drainage Worker\",\n LAB01253: \"Land Surveyor\",\n LAD03189: \"Landlord (Property -inc manual work)\",\n LAC02864: \"Landlord (Property -no manual work )\",\n LAB01254: \"Landscape Gardener\",\n LAB01255: \"Landscape Painter\",\n LAD03191: \"Lathe Operator\",\n LAB01259: \"Launderette Assistant\",\n LAB01261: \"Laundryman\",\n LAB01262: \"Lavatory Attendant\",\n LAC02868: \"Lawyer\",\n LAB01265: \"Leading Fireman\",\n LAB01268: \"Leather Technologist\",\n LAD03195: \"Leather worker\",\n LAB01269: \"Lecturer\",\n LAB01271: \"Left Luggage Attendant\",\n LAC02869: \"Legal Adviser\",\n LAC02870: \"Legal Executive \",\n LAD03185: \"Legal Practice Manager\",\n LAD03187: \"Legal Secretary\",\n LAC02872: \"Letting Agent - Holiday homes\",\n LAB01275: \"Librarian\",\n LAC02874: \"Library Assistant\",\n LAD03190: \"Life Coach\",\n LAB01276: \"Lifeboatman (enrolled crew)\",\n LAC02875: \"Lifeboatman - Crew \",\n LAB01277: \"Lifeguard\",\n LAB01278: \"Lift Attendant\",\n LAC02876: \"Lift Engineer\",\n LAC02877: \"Lift Erector\",\n LAB01280: \"Light Goods Vehicle Driver\",\n LAD03188: \"Lighterman\",\n LAB01284: \"Lighting Manager\",\n LAB01285: \"Lighting Technician\",\n LAD03192: \"Linesman\",\n LAB01289: \"Linesman's Mate\",\n LAC02878: \"Liquidator\",\n LAB01293: \"Literary Agent\",\n LAC02879: \"Lithographer\",\n LAB01294: \"Lithographic Assistant\",\n LAB01295: \"Lithographic Plate Grainer\",\n LAB01296: \"Lithographic Plate Preparer\",\n LAD03193: \"Loader\",\n LAD03194: \"Loader Operator\",\n LAB01306: \"Lobster Fisherman\",\n LAB01307: \"Local Government Officer\",\n LAC02880: \"Local Newspaper Editor\",\n LAB01309: \"Lock Keeper\",\n LAB01311: \"Locksmith\",\n LAB01312: \"Locomotive Driver\",\n LAB01313: \"Locomotive Guard\",\n SAB02293: \"Lollipop Man/Lady\",\n LAB01315: \"Loss Adjuster\",\n LAB01317: \"Lumberjack\",\n MAB01318: \"Machine Attendant\",\n MAB01319: \"Machine Maintenance Worker\",\n MAD03224: \"Machine Operator - processing\",\n MAB01358: \"Machine Tool Setter-Operator\",\n MAB01363: \"Machinery Electrician\",\n MAD03201: \"Machinist\",\n MAD03204: \"Magazine Editor\",\n MAD03207: \"Magazine Illustrator \",\n MAD03211: \"Magazine Writer\",\n MAB01367: \"Magician\",\n MAC02881: \"Magistrate - Stipendiary\",\n MAC02882: \"Mail Sorter \",\n MAD03198: \"Maintenance Fitter\",\n MAD03202: \"Maintenance Manager\",\n MAB01377: \"Maintenance Repairer\",\n MAD03216: \"Maintenance Technician\",\n MAD03221: \"Maitre d'Hotel\",\n MAB01390: \"Make-up Artist\",\n MAB01393: \"Malt Roaster\",\n MAB01394: \"Maltster\",\n MAB01395: \"Management Consultant - Usually\",\n MAD03222: \"Manager - Offshore\",\n MAD03228: \"Manager - Retail\",\n MAD03230: \"Manager - Sales\",\n MAD03208: \"Manager - admin only\",\n MAD03212: \"Manager - heavy manual work\",\n MAD03217: \"Manager - light manual work\",\n MAD03225: \"Manager - other\",\n MAB01436: \"Manager (off site)\",\n MAD03235: \"Managing Director - Other\",\n MAD03236: \"Managing Director - Retail\",\n MAD03237: \"Managing Director - Sales Management\",\n MAD03238: \"Managing Director - Selling\",\n MAD03232: \"Managing Director - admin/office based only\",\n MAD03233: \"Managing Director - heavy manual duties\",\n MAD03234: \"Managing Director - light manual duties\",\n MAD03239: \"Manhole Maker\",\n MAB01451: \"Manicurist\",\n MAD03197: \"Marine Biologist\",\n MAB01453: \"Marine Engineer\",\n MAB01454: \"Marine Installation Fitter\",\n MAB01456: \"Marine Surveyor\",\n MAB01459: \"Market Gardener\",\n MAB01460: \"Market Porter - Usually\",\n MAB01461: \"Market Research Analyst\",\n MAB01462: \"Market Research Interviewer\",\n MAC02886: \"Market Researcher (office based) \",\n MAC02887: \"Market Researcher - Street research\",\n MAD03226: \"Market or Street Trader\",\n MAC02885: \"Market or Street Traders Assistant\",\n MAC02888: \"Marketing Consultant - International \",\n MAC02889: \"Marketing Manager\",\n MAC02890: \"Marketing Research Manager (office based)\",\n MAD03196: \"Marriage Guidance Counsellor\",\n MAB01464: \"Martial Arts Instructor\",\n MAB01465: \"Mason\",\n MAB01466: \"Mason Bricklayer\",\n MAB01467: \"Mason's Labourer\",\n MAB01468: \"Masseur\",\n MAB01469: \"Masseuse\",\n MAB01476: \"Mate, Second Hand\",\n MAC02891: \"Mathematician\",\n MAB01478: \"Mattress Maker\",\n MAB01482: \"Meat Cutter\",\n MAB01483: \"Meat Inspector\",\n MAB01484: \"Meat Trimmer\",\n MAD03205: \"Mechanic\",\n MAD03209: \"Mechanic - Oil Rig\",\n MAD03213: \"Mechanical Engineer\",\n MAB01496: \"Medical Practitioner\",\n MAD03214: \"Medical Receptionist\",\n MAD03218: \"Medical Secretary\",\n MAB01497: \"Medium\",\n MAB01499: \"Member of Parliament, Politician\",\n MAC02896: \"Messenger - Motorcycle\",\n MAC02897: \"Messenger - Not motorcycle\",\n MAB01503: \"Metallographer\",\n MAB01504: \"Metallurgist\",\n MAB01505: \"Meteorologist\",\n MAD03210: \"Meter Collector\",\n MAD03215: \"Meter Fixer/Tester\",\n MAD03219: \"Meter Reader\",\n MAB01515: \"Microfilm Operator\",\n MAC02901: \"Midwife \",\n MAB01516: \"Milk Roundsman\",\n MAB01517: \"Milker\",\n MAD03220: \"Miller\",\n MAD03223: \"Milliner\",\n MAC02902: \"Miner\",\n MAD03199: \"Mineralogist\",\n MAC02903: \"Mini Cab Driver \",\n MAB01529: \"Mining Engineer\",\n MAB01530: \"Mining Officer\",\n MAB01531: \"Mining Surveyor\",\n MAC02904: \"Minister of Religion\",\n MAB01532: \"Missionary\",\n MAD03200: \"Mixer - processing\",\n MAD03203: \"Mobile Crane Driver\",\n MAC02905: \"Model Maker \",\n MAB01546: \"Money Broker\",\n MAB01548: \"Mortuary Attendant\",\n MAC02906: \"Motor Bike Instructor\",\n MAB01551: \"Motor Cycle Courier\",\n MAC02907: \"Motor Cycle Messenger\",\n MAC02908: \"Motor Fleet Manager \",\n MAC02909: \"Motor Service Manager - admin only\",\n MAD03227: \"Motorman\",\n MAD03229: \"Mould Maker\",\n MAD03231: \"Moulder\",\n MAB01564: \"Mud Engineer\",\n MAB01565: \"Mud Logger\",\n MAB01566: \"Mud Man\",\n MAB01568: \"Museum Attendant\",\n MAB01569: \"Museum Curator\",\n MAB01570: \"Museum Guide\",\n MAB01571: \"Music Teacher (Private)\",\n MAB01573: \"Musical Instrument Maker\",\n MAB01574: \"Musical Instrument Repairer\",\n MAD03206: \"Musician - Professional\",\n NAD03241: \"NHS Manager\",\n NAD03243: \"Nail Technician/Beautician\",\n NAC01811: \"Nanny\",\n NAD03240: \"Nature Reserve Worker/Warden\",\n NAB01575: \"Navigator\",\n NAB01578: \"News Photographer - no overseas travel etc\",\n NAB01579: \"News Photographer - otherwise\",\n NAC01812: \"Newsagent (not delivering papers)\",\n NAC01814: \"Newspaper Reporter - Freelance\",\n NAB01580: \"Newsreader\",\n NAB01581: \"Newsvendor\",\n NAD03242: \"Night Watchman\",\n NAB01587: \"Nuclear Engineer\",\n NAD03244: \"Nuclear Plant Attendant\",\n NAB01591: \"Nuclear Scientist\",\n NAB01592: \"Nurse\",\n NAB01597: \"Nurse - Midwife\",\n NAD03245: \"Nurse - Sister\",\n NAB01598: \"Nurse - Teaching duties only\",\n NAD03246: \"Nursery School Assistant\",\n NAB01599: \"Nurseryman\",\n NAB01600: \"Nursing Auxiliary\",\n NAC01817: \"Nursing Home Proprietor (admin. only)\",\n OAC01818: \"Obstetrician\",\n OAB01601: \"Occupational Therapist\",\n OAD03247: \"Oceanographer\",\n OAD03251: \"Off-Licence Employee\",\n OAB01602: \"Off-Licence Manager\",\n OAB01604: \"Office Clerk\",\n OAB01605: \"Office Fitter\",\n OAB01606: \"Office Messenger\",\n OAB01608: \"Office Receptionist\",\n OAD03248: \"Oiler and Greaser\",\n OAB01612: \"Old People's Home Matron\",\n OAB01613: \"Old People's Home Warden\",\n OAC08123: \"Operations Manager - Light engineering company\",\n OAB01616: \"Operations Officer\",\n OAB01617: \"Optical Instrument Fitter\",\n OAB01618: \"Optical Instrument Maker\",\n OAB01619: \"Optical Instrument Mechanic\",\n OAB01620: \"Optical Instrument Repairer\",\n OAB01621: \"Optical Printer\",\n OAB01622: \"Optician\",\n OAC01826: \"Opticians Assistant \",\n OAB01625: \"Orchestrator\",\n OAB01628: \"Orthodontic Technician\",\n OAB01629: \"Orthodontist\",\n OAC01827: \"Orthopaedic Surgeon \",\n OAB01630: \"Orthoptist\",\n OAB01631: \"Osteopath\",\n OAD03382: \"Other - Occupation not listed\",\n OAD03249: \"Outdoor Pursuits Centre Instructor\",\n OAD03250: \"Ovensman\",\n OAB01637: \"Overhead Crane Driver\",\n OAB01638: \"Overhead Linesman\",\n OAB01639: \"Overhead Linesman's Mate\",\n OAB01643: \"Oyster Fisherman\",\n PAD03258: \"P E Teacher\",\n PAC01857: \"PR Executive\",\n PAB01644: \"Packaging Machine Attendant\",\n PAD03261: \"Packer\",\n PAC01828: \"Painter\",\n PAB01666: \"Painter & Decorator (Interior)\",\n PAB01668: \"Painter (Exterior) - 40' up\",\n PAB01669: \"Painter (Exterior) - up to 40'\",\n PAB01665: \"Painter - Woodworking Industry\",\n PAD03272: \"Panel Beater\",\n PAB01673: \"Paper Maker (hand)\",\n PAB01674: \"Paper Merchant\",\n PAB01676: \"Paramedic (Driver)\",\n PAB01677: \"Paramedic (No driving)\",\n PAB01678: \"Park Keeper\",\n PAB01679: \"Park Ranger\",\n PAB01680: \"Parks Superintendent\",\n PAB01681: \"Parliamentary Agent\",\n PAC01832: \"Party Organiser \",\n PAB01682: \"Passenger Officer\",\n PAB01685: \"Pasteuriser\",\n PAB01687: \"Patent Agent\",\n PAB01688: \"Pathologist\",\n PAB01691: \"Pattern Maker - Metal, Plastic etc\",\n PAB01692: \"Pavior\",\n PAC01834: \"Pawnbroker\",\n PAB01693: \"Pedicurist\",\n PAD03259: \"Personal Assistant (PA)\",\n PAB01696: \"Pest Control Manager\",\n PAB01697: \"Pest Control Operator\",\n PAB01699: \"Petrol Pump Attendant\",\n PAB01701: \"Pharmacist\",\n PAB01702: \"Pharmacologist\",\n PAB01703: \"Pharmacy Assistant\",\n PAC01844: \"Phlebotomist\",\n PAD03383: \"Photocopier Engineer\",\n PAB01704: \"Photocopying Machine Operator\",\n PAC01845: \"Photographer\",\n PAC01846: \"Photographer - Aerial\",\n PAB01705: \"Photographic Finisher\",\n PAB01706: \"Photographic Model\",\n PAB01707: \"Photographic Mounter\",\n PAB01708: \"Physician\",\n PAB01709: \"Physicist\",\n PAB01710: \"Physiotherapist\",\n PAB01711: \"Piano/Organ Tuner\",\n PAB01712: \"Pickler\",\n PAC01848: \"Picture Framer\",\n PAB01713: \"Pier Master\",\n PAB01714: \"Pile Driver\",\n PAB01715: \"Pilot\",\n PAD03263: \"Pipe Fitter\",\n PAD03264: \"Pipe Jointer\",\n PAD03268: \"Pipe Layer\",\n PAB01729: \"Pipe/Powerline Survey Work\",\n PAB01731: \"Pitch Melter\",\n PAD03253: \"Planning Engineer\",\n PAB01735: \"Planning Inspector\",\n PAB01736: \"Plant Attendant\",\n PAC01849: \"Plant Hire Manager (some manual work)\",\n PAC01850: \"Plant Hire Owner (some manual work) \",\n PAC01851: \"Plant Hire Proprietor (admin. only) \",\n PAD03254: \"Plant Operator\",\n PAB01747: \"Plasterer\",\n PAB01748: \"Plastic Coating Operator\",\n PAB01752: \"Plate Cutter\",\n PAB01753: \"Plate Moulder\",\n PAB01754: \"Plate Separator\",\n PAB01755: \"Platelayer\",\n PAB01756: \"Plateman\",\n PAB01760: \"Plater (including Boiler)\",\n PAB01757: \"Plater - Aircraft/Aerospace\",\n PAB01758: \"Plater - Motor Vehicle & Cycle Industry\",\n PAB01759: \"Plater - Ship Building, Ship Repair & Marine Engineering\",\n PAD03252: \"Playschool/Group Worker/Leader\",\n PAB01761: \"Playwright\",\n PAB01762: \"Plumber - Construction/Industrial\",\n PAC01852: \"Plumber - Domestic\",\n PAB01765: \"Pneumatic Drill Operator\",\n PAB01766: \"Poet\",\n PAB01767: \"Pointsman\",\n PAB01768: \"Police\",\n PAB01773: \"Police Frogman\",\n PAD03260: \"Politician \",\n PAB01777: \"Pollution Inspector\",\n PAB01780: \"Pop Musician\",\n PAB01781: \"Pop Singer\",\n PAB01782: \"Port Control Signalman\",\n PAB01783: \"Port Health Inspector\",\n PAB01785: \"Porter - Meat, Fish etc - Food & Drink\",\n PAB01786: \"Porter - Station Personnel - Railways\",\n PAB01787: \"Portrait Painter\",\n PAB01788: \"Portrait Photographer\",\n PAC01853: \"Postal Courier Driver\",\n PAC01854: \"Postal Courier Manager \",\n PAB01790: \"Postman\",\n PAB01789: \"Postman (no driving)\",\n PAB01791: \"Pot Fisherman\",\n PAB01792: \"Potman\",\n PAB01793: \"Potter\",\n PAB01794: \"Poultry Dresser\",\n PAB01795: \"Poultry Plucker\",\n PAB01797: \"Poultryman\",\n PAB01798: \"Power Loader Man\",\n PAB01799: \"Power Loader Operator\",\n PAB01800: \"Power Station Charge Engineer\",\n PAB01801: \"Power Station Manager\",\n PAB01802: \"Power Station Superintendent\",\n PAC01858: \"Practice Manager\",\n PAB01806: \"Precision Instrument Fitter\",\n PAB01807: \"Precision Instrument Maker\",\n PAB01808: \"Precision Instrument Repairer\",\n PAB01809: \"Preparer\",\n PAB01810: \"Press Cutter\",\n PAB01811: \"Press Officer\",\n PAD03255: \"Press Operator - processing\",\n PAB01814: \"Press Tool Setter\",\n PAB01817: \"Presser - Fruit & Veg. - Food & Drink\",\n PAB01818: \"Presser - Laundry\",\n PAB01819: \"Priest\",\n PAB01821: \"Printer\",\n PAC01860: \"Printing Director (purely admin.)\",\n PAB01826: \"Prison Officer\",\n PAB01827: \"Private Detective\",\n PAB01831: \"Probation Officer\",\n PAD03256: \"Process worker\",\n PAD03257: \"Producer - TV/film/theatre\",\n PAB01868: \"Production Manager\",\n PAC01865: \"Professional Sportsperson\",\n PAC01866: \"Project Co-ordinator\",\n PAD03266: \"Project Manager/Programme Manager\",\n PAB01899: \"Projectionist\",\n PAB01900: \"Prompter\",\n PAB01901: \"Proofer\",\n PAC01867: \"Property & Estate Manager\",\n PAD03271: \"Property Developer(no manual work)\",\n PAB01902: \"Property Manager\",\n PAB01905: \"Proprietor\",\n PAB01906: \"Psychiatrist\",\n PAB01907: \"Psychologist\",\n PAC01870: \"Psychotherapist \",\n PAC01871: \"Public Hall Bookings Office Manager \",\n PAB01909: \"Public Health Inspector\",\n PAB01910: \"Public House Manager (salaried)\",\n PAB01911: \"Public Lighting Fitter-Erector\",\n PAB01913: \"Public Relations Officer\",\n PAB01915: \"Publican\",\n PAB01916: \"Publisher\",\n PAD03267: \"Pumpman\",\n PAB01923: \"Puppeteer\",\n PAC01872: \"Purchasing Officer/Manager (not retail)\",\n PAB01924: \"Purifier Man\",\n PAB01925: \"Purser\",\n PAB01927: \"Pusherman\",\n QAD03273: \"Quality Control Engineer\",\n QAD03274: \"Quality Control Inspector\",\n QAB01930: \"Quantity Surveyor\",\n QAB01931: \"Quarry Manager\",\n QAC01874: \"Quarryman\",\n QAB01933: \"Quartermaster\",\n QAB01934: \"Queen's Counsel\",\n RAB02043: \"RSPCA Inspector\",\n RAB01935: \"Rabbi\",\n RAD03278: \"Racetrack Steward\",\n RAB01936: \"Radar Controller/Operator\",\n RAB01937: \"Radar Observer\",\n RAB01942: \"Radio Station Manager\",\n RAC01877: \"Radio and TV Repairer\",\n RAB01943: \"Radio/Radar Operator\",\n RAC01875: \"Radio/TV Announcer/Presenter\",\n RAC01876: \"Radio/TV Director/Producer\",\n RAB01947: \"Radiographer - Health\",\n RAB01948: \"Radiologist\",\n RAD03281: \"Radiotherapist\",\n RAB01950: \"Rag & Bone Dealer\",\n RAB01959: \"Receptionist\",\n RAC01881: \"Record Producer - Entertainment Industry\",\n RAB01960: \"Recording Engineer\",\n RAD03275: \"Recruitment Consultant\",\n RAB01961: \"Rector\",\n RAB01963: \"Reflexologist\",\n RAC01882: \"Refuse Collector\",\n RAB01964: \"Registrar\",\n RAC01883: \"Reinsurance Broker\",\n RAD03277: \"Relationship Manager\",\n RAB01967: \"Rent Collector\",\n RAB01973: \"Reporter/Writer - no overseas travel etc\",\n RAB01974: \"Reporter/Writer - otherwise\",\n RAB01975: \"Rescue Diver\",\n RAC01885: \"Research Chemist (Managerial)\",\n RAC01886: \"Research Information Officer (Office based) \",\n RAC01887: \"Research Projects Manager (Deals with hazardous substances) \",\n RAB01976: \"Research Survey Clerk\",\n RAB01978: \"Researcher - Journalism\",\n RAB01977: \"Researcher - Radio & TV - Entertainment\",\n RAB01979: \"Reservations Clerk\",\n RAB01980: \"Reservoir Attendant\",\n RAC01888: \"Residential Care Worker\",\n RAC01890: \"Residential Home Proprietor (Admin. only)\",\n RAC01891: \"Residential Home Proprietor (full involvement in caring)\",\n RAC01892: \"Restaurant Proprietor - no cooking\",\n RAB01983: \"Restorer (Paintings)\",\n RAB01984: \"Restorer (Stone, Brickwork)\",\n RAC01894: \"Retail Shop Manager \",\n RAC01895: \"Retail Shop Manager - admin only\",\n RAC01896: \"Retired \",\n RAC01897: \"Riding Instructor\",\n RAB01985: \"Rig Electrician\",\n RAB01986: \"Rig Maintenance Diver\",\n RAB01987: \"Rig Mechanic\",\n RAB01988: \"Rig Medic\",\n RAB01989: \"Rigger - Docks\",\n RAB01990: \"Rigger - Film Industry - Entertainment\",\n RAB01991: \"Rigger - Gas Supply Industry\",\n RAB01994: \"Rigger - Industrial/Plant Machinery\",\n RAB01992: \"Rigger - Oil & Natural Gas Industries \",\n RAB01993: \"Rigger - Ship Building, Ship Repair & Marine Engineering\",\n RAB01995: \"Ripper\",\n RAB01996: \"River Inspector\",\n RAD03279: \"Riveter\",\n RAB02008: \"Road Crew Member - 'Roadie'\",\n RAC01900: \"Road Manager - Rock band\",\n RAB02010: \"Road Marker\",\n RAD03384: \"Road Patrolman \",\n RAB02013: \"Road Safety Officer\",\n RAB02015: \"Road Sweeper (hand)\",\n RAC01902: \"Road Sweeper - Mechanical\",\n RAB02016: \"Road Tester - Garage Trade\",\n RAB02017: \"Road Tester - Motor Vehicle & Cycle Industry\",\n RAD03280: \"Road Worker/Labourer\",\n RAB02019: \"Roaster\",\n RAB02020: \"Rodent Destroyer\",\n RAB02022: \"Roller Blind Maker\",\n RAD03276: \"Rollerman \",\n RAB02032: \"Roofer - 40' up\",\n RAB02033: \"Roofer - up to 40'\",\n RAC01903: \"Roofing Inspector (Mostly office based - some estimating)\",\n RAB02035: \"Rope Maker\",\n RAB02037: \"Roughneck\",\n RAB02039: \"Roustabout\",\n RAC01905: \"Roustabout Pusher - Oil Rig Industry\",\n RAC01906: \"Rubber & Plastics Worker\",\n RAB02044: \"Rubber Technologist\",\n SAB02047: \"Saddler\",\n SAD03299: \"Safety Inspector\",\n SAB02048: \"Safety Officer\",\n SAC01907: \"Safety Officer - Oil Rig Industry\",\n SAD03300: \"Sailing Instructor\",\n SAD03305: \"Salary Administrator\",\n SAC01908: \"Sales & Marketing Manager\",\n SAD03306: \"Sales Assistant - retail\",\n SAD03312: \"Sales Executive\",\n SAD03317: \"Sales Manager\",\n SAD03319: \"Sales Support Administrator\",\n SAB02050: \"Salter\",\n SAB02051: \"Salvage Diver\",\n SAB02052: \"Salvage Man\",\n SAD03283: \"Sandblaster\",\n SAC01910: \"Satellite Aerial Fixer (domestic only)\",\n SAB02056: \"Saturation Tank Attendant\",\n SAD03296: \"Saw Doctor or Repairer or Sharpener\",\n SAB02064: \"Scaffolder\",\n SAD03291: \"Scaffolder Offshore Oil or Gas\",\n SAB02068: \"Scene Shifter\",\n SAB02069: \"Scenery Painter\",\n SAD03313: \"School Assistant\",\n SAC01912: \"School Bursar\",\n SAC01913: \"School Inspector\",\n SAB02074: \"Scrap Breaker\",\n SAB02076: \"Scrap Dealer\",\n SAB02079: \"Screen Printer\",\n SAB02081: \"Screener - Quarrying\",\n SAB02082: \"Screenmaker\",\n SAB02084: \"Screwman\",\n SAB02085: \"Script Writer\",\n SAB02087: \"Sculptor\",\n SAB02088: \"Seaman\",\n SAD03307: \"Secretary\",\n SAD03314: \"Security Consultant\",\n SAB02093: \"Security Guard\",\n SAD03285: \"Security Manager\",\n SAB02096: \"Seismologist\",\n SAD03301: \"Set Designer\",\n SAB02106: \"Sewage Works Attendant\",\n SAB02107: \"Sewage Works Manager\",\n SAB02108: \"Sewerman\",\n SAC01919: \"Sewing Machine Mechanic \",\n SAD03315: \"Sewing Machinist\",\n SAB02113: \"Shaftsman\",\n SAB02114: \"Sheep Shearer\",\n SAB02115: \"Sheet Fixer\",\n SAD03294: \"Sheet Metal Worker\",\n SAC01920: \"Shelf Filler\",\n SAB02119: \"Shepherd\",\n SAB02121: \"Ship's Broker\",\n SAB02123: \"Shipping Clerk\",\n SAB02127: \"Shoe Maker\",\n SAB02128: \"Shoe Repairer\",\n SAB02129: \"Shop Assistant\",\n SAB02133: \"Shop Fitter\",\n SAD03286: \"Shotblaster\",\n SAD03292: \"Shotfirer\",\n SAB02145: \"Shredding Machine Operator\",\n SAB02146: \"Shunter - Marshalling/Goods Yard - Railways\",\n SAB02147: \"Shunter - Mining\",\n SAD03302: \"Sieve Operator - food\",\n SAD03308: \"Sieve Operator - quarry\",\n SAD03316: \"Sifter - food\",\n SAD03318: \"Sifter - quarry\",\n SAB02159: \"Sign Writer (40' up)\",\n SAB02160: \"Sign Writer (no work at heights)\",\n SAB02163: \"Signalman\",\n SAD03287: \"Siloman\",\n SAB02167: \"Siloman - docks\",\n SAB02169: \"Siloman - quarry\",\n SAC01922: \"Silversmith \",\n SAB02171: \"Sister (Hospital)\",\n SAB02172: \"Site Agent\",\n SAB02176: \"Skiing - Snow - Prof Instructor\",\n SAB02177: \"Skipper\",\n SAB02181: \"Slate Cutter\",\n SAB02182: \"Slate Dresser\",\n SAB02183: \"Slate Splitter\",\n SAB02184: \"Slater - 40' up\",\n SAB02185: \"Slater - up to 40'\",\n SAB02186: \"Slaughterer\",\n SAB02187: \"Slaughterhouse Manager\",\n SAB02188: \"Sleeping Car Attendant\",\n SAB02189: \"Sleeve Designer\",\n SAB02190: \"Smeller\",\n SAB02191: \"Smith - Gold, Silver etc\",\n SAB02192: \"Smoker\",\n SAB02197: \"Social Worker\",\n SAB02198: \"Sociologist\",\n SAB02199: \"Solderer\",\n SAB02200: \"Solicitor\",\n SAB02201: \"Song Writer\",\n SAB02205: \"Sorter (scrap metal)\",\n SAB02202: \"Sorter - Dry Cleaning\",\n SAB02203: \"Sorter - Laundry\",\n SAB02204: \"Sorter - Post Office/Telecommunications\",\n SAD03295: \"Sound Balancer\",\n SAD03297: \"Sound Mixer\",\n SAD03303: \"Sound Recordist\",\n SAB02212: \"Sound Technician\",\n SAB02214: \"Special Air Service (SAS)\",\n SAB02215: \"Special Boat Service (SBS)\",\n SAB02217: \"Special Effects Technician\",\n SAB02218: \"Speech Therapist\",\n SAB02219: \"Spiderman\",\n SAB02220: \"Spinner\",\n SAB02224: \"Sports Equipment Maker\",\n SAB02225: \"Sports Equipment Repairer\",\n SAB02226: \"Spot-Welder\",\n SAD03298: \"Spray Painter\",\n SAB02235: \"Stablehand\",\n SAB02236: \"Staff Nurse\",\n SAB02237: \"Stage Doorkeeper\",\n SAB02238: \"Stage Hand\",\n SAD03309: \"Stage Manager\",\n SAC01928: \"Stage Technician\",\n SAB02242: \"Stamper (identification markings)\",\n SAD03284: \"Station Manager\",\n SAD03288: \"Station Officer - Fire\",\n SAC01929: \"Stationer\",\n SAB02253: \"Statistician\",\n SAB02254: \"Steel Erector - 40' up\",\n SAB02255: \"Steel Erector - up to 40'\",\n SAB02258: \"Steeplejack\",\n SAB02263: \"Stenographer\",\n SAD03289: \"Steriliser\",\n SAB02267: \"Stevedore\",\n SAB02269: \"Stitcher\",\n SAB02270: \"Stockbroker\",\n SAB02272: \"Stockroom Storeman\",\n SAB02273: \"Stocktaker\",\n SAD03290: \"Stone Breaker\",\n SAD03293: \"Stone/Slate Polisher\",\n SAB02284: \"Stonemason\",\n SAB02285: \"Store Detective\",\n SAB02286: \"Storekeeper\",\n SAD03304: \"Storeman\",\n SAD03310: \"Structural Engineer\",\n SAB02298: \"Student\",\n SAB02301: \"Stunt Man\",\n SAB02305: \"Submariner\",\n SAB02306: \"Sugar Beet Cutter/Slicer\",\n SAB02307: \"Sugar Boiler\",\n SAB02310: \"Supermarket Cashier\",\n SAD03282: \"Supermarket Manager\",\n SAB02317: \"Surgeon\",\n SAB02318: \"Surgery Nurse\",\n SAB02319: \"Surgery Receptionist\",\n SAB02320: \"Surgical Appliance Maker\",\n SAC01936: \"Surgical Shoe Maker \",\n SAB02322: \"Surveyor - Oil & Natural Gas Industries (Exploration & Production)\",\n SAB02323: \"Surveyor - Ship Building, Ship Repair & Marine Engineering\",\n SAC01937: \"Swimming Instructor \",\n SAB02325: \"Swimming Pool Attendant\",\n SAB02326: \"Switchboard Operator\",\n SAB02327: \"Sword Swallower\",\n SAD03311: \"Systems Programmer\",\n TAD03338: \"Tailor\",\n TAD03340: \"Takeaway Food Shop Assistant\",\n TAD03341: \"Takeaway Food Shop Manager - no serving\",\n TAB02333: \"Tamperman\",\n TAB02334: \"Tank Room Attendant\",\n TAD03327: \"Tanker Driver\",\n TAD03330: \"Tanker Filler\",\n TAD03332: \"Tanner\",\n TAB02338: \"Tarmac Layer - Construction Industry\",\n TAB02339: \"Tarmac Layer - Road Maintenance & Construction\",\n TAD03339: \"Tattoo Artist\",\n TAB02340: \"Tax Consultant\",\n TAB02341: \"Tax Inspector\",\n TAC01941: \"Taxi Business Administrator\",\n TAC01943: \"Taxi Business Proprietor (no driving)\",\n TAB02342: \"Taxi Driver\",\n TAB02343: \"Taxidermist\",\n TAD03325: \"Teacher\",\n TAC01944: \"Teaching Assistant\",\n TAD03328: \"Technician - admin and site visits\",\n TAD03331: \"Technician - admin only\",\n TAD03333: \"Technician - heavy manual\",\n TAD03335: \"Technician - light manual \",\n TAB02360: \"Technician - other\",\n TAC01945: \"Telecommunication Technical Officer\",\n TAB02365: \"Telegraphist\",\n TAC01946: \"Telephone Customer Advisor\",\n TAB02366: \"Telephone Exchange Superintendent\",\n TAB02367: \"Telephone Fitter\",\n TAB02368: \"Telephone Operator\",\n TAB02369: \"Telephone Repairer\",\n TAB02370: \"Telephone Supervisor\",\n TAC01947: \"Telephone Systems Sales Director\",\n TAB02371: \"Telephonist\",\n TAD03323: \"Telesales Caller\",\n TAD03324: \"Telesales Manager\",\n TAC01948: \"Television Engineer \",\n TAD03336: \"Test Engineer\",\n TAB02380: \"Test Pilots\",\n TAD03321: \"Tester\",\n TAC01949: \"Textile Worker\",\n TAB02393: \"Thatcher\",\n TAC01950: \"Theatre Sound Engineer\",\n TAB02398: \"Ticket Inspector\",\n TAB02400: \"Tiler - 40' up\",\n TAB02401: \"Tiler - up to 40'\",\n TAB02402: \"Timber Merchant (no manual work)\",\n TAB02405: \"Timberman\",\n TAC01951: \"Tobacconist \",\n TAB02412: \"Tool Fitter\",\n TAB02413: \"Tool Maker\",\n TAB02414: \"Tool Pusher\",\n TAB02417: \"Tour Guide\",\n TAB02418: \"Tour Manager\",\n TAB02419: \"Tower Crane Driver\",\n TAB02420: \"Town Planner\",\n TAB02421: \"Toxicologist\",\n TAB02426: \"Trackman\",\n TAD03334: \"Trade Union Official (full time)\",\n TAB02427: \"Traffic Warden\",\n TAB02428: \"Train Crew Inspector\",\n TAB02429: \"Train Crew Supervisor\",\n TAC01953: \"Train Driver\",\n TAD03326: \"Trainer - education/office based\",\n TAD03329: \"Tram Driver/Conductor\",\n TAB02432: \"Translator\",\n TAC01954: \"Transport Company Operations Manager (Office based) \",\n TAC01955: \"Transport Manager\",\n TAC01956: \"Travel Agent (office based) \",\n TAB02434: \"Travel Courier\",\n TAB02435: \"Trawlerman\",\n TAB02436: \"Tree Feller\",\n TAB02437: \"Tree Surgeon\",\n TAB02438: \"Trenchman\",\n TAB02443: \"Tugman\",\n TAB02449: \"Tunneller - no explosives etc\",\n TAB02450: \"Tunneller - using explosives etc\",\n TAC01957: \"Turf Accountant (on course) \",\n TAC01958: \"Turf Accountant (shop)\",\n TAD03337: \"Turf Cutter/Layer\",\n TAB02451: \"Turner - Machining, Shaping etc - Metal Manufacture\",\n TAB02452: \"Turner - Pottery Industry\",\n TAB02453: \"Turnstile Operator\",\n TAB02454: \"Tutor (salaried)\",\n TAB02455: \"Tutor (self-employed)\",\n TAB02457: \"Type Caster\",\n TAC01959: \"Typesetter\",\n TAB02459: \"Typograph Operator\",\n TAB02460: \"Typographical Designer\",\n TAD03322: \"Tyre/Exhaust Fitter\",\n UAD03343: \"Umpire \",\n UAD03344: \"Under Secretary\",\n UAB02463: \"Undertaker\",\n UAB02464: \"Undertaker's Director's Assistant\",\n UAB02465: \"Underwriter\",\n UAC01960: \"Unemployed\",\n UAD03342: \"University lecturer\",\n UAC01961: \"Unknown\",\n UAB02467: \"Upholsterer\",\n UAB02469: \"Usher/Usherette\",\n VAD03348: \"Vacuum Plant Operator\",\n VAB02470: \"Valet/Valeter\",\n VAB02471: \"Valuer\",\n VAD03345: \"Valveman\",\n VAB02475: \"Van driver\",\n VAB02476: \"Varnisher\",\n VAB02477: \"Vatman\",\n VAB02478: \"Vehicle Body Builder\",\n VAB02479: \"Vehicle Body Fitter\",\n VAC01962: \"Vending Machine Engineer\",\n VAB02480: \"Venetian Blind Maker\",\n VAB02481: \"Ventriloquist\",\n VAD03346: \"Venture Capitalist\",\n VAB02482: \"Verger\",\n VAB02483: \"Veterinarian\",\n VAB02485: \"Veterinary Assistant\",\n VAB02492: \"Vicar\",\n VAC01963: \"Video Conference Engineer\",\n VAB02493: \"Video Recorder Operator\",\n VAD03347: \"Vintner\",\n VAB02495: \"Vision Mixer\",\n VAB02496: \"Vocational Training Instructor\",\n WAD03356: \"Wages Clerk\",\n WAB02499: \"Wages Inspector\",\n WAB02503: \"Waiter, Waitress\",\n WAB02506: \"Wallpaper Printer\",\n WAB02507: \"Warden\",\n WAB02508: \"Wardrobe Mistress\",\n WAB02510: \"Warehouse Manager\",\n WAB02513: \"Warehouseman\",\n WAD03352: \"Washer\",\n WAD03353: \"Waste Disposal/Recycling Operative\",\n WAB02518: \"Wasteman, Salvage Man\",\n WAC01964: \"Watch & Clock Maker \",\n WAC01965: \"Watch & Clock Repairer\",\n WAB02519: \"Watchman (inland waterways)\",\n WAB02520: \"Watchstander\",\n WAB02521: \"Water Bailiff\",\n WAB02522: \"Water Infusion Man\",\n WAD03351: \"Water Meter Reader/Fitter/Tester\",\n WAB02524: \"Water Skiing - Prof. Instructor\",\n WAD03354: \"Water Treatment Plant Operator\",\n WAD03355: \"Waterworks Manager\",\n WAD03357: \"Weaver\",\n WAD03359: \"Website/Webpage Designer\",\n WAB02529: \"Wedding Photographer\",\n WAB02530: \"Weighbridge Clerk\",\n WAD03349: \"Weighbridgeman \",\n WAB02538: \"Weights & Measures Inspector\",\n WAB02541: \"Welder - 40' up\",\n WAB02542: \"Welder - up to 40'\",\n WAB02546: \"Welfare Officer\",\n WAB02547: \"Welfare Worker\",\n WAB02556: \"Wicker Worker\",\n WAB02558: \"Wig Maker\",\n WAB02561: \"Winch Operator\",\n WAB02562: \"Winchman\",\n WAB02564: \"Window Cleaner (40' up)\",\n WAB02565: \"Window Cleaner (up to 40')\",\n WAB02566: \"Window Dresser\",\n WAD03358: \"Window/Conservatory Fitter\",\n WAD03360: \"Windscreen Fitter/Repairer\",\n WAB02567: \"Wire Winder\",\n WAB02570: \"Wood Carver\",\n WAD03350: \"Wood Worker\",\n WAB02574: \"Woodcutter\",\n WAB02575: \"Woodman\",\n WAC01966: \"Working Partner\",\n WAB02581: \"Wrapping Machine Attendant\",\n WAB02583: \"Writer\",\n XAD03362: \"X-ray Technician - Radiologist\",\n YAD03363: \"Yacht & Boat Builder\",\n YAD03365: \"Yard Assistant\",\n YAB02585: \"Yard Cleaner\",\n YAD03364: \"Yarn Worker\",\n YAD03366: \"Yoga Teacher\",\n YAC01967: \"Youth Hostel Assistant and Cook \",\n YAC01968: \"Youth Hostel Manager (some manual work) \",\n YAB02586: \"Youth Leader (Full time)\",\n YAD03367: \"Youth Worker (full time)\",\n ZAD03370: \"Zoo Curator\",\n ZAD03385: \"Zoo Director\",\n ZAD03368: \"Zoo Keeper\",\n ZAD03369: \"Zoo Keeper - large zoos\",\n ZAD03371: \"Zoo Keeper - small zoos\",\n ZAD03372: \"Zoological Research Associate\",\n ZAD03373: \"Zoological Researcher\",\n ZAD03374: \"Zoologist\",\n ZAB02587: \"Zoologist (no overseas field work)\",\n};","import { Auth } from 'aws-amplify';\n\n/**\n * A mocked version of an aws session.\n */\nclass MockSession {\n refreshToken = {\n token: 'iama.mockrefresh.token',\n }\n\n getIdToken() {\n return(\n {\n jwtToken: 'iama.mockid.token',\n payload: {\n email: 'sometest@email.com',\n // If cfs federated:\n //\"cognito:groups\": \"eu-west-2_87ztWeh5V_Cirencester-Friendly\",\n identities: [\n {\n userId: 'sometestuserid'\n },\n ]\n }\n }\n )\n }\n\n getAccessToken() {\n return(\n {\n jwtToken: 'iama.mockaccess.token',\n }\n )\n }\n}\n\n/**\n * Lib used to interact with Auth through an abstraction which allows for easy\n * mocking.\n */\nexport default class SessionLib {\n /**\n * Returns whether we need to mock.\n */\n static needsMock() {\n return(process.env.STORYBOOK || process.env.NODE_ENV === 'test');\n }\n\n /**\n * Returns the result from Auth.currentSession unless mocking.\n * Returns a promise that resolves to a mocked session after 1s otherwise.\n */\n static currentSession() {\n if (!this.needsMock()) {\n return(Auth.currentSession());\n }\n console.log('Using mock session.');\n return(\n new Promise(\n (resolve, reject) => {\n setTimeout(\n () => {\n resolve(new MockSession());\n },\n 1000\n );\n }\n )\n );\n }\n}\n","/**\n * Returns a date in the format yyyy from an RFC3339 formatted string.\n *\n * @param {string} string\n * RFC3339 formatted string.\n * @param {boolean} offsetTimezone\n * Whether to shift the date using the local timezone (from UTC).\n *\n * @returns {string}\n * A yyyy formatted string or 0000 on error.\n */\n export function rfc3339StringToYearString(string, offsetTimezone = false) {\n if (typeof string !== 'string') {\n return '00/00/0000';\n }\n try {\n // Parse it into a date\n let date = new Date(string);\n if (offsetTimezone) {\n // Get our timezone offset.\n const offset = date.getTimezoneOffset();\n // Adjust the date accordingly.\n date = new Date(date.getTime() + (offset*60*1000));\n }\n // Convert to ISO string and grab the date part.\n const dateString = date.toISOString().split('T')[0];\n // 0?\n if (dateString === '1970-01-01') {\n return '0000';\n }\n // Then rearrange to a more human-familiar order.\n // use ‑ non breaking hyphen?\n return dateString.substring(0,4);\n }\n catch (error) {\n return '0000';\n }\n}\n\n/**\n * Returns a date in the format dd/mm/yyyy from an RFC3339 formatted string.\n *\n * @param {string} string\n * RFC3339 formatted string.\n * @param {boolean} offsetTimezone\n * Whether to shift the date using the local timezone (from UTC).\n *\n * @returns {string}\n * A dd/mm/yyyy formatted string or 00/00/0000 on error.\n */\nexport function rfc3339StringToDateString(string, offsetTimezone = false) {\n if (typeof string !== 'string') {\n return '00/00/0000';\n }\n try {\n // Parse it into a date\n let date = new Date(string);\n if (offsetTimezone) {\n // Get our timezone offset.\n const offset = date.getTimezoneOffset();\n // Adjust the date accordingly.\n date = new Date(date.getTime() + (offset*60*1000));\n }\n // Convert to ISO string and grab the date part.\n const dateString = date.toISOString().split('T')[0];\n // 0?\n if (dateString === '1970-01-01') {\n return '-';\n }\n // Then rearrange to a more human-familiar order.\n // use ‑ non breaking hyphen?\n return dateString.substring(8,10) + '/' +\n dateString.substring(5,7) + '/' +\n dateString.substring(0,4);\n }\n catch (error) {\n return '00/00/0000';\n }\n}\n\n/**\n * Returns a datetime in the format dd/mm/yyyy hh:mm:ss from an RFC3339\n * formatted string.\n *\n * @param {string} string\n * RFC3339 formatted string.\n * @param {boolean} offsetTimezone\n * Whether to shift the date using the local timezone (from UTC).\n *\n * @returns {string}\n * A dd/mm/yyyy hh:mm:ss formatted string or 00/00/0000 00:00:00 on error.\n */\nexport function rfc3339StringToDateTimeString(string, offsetTimezone = false) {\n if (typeof string !== 'string') {\n return '00/00/0000 00:00:00';\n }\n try {\n // Parse it into a date\n let date = new Date(string);\n if (offsetTimezone) {\n // Get our timezone offset.\n const offset = date.getTimezoneOffset();\n // Adjust the date accordingly.\n date = new Date(date.getTime() + (offset*60*1000));\n }\n // Convert to ISO string and grab the date part.\n const splitString = date.toISOString().split('T');\n const dateString = splitString[0];\n const timeString = splitString[1].split('.')[0];\n\n // 0?\n if (dateString === '1970-01-01') {\n return '00/00/0000 00:00:00';\n }\n // Then rearrange to a more human-familiar order.\n // use ‑ non breaking hyphen?\n return dateString.substring(8,10) + '/' +\n dateString.substring(5,7) + '/' +\n dateString.substring(0,4) + ' ' +\n timeString;\n }\n catch (error) {\n return '00/00/0000 00:00:00';\n }\n}\n","/**\n * Tests whether a url is absolute or not.\n *\n * Currently only tests the first four characters are 'http'.\n *\n * @param {string} url\n * URL to test.\n * @returns {bool}\n * Whether the URL is an absolute URL or not.\n */\nexport function isAbsoluteURL(url) {\n return url.substr(0, 4) === 'http'\n}","import { Auth } from 'aws-amplify';\nimport config from '../config';\n\n/**\n * Enum of user states.\n * See also:\n * https://docs.aws.amazon.com/cognito/latest/developerguide/signing-up-users-in-your-app.html\n */\nexport const userStates = {\n INITIALISING: 'INITIALISING', // Initial state.\n UNAUTHENTICATED: 'UNAUTHENTICATED', // Not signed in.\n // these are from AWS:\n UNCONFIRMED: 'UNCONFIRMED', // Account exists, email not verified.\n CONFIRMED: 'CONFIRMED', // The only valid state for use.\n ARCHIVED: 'ARCHIVED',\n COMPROMISED: 'COMPROMISED',\n UNKNOWN: 'UNKNOWN',\n RESET_REQUIRED: 'RESET_REQUIRED',\n FORCE_CHANGE_PASSWORD: 'FORCE_CHANGE_PASSWORD'\n}\n\n/**\n * User types as bitfield.\n * \n * 1 0 0 0 0 0 0 0\n * │ │ │ │ │ │ │ └ guest\n * │ │ │ │ │ │ └── not used\n * │ │ │ │ │ └──── not used\n * │ │ │ │ └────── administrator\n * │ │ │ └──────── paraplanner\n * │ │ └────────── ifa\n * │ └──────────── staff\n * └────────────── member\n */\nexport const userTypes = {\n none : 0b00000000, \n member : 0b10000000,\n staff : 0b01000000,\n ifa : 0b00100000,\n paraplanner : 0b00010000,\n administrator : 0b00001000,\n undiff : 0b00000010,\n guest : 0b00000001,\n all : 0b11111111,\n}\n\n/**\n * Tests whether a user has access by type.\n *\n * If authorisedTypes is empty no usertypes will have access.\n * @param {int} userType\n * Type of logged in user (in context).\n * @param {int[]} authorisedTypes \n * List of all types that should have access.\n */\nexport function isAccessPermitted(userType = 0, authorisedTypes = [userTypes.all]) {\n // This is dodgy... Not a valid type for a user.\n if (userType === userTypes.all) {\n return false;\n }\n // Otherwise check if we have a permissions match.\n for (let i = 0; i < authorisedTypes.length; i++) {\n // Bitwise and the types. If one of the bitflags matches we'll evaluate\n // to true.\n if (authorisedTypes[i] & userType) {\n return true;\n }\n }\n // If we haven't matched anything deny permissions.\n return false;\n}\n\n/**\n * Tests whether a user has access by department.\n *\n * If authorisedDepartments is empty no usertypes will have access.\n * If the user is NOT CFS staff false will always be returned.\n *\n * @param {string} providerName\n * Name of provider used for federation.\n * @param {string} userDepartment\n * Department user is in.\n * @param {string[]} authorisedDepartments \n * List of all departments that should have access. Add 'all' to give all\n * departments access.\n */\n export function isAccessPermittedByDepartment(\n providerName = '',\n userDepartment = '',\n authorisedDepartments = ['all']\n ) {\n // Only CFS users have a department (we can trust)\n if (providerName !== 'Cirencester-Friendly') {\n return false;\n }\n // Otherwise check if we have a permissions match.\n for (let i = 0; i < authorisedDepartments.length; i++) {\n // Compare the departments, if we have a match return true.\n // If 'all' departments are in the permitted list return true.\n if (\n authorisedDepartments[i] === 'all' ||\n authorisedDepartments[i] === userDepartment\n ) {\n return true;\n }\n }\n // If we haven't matched anything deny permissions.\n return false;\n}\n\n/**\n * Determines whether a user is federated by looking at groups in the session\n * id token. Matches against list of groups from settings.\n *\n * @param {*} session\n * User session to inspect.\n */\nexport function getUserIsFederatedFromSession(session) {\n const idToken = session.getIdToken();\n if(\n idToken.payload['cognito:groups']\n ) {\n const groups = idToken.payload['cognito:groups'];\n for(let i = 0; i < groups.length; i++) {\n if(config.oauth.federatedGroups.includes(groups[i])) {\n return true;\n }\n }\n }\n return false;\n}\n\n/**\n * Calls a callback with the user's email address.\n * @param {setUserEmailCallback} callback \n * Callback to call with the email addres as parameter.\n */\n/**\n * @callback setUserEmailCallback\n * @param {string} email.\n * Email address for session.\n */\nexport function setUserEmail(callback) {\n Auth.currentSession()\n .then(session => {\n const userIsFederated = getUserIsFederatedFromSession(session);\n const idToken = session.getIdToken();\n let email = '';\n if(userIsFederated === null) {\n console.error('Received user federated null in getEmail');\n callback('');\n }\n else if(\n userIsFederated\n // && idToken.payload.identities[0]\n ) {\n email = idToken.payload.identities[0].userId;\n }\n else {\n email = idToken.payload.email;\n }\n callback(email);\n }\n )\n .catch(error => {\n callback('');\n });\n}\n\n/**\n * Calls a callback with the user's email address.\n * @param {setUserEmailCallback} callback \n * Callback to call with the email addres as parameter.\n */\n/**\n * @callback setUserEmailCallback\n * @param {string} email.\n * Email address for session.\n * @param {string} department.\n * Department for session (only set for federated).\n * @param {string} providerName.\n * Provider name for session (only set for federated).\n */\n export function setUserEmailDepartmentAndProvider(callback) {\n Auth.currentSession()\n .then(session => {\n const userIsFederated = getUserIsFederatedFromSession(session);\n const idToken = session.getIdToken();\n let email = '';\n let department = '';\n let providerName = '';\n if(userIsFederated === null) {\n console.error('Received user federated null in setUserEmailDepartmentAndProvider');\n callback('', '', '');\n }\n else if(\n userIsFederated\n // && idToken.payload.identities[0]\n ) {\n email = idToken.payload.identities[0].userId;\n providerName = idToken.payload.identities[0].providerName;\n // Only set department for CFS.\n if (providerName === \"Cirencester-Friendly\") {\n department = idToken.payload['custom:department']\n }\n }\n else {\n email = idToken.payload.email;\n }\n callback(email, department, providerName);\n }\n )\n .catch(error => {\n callback('', '', '');\n });\n}\n\n/**\n * Calls a callback with the user's profiles in an array\n * @param {setProfilesCallback} callback \n * Callback to call with a user profiles array.\n */\n/**\n * @callback setProfilesCallback\n * Calls callback function with an array of user profiles.\n */\nexport function setUserProfiles(callback) {\n Auth.currentSession()\n .then(session => {\n callback(getUserProfilesFromSession(session));\n })\n .catch(error => {\n console.error(error);\n callback([]);\n });\n}\n\n/**\n * Parses profiles from a session into an array to be returned.\n *\n * @param {CognitoUserSession} session\n * Cognito session to aprse profiles from.\n *\n * @returns {[Object]}\n * List of user profiles [{uid: , name: }]\n */\nexport function getUserProfilesFromSession(session) {\n const idToken = session.getIdToken();\n if (!idToken.payload.hasOwnProperty('custom:profiles')) {\n return([]);\n }\n const profilesObject = JSON.parse(idToken.payload['custom:profiles']);\n let profiles = [];\n for (const [key, value] of Object.entries(profilesObject)) {\n profiles.push(\n {\n uid: key,\n name: value,\n }\n );\n }\n return(profiles);\n}\n\n/**\n * Calls a callback with whether the user is federated or not.\n * @param {setUserFederatedInfoCallback} callback \n * Callback to call with the result. Will set null on error.\n */\n/**\n * @callback setUserFederatedInfoCallback\n * @param {bool} isfederated.\n * Whether the user is federated.\n * @param {string} department.\n * Department for session (only set for federated).\n * @param {string} providerName.\n * Provider name for session (only set for federated).\n */\nexport function setUserFederatedInfo(callback) {\n Auth.currentSession()\n .then(session => {\n const userIsFederated = getUserIsFederatedFromSession(session);\n if(userIsFederated === null) {\n callback(false, '', '');\n }\n const idToken = session.getIdToken();\n let providerName = idToken.payload.identities[0].providerName;\n let department = '';\n // Only set department for CFS.\n if (providerName === \"Cirencester-Friendly\") {\n department = idToken.payload['custom:department']\n }\n callback(true, department, providerName);\n }\n )\n .catch(\n error => {\n // Take a safe default if we error.\n callback(false, '', '');\n }\n );\n}\n\n/**\n * Calls a callback with whether the user is federated or not.\n * @param {setUserIsFederatedCallback} callback \n * Callback to call with the result. Will set null on error.\n */\n/**\n * @callback setUserIsFederatedCallback\n * @param {bool} isfederated.\n * Whether the user is federated.\n */\n export function setUserIsFederatedFromGroups(callback) {\n Auth.currentSession()\n .then(session => {\n callback(getUserIsFederatedFromSession(session));\n }\n )\n .catch(\n error => {\n // Take a safe default if we error.\n callback(false);\n }\n );\n}\n\n/**\n * Returns stirng representation of user type.\n *\n * @param {int} userType \n * @returns {string}\n * String representaiton of user type.\n */\nexport function userTypeAsString(userType) {\n switch(userType) {\n case userTypes.none:\n return('None');\n case userTypes.guest:\n return('Guest');\n case userTypes.undiff:\n return('Undifferentiated ifalike');\n case userTypes.member:\n return('Member');\n case userTypes.staff:\n return('Staff');\n case userTypes.ifa:\n return('Adviser');\n case userTypes.paraplanner:\n return('Paraplanner');\n case userTypes.administrator:\n return('Administrator');\n case userTypes.all:\n return('All');\n default:\n return('Adviser');\n }\n}\n\n/**\n * \n * @param {string} userTypeString\n * String to parse into a usertype.\n * @param {int} defaultReturn\n * Default to return when parsing failed.\n */\nexport function userTypeFromString(userTypeString, defaultReturn = 0) {\n if(typeof(userTypeString) !== \"string\") {\n return(defaultReturn); \n }\n switch(userTypeString.toLowerCase()) {\n case 'none':\n return(userTypes.none);\n case 'guest':\n return(userTypes.guest);\n case 'undifferentiated ifalike':\n return(userTypes.undiff);\n case 'member':\n return(userTypes.member);\n case 'staff':\n return(userTypes.staff);\n case 'adviser':\n return(userTypes.ifa);\n case 'paraplanner':\n return(userTypes.paraplanner);\n case 'administrator':\n return(userTypes.administrator);\n case 'all':\n return(userTypes.all);\n default:\n // Maybe we were passed an int string?\n const asInt = parseInt(userTypeString);\n if (asInt > 0 && asInt < 255) {\n return asInt;\n }\n return(defaultReturn);\n }\n}\n\nexport function userBitmaskToStringArray(bitmask = '00000000') {\n // Type is stored as bitflags. Parse it here.\n // Convert type to an int.\n let result = [];\n const userTypeInt = parseInt(bitmask, 2);\n if (isNaN(userTypeInt)) {\n result.push('INVALID');\n }\n else {\n // Do some bitwise compares.\n if(userTypeInt & 0b10000000) {\n result.push('member');\n }\n if(userTypeInt & 0b01000000) {\n result.push('staff');\n }\n if(userTypeInt & 0b00100000) {\n result.push('ifa');\n }\n if(userTypeInt & 0b00010000) {\n result.push('paraplanner');\n }\n if(userTypeInt & 0b00001000) {\n result.push('administrator');\n }\n if(userTypeInt & 0b00000001) {\n result.push('guests');\n }\n if(userTypeInt === 0) {\n result.push('none');\n }\n }\n return result;\n}\n","/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport function __createBinding(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n}\r\n\r\nexport function __exportStar(m, exports) {\r\n for (var p in m) if (p !== \"default\" && !exports.hasOwnProperty(p)) exports[p] = m[p];\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n};\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (Object.hasOwnProperty.call(mod, k)) result[k] = mod[k];\r\n result.default = mod;\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, privateMap) {\r\n if (!privateMap.has(receiver)) {\r\n throw new TypeError(\"attempted to get private field on non-instance\");\r\n }\r\n return privateMap.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, privateMap, value) {\r\n if (!privateMap.has(receiver)) {\r\n throw new TypeError(\"attempted to set private field on non-instance\");\r\n }\r\n privateMap.set(receiver, value);\r\n return value;\r\n}\r\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\n\nimport {\n\tICookieStorageData,\n\tICognitoStorage,\n} from 'amazon-cognito-identity-js';\n\n/**\n * Parameters for user sign up\n */\nexport interface SignUpParams {\n\tusername: string;\n\tpassword: string;\n\tattributes?: object;\n\tvalidationData?: { [key: string]: any };\n\tclientMetadata?: { [key: string]: string };\n\tautoSignIn?: AutoSignInOptions;\n}\n\nexport interface AuthCache {\n\tsetItem();\n\tgetItem();\n\tremoveItem();\n}\n\n/**\n * Auth instance options\n */\nexport interface AuthOptions {\n\tuserPoolId?: string;\n\tuserPoolWebClientId?: string;\n\tidentityPoolId?: string;\n\tregion?: string;\n\tmandatorySignIn?: boolean;\n\tcookieStorage?: ICookieStorageData;\n\toauth?: OAuthOpts;\n\trefreshHandlers?: object;\n\tstorage?: ICognitoStorage;\n\tauthenticationFlowType?: string;\n\tidentityPoolRegion?: string;\n\tclientMetadata?: any;\n\tendpoint?: string;\n\tsignUpVerificationMethod?: 'code' | 'link';\n}\n\nexport enum CognitoHostedUIIdentityProvider {\n\tCognito = 'COGNITO',\n\tGoogle = 'Google',\n\tFacebook = 'Facebook',\n\tAmazon = 'LoginWithAmazon',\n\tApple = 'SignInWithApple',\n}\n\nexport type LegacyProvider =\n\t| 'google'\n\t| 'facebook'\n\t| 'amazon'\n\t| 'developer'\n\t| string;\n\nexport type FederatedSignInOptions = {\n\tprovider: CognitoHostedUIIdentityProvider;\n\tcustomState?: string;\n};\n\nexport type FederatedSignInOptionsCustom = {\n\tcustomProvider: string;\n\tcustomState?: string;\n};\n\nexport function isFederatedSignInOptions(\n\tobj: any\n): obj is FederatedSignInOptions {\n\tconst keys: (keyof FederatedSignInOptions)[] = ['provider'];\n\treturn obj && !!keys.find(k => obj.hasOwnProperty(k));\n}\n\nexport function isFederatedSignInOptionsCustom(\n\tobj: any\n): obj is FederatedSignInOptionsCustom {\n\tconst keys: (keyof FederatedSignInOptionsCustom)[] = ['customProvider'];\n\treturn obj && !!keys.find(k => obj.hasOwnProperty(k));\n}\n\nexport function hasCustomState(obj: any): boolean {\n\tconst keys: (keyof (\n\t\t| FederatedSignInOptions\n\t\t| FederatedSignInOptionsCustom\n\t))[] = ['customState'];\n\treturn obj && !!keys.find(k => obj.hasOwnProperty(k));\n}\n\n/**\n * Details for multi-factor authentication\n */\nexport interface MfaRequiredDetails {\n\tchallengeName: any;\n\tchallengeParameters: any;\n}\n\n/**\n * interface for federatedResponse\n */\nexport interface FederatedResponse {\n\t// access token\n\ttoken: string;\n\t// identity id\n\tidentity_id?: string;\n\t// the universal time when token expired\n\texpires_at: number;\n}\n\n/**\n * interface for federatedUser\n */\nexport interface FederatedUser {\n\tname: string;\n\temail?: string;\n\tpicture?: string;\n}\n\nexport interface AwsCognitoOAuthOpts {\n\tdomain: string;\n\tscope: Array;\n\tredirectSignIn: string;\n\tredirectSignOut: string;\n\tresponseType: string;\n\toptions?: object;\n\turlOpener?: (url: string, redirectUrl: string) => Promise;\n}\n\nexport function isCognitoHostedOpts(\n\toauth: OAuthOpts\n): oauth is AwsCognitoOAuthOpts {\n\treturn (oauth).redirectSignIn !== undefined;\n}\n\nexport interface Auth0OAuthOpts {\n\tdomain: string;\n\tclientID: string;\n\tscope: string;\n\tredirectUri: string;\n\taudience: string;\n\tresponseType: string;\n\treturnTo: string;\n\turlOpener?: (url: string, redirectUrl: string) => Promise;\n}\n\n// Replacing to fix typings\n// export interface OAuth {\n// awsCognito?: awsCognitoOAuthOpts,\n// auth0?: any\n// }\n\nexport type OAuthOpts = AwsCognitoOAuthOpts | Auth0OAuthOpts;\n\nexport interface ConfirmSignUpOptions {\n\tforceAliasCreation?: boolean;\n\tclientMetadata?: ClientMetaData;\n}\n\nexport interface SignOutOpts {\n\tglobal?: boolean;\n}\n\nexport interface CurrentUserOpts {\n\tbypassCache: boolean;\n}\n\nexport interface GetPreferredMFAOpts {\n\tbypassCache: boolean;\n}\n\nexport type UsernamePasswordOpts = {\n\tusername: string;\n\tpassword: string;\n\tvalidationData?: { [key: string]: any };\n};\n\nexport enum AuthErrorTypes {\n\tNoConfig = 'noConfig',\n\tMissingAuthConfig = 'missingAuthConfig',\n\tEmptyUsername = 'emptyUsername',\n\tInvalidUsername = 'invalidUsername',\n\tEmptyPassword = 'emptyPassword',\n\tEmptyCode = 'emptyCode',\n\tSignUpError = 'signUpError',\n\tNoMFA = 'noMFA',\n\tInvalidMFA = 'invalidMFA',\n\tEmptyChallengeResponse = 'emptyChallengeResponse',\n\tNoUserSession = 'noUserSession',\n\tDefault = 'default',\n\tDeviceConfig = 'deviceConfig',\n\tNetworkError = 'networkError',\n\tAutoSignInError = 'autoSignInError',\n}\n\nexport type AuthErrorMessages = { [key in AuthErrorTypes]: AuthErrorMessage };\n\nexport interface AuthErrorMessage {\n\tmessage: string;\n\tlog?: string;\n}\n\n// We can extend this in the future if needed\nexport type SignInOpts = UsernamePasswordOpts;\n\nexport type ClientMetaData =\n\t| {\n\t\t\t[key: string]: string;\n\t }\n\t| undefined;\n\nexport function isUsernamePasswordOpts(obj: any): obj is UsernamePasswordOpts {\n\treturn !!(obj as UsernamePasswordOpts).username;\n}\n\nexport interface IAuthDevice {\n\tid: string;\n\tname: string;\n}\n\nexport interface AutoSignInOptions {\n\tenabled: boolean;\n\tclientMetaData?: ClientMetaData;\n\tvalidationData?: { [key: string]: any };\n}\n\nexport enum GRAPHQL_AUTH_MODE {\n\tAPI_KEY = 'API_KEY',\n\tAWS_IAM = 'AWS_IAM',\n\tOPENID_CONNECT = 'OPENID_CONNECT',\n\tAMAZON_COGNITO_USER_POOLS = 'AMAZON_COGNITO_USER_POOLS',\n\tAWS_LAMBDA = 'AWS_LAMBDA',\n}\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nvar dataMemory = {};\n/** @class */\nvar MemoryStorage = /** @class */ (function () {\n function MemoryStorage() {\n }\n /**\n * This is used to set a specific item in storage\n * @param {string} key - the key for the item\n * @param {object} value - the value\n * @returns {string} value that was set\n */\n MemoryStorage.setItem = function (key, value) {\n dataMemory[key] = value;\n return dataMemory[key];\n };\n /**\n * This is used to get a specific key from storage\n * @param {string} key - the key for the item\n * This is used to clear the storage\n * @returns {string} the data item\n */\n MemoryStorage.getItem = function (key) {\n return Object.prototype.hasOwnProperty.call(dataMemory, key)\n ? dataMemory[key]\n : undefined;\n };\n /**\n * This is used to remove an item from storage\n * @param {string} key - the key being set\n * @returns {string} value - value that was deleted\n */\n MemoryStorage.removeItem = function (key) {\n return delete dataMemory[key];\n };\n /**\n * This is used to clear the storage\n * @returns {string} nothing\n */\n MemoryStorage.clear = function () {\n dataMemory = {};\n return dataMemory;\n };\n return MemoryStorage;\n}());\nexport { MemoryStorage };\nvar StorageHelper = /** @class */ (function () {\n /**\n * This is used to get a storage object\n * @returns {object} the storage\n */\n function StorageHelper() {\n try {\n this.storageWindow = window.localStorage;\n this.storageWindow.setItem('aws.amplify.test-ls', 1);\n this.storageWindow.removeItem('aws.amplify.test-ls');\n }\n catch (exception) {\n this.storageWindow = MemoryStorage;\n }\n }\n /**\n * This is used to return the storage\n * @returns {object} the storage\n */\n StorageHelper.prototype.getStorage = function () {\n return this.storageWindow;\n };\n return StorageHelper;\n}());\nexport { StorageHelper };\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nvar MIME_MAP = [\n { type: 'text/plain', ext: 'txt' },\n { type: 'text/html', ext: 'html' },\n { type: 'text/javascript', ext: 'js' },\n { type: 'text/css', ext: 'css' },\n { type: 'text/csv', ext: 'csv' },\n { type: 'text/yaml', ext: 'yml' },\n { type: 'text/yaml', ext: 'yaml' },\n { type: 'text/calendar', ext: 'ics' },\n { type: 'text/calendar', ext: 'ical' },\n { type: 'image/apng', ext: 'apng' },\n { type: 'image/bmp', ext: 'bmp' },\n { type: 'image/gif', ext: 'gif' },\n { type: 'image/x-icon', ext: 'ico' },\n { type: 'image/x-icon', ext: 'cur' },\n { type: 'image/jpeg', ext: 'jpg' },\n { type: 'image/jpeg', ext: 'jpeg' },\n { type: 'image/jpeg', ext: 'jfif' },\n { type: 'image/jpeg', ext: 'pjp' },\n { type: 'image/jpeg', ext: 'pjpeg' },\n { type: 'image/png', ext: 'png' },\n { type: 'image/svg+xml', ext: 'svg' },\n { type: 'image/tiff', ext: 'tif' },\n { type: 'image/tiff', ext: 'tiff' },\n { type: 'image/webp', ext: 'webp' },\n { type: 'application/json', ext: 'json' },\n { type: 'application/xml', ext: 'xml' },\n { type: 'application/x-sh', ext: 'sh' },\n { type: 'application/zip', ext: 'zip' },\n { type: 'application/x-rar-compressed', ext: 'rar' },\n { type: 'application/x-tar', ext: 'tar' },\n { type: 'application/x-bzip', ext: 'bz' },\n { type: 'application/x-bzip2', ext: 'bz2' },\n { type: 'application/pdf', ext: 'pdf' },\n { type: 'application/java-archive', ext: 'jar' },\n { type: 'application/msword', ext: 'doc' },\n { type: 'application/vnd.ms-excel', ext: 'xls' },\n { type: 'application/vnd.ms-excel', ext: 'xlsx' },\n { type: 'message/rfc822', ext: 'eml' },\n];\nexport var isEmpty = function (obj) {\n if (obj === void 0) { obj = {}; }\n return Object.keys(obj).length === 0;\n};\nexport var sortByField = function (list, field, dir) {\n if (!list || !list.sort) {\n return false;\n }\n var dirX = dir && dir === 'desc' ? -1 : 1;\n list.sort(function (a, b) {\n var a_val = a[field];\n var b_val = b[field];\n if (typeof b_val === 'undefined') {\n return typeof a_val === 'undefined' ? 0 : 1 * dirX;\n }\n if (typeof a_val === 'undefined') {\n return -1 * dirX;\n }\n if (a_val < b_val) {\n return -1 * dirX;\n }\n if (a_val > b_val) {\n return 1 * dirX;\n }\n return 0;\n });\n return true;\n};\nexport var objectLessAttributes = function (obj, less) {\n var ret = Object.assign({}, obj);\n if (less) {\n if (typeof less === 'string') {\n delete ret[less];\n }\n else {\n less.forEach(function (attr) {\n delete ret[attr];\n });\n }\n }\n return ret;\n};\nexport var filenameToContentType = function (filename, defVal) {\n if (defVal === void 0) { defVal = 'application/octet-stream'; }\n var name = filename.toLowerCase();\n var filtered = MIME_MAP.filter(function (mime) { return name.endsWith('.' + mime.ext); });\n return filtered.length > 0 ? filtered[0].type : defVal;\n};\nexport var isTextFile = function (contentType) {\n var type = contentType.toLowerCase();\n if (type.startsWith('text/')) {\n return true;\n }\n return ('application/json' === type ||\n 'application/xml' === type ||\n 'application/sh' === type);\n};\nexport var generateRandomString = function () {\n var result = '';\n var chars = '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ';\n for (var i = 32; i > 0; i -= 1) {\n result += chars[Math.floor(Math.random() * chars.length)];\n }\n return result;\n};\nexport var makeQuerablePromise = function (promise) {\n if (promise.isResolved)\n return promise;\n var isPending = true;\n var isRejected = false;\n var isFullfilled = false;\n var result = promise.then(function (data) {\n isFullfilled = true;\n isPending = false;\n return data;\n }, function (e) {\n isRejected = true;\n isPending = false;\n throw e;\n });\n result.isFullfilled = function () { return isFullfilled; };\n result.isPending = function () { return isPending; };\n result.isRejected = function () { return isRejected; };\n return result;\n};\nexport var isWebWorker = function () {\n if (typeof self === 'undefined') {\n return false;\n }\n var selfContext = self;\n return (typeof selfContext.WorkerGlobalScope !== 'undefined' &&\n self instanceof selfContext.WorkerGlobalScope);\n};\nexport var browserOrNode = function () {\n var isBrowser = typeof window !== 'undefined' && typeof window.document !== 'undefined';\n var isNode = typeof process !== 'undefined' &&\n process.versions != null &&\n process.versions.node != null;\n return {\n isBrowser: isBrowser,\n isNode: isNode,\n };\n};\n/**\n * transfer the first letter of the keys to lowercase\n * @param {Object} obj - the object need to be transferred\n * @param {Array} whiteListForItself - whitelist itself from being transferred\n * @param {Array} whiteListForChildren - whitelist its children keys from being transferred\n */\nexport var transferKeyToLowerCase = function (obj, whiteListForItself, whiteListForChildren) {\n if (whiteListForItself === void 0) { whiteListForItself = []; }\n if (whiteListForChildren === void 0) { whiteListForChildren = []; }\n if (!isStrictObject(obj))\n return obj;\n var ret = {};\n for (var key in obj) {\n if (obj.hasOwnProperty(key)) {\n var transferedKey = whiteListForItself.includes(key)\n ? key\n : key[0].toLowerCase() + key.slice(1);\n ret[transferedKey] = whiteListForChildren.includes(key)\n ? obj[key]\n : transferKeyToLowerCase(obj[key], whiteListForItself, whiteListForChildren);\n }\n }\n return ret;\n};\n/**\n * transfer the first letter of the keys to lowercase\n * @param {Object} obj - the object need to be transferred\n * @param {Array} whiteListForItself - whitelist itself from being transferred\n * @param {Array} whiteListForChildren - whitelist its children keys from being transferred\n */\nexport var transferKeyToUpperCase = function (obj, whiteListForItself, whiteListForChildren) {\n if (whiteListForItself === void 0) { whiteListForItself = []; }\n if (whiteListForChildren === void 0) { whiteListForChildren = []; }\n if (!isStrictObject(obj))\n return obj;\n var ret = {};\n for (var key in obj) {\n if (obj.hasOwnProperty(key)) {\n var transferredKey = whiteListForItself.includes(key)\n ? key\n : key[0].toUpperCase() + key.slice(1);\n ret[transferredKey] = whiteListForChildren.includes(key)\n ? obj[key]\n : transferKeyToUpperCase(obj[key], whiteListForItself, whiteListForChildren);\n }\n }\n return ret;\n};\n/**\n * Return true if the object is a strict object\n * which means it's not Array, Function, Number, String, Boolean or Null\n * @param obj the Object\n */\nexport var isStrictObject = function (obj) {\n return (obj instanceof Object &&\n !(obj instanceof Array) &&\n !(obj instanceof Function) &&\n !(obj instanceof Number) &&\n !(obj instanceof String) &&\n !(obj instanceof Boolean));\n};\n","var __extends = (this && this.__extends) || (function () {\n var extendStatics = function (d, b) {\n extendStatics = Object.setPrototypeOf ||\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\n return extendStatics(d, b);\n };\n return function (d, b) {\n if (typeof b !== \"function\" && b !== null)\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\n extendStatics(d, b);\n function __() { this.constructor = d; }\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\n };\n})();\nvar __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nvar __generator = (this && this.__generator) || function (thisArg, body) {\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\n function verb(n) { return function (v) { return step([n, v]); }; }\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n while (g && (g = 0, op[0] && (_ = 0)), _) try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n switch (op[0]) {\n case 0: case 1: t = op; break;\n case 4: _.label++; return { value: op[1], done: false };\n case 5: _.label++; y = op[1]; op = [0]; continue;\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\n if (t[2]) _.ops.pop();\n _.trys.pop(); continue;\n }\n op = body.call(thisArg, _);\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\n }\n};\nvar __read = (this && this.__read) || function (o, n) {\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\n if (!m) return o;\n var i = m.call(o), r, ar = [], e;\n try {\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\n }\n catch (error) { e = { error: error }; }\n finally {\n try {\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\n }\n finally { if (e) throw e.error; }\n }\n return ar;\n};\nvar __spreadArray = (this && this.__spreadArray) || function (to, from, pack) {\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\n if (ar || !(i in from)) {\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\n ar[i] = from[i];\n }\n }\n return to.concat(ar || Array.prototype.slice.call(from));\n};\nimport { ConsoleLogger as Logger } from '../Logger/ConsoleLogger';\nvar logger = new Logger('Util');\nvar NonRetryableError = /** @class */ (function (_super) {\n __extends(NonRetryableError, _super);\n function NonRetryableError(message) {\n var _this = _super.call(this, message) || this;\n _this.nonRetryable = true;\n return _this;\n }\n return NonRetryableError;\n}(Error));\nexport { NonRetryableError };\nexport var isNonRetryableError = function (obj) {\n var key = 'nonRetryable';\n return obj && obj[key];\n};\n/**\n * @private\n * Internal use of Amplify only\n */\nexport function retry(functionToRetry, args, delayFn, onTerminate) {\n return __awaiter(this, void 0, void 0, function () {\n var _this = this;\n return __generator(this, function (_a) {\n if (typeof functionToRetry !== 'function') {\n throw Error('functionToRetry must be a function');\n }\n return [2 /*return*/, new Promise(function (resolve, reject) { return __awaiter(_this, void 0, void 0, function () {\n var attempt, terminated, timeout, wakeUp, lastError, _loop_1, state_1;\n return __generator(this, function (_a) {\n switch (_a.label) {\n case 0:\n attempt = 0;\n terminated = false;\n wakeUp = function () { };\n onTerminate &&\n onTerminate.then(function () {\n // signal not to try anymore.\n terminated = true;\n // stop sleeping if we're sleeping.\n clearTimeout(timeout);\n wakeUp();\n });\n _loop_1 = function () {\n var _b, _c, err_1, retryIn_1;\n return __generator(this, function (_d) {\n switch (_d.label) {\n case 0:\n attempt++;\n logger.debug(\"\".concat(functionToRetry.name, \" attempt #\").concat(attempt, \" with this vars: \").concat(JSON.stringify(args)));\n _d.label = 1;\n case 1:\n _d.trys.push([1, 3, , 7]);\n _b = {};\n _c = resolve;\n return [4 /*yield*/, functionToRetry.apply(void 0, __spreadArray([], __read(args), false))];\n case 2: return [2 /*return*/, (_b.value = _c.apply(void 0, [_d.sent()]), _b)];\n case 3:\n err_1 = _d.sent();\n lastError = err_1;\n logger.debug(\"error on \".concat(functionToRetry.name), err_1);\n if (isNonRetryableError(err_1)) {\n logger.debug(\"\".concat(functionToRetry.name, \" non retryable error\"), err_1);\n return [2 /*return*/, { value: reject(err_1) }];\n }\n retryIn_1 = delayFn(attempt, args, err_1);\n logger.debug(\"\".concat(functionToRetry.name, \" retrying in \").concat(retryIn_1, \" ms\"));\n if (!(retryIn_1 === false || terminated)) return [3 /*break*/, 4];\n return [2 /*return*/, { value: reject(err_1) }];\n case 4: return [4 /*yield*/, new Promise(function (r) {\n wakeUp = r; // export wakeUp for onTerminate handling\n timeout = setTimeout(wakeUp, retryIn_1);\n })];\n case 5:\n _d.sent();\n _d.label = 6;\n case 6: return [3 /*break*/, 7];\n case 7: return [2 /*return*/];\n }\n });\n };\n _a.label = 1;\n case 1:\n if (!!terminated) return [3 /*break*/, 3];\n return [5 /*yield**/, _loop_1()];\n case 2:\n state_1 = _a.sent();\n if (typeof state_1 === \"object\")\n return [2 /*return*/, state_1.value];\n return [3 /*break*/, 1];\n case 3:\n // reached if terminated while waiting for a timer.\n reject(lastError);\n return [2 /*return*/];\n }\n });\n }); })];\n });\n });\n}\nvar MAX_DELAY_MS = 5 * 60 * 1000;\n/**\n * @private\n * Internal use of Amplify only\n */\nexport function jitteredBackoff(maxDelayMs) {\n if (maxDelayMs === void 0) { maxDelayMs = MAX_DELAY_MS; }\n var BASE_TIME_MS = 100;\n var JITTER_FACTOR = 100;\n return function (attempt) {\n var delay = Math.pow(2, attempt) * BASE_TIME_MS + JITTER_FACTOR * Math.random();\n return delay > maxDelayMs ? false : delay;\n };\n}\n/**\n * @private\n * Internal use of Amplify only\n */\nexport var jitteredExponentialRetry = function (functionToRetry, args, maxDelayMs, onTerminate) {\n if (maxDelayMs === void 0) { maxDelayMs = MAX_DELAY_MS; }\n return retry(functionToRetry, args, jitteredBackoff(maxDelayMs), onTerminate);\n};\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nexport var Framework;\n(function (Framework) {\n // < 100 - Web frameworks\n Framework[\"WebUnknown\"] = \"0\";\n Framework[\"React\"] = \"1\";\n Framework[\"NextJs\"] = \"2\";\n Framework[\"Angular\"] = \"3\";\n Framework[\"VueJs\"] = \"4\";\n Framework[\"Nuxt\"] = \"5\";\n Framework[\"Svelte\"] = \"6\";\n // 100s - Server side frameworks\n Framework[\"ServerSideUnknown\"] = \"100\";\n Framework[\"ReactSSR\"] = \"101\";\n Framework[\"NextJsSSR\"] = \"102\";\n Framework[\"AngularSSR\"] = \"103\";\n Framework[\"VueJsSSR\"] = \"104\";\n Framework[\"NuxtSSR\"] = \"105\";\n Framework[\"SvelteSSR\"] = \"106\";\n // 200s - Mobile framework\n Framework[\"ReactNative\"] = \"201\";\n Framework[\"Expo\"] = \"202\";\n})(Framework || (Framework = {}));\nexport var Category;\n(function (Category) {\n Category[\"API\"] = \"api\";\n Category[\"Auth\"] = \"auth\";\n Category[\"Analytics\"] = \"analytics\";\n Category[\"DataStore\"] = \"datastore\";\n Category[\"Geo\"] = \"geo\";\n Category[\"InAppMessaging\"] = \"inappmessaging\";\n Category[\"Interactions\"] = \"interactions\";\n Category[\"Predictions\"] = \"predictions\";\n Category[\"PubSub\"] = \"pubsub\";\n Category[\"PushNotification\"] = \"pushnotification\";\n Category[\"Storage\"] = \"storage\";\n})(Category || (Category = {}));\nexport var AnalyticsAction;\n(function (AnalyticsAction) {\n AnalyticsAction[\"Record\"] = \"1\";\n AnalyticsAction[\"UpdateEndpoint\"] = \"2\";\n})(AnalyticsAction || (AnalyticsAction = {}));\nexport var ApiAction;\n(function (ApiAction) {\n ApiAction[\"GraphQl\"] = \"1\";\n ApiAction[\"Get\"] = \"2\";\n ApiAction[\"Post\"] = \"3\";\n ApiAction[\"Put\"] = \"4\";\n ApiAction[\"Patch\"] = \"5\";\n ApiAction[\"Del\"] = \"6\";\n ApiAction[\"Head\"] = \"7\";\n})(ApiAction || (ApiAction = {}));\nexport var AuthAction;\n(function (AuthAction) {\n // SignUp = '1',\n // ConfirmSignUp = '2',\n // ResendSignUp = '3',\n // SignIn = '4',\n // GetMFAOptions = '5',\n // GetPreferredMFA = '6',\n // SetPreferredMFA = '7',\n // DisableSMS = '8',\n // EnableSMS = '9',\n // SetupTOTP = '10',\n // VerifyTotpToken = '11',\n // ConfirmSignIn = '12',\n // CompleteNewPassword = '13',\n // SendCustomChallengeAnswer = '14',\n // DeleteUserAttributes = '15',\n // DeleteUser = '16',\n // UpdateUserAttributes = '17',\n // UserAttributes = '18',\n // CurrentUserPoolUser = '19',\n // CurrentAuthenticatedUser = '20',\n // CurrentSession = '21',\n // VerifyUserAttribute = '22',\n // VerifyUserAttributeSubmit = '23',\n // VerifyCurrentUserAttribute = '24',\n // VerifyCurrentUserAttributeSubmit = '25',\n // SignOut = '26',\n // ChangePassword = '27',\n // ForgotPassword = '28',\n // ForgotPasswordSubmit = '29',\n AuthAction[\"FederatedSignIn\"] = \"30\";\n // CurrentUserInfo = '31',\n // RememberDevice = '32',\n // ForgetDevice = '33',\n // FetchDevices = '34',\n})(AuthAction || (AuthAction = {}));\nexport var DataStoreAction;\n(function (DataStoreAction) {\n DataStoreAction[\"Subscribe\"] = \"1\";\n DataStoreAction[\"GraphQl\"] = \"2\";\n})(DataStoreAction || (DataStoreAction = {}));\nexport var GeoAction;\n(function (GeoAction) {\n GeoAction[\"None\"] = \"0\";\n})(GeoAction || (GeoAction = {}));\nexport var InAppMessagingAction;\n(function (InAppMessagingAction) {\n InAppMessagingAction[\"None\"] = \"0\";\n})(InAppMessagingAction || (InAppMessagingAction = {}));\nexport var InteractionsAction;\n(function (InteractionsAction) {\n InteractionsAction[\"None\"] = \"0\";\n})(InteractionsAction || (InteractionsAction = {}));\nexport var PredictionsAction;\n(function (PredictionsAction) {\n PredictionsAction[\"Convert\"] = \"1\";\n PredictionsAction[\"Identify\"] = \"2\";\n PredictionsAction[\"Interpret\"] = \"3\";\n})(PredictionsAction || (PredictionsAction = {}));\nexport var PubSubAction;\n(function (PubSubAction) {\n PubSubAction[\"Subscribe\"] = \"1\";\n})(PubSubAction || (PubSubAction = {}));\nexport var PushNotificationAction;\n(function (PushNotificationAction) {\n PushNotificationAction[\"None\"] = \"0\";\n})(PushNotificationAction || (PushNotificationAction = {}));\nexport var StorageAction;\n(function (StorageAction) {\n StorageAction[\"Put\"] = \"1\";\n StorageAction[\"Get\"] = \"2\";\n StorageAction[\"List\"] = \"3\";\n StorageAction[\"Copy\"] = \"4\";\n StorageAction[\"Remove\"] = \"5\";\n StorageAction[\"GetProperties\"] = \"6\";\n})(StorageAction || (StorageAction = {}));\n","var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nvar __generator = (this && this.__generator) || function (thisArg, body) {\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\n function verb(n) { return function (v) { return step([n, v]); }; }\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n while (g && (g = 0, op[0] && (_ = 0)), _) try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n switch (op[0]) {\n case 0: case 1: t = op; break;\n case 4: _.label++; return { value: op[1], done: false };\n case 5: _.label++; y = op[1]; op = [0]; continue;\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\n if (t[2]) _.ops.pop();\n _.trys.pop(); continue;\n }\n op = body.call(thisArg, _);\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\n }\n};\n// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nimport { ConsoleLogger as Logger } from '../Logger';\nimport { browserOrNode } from '../JS';\nimport { NonRetryableError } from '../Util';\nvar logger = new Logger('CognitoCredentials');\nvar waitForInit = new Promise(function (res, rej) {\n if (!browserOrNode().isBrowser) {\n logger.debug('not in the browser, directly resolved');\n return res();\n }\n var ga = window['gapi'] && window['gapi'].auth2 ? window['gapi'].auth2 : null;\n if (ga) {\n logger.debug('google api already loaded');\n return res();\n }\n else {\n setTimeout(function () {\n return res();\n }, 2000);\n }\n});\nvar GoogleOAuth = /** @class */ (function () {\n function GoogleOAuth() {\n this.initialized = false;\n this.refreshGoogleToken = this.refreshGoogleToken.bind(this);\n this._refreshGoogleTokenImpl = this._refreshGoogleTokenImpl.bind(this);\n }\n GoogleOAuth.prototype.refreshGoogleToken = function () {\n return __awaiter(this, void 0, void 0, function () {\n return __generator(this, function (_a) {\n switch (_a.label) {\n case 0:\n if (!!this.initialized) return [3 /*break*/, 2];\n logger.debug('need to wait for the Google SDK loaded');\n return [4 /*yield*/, waitForInit];\n case 1:\n _a.sent();\n this.initialized = true;\n logger.debug('finish waiting');\n _a.label = 2;\n case 2: return [2 /*return*/, this._refreshGoogleTokenImpl()];\n }\n });\n });\n };\n GoogleOAuth.prototype._refreshGoogleTokenImpl = function () {\n var ga = null;\n if (browserOrNode().isBrowser)\n ga = window['gapi'] && window['gapi'].auth2 ? window['gapi'].auth2 : null;\n if (!ga) {\n logger.debug('no gapi auth2 available');\n return Promise.reject('no gapi auth2 available');\n }\n return new Promise(function (res, rej) {\n ga.getAuthInstance()\n .then(function (googleAuth) {\n if (!googleAuth) {\n logger.debug('google Auth undefined');\n rej(new NonRetryableError('google Auth undefined'));\n }\n var googleUser = googleAuth.currentUser.get();\n // refresh the token\n if (googleUser.isSignedIn()) {\n logger.debug('refreshing the google access token');\n googleUser\n .reloadAuthResponse()\n .then(function (authResponse) {\n var id_token = authResponse.id_token, expires_at = authResponse.expires_at;\n res({ token: id_token, expires_at: expires_at });\n })\n .catch(function (err) {\n if (err && err.error === 'network_error') {\n // Not using NonRetryableError so handler will be retried\n rej('Network error reloading google auth response');\n }\n else {\n rej(new NonRetryableError('Failed to reload google auth response'));\n }\n });\n }\n else {\n rej(new NonRetryableError('User is not signed in with Google'));\n }\n })\n .catch(function (err) {\n logger.debug('Failed to refresh google token', err);\n rej(new NonRetryableError('Failed to refresh google token'));\n });\n });\n };\n return GoogleOAuth;\n}());\nexport { GoogleOAuth };\n","var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nvar __generator = (this && this.__generator) || function (thisArg, body) {\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\n function verb(n) { return function (v) { return step([n, v]); }; }\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n while (g && (g = 0, op[0] && (_ = 0)), _) try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n switch (op[0]) {\n case 0: case 1: t = op; break;\n case 4: _.label++; return { value: op[1], done: false };\n case 5: _.label++; y = op[1]; op = [0]; continue;\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\n if (t[2]) _.ops.pop();\n _.trys.pop(); continue;\n }\n op = body.call(thisArg, _);\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\n }\n};\n// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nimport { ConsoleLogger as Logger } from '../Logger';\nimport { browserOrNode } from '../JS';\nimport { NonRetryableError } from '../Util';\nvar logger = new Logger('CognitoCredentials');\nvar waitForInit = new Promise(function (res, rej) {\n if (!browserOrNode().isBrowser) {\n logger.debug('not in the browser, directly resolved');\n return res();\n }\n var fb = window['FB'];\n if (fb) {\n logger.debug('FB SDK already loaded');\n return res();\n }\n else {\n setTimeout(function () {\n return res();\n }, 2000);\n }\n});\nvar FacebookOAuth = /** @class */ (function () {\n function FacebookOAuth() {\n this.initialized = false;\n this.refreshFacebookToken = this.refreshFacebookToken.bind(this);\n this._refreshFacebookTokenImpl = this._refreshFacebookTokenImpl.bind(this);\n }\n FacebookOAuth.prototype.refreshFacebookToken = function () {\n return __awaiter(this, void 0, void 0, function () {\n return __generator(this, function (_a) {\n switch (_a.label) {\n case 0:\n if (!!this.initialized) return [3 /*break*/, 2];\n logger.debug('need to wait for the Facebook SDK loaded');\n return [4 /*yield*/, waitForInit];\n case 1:\n _a.sent();\n this.initialized = true;\n logger.debug('finish waiting');\n _a.label = 2;\n case 2: return [2 /*return*/, this._refreshFacebookTokenImpl()];\n }\n });\n });\n };\n FacebookOAuth.prototype._refreshFacebookTokenImpl = function () {\n var fb = null;\n if (browserOrNode().isBrowser)\n fb = window['FB'];\n if (!fb) {\n var errorMessage = 'no fb sdk available';\n logger.debug(errorMessage);\n return Promise.reject(new NonRetryableError(errorMessage));\n }\n return new Promise(function (res, rej) {\n fb.getLoginStatus(function (fbResponse) {\n if (!fbResponse || !fbResponse.authResponse) {\n var errorMessage = 'no response from facebook when refreshing the jwt token';\n logger.debug(errorMessage);\n // There is no definitive indication for a network error in\n // fbResponse, so we are treating it as an invalid token.\n rej(new NonRetryableError(errorMessage));\n }\n else {\n var response = fbResponse.authResponse;\n var accessToken = response.accessToken, expiresIn = response.expiresIn;\n var date = new Date();\n var expires_at = expiresIn * 1000 + date.getTime();\n if (!accessToken) {\n var errorMessage = 'the jwtToken is undefined';\n logger.debug(errorMessage);\n rej(new NonRetryableError(errorMessage));\n }\n res({\n token: accessToken,\n expires_at: expires_at,\n });\n }\n }, { scope: 'public_profile,email' });\n });\n };\n return FacebookOAuth;\n}());\nexport { FacebookOAuth };\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nimport { GoogleOAuth as GoogleOAuthClass } from './GoogleOAuth';\nimport { FacebookOAuth as FacebookOAuthClass } from './FacebookOAuth';\nexport var GoogleOAuth = new GoogleOAuthClass();\nexport var FacebookOAuth = new FacebookOAuthClass();\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\n/**\n * Default partition for AWS services. This is used when the region is not provided or the region is not recognized.\n *\n * @internal\n */\nexport var defaultPartition = {\n id: 'aws',\n outputs: {\n dnsSuffix: 'amazonaws.com',\n },\n regionRegex: '^(us|eu|ap|sa|ca|me|af)\\\\-\\\\w+\\\\-\\\\d+$',\n regions: ['aws-global'],\n};\n/**\n * This data is adapted from the partition file from AWS SDK shared utilities but remove some contents for bundle size\n * concern. Information removed are `dualStackDnsSuffix`, `supportDualStack`, `supportFIPS`, restricted partitions, and\n * list of regions for each partition other than global regions.\n *\n * * Ref: https://docs.aws.amazon.com/general/latest/gr/rande.html#regional-endpoints\n * * Ref: https://github.com/aws/aws-sdk-js-v3/blob/0201baef03c2379f1f6f7150b9d401d4b230d488/packages/util-endpoints/src/lib/aws/partitions.json#L1\n *\n * @internal\n */\nexport var partitionsInfo = {\n partitions: [\n defaultPartition,\n {\n id: 'aws-cn',\n outputs: {\n dnsSuffix: 'amazonaws.com.cn',\n },\n regionRegex: '^cn\\\\-\\\\w+\\\\-\\\\d+$',\n regions: ['aws-cn-global'],\n },\n ],\n};\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nvar __values = (this && this.__values) || function(o) {\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\n if (m) return m.call(o);\n if (o && typeof o.length === \"number\") return {\n next: function () {\n if (o && i >= o.length) o = void 0;\n return { value: o && o[i++], done: !o };\n }\n };\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n};\nimport { defaultPartition, partitionsInfo } from './partitions';\n/**\n * Get the AWS Services endpoint URL's DNS suffix for a given region. A typical AWS regional service endpoint URL will\n * follow this pattern: {endpointPrefix}.{region}.{dnsSuffix}. For example, the endpoint URL for Cognito Identity in\n * us-east-1 will be cognito-identity.us-east-1.amazonaws.com. Here the DnsSuffix is `amazonaws.com`.\n *\n * @param region\n * @returns The DNS suffix\n *\n * @internal\n */\nexport var getDnsSuffix = function (region) {\n var e_1, _a;\n var partitions = partitionsInfo.partitions;\n try {\n for (var partitions_1 = __values(partitions), partitions_1_1 = partitions_1.next(); !partitions_1_1.done; partitions_1_1 = partitions_1.next()) {\n var _b = partitions_1_1.value, regions = _b.regions, outputs = _b.outputs, regionRegex = _b.regionRegex;\n var regex = new RegExp(regionRegex);\n if (regions.includes(region) || regex.test(region)) {\n return outputs.dnsSuffix;\n }\n }\n }\n catch (e_1_1) { e_1 = { error: e_1_1 }; }\n finally {\n try {\n if (partitions_1_1 && !partitions_1_1.done && (_a = partitions_1.return)) _a.call(partitions_1);\n }\n finally { if (e_1) throw e_1.error; }\n }\n return defaultPartition.outputs.dnsSuffix;\n};\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nvar __assign = (this && this.__assign) || function () {\n __assign = Object.assign || function(t) {\n for (var s, i = 1, n = arguments.length; i < n; i++) {\n s = arguments[i];\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p))\n t[p] = s[p];\n }\n return t;\n };\n return __assign.apply(this, arguments);\n};\nvar __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nvar __generator = (this && this.__generator) || function (thisArg, body) {\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\n function verb(n) { return function (v) { return step([n, v]); }; }\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n while (g && (g = 0, op[0] && (_ = 0)), _) try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n switch (op[0]) {\n case 0: case 1: t = op; break;\n case 4: _.label++; return { value: op[1], done: false };\n case 5: _.label++; y = op[1]; op = [0]; continue;\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\n if (t[2]) _.ops.pop();\n _.trys.pop(); continue;\n }\n op = body.call(thisArg, _);\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\n }\n};\nvar DEFAULT_RETRY_ATTEMPTS = 3;\n/**\n * Retry middleware\n */\nexport var retryMiddleware = function (_a) {\n var _b = _a.maxAttempts, maxAttempts = _b === void 0 ? DEFAULT_RETRY_ATTEMPTS : _b, retryDecider = _a.retryDecider, computeDelay = _a.computeDelay, abortSignal = _a.abortSignal;\n if (maxAttempts < 1) {\n throw new Error('maxAttempts must be greater than 0');\n }\n return function (next, context) {\n return function retryMiddleware(request) {\n var _a;\n return __awaiter(this, void 0, void 0, function () {\n var error, attemptsCount, response, handleTerminalErrorOrResponse, e_1, delay;\n return __generator(this, function (_b) {\n switch (_b.label) {\n case 0:\n attemptsCount = (_a = context.attemptsCount) !== null && _a !== void 0 ? _a : 0;\n handleTerminalErrorOrResponse = function () {\n if (response) {\n addOrIncrementMetadataAttempts(response, attemptsCount);\n return response;\n }\n else {\n addOrIncrementMetadataAttempts(error, attemptsCount);\n throw error;\n }\n };\n _b.label = 1;\n case 1:\n if (!(!(abortSignal === null || abortSignal === void 0 ? void 0 : abortSignal.aborted) && attemptsCount < maxAttempts)) return [3 /*break*/, 11];\n _b.label = 2;\n case 2:\n _b.trys.push([2, 4, , 5]);\n return [4 /*yield*/, next(request)];\n case 3:\n response = _b.sent();\n error = undefined;\n return [3 /*break*/, 5];\n case 4:\n e_1 = _b.sent();\n error = e_1;\n response = undefined;\n return [3 /*break*/, 5];\n case 5:\n // context.attemptsCount may be updated after calling next handler which may retry the request by itself.\n attemptsCount =\n context.attemptsCount > attemptsCount\n ? context.attemptsCount\n : attemptsCount + 1;\n context.attemptsCount = attemptsCount;\n return [4 /*yield*/, retryDecider(response, error)];\n case 6:\n if (!_b.sent()) return [3 /*break*/, 9];\n if (!(!(abortSignal === null || abortSignal === void 0 ? void 0 : abortSignal.aborted) && attemptsCount < maxAttempts)) return [3 /*break*/, 8];\n delay = computeDelay(attemptsCount);\n return [4 /*yield*/, cancellableSleep(delay, abortSignal)];\n case 7:\n _b.sent();\n _b.label = 8;\n case 8: return [3 /*break*/, 1];\n case 9: return [2 /*return*/, handleTerminalErrorOrResponse()];\n case 10: return [3 /*break*/, 1];\n case 11:\n if (abortSignal === null || abortSignal === void 0 ? void 0 : abortSignal.aborted) {\n throw new Error('Request aborted.');\n }\n else {\n return [2 /*return*/, handleTerminalErrorOrResponse()];\n }\n return [2 /*return*/];\n }\n });\n });\n };\n };\n};\nvar cancellableSleep = function (timeoutMs, abortSignal) {\n if (abortSignal === null || abortSignal === void 0 ? void 0 : abortSignal.aborted) {\n return Promise.resolve();\n }\n var timeoutId;\n var sleepPromiseResolveFn;\n var sleepPromise = new Promise(function (resolve) {\n sleepPromiseResolveFn = resolve;\n timeoutId = setTimeout(resolve, timeoutMs);\n });\n abortSignal === null || abortSignal === void 0 ? void 0 : abortSignal.addEventListener('abort', function cancelSleep(event) {\n clearTimeout(timeoutId);\n abortSignal === null || abortSignal === void 0 ? void 0 : abortSignal.removeEventListener('abort', cancelSleep);\n sleepPromiseResolveFn();\n });\n return sleepPromise;\n};\nvar addOrIncrementMetadataAttempts = function (nextHandlerOutput, attempts) {\n var _a;\n if (Object.prototype.toString.call(nextHandlerOutput) !== '[object Object]') {\n return;\n }\n nextHandlerOutput['$metadata'] = __assign(__assign({}, ((_a = nextHandlerOutput['$metadata']) !== null && _a !== void 0 ? _a : {})), { attempts: attempts });\n};\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nvar __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nvar __generator = (this && this.__generator) || function (thisArg, body) {\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\n function verb(n) { return function (v) { return step([n, v]); }; }\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n while (g && (g = 0, op[0] && (_ = 0)), _) try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n switch (op[0]) {\n case 0: case 1: t = op; break;\n case 4: _.label++; return { value: op[1], done: false };\n case 5: _.label++; y = op[1]; op = [0]; continue;\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\n if (t[2]) _.ops.pop();\n _.trys.pop(); continue;\n }\n op = body.call(thisArg, _);\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\n }\n};\n/**\n * Middleware injects user agent string to specified header(default to 'x-amz-user-agent'),\n * if the header is not set already.\n *\n * TODO: incorporate new user agent design\n */\nexport var userAgentMiddleware = function (_a) {\n var _b = _a.userAgentHeader, userAgentHeader = _b === void 0 ? 'x-amz-user-agent' : _b, _c = _a.userAgentValue, userAgentValue = _c === void 0 ? '' : _c;\n return function (next) {\n return function userAgentMiddleware(request) {\n return __awaiter(this, void 0, void 0, function () {\n var result, headerName, response;\n return __generator(this, function (_a) {\n switch (_a.label) {\n case 0:\n if (!(userAgentValue.trim().length === 0)) return [3 /*break*/, 2];\n return [4 /*yield*/, next(request)];\n case 1:\n result = _a.sent();\n return [2 /*return*/, result];\n case 2:\n headerName = userAgentHeader.toLowerCase();\n request.headers[headerName] = request.headers[headerName]\n ? \"\".concat(request.headers[headerName], \" \").concat(userAgentValue)\n : userAgentValue;\n return [4 /*yield*/, next(request)];\n case 3:\n response = _a.sent();\n return [2 /*return*/, response];\n }\n });\n });\n };\n };\n};\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\n/**\n * Compose a transfer handler with a core transfer handler and a list of middleware.\n * @param coreHandler Core transfer handler\n * @param middleware\tList of middleware\n * @returns A transfer handler whose option type is the union of the core\n * \ttransfer handler's option type and the middleware's option type.\n * @internal\n */\nexport var composeTransferHandler = function (coreHandler, middleware) {\n return function (request, options) {\n var context = {};\n var composedHandler = function (request) { return coreHandler(request, options); };\n for (var i = middleware.length - 1; i >= 0; i--) {\n var m = middleware[i];\n var resolvedMiddleware = m(options);\n composedHandler = resolvedMiddleware(composedHandler, context);\n }\n return composedHandler(request);\n };\n};\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\n/**\n * Cache the payload of a response body. It allows multiple calls to the body,\n * for example, when reading the body in both retry decider and error deserializer.\n * Caching body is allowed here because we call the body accessor(blob(), json(),\n * etc.) when body is small or streaming implementation is not available(RN).\n *\n * @internal\n */\nexport var withMemoization = function (payloadAccessor) {\n var cached;\n return function () {\n if (!cached) {\n // Explicitly not awaiting. Intermediate await would add overhead and\n // introduce a possible race in the event that this wrapper is called\n // again before the first `payloadAccessor` call resolves.\n cached = payloadAccessor();\n }\n return cached;\n };\n};\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nvar __assign = (this && this.__assign) || function () {\n __assign = Object.assign || function(t) {\n for (var s, i = 1, n = arguments.length; i < n; i++) {\n s = arguments[i];\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p))\n t[p] = s[p];\n }\n return t;\n };\n return __assign.apply(this, arguments);\n};\nvar __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nvar __generator = (this && this.__generator) || function (thisArg, body) {\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\n function verb(n) { return function (v) { return step([n, v]); }; }\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n while (g && (g = 0, op[0] && (_ = 0)), _) try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n switch (op[0]) {\n case 0: case 1: t = op; break;\n case 4: _.label++; return { value: op[1], done: false };\n case 5: _.label++; y = op[1]; op = [0]; continue;\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\n if (t[2]) _.ops.pop();\n _.trys.pop(); continue;\n }\n op = body.call(thisArg, _);\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\n }\n};\nimport 'isomorphic-unfetch'; // TODO: remove this dependency in v6\nimport { withMemoization } from '../utils/memoization';\nvar shouldSendBody = function (method) {\n return !['HEAD', 'GET', 'DELETE'].includes(method.toUpperCase());\n};\nexport var fetchTransferHandler = function (_a, _b) {\n var url = _a.url, method = _a.method, headers = _a.headers, body = _a.body;\n var abortSignal = _b.abortSignal;\n return __awaiter(void 0, void 0, void 0, function () {\n var resp, e_1, responseHeaders, httpResponse, bodyWithMixin;\n var _c, _d;\n return __generator(this, function (_e) {\n switch (_e.label) {\n case 0:\n _e.trys.push([0, 2, , 3]);\n return [4 /*yield*/, fetch(url, {\n method: method,\n headers: headers,\n body: shouldSendBody(method) ? body : undefined,\n signal: abortSignal,\n })];\n case 1:\n resp = _e.sent();\n return [3 /*break*/, 3];\n case 2:\n e_1 = _e.sent();\n // TODO: needs to revise error handling in v6\n // For now this is a thin wrapper over original fetch error similar to cognito-identity-js package.\n // Ref: https://github.com/aws-amplify/amplify-js/blob/4fbc8c0a2be7526aab723579b4c95b552195a80b/packages/amazon-cognito-identity-js/src/Client.js#L103-L108\n if (e_1 instanceof TypeError) {\n throw new Error('Network error');\n }\n throw e_1;\n case 3:\n responseHeaders = {};\n (_c = resp.headers) === null || _c === void 0 ? void 0 : _c.forEach(function (value, key) {\n responseHeaders[key.toLowerCase()] = value;\n });\n httpResponse = {\n statusCode: resp.status,\n headers: responseHeaders,\n body: null,\n };\n bodyWithMixin = Object.assign((_d = resp.body) !== null && _d !== void 0 ? _d : {}, {\n text: withMemoization(function () { return resp.text(); }),\n blob: withMemoization(function () { return resp.blob(); }),\n json: withMemoization(function () { return resp.json(); }),\n });\n return [2 /*return*/, __assign(__assign({}, httpResponse), { body: bodyWithMixin })];\n }\n });\n });\n};\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nimport { retryMiddleware } from '../middleware/retry';\nimport { userAgentMiddleware } from '../middleware/userAgent';\nimport { composeTransferHandler } from '../internal/composeTransferHandler';\nimport { fetchTransferHandler } from './fetch';\nexport var unauthenticatedHandler = composeTransferHandler(fetchTransferHandler, [userAgentMiddleware, retryMiddleware]);\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nvar __assign = (this && this.__assign) || function () {\n __assign = Object.assign || function(t) {\n for (var s, i = 1, n = arguments.length; i < n; i++) {\n s = arguments[i];\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p))\n t[p] = s[p];\n }\n return t;\n };\n return __assign.apply(this, arguments);\n};\nexport var parseMetadata = function (response) {\n var _a, _b;\n var headers = response.headers, statusCode = response.statusCode;\n return __assign(__assign({}, (isMetadataBearer(response) ? response.$metadata : {})), { httpStatusCode: statusCode, requestId: (_b = (_a = headers['x-amzn-requestid']) !== null && _a !== void 0 ? _a : headers['x-amzn-request-id']) !== null && _b !== void 0 ? _b : headers['x-amz-request-id'], extendedRequestId: headers['x-amz-id-2'], cfId: headers['x-amz-cf-id'] });\n};\nvar isMetadataBearer = function (response) {\n return typeof (response === null || response === void 0 ? void 0 : response['$metadata']) === 'object';\n};\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nvar __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nvar __generator = (this && this.__generator) || function (thisArg, body) {\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\n function verb(n) { return function (v) { return step([n, v]); }; }\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n while (g && (g = 0, op[0] && (_ = 0)), _) try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n switch (op[0]) {\n case 0: case 1: t = op; break;\n case 4: _.label++; return { value: op[1], done: false };\n case 5: _.label++; y = op[1]; op = [0]; continue;\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\n if (t[2]) _.ops.pop();\n _.trys.pop(); continue;\n }\n op = body.call(thisArg, _);\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\n }\n};\nvar __read = (this && this.__read) || function (o, n) {\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\n if (!m) return o;\n var i = m.call(o), r, ar = [], e;\n try {\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\n }\n catch (error) { e = { error: error }; }\n finally {\n try {\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\n }\n finally { if (e) throw e.error; }\n }\n return ar;\n};\nimport { parseMetadata } from './responseInfo';\n/**\n * Utility functions for serializing and deserializing of JSON protocol in general(including: REST-JSON, JSON-RPC, etc.)\n */\n/**\n * Error parser for AWS JSON protocol.\n */\nexport var parseJsonError = function (response) { return __awaiter(void 0, void 0, void 0, function () {\n var body, sanitizeErrorCode, code, message, error;\n var _a, _b, _c, _d, _e;\n return __generator(this, function (_f) {\n switch (_f.label) {\n case 0:\n if (!response || response.statusCode < 300) {\n return [2 /*return*/];\n }\n return [4 /*yield*/, parseJsonBody(response)];\n case 1:\n body = _f.sent();\n sanitizeErrorCode = function (rawValue) {\n var _a = __read(rawValue.toString().split(/[\\,\\:]+/), 1), cleanValue = _a[0];\n if (cleanValue.includes('#')) {\n return cleanValue.split('#')[1];\n }\n return cleanValue;\n };\n code = sanitizeErrorCode((_c = (_b = (_a = response.headers['x-amzn-errortype']) !== null && _a !== void 0 ? _a : body.code) !== null && _b !== void 0 ? _b : body.__type) !== null && _c !== void 0 ? _c : 'UnknownError');\n message = (_e = (_d = body.message) !== null && _d !== void 0 ? _d : body.Message) !== null && _e !== void 0 ? _e : 'Unknown error';\n error = new Error(message);\n return [2 /*return*/, Object.assign(error, {\n name: code,\n $metadata: parseMetadata(response),\n })];\n }\n });\n}); };\n/**\n * Parse JSON response body to JavaScript object.\n */\nexport var parseJsonBody = function (response) { return __awaiter(void 0, void 0, void 0, function () {\n var output;\n return __generator(this, function (_a) {\n switch (_a.label) {\n case 0:\n if (!response.body) {\n throw new Error('Missing response payload');\n }\n return [4 /*yield*/, response.body.json()];\n case 1:\n output = _a.sent();\n return [2 /*return*/, Object.assign(output, {\n $metadata: parseMetadata(response),\n })];\n }\n });\n}); };\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\n// via https://github.com/aws/aws-sdk-js-v3/blob/ab0e7be36e7e7f8a0c04834357aaad643c7912c3/packages/service-error-classification/src/constants.ts#L8\nvar CLOCK_SKEW_ERROR_CODES = [\n 'AuthFailure',\n 'InvalidSignatureException',\n 'RequestExpired',\n 'RequestInTheFuture',\n 'RequestTimeTooSkewed',\n 'SignatureDoesNotMatch',\n 'BadRequestException', // API Gateway\n];\n/**\n * Given an error code, returns true if it is related to a clock skew error.\n *\n * @param errorCode String representation of some error.\n * @returns True if given error is present in `CLOCK_SKEW_ERROR_CODES`, false otherwise.\n *\n * @internal\n */\nexport var isClockSkewError = function (errorCode) {\n return CLOCK_SKEW_ERROR_CODES.includes(errorCode);\n};\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nvar __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nvar __generator = (this && this.__generator) || function (thisArg, body) {\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\n function verb(n) { return function (v) { return step([n, v]); }; }\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n while (g && (g = 0, op[0] && (_ = 0)), _) try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n switch (op[0]) {\n case 0: case 1: t = op; break;\n case 4: _.label++; return { value: op[1], done: false };\n case 5: _.label++; y = op[1]; op = [0]; continue;\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\n if (t[2]) _.ops.pop();\n _.trys.pop(); continue;\n }\n op = body.call(thisArg, _);\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\n }\n};\nimport { isClockSkewError } from './isClockSkewError';\n/**\n * Get retry decider function\n * @param errorParser Function to load JavaScript error from HTTP response\n */\nexport var getRetryDecider = function (errorParser) {\n return function (response, error) { return __awaiter(void 0, void 0, void 0, function () {\n var errorCode, _a, statusCode;\n var _b;\n return __generator(this, function (_c) {\n switch (_c.label) {\n case 0:\n if (!(error !== null && error !== void 0)) return [3 /*break*/, 1];\n _a = error;\n return [3 /*break*/, 3];\n case 1: return [4 /*yield*/, errorParser(response)];\n case 2:\n _a = (_c.sent());\n _c.label = 3;\n case 3:\n errorCode = ((_b = _a) !== null && _b !== void 0 ? _b : {}).name;\n statusCode = response === null || response === void 0 ? void 0 : response.statusCode;\n return [2 /*return*/, (isConnectionError(error) ||\n isThrottlingError(statusCode, errorCode) ||\n isClockSkewError(errorCode) ||\n isServerSideError(statusCode, errorCode))];\n }\n });\n }); };\n};\n// reference: https://github.com/aws/aws-sdk-js-v3/blob/ab0e7be36e7e7f8a0c04834357aaad643c7912c3/packages/service-error-classification/src/constants.ts#L22-L37\nvar THROTTLING_ERROR_CODES = [\n 'BandwidthLimitExceeded',\n 'EC2ThrottledException',\n 'LimitExceededException',\n 'PriorRequestNotComplete',\n 'ProvisionedThroughputExceededException',\n 'RequestLimitExceeded',\n 'RequestThrottled',\n 'RequestThrottledException',\n 'SlowDown',\n 'ThrottledException',\n 'Throttling',\n 'ThrottlingException',\n 'TooManyRequestsException',\n];\nvar TIMEOUT_ERROR_CODES = [\n 'TimeoutError',\n 'RequestTimeout',\n 'RequestTimeoutException',\n];\nvar isThrottlingError = function (statusCode, errorCode) {\n return statusCode === 429 || THROTTLING_ERROR_CODES.includes(errorCode);\n};\nvar isConnectionError = function (error) { return (error === null || error === void 0 ? void 0 : error.name) === 'Network error'; };\nvar isServerSideError = function (statusCode, errorCode) {\n return [500, 502, 503, 504].includes(statusCode) ||\n TIMEOUT_ERROR_CODES.includes(errorCode);\n};\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\n// TODO: [v6] The separate retry utility is used by Data packages now and will replaced by retry middleware.\nimport { jitteredBackoff as jitteredBackoffUtil } from '../../../Util/Retry';\nvar DEFAULT_MAX_DELAY_MS = 5 * 60 * 1000;\nexport var jitteredBackoff = function (attempt) {\n var delayFunction = jitteredBackoffUtil(DEFAULT_MAX_DELAY_MS);\n var delay = delayFunction(attempt);\n // The delayFunction returns false when the delay is greater than the max delay(5 mins).\n // In this case, the retry middleware will delay 5 mins instead, as a ceiling of the delay.\n return delay === false ? DEFAULT_MAX_DELAY_MS : delay;\n};\n","// generated by genversion\nexport var version = '5.3.26';\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nexport var globalExists = function () {\n return typeof global !== 'undefined';\n};\nexport var globalThisExists = function () {\n return typeof globalThis !== 'undefined';\n};\nexport var windowExists = function () {\n return typeof window !== 'undefined';\n};\nexport var documentExists = function () {\n return typeof document !== 'undefined';\n};\nexport var processExists = function () {\n return typeof process !== 'undefined';\n};\nexport var keyPrefixMatch = function (object, prefix) {\n return !!Object.keys(object).find(function (key) { return key.startsWith(prefix); });\n};\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nimport { Framework } from '../types';\nimport { reactWebDetect, reactSSRDetect } from './React';\nimport { vueWebDetect, vueSSRDetect } from './Vue';\nimport { svelteWebDetect, svelteSSRDetect } from './Svelte';\nimport { nextWebDetect, nextSSRDetect } from './Next';\nimport { nuxtWebDetect, nuxtSSRDetect } from './Nuxt';\nimport { angularWebDetect, angularSSRDetect } from './Angular';\nimport { reactNativeDetect } from './ReactNative';\nimport { expoDetect } from './Expo';\nimport { webDetect } from './Web';\n// These are in the order of detection where when both are detectable, the early Framework will be reported\nvar detectionMap = [\n // First, detect mobile\n { platform: Framework.Expo, detectionMethod: expoDetect },\n { platform: Framework.ReactNative, detectionMethod: reactNativeDetect },\n // Next, detect web frameworks\n { platform: Framework.NextJs, detectionMethod: nextWebDetect },\n { platform: Framework.Nuxt, detectionMethod: nuxtWebDetect },\n { platform: Framework.Angular, detectionMethod: angularWebDetect },\n { platform: Framework.React, detectionMethod: reactWebDetect },\n { platform: Framework.VueJs, detectionMethod: vueWebDetect },\n { platform: Framework.Svelte, detectionMethod: svelteWebDetect },\n { platform: Framework.WebUnknown, detectionMethod: webDetect },\n // Last, detect ssr frameworks\n { platform: Framework.NextJsSSR, detectionMethod: nextSSRDetect },\n { platform: Framework.NuxtSSR, detectionMethod: nuxtSSRDetect },\n { platform: Framework.ReactSSR, detectionMethod: reactSSRDetect },\n { platform: Framework.VueJsSSR, detectionMethod: vueSSRDetect },\n { platform: Framework.AngularSSR, detectionMethod: angularSSRDetect },\n { platform: Framework.SvelteSSR, detectionMethod: svelteSSRDetect },\n];\nexport function detect() {\n var _a;\n return (((_a = detectionMap.find(function (detectionEntry) { return detectionEntry.detectionMethod(); })) === null || _a === void 0 ? void 0 : _a.platform) || Framework.ServerSideUnknown);\n}\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nimport { Framework } from './types';\nimport { detect } from './detection';\n// We want to cache detection since the framework won't change\nvar frameworkCache;\nexport var frameworkChangeObservers = [];\n// Setup the detection reset tracking / timeout delays\nvar resetTriggered = false;\nvar SSR_RESET_TIMEOUT = 10; // ms\nvar WEB_RESET_TIMEOUT = 10; // ms\nvar PRIME_FRAMEWORK_DELAY = 1000; // ms\nexport var detectFramework = function () {\n if (!frameworkCache) {\n frameworkCache = detect();\n if (resetTriggered) {\n // The final run of detectFramework:\n // Starting from this point, the `frameworkCache` becomes \"final\".\n // So we don't need to notify the observers again so the observer\n // can be removed after the final notice.\n while (frameworkChangeObservers.length) {\n frameworkChangeObservers.pop()();\n }\n }\n else {\n // The first run of detectFramework:\n // Every time we update the cache, call each observer function\n frameworkChangeObservers.forEach(function (fcn) { return fcn(); });\n }\n // Retry once for either Unknown type after a delay (explained below)\n resetTimeout(Framework.ServerSideUnknown, SSR_RESET_TIMEOUT);\n resetTimeout(Framework.WebUnknown, WEB_RESET_TIMEOUT);\n }\n return frameworkCache;\n};\n/**\n * @internal Setup observer callback that will be called everytime the framework changes\n */\nexport var observeFrameworkChanges = function (fcn) {\n // When the `frameworkCache` won't be updated again, we ignore all incoming\n // observers.\n if (resetTriggered) {\n return;\n }\n frameworkChangeObservers.push(fcn);\n};\nexport function clearCache() {\n frameworkCache = undefined;\n}\n// For a framework type and a delay amount, setup the event to re-detect\n// During the runtime boot, it is possible that framework detection will\n// be triggered before the framework has made modifications to the\n// global/window/etc needed for detection. When no framework is detected\n// we will reset and try again to ensure we don't use a cached\n// non-framework detection result for all requests.\nfunction resetTimeout(framework, delay) {\n if (frameworkCache === framework && !resetTriggered) {\n setTimeout(function () {\n clearCache();\n resetTriggered = true;\n setTimeout(detectFramework, PRIME_FRAMEWORK_DELAY);\n }, delay);\n }\n}\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nimport { globalExists } from './helpers';\n// Tested with expo 48 / react-native 0.71.3\nexport function expoDetect() {\n // @ts-ignore\n return globalExists() && typeof global['expo'] !== 'undefined';\n}\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\n// Tested with react-native 0.17.7\nexport function reactNativeDetect() {\n return (typeof navigator !== 'undefined' &&\n typeof navigator.product !== 'undefined' &&\n navigator.product === 'ReactNative');\n}\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nimport { globalExists, keyPrefixMatch, windowExists } from './helpers';\n// Tested with next 13.4 / react 18.2\nexport function nextWebDetect() {\n // @ts-ignore\n return windowExists() && window['next'] && typeof window['next'] === 'object';\n}\nexport function nextSSRDetect() {\n return (globalExists() &&\n (keyPrefixMatch(global, '__next') || keyPrefixMatch(global, '__NEXT')));\n}\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nimport { globalExists, windowExists } from './helpers';\n// Tested with nuxt 2.15 / vue 2.7\nexport function nuxtWebDetect() {\n return (windowExists() &&\n // @ts-ignore\n (window['__NUXT__'] !== undefined || window['$nuxt'] !== undefined));\n}\nexport function nuxtSSRDetect() {\n // @ts-ignore\n return globalExists() && typeof global['__NUXT_PATHS__'] !== 'undefined';\n}\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nimport { documentExists, processExists, windowExists } from './helpers';\n// Tested with @angular/core 16.0.0\nexport function angularWebDetect() {\n var angularVersionSetInDocument = Boolean(documentExists() && document.querySelector('[ng-version]'));\n var angularContentSetInWindow = Boolean(\n // @ts-ignore\n windowExists() && typeof window['ng'] !== 'undefined');\n return angularVersionSetInDocument || angularContentSetInWindow;\n}\nexport function angularSSRDetect() {\n var _a;\n return ((processExists() &&\n typeof process.env === 'object' &&\n ((_a = process.env['npm_lifecycle_script']) === null || _a === void 0 ? void 0 : _a.startsWith('ng '))) ||\n false);\n}\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nimport { documentExists, processExists } from './helpers';\n// Tested with react 18.2 - built using Vite\nexport function reactWebDetect() {\n var elementKeyPrefixedWithReact = function (key) {\n return key.startsWith('_react') || key.startsWith('__react');\n };\n var elementIsReactEnabled = function (element) {\n return Object.keys(element).find(elementKeyPrefixedWithReact);\n };\n var allElementsWithId = function () { return Array.from(document.querySelectorAll('[id]')); };\n return documentExists() && allElementsWithId().some(elementIsReactEnabled);\n}\nexport function reactSSRDetect() {\n return (processExists() &&\n typeof process.env !== 'undefined' &&\n !!Object.keys(process.env).find(function (key) { return key.includes('react'); }));\n}\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nimport { globalExists, keyPrefixMatch, windowExists } from './helpers';\n// Tested with vue 3.3.2\nexport function vueWebDetect() {\n return windowExists() && keyPrefixMatch(window, '__VUE');\n}\nexport function vueSSRDetect() {\n return globalExists() && keyPrefixMatch(global, '__VUE');\n}\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nimport { keyPrefixMatch, processExists, windowExists } from './helpers';\n// Tested with svelte 3.59\nexport function svelteWebDetect() {\n return windowExists() && keyPrefixMatch(window, '__SVELTE');\n}\nexport function svelteSSRDetect() {\n return (processExists() &&\n typeof process.env !== 'undefined' &&\n !!Object.keys(process.env).find(function (key) { return key.includes('svelte'); }));\n}\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nimport { windowExists } from './helpers';\nexport function webDetect() {\n return windowExists();\n}\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nvar __read = (this && this.__read) || function (o, n) {\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\n if (!m) return o;\n var i = m.call(o), r, ar = [], e;\n try {\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\n }\n catch (error) { e = { error: error }; }\n finally {\n try {\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\n }\n finally { if (e) throw e.error; }\n }\n return ar;\n};\nimport { Framework } from './types';\nimport { version } from './version';\nimport { detectFramework, observeFrameworkChanges } from './detectFramework';\nvar BASE_USER_AGENT = \"aws-amplify\";\nvar PlatformBuilder = /** @class */ (function () {\n function PlatformBuilder() {\n this.userAgent = \"\".concat(BASE_USER_AGENT, \"/\").concat(version);\n }\n Object.defineProperty(PlatformBuilder.prototype, \"framework\", {\n get: function () {\n return detectFramework();\n },\n enumerable: false,\n configurable: true\n });\n Object.defineProperty(PlatformBuilder.prototype, \"isReactNative\", {\n get: function () {\n return (this.framework === Framework.ReactNative ||\n this.framework === Framework.Expo);\n },\n enumerable: false,\n configurable: true\n });\n PlatformBuilder.prototype.observeFrameworkChanges = function (fcn) {\n observeFrameworkChanges(fcn);\n };\n return PlatformBuilder;\n}());\nexport var Platform = new PlatformBuilder();\nexport var getAmplifyUserAgentObject = function (_a) {\n var _b = _a === void 0 ? {} : _a, category = _b.category, action = _b.action, framework = _b.framework;\n var userAgent = [[BASE_USER_AGENT, version]];\n if (category) {\n userAgent.push([category, action]);\n }\n userAgent.push(['framework', detectFramework()]);\n return userAgent;\n};\nexport var getAmplifyUserAgent = function (customUserAgentDetails) {\n var userAgent = getAmplifyUserAgentObject(customUserAgentDetails);\n var userAgentString = userAgent\n .map(function (_a) {\n var _b = __read(_a, 2), agentKey = _b[0], agentValue = _b[1];\n return \"\".concat(agentKey, \"/\").concat(agentValue);\n })\n .join(' ');\n return userAgentString;\n};\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nvar __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nvar __generator = (this && this.__generator) || function (thisArg, body) {\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\n function verb(n) { return function (v) { return step([n, v]); }; }\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n while (g && (g = 0, op[0] && (_ = 0)), _) try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n switch (op[0]) {\n case 0: case 1: t = op; break;\n case 4: _.label++; return { value: op[1], done: false };\n case 5: _.label++; y = op[1]; op = [0]; continue;\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\n if (t[2]) _.ops.pop();\n _.trys.pop(); continue;\n }\n op = body.call(thisArg, _);\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\n }\n};\nimport { getDnsSuffix, unauthenticatedHandler, parseJsonError, } from '../../clients';\nimport { composeTransferHandler } from '../../clients/internal/composeTransferHandler';\nimport { jitteredBackoff, getRetryDecider, } from '../../clients/middleware/retry';\nimport { getAmplifyUserAgent } from '../../Platform';\nimport { observeFrameworkChanges } from '../../Platform/detectFramework';\n/**\n * The service name used to sign requests if the API requires authentication.\n */\nvar SERVICE_NAME = 'cognito-identity';\n/**\n * The endpoint resolver function that returns the endpoint URL for a given region.\n */\nvar endpointResolver = function (_a) {\n var region = _a.region;\n return ({\n url: new URL(\"https://cognito-identity.\".concat(region, \".\").concat(getDnsSuffix(region))),\n });\n};\n/**\n * A Cognito Identity-specific middleware that disables caching for all requests.\n */\nvar disableCacheMiddleware = function () { return function (next, context) {\n return function disableCacheMiddleware(request) {\n return __awaiter(this, void 0, void 0, function () {\n return __generator(this, function (_a) {\n request.headers['cache-control'] = 'no-store';\n return [2 /*return*/, next(request)];\n });\n });\n };\n}; };\n/**\n * A Cognito Identity-specific transfer handler that does NOT sign requests, and\n * disables caching.\n *\n * @internal\n */\nexport var cognitoIdentityTransferHandler = composeTransferHandler(unauthenticatedHandler, [disableCacheMiddleware]);\n/**\n * @internal\n */\nexport var defaultConfig = {\n service: SERVICE_NAME,\n endpointResolver: endpointResolver,\n retryDecider: getRetryDecider(parseJsonError),\n computeDelay: jitteredBackoff,\n userAgentValue: getAmplifyUserAgent(),\n};\nobserveFrameworkChanges(function () {\n defaultConfig.userAgentValue = getAmplifyUserAgent();\n});\n/**\n * @internal\n */\nexport var getSharedHeaders = function (operation) { return ({\n 'content-type': 'application/x-amz-json-1.1',\n 'x-amz-target': \"AWSCognitoIdentityService.\".concat(operation),\n}); };\n/**\n * @internal\n */\nexport var buildHttpRpcRequest = function (_a, headers, body) {\n var url = _a.url;\n return ({\n headers: headers,\n url: url,\n body: body,\n method: 'POST',\n });\n};\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nvar __assign = (this && this.__assign) || function () {\n __assign = Object.assign || function(t) {\n for (var s, i = 1, n = arguments.length; i < n; i++) {\n s = arguments[i];\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p))\n t[p] = s[p];\n }\n return t;\n };\n return __assign.apply(this, arguments);\n};\nvar __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nvar __generator = (this && this.__generator) || function (thisArg, body) {\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\n function verb(n) { return function (v) { return step([n, v]); }; }\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n while (g && (g = 0, op[0] && (_ = 0)), _) try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n switch (op[0]) {\n case 0: case 1: t = op; break;\n case 4: _.label++; return { value: op[1], done: false };\n case 5: _.label++; y = op[1]; op = [0]; continue;\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\n if (t[2]) _.ops.pop();\n _.trys.pop(); continue;\n }\n op = body.call(thisArg, _);\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\n }\n};\nexport var composeServiceApi = function (transferHandler, serializer, deserializer, defaultConfig) {\n return function (config, input) { return __awaiter(void 0, void 0, void 0, function () {\n var resolvedConfig, endpoint, request, response;\n return __generator(this, function (_a) {\n switch (_a.label) {\n case 0:\n resolvedConfig = __assign(__assign({}, defaultConfig), config);\n return [4 /*yield*/, resolvedConfig.endpointResolver(resolvedConfig, input)];\n case 1:\n endpoint = _a.sent();\n return [4 /*yield*/, serializer(input, endpoint)];\n case 2:\n request = _a.sent();\n return [4 /*yield*/, transferHandler(request, __assign({}, resolvedConfig))];\n case 3:\n response = _a.sent();\n return [4 /*yield*/, deserializer(response)];\n case 4: return [2 /*return*/, _a.sent()];\n }\n });\n }); };\n};\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nvar __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nvar __generator = (this && this.__generator) || function (thisArg, body) {\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\n function verb(n) { return function (v) { return step([n, v]); }; }\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n while (g && (g = 0, op[0] && (_ = 0)), _) try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n switch (op[0]) {\n case 0: case 1: t = op; break;\n case 4: _.label++; return { value: op[1], done: false };\n case 5: _.label++; y = op[1]; op = [0]; continue;\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\n if (t[2]) _.ops.pop();\n _.trys.pop(); continue;\n }\n op = body.call(thisArg, _);\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\n }\n};\nimport { buildHttpRpcRequest, cognitoIdentityTransferHandler, defaultConfig, getSharedHeaders, } from './base';\nimport { parseJsonBody, parseJsonError, parseMetadata, } from '../../clients';\nimport { composeServiceApi } from '../../clients/internal';\nvar getIdSerializer = function (input, endpoint) {\n var headers = getSharedHeaders('GetId');\n var body = JSON.stringify(input);\n return buildHttpRpcRequest(endpoint, headers, body);\n};\nvar getIdDeserializer = function (response) { return __awaiter(void 0, void 0, void 0, function () {\n var error, body;\n return __generator(this, function (_a) {\n switch (_a.label) {\n case 0:\n if (!(response.statusCode >= 300)) return [3 /*break*/, 2];\n return [4 /*yield*/, parseJsonError(response)];\n case 1:\n error = _a.sent();\n throw error;\n case 2: return [4 /*yield*/, parseJsonBody(response)];\n case 3:\n body = _a.sent();\n return [2 /*return*/, {\n IdentityId: body.IdentityId,\n $metadata: parseMetadata(response),\n }];\n }\n });\n}); };\n/**\n * @internal\n */\nexport var getId = composeServiceApi(cognitoIdentityTransferHandler, getIdSerializer, getIdDeserializer, defaultConfig);\n","// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nvar __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nvar __generator = (this && this.__generator) || function (thisArg, body) {\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\n function verb(n) { return function (v) { return step([n, v]); }; }\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n while (g && (g = 0, op[0] && (_ = 0)), _) try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n switch (op[0]) {\n case 0: case 1: t = op; break;\n case 4: _.label++; return { value: op[1], done: false };\n case 5: _.label++; y = op[1]; op = [0]; continue;\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\n if (t[2]) _.ops.pop();\n _.trys.pop(); continue;\n }\n op = body.call(thisArg, _);\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\n }\n};\nimport { buildHttpRpcRequest, cognitoIdentityTransferHandler, defaultConfig, getSharedHeaders, } from './base';\nimport { parseJsonBody, parseJsonError, parseMetadata, } from '../../clients';\nimport { composeServiceApi } from '../../clients/internal';\nvar getCredentialsForIdentitySerializer = function (input, endpoint) {\n var headers = getSharedHeaders('GetCredentialsForIdentity');\n var body = JSON.stringify(input);\n return buildHttpRpcRequest(endpoint, headers, body);\n};\nvar getCredentialsForIdentityDeserializer = function (response) { return __awaiter(void 0, void 0, void 0, function () {\n var error, body;\n return __generator(this, function (_a) {\n switch (_a.label) {\n case 0:\n if (!(response.statusCode >= 300)) return [3 /*break*/, 2];\n return [4 /*yield*/, parseJsonError(response)];\n case 1:\n error = _a.sent();\n throw error;\n case 2: return [4 /*yield*/, parseJsonBody(response)];\n case 3:\n body = _a.sent();\n return [2 /*return*/, {\n IdentityId: body.IdentityId,\n Credentials: deserializeCredentials(body.Credentials),\n $metadata: parseMetadata(response),\n }];\n }\n });\n}); };\nvar deserializeCredentials = function (output) {\n if (output === void 0) { output = {}; }\n return ({\n AccessKeyId: output['AccessKeyId'],\n SecretKey: output['SecretKey'],\n SessionToken: output['SessionToken'],\n Expiration: new Date(output['Expiration'] * 1000),\n });\n};\n/**\n * @internal\n */\nexport var getCredentialsForIdentity = composeServiceApi(cognitoIdentityTransferHandler, getCredentialsForIdentitySerializer, getCredentialsForIdentityDeserializer, defaultConfig);\n","var __assign = (this && this.__assign) || function () {\n __assign = Object.assign || function(t) {\n for (var s, i = 1, n = arguments.length; i < n; i++) {\n s = arguments[i];\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p))\n t[p] = s[p];\n }\n return t;\n };\n return __assign.apply(this, arguments);\n};\nimport { ConsoleLogger as Logger } from './Logger';\nvar logger = new Logger('Parser');\nexport var parseAWSExports = function (config) {\n var amplifyConfig = {};\n // Analytics\n if (config['aws_mobile_analytics_app_id']) {\n var Analytics = {\n AWSPinpoint: {\n appId: config['aws_mobile_analytics_app_id'],\n region: config['aws_mobile_analytics_app_region'],\n },\n };\n amplifyConfig.Analytics = Analytics;\n }\n // Auth\n if (config['aws_cognito_identity_pool_id'] || config['aws_user_pools_id']) {\n amplifyConfig.Auth = {\n userPoolId: config['aws_user_pools_id'],\n userPoolWebClientId: config['aws_user_pools_web_client_id'],\n region: config['aws_cognito_region'],\n identityPoolId: config['aws_cognito_identity_pool_id'],\n identityPoolRegion: config['aws_cognito_region'],\n mandatorySignIn: config['aws_mandatory_sign_in'] === 'enable',\n signUpVerificationMethod: config['aws_cognito_sign_up_verification_method'] || 'code',\n };\n }\n // Storage\n var storageConfig;\n if (config['aws_user_files_s3_bucket']) {\n storageConfig = {\n AWSS3: {\n bucket: config['aws_user_files_s3_bucket'],\n region: config['aws_user_files_s3_bucket_region'],\n dangerouslyConnectToHttpEndpointForTesting: config['aws_user_files_s3_dangerously_connect_to_http_endpoint_for_testing'],\n },\n };\n }\n else {\n storageConfig = config ? config.Storage || config : {};\n }\n // Logging\n if (config['Logging']) {\n amplifyConfig.Logging = __assign(__assign({}, config['Logging']), { region: config['aws_project_region'] });\n }\n // Geo\n if (config['geo']) {\n amplifyConfig.Geo = Object.assign({}, config.geo);\n if (config.geo['amazon_location_service']) {\n amplifyConfig.Geo = {\n AmazonLocationService: config.geo['amazon_location_service'],\n };\n }\n }\n amplifyConfig.Analytics = Object.assign({}, amplifyConfig.Analytics, config.Analytics);\n amplifyConfig.Auth = Object.assign({}, amplifyConfig.Auth, config.Auth);\n amplifyConfig.Storage = Object.assign({}, storageConfig);\n amplifyConfig.Logging = Object.assign({}, amplifyConfig.Logging, config.Logging);\n logger.debug('parse config', config, 'to amplifyconfig', amplifyConfig);\n return amplifyConfig;\n};\n","var __assign = (this && this.__assign) || function () {\n __assign = Object.assign || function(t) {\n for (var s, i = 1, n = arguments.length; i < n; i++) {\n s = arguments[i];\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p))\n t[p] = s[p];\n }\n return t;\n };\n return __assign.apply(this, arguments);\n};\nvar __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nvar __generator = (this && this.__generator) || function (thisArg, body) {\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\n function verb(n) { return function (v) { return step([n, v]); }; }\n function step(op) {\n if (f) throw new TypeError(\"Generator is already executing.\");\n while (g && (g = 0, op[0] && (_ = 0)), _) try {\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\n if (y = 0, t) op = [op[0] & 2, t.value];\n switch (op[0]) {\n case 0: case 1: t = op; break;\n case 4: _.label++; return { value: op[1], done: false };\n case 5: _.label++; y = op[1]; op = [0]; continue;\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\n default:\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\n if (t[2]) _.ops.pop();\n _.trys.pop(); continue;\n }\n op = body.call(thisArg, _);\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\n }\n};\n// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\n// SPDX-License-Identifier: Apache-2.0\nimport { ConsoleLogger as Logger } from './Logger';\nimport { StorageHelper } from './StorageHelper';\nimport { makeQuerablePromise } from './JS';\nimport { FacebookOAuth, GoogleOAuth } from './OAuthHelper';\nimport { jitteredExponentialRetry } from './Util';\nimport { Amplify } from './Amplify';\nimport { getId, getCredentialsForIdentity } from './AwsClients/CognitoIdentity';\nimport { parseAWSExports } from './parseAWSExports';\nimport { Hub } from './Hub';\nvar logger = new Logger('Credentials');\nvar CREDENTIALS_TTL = 50 * 60 * 1000; // 50 min, can be modified on config if required in the future\nvar COGNITO_IDENTITY_KEY_PREFIX = 'CognitoIdentityId-';\nvar AMPLIFY_SYMBOL = (typeof Symbol !== 'undefined' && typeof Symbol.for === 'function'\n ? Symbol.for('amplify_default')\n : '@@amplify_default');\nvar dispatchCredentialsEvent = function (event, data, message) {\n Hub.dispatch('core', { event: event, data: data, message: message }, 'Credentials', AMPLIFY_SYMBOL);\n};\nvar CredentialsClass = /** @class */ (function () {\n function CredentialsClass(config) {\n this._gettingCredPromise = null;\n this._refreshHandlers = {};\n // Allow `Auth` to be injected for SSR, but Auth isn't a required dependency for Credentials\n this.Auth = undefined;\n this.configure(config);\n this._refreshHandlers['google'] = GoogleOAuth.refreshGoogleToken;\n this._refreshHandlers['facebook'] = FacebookOAuth.refreshFacebookToken;\n }\n CredentialsClass.prototype.getModuleName = function () {\n return 'Credentials';\n };\n CredentialsClass.prototype.getCredSource = function () {\n return this._credentials_source;\n };\n CredentialsClass.prototype.configure = function (config) {\n if (!config)\n return this._config || {};\n this._config = Object.assign({}, this._config, config);\n var refreshHandlers = this._config.refreshHandlers;\n // If the developer has provided an object of refresh handlers,\n // then we can merge the provided handlers with the current handlers.\n if (refreshHandlers) {\n this._refreshHandlers = __assign(__assign({}, this._refreshHandlers), refreshHandlers);\n }\n this._storage = this._config.storage;\n if (!this._storage) {\n this._storage = new StorageHelper().getStorage();\n }\n this._storageSync = Promise.resolve();\n if (typeof this._storage['sync'] === 'function') {\n this._storageSync = this._storage['sync']();\n }\n dispatchCredentialsEvent('credentials_configured', null, \"Credentials has been configured successfully\");\n return this._config;\n };\n CredentialsClass.prototype.get = function () {\n logger.debug('getting credentials');\n return this._pickupCredentials();\n };\n // currently we only store the guest identity in local storage\n CredentialsClass.prototype._getCognitoIdentityIdStorageKey = function (identityPoolId) {\n return \"\".concat(COGNITO_IDENTITY_KEY_PREFIX).concat(identityPoolId);\n };\n CredentialsClass.prototype._pickupCredentials = function () {\n logger.debug('picking up credentials');\n if (!this._gettingCredPromise || !this._gettingCredPromise.isPending()) {\n logger.debug('getting new cred promise');\n this._gettingCredPromise = makeQuerablePromise(this._keepAlive());\n }\n else {\n logger.debug('getting old cred promise');\n }\n return this._gettingCredPromise;\n };\n CredentialsClass.prototype._keepAlive = function () {\n return __awaiter(this, void 0, void 0, function () {\n var cred, _a, Auth, user_1, session, refreshToken_1, refreshRequest, err_1;\n return __generator(this, function (_b) {\n switch (_b.label) {\n case 0:\n logger.debug('checking if credentials exists and not expired');\n cred = this._credentials;\n if (cred && !this._isExpired(cred) && !this._isPastTTL()) {\n logger.debug('credentials not changed and not expired, directly return');\n return [2 /*return*/, Promise.resolve(cred)];\n }\n logger.debug('need to get a new credential or refresh the existing one');\n _a = this.Auth, Auth = _a === void 0 ? Amplify.Auth : _a;\n if (!Auth || typeof Auth.currentUserCredentials !== 'function') {\n // If Auth module is not imported, do a best effort to get guest credentials\n return [2 /*return*/, this._setCredentialsForGuest()];\n }\n if (!(!this._isExpired(cred) && this._isPastTTL())) return [3 /*break*/, 6];\n logger.debug('ttl has passed but token is not yet expired');\n _b.label = 1;\n case 1:\n _b.trys.push([1, 5, , 6]);\n return [4 /*yield*/, Auth.currentUserPoolUser()];\n case 2:\n user_1 = _b.sent();\n return [4 /*yield*/, Auth.currentSession()];\n case 3:\n session = _b.sent();\n refreshToken_1 = session.refreshToken;\n refreshRequest = new Promise(function (res, rej) {\n user_1.refreshSession(refreshToken_1, function (err, data) {\n return err ? rej(err) : res(data);\n });\n });\n return [4 /*yield*/, refreshRequest];\n case 4:\n _b.sent(); // note that rejections will be caught and handled in the catch block.\n return [3 /*break*/, 6];\n case 5:\n err_1 = _b.sent();\n // should not throw because user might just be on guest access or is authenticated through federation\n logger.debug('Error attempting to refreshing the session', err_1);\n return [3 /*break*/, 6];\n case 6: return [2 /*return*/, Auth.currentUserCredentials()];\n }\n });\n });\n };\n CredentialsClass.prototype.refreshFederatedToken = function (federatedInfo) {\n logger.debug('Getting federated credentials');\n var provider = federatedInfo.provider, user = federatedInfo.user, token = federatedInfo.token, identity_id = federatedInfo.identity_id;\n var expires_at = federatedInfo.expires_at;\n // Make sure expires_at is in millis\n expires_at =\n new Date(expires_at).getFullYear() === 1970\n ? expires_at * 1000\n : expires_at;\n var that = this;\n logger.debug('checking if federated jwt token expired');\n if (expires_at > new Date().getTime()) {\n // if not expired\n logger.debug('token not expired');\n return this._setCredentialsFromFederation({\n provider: provider,\n token: token,\n user: user,\n identity_id: identity_id,\n expires_at: expires_at,\n });\n }\n else {\n // if refresh handler exists\n if (that._refreshHandlers[provider] &&\n typeof that._refreshHandlers[provider] === 'function') {\n logger.debug('getting refreshed jwt token from federation provider');\n return this._providerRefreshWithRetry({\n refreshHandler: that._refreshHandlers[provider],\n provider: provider,\n user: user,\n });\n }\n else {\n logger.debug('no refresh handler for provider:', provider);\n this.clear();\n return Promise.reject('no refresh handler for provider');\n }\n }\n };\n CredentialsClass.prototype._providerRefreshWithRetry = function (_a) {\n var _this = this;\n var refreshHandler = _a.refreshHandler, provider = _a.provider, user = _a.user;\n var MAX_DELAY_MS = 10 * 1000;\n // refreshHandler will retry network errors, otherwise it will\n // return NonRetryableError to break out of jitteredExponentialRetry\n return jitteredExponentialRetry(refreshHandler, [], MAX_DELAY_MS)\n .then(function (data) {\n logger.debug('refresh federated token sucessfully', data);\n return _this._setCredentialsFromFederation({\n provider: provider,\n token: data.token,\n user: user,\n identity_id: data.identity_id,\n expires_at: data.expires_at,\n });\n })\n .catch(function (e) {\n var isNetworkError = typeof e === 'string' &&\n e.toLowerCase().lastIndexOf('network error', e.length) === 0;\n if (!isNetworkError) {\n _this.clear();\n }\n logger.debug('refresh federated token failed', e);\n return Promise.reject('refreshing federation token failed: ' + e);\n });\n };\n CredentialsClass.prototype._isExpired = function (credentials) {\n if (!credentials) {\n logger.debug('no credentials for expiration check');\n return true;\n }\n logger.debug('are these credentials expired?', credentials);\n var ts = Date.now();\n /* returns date object.\n https://github.com/aws/aws-sdk-js-v3/blob/v1.0.0-beta.1/packages/types/src/credentials.ts#L26\n */\n var expiration = credentials.expiration;\n return expiration.getTime() <= ts;\n };\n CredentialsClass.prototype._isPastTTL = function () {\n return this._nextCredentialsRefresh <= Date.now();\n };\n CredentialsClass.prototype._setCredentialsForGuest = function () {\n var _a;\n return __awaiter(this, void 0, void 0, function () {\n var _b, identityPoolId, region, mandatorySignIn, identityPoolRegion, identityId, _c, cognitoConfig, guestCredentialsProvider, credentials;\n var _this = this;\n return __generator(this, function (_d) {\n switch (_d.label) {\n case 0:\n logger.debug('setting credentials for guest');\n if (!((_a = this._config) === null || _a === void 0 ? void 0 : _a.identityPoolId)) {\n // If Credentials are not configured thru Auth module,\n // doing best effort to check if the library was configured\n this._config = Object.assign({}, this._config, parseAWSExports(this._config || {}).Auth);\n }\n _b = this._config, identityPoolId = _b.identityPoolId, region = _b.region, mandatorySignIn = _b.mandatorySignIn, identityPoolRegion = _b.identityPoolRegion;\n if (mandatorySignIn) {\n return [2 /*return*/, Promise.reject('cannot get guest credentials when mandatory signin enabled')];\n }\n if (!identityPoolId) {\n logger.debug('No Cognito Identity pool provided for unauthenticated access');\n return [2 /*return*/, Promise.reject('No Cognito Identity pool provided for unauthenticated access')];\n }\n if (!identityPoolRegion && !region) {\n logger.debug('region is not configured for getting the credentials');\n return [2 /*return*/, Promise.reject('region is not configured for getting the credentials')];\n }\n _c = this;\n return [4 /*yield*/, this._getGuestIdentityId()];\n case 1:\n identityId = (_c._identityId = _d.sent());\n cognitoConfig = { region: identityPoolRegion !== null && identityPoolRegion !== void 0 ? identityPoolRegion : region };\n guestCredentialsProvider = function () { return __awaiter(_this, void 0, void 0, function () {\n var IdentityId, Credentials;\n return __generator(this, function (_a) {\n switch (_a.label) {\n case 0:\n if (!!identityId) return [3 /*break*/, 2];\n return [4 /*yield*/, getId(cognitoConfig, {\n IdentityPoolId: identityPoolId,\n })];\n case 1:\n IdentityId = (_a.sent()).IdentityId;\n this._identityId = IdentityId;\n _a.label = 2;\n case 2: return [4 /*yield*/, getCredentialsForIdentity(cognitoConfig, {\n IdentityId: this._identityId,\n })];\n case 3:\n Credentials = (_a.sent()).Credentials;\n return [2 /*return*/, {\n identityId: this._identityId,\n accessKeyId: Credentials.AccessKeyId,\n secretAccessKey: Credentials.SecretKey,\n sessionToken: Credentials.SessionToken,\n expiration: Credentials.Expiration,\n }];\n }\n });\n }); };\n credentials = guestCredentialsProvider().catch(function (err) { return __awaiter(_this, void 0, void 0, function () {\n return __generator(this, function (_a) {\n throw err;\n });\n }); });\n return [2 /*return*/, this._loadCredentials(credentials, 'guest', false, null)\n .then(function (res) {\n return res;\n })\n .catch(function (e) { return __awaiter(_this, void 0, void 0, function () {\n var guestCredentialsProvider_1;\n var _this = this;\n return __generator(this, function (_a) {\n switch (_a.label) {\n case 0:\n if (!(e.name === 'ResourceNotFoundException' &&\n e.message === \"Identity '\".concat(identityId, \"' not found.\"))) return [3 /*break*/, 2];\n logger.debug('Failed to load guest credentials');\n return [4 /*yield*/, this._removeGuestIdentityId()];\n case 1:\n _a.sent();\n guestCredentialsProvider_1 = function () { return __awaiter(_this, void 0, void 0, function () {\n var IdentityId, Credentials;\n return __generator(this, function (_a) {\n switch (_a.label) {\n case 0: return [4 /*yield*/, getId(cognitoConfig, {\n IdentityPoolId: identityPoolId,\n })];\n case 1:\n IdentityId = (_a.sent()).IdentityId;\n this._identityId = IdentityId;\n return [4 /*yield*/, getCredentialsForIdentity(cognitoConfig, {\n IdentityId: IdentityId,\n })];\n case 2:\n Credentials = (_a.sent()).Credentials;\n return [2 /*return*/, {\n identityId: IdentityId,\n accessKeyId: Credentials.AccessKeyId,\n secretAccessKey: Credentials.SecretKey,\n sessionToken: Credentials.SessionToken,\n expiration: Credentials.Expiration,\n }];\n }\n });\n }); };\n credentials = guestCredentialsProvider_1().catch(function (err) { return __awaiter(_this, void 0, void 0, function () {\n return __generator(this, function (_a) {\n throw err;\n });\n }); });\n return [2 /*return*/, this._loadCredentials(credentials, 'guest', false, null)];\n case 2: return [2 /*return*/, e];\n }\n });\n }); })];\n }\n });\n });\n };\n CredentialsClass.prototype._setCredentialsFromFederation = function (params) {\n var _this = this;\n var provider = params.provider, token = params.token;\n var identity_id = params.identity_id;\n var domains = {\n google: 'accounts.google.com',\n facebook: 'graph.facebook.com',\n amazon: 'www.amazon.com',\n developer: 'cognito-identity.amazonaws.com',\n };\n // Use custom provider url instead of the predefined ones\n var domain = domains[provider] || provider;\n if (!domain) {\n return Promise.reject('You must specify a federated provider');\n }\n var logins = {};\n logins[domain] = token;\n var _a = this._config, identityPoolId = _a.identityPoolId, region = _a.region, identityPoolRegion = _a.identityPoolRegion;\n if (!identityPoolId) {\n logger.debug('No Cognito Federated Identity pool provided');\n return Promise.reject('No Cognito Federated Identity pool provided');\n }\n if (!identityPoolRegion && !region) {\n logger.debug('region is not configured for getting the credentials');\n return Promise.reject('region is not configured for getting the credentials');\n }\n var cognitoConfig = { region: identityPoolRegion !== null && identityPoolRegion !== void 0 ? identityPoolRegion : region };\n var authenticatedCredentialsProvider = function () { return __awaiter(_this, void 0, void 0, function () {\n var IdentityId, Credentials;\n return __generator(this, function (_a) {\n switch (_a.label) {\n case 0:\n if (!!identity_id) return [3 /*break*/, 2];\n return [4 /*yield*/, getId(cognitoConfig, {\n IdentityPoolId: identityPoolId,\n Logins: logins,\n })];\n case 1:\n IdentityId = (_a.sent()).IdentityId;\n identity_id = IdentityId;\n _a.label = 2;\n case 2: return [4 /*yield*/, getCredentialsForIdentity(cognitoConfig, {\n IdentityId: identity_id,\n Logins: logins,\n })];\n case 3:\n Credentials = (_a.sent()).Credentials;\n return [2 /*return*/, {\n identityId: identity_id,\n accessKeyId: Credentials.AccessKeyId,\n secretAccessKey: Credentials.SecretKey,\n sessionToken: Credentials.SessionToken,\n expiration: Credentials.Expiration,\n }];\n }\n });\n }); };\n var credentials = authenticatedCredentialsProvider().catch(function (err) { return __awaiter(_this, void 0, void 0, function () {\n return __generator(this, function (_a) {\n throw err;\n });\n }); });\n return this._loadCredentials(credentials, 'federated', true, params);\n };\n CredentialsClass.prototype._setCredentialsFromSession = function (session) {\n var _this = this;\n logger.debug('set credentials from session');\n var idToken = session.getIdToken().getJwtToken();\n var _a = this._config, region = _a.region, userPoolId = _a.userPoolId, identityPoolId = _a.identityPoolId, identityPoolRegion = _a.identityPoolRegion;\n if (!identityPoolId) {\n logger.debug('No Cognito Federated Identity pool provided');\n return Promise.reject('No Cognito Federated Identity pool provided');\n }\n if (!identityPoolRegion && !region) {\n logger.debug('region is not configured for getting the credentials');\n return Promise.reject('region is not configured for getting the credentials');\n }\n var key = 'cognito-idp.' + region + '.amazonaws.com/' + userPoolId;\n var logins = {};\n logins[key] = idToken;\n var cognitoConfig = { region: identityPoolRegion !== null && identityPoolRegion !== void 0 ? identityPoolRegion : region };\n /*\n Retreiving identityId with GetIdCommand to mimic the behavior in the following code in aws-sdk-v3:\n https://git.io/JeDxU\n\n Note: Retreive identityId from CredentialsProvider once aws-sdk-js v3 supports this.\n */\n var credentialsProvider = function () { return __awaiter(_this, void 0, void 0, function () {\n var guestIdentityId, generatedOrRetrievedIdentityId, IdentityId, _a, _b, AccessKeyId, Expiration, SecretKey, SessionToken, primaryIdentityId;\n return __generator(this, function (_c) {\n switch (_c.label) {\n case 0: return [4 /*yield*/, this._getGuestIdentityId()];\n case 1:\n guestIdentityId = _c.sent();\n if (!!guestIdentityId) return [3 /*break*/, 3];\n return [4 /*yield*/, getId(cognitoConfig, {\n IdentityPoolId: identityPoolId,\n Logins: logins,\n })];\n case 2:\n IdentityId = (_c.sent()).IdentityId;\n generatedOrRetrievedIdentityId = IdentityId;\n _c.label = 3;\n case 3: return [4 /*yield*/, getCredentialsForIdentity(cognitoConfig, {\n IdentityId: guestIdentityId || generatedOrRetrievedIdentityId,\n Logins: logins,\n })];\n case 4:\n _a = _c.sent(), _b = _a.Credentials, AccessKeyId = _b.AccessKeyId, Expiration = _b.Expiration, SecretKey = _b.SecretKey, SessionToken = _b.SessionToken, primaryIdentityId = _a.IdentityId;\n this._identityId = primaryIdentityId;\n if (!guestIdentityId) return [3 /*break*/, 6];\n // if guestIdentity is found and used by GetCredentialsForIdentity\n // it will be linked to the logins provided, and disqualified as an unauth identity\n logger.debug(\"The guest identity \".concat(guestIdentityId, \" has been successfully linked to the logins\"));\n if (guestIdentityId === primaryIdentityId) {\n logger.debug(\"The guest identity \".concat(guestIdentityId, \" has become the primary identity\"));\n }\n // remove it from local storage to avoid being used as a guest Identity by _setCredentialsForGuest\n return [4 /*yield*/, this._removeGuestIdentityId()];\n case 5:\n // remove it from local storage to avoid being used as a guest Identity by _setCredentialsForGuest\n _c.sent();\n _c.label = 6;\n case 6: \n // https://github.com/aws/aws-sdk-js-v3/blob/main/packages/credential-provider-cognito-identity/src/fromCognitoIdentity.ts#L40\n return [2 /*return*/, {\n accessKeyId: AccessKeyId,\n secretAccessKey: SecretKey,\n sessionToken: SessionToken,\n expiration: Expiration,\n identityId: primaryIdentityId,\n }];\n }\n });\n }); };\n var credentials = credentialsProvider().catch(function (err) { return __awaiter(_this, void 0, void 0, function () {\n return __generator(this, function (_a) {\n throw err;\n });\n }); });\n return this._loadCredentials(credentials, 'userPool', true, null);\n };\n CredentialsClass.prototype._loadCredentials = function (credentials, source, authenticated, info) {\n var _this = this;\n var that = this;\n return new Promise(function (res, rej) {\n credentials\n .then(function (credentials) { return __awaiter(_this, void 0, void 0, function () {\n var user, provider, token, expires_at, identity_id;\n return __generator(this, function (_a) {\n switch (_a.label) {\n case 0:\n logger.debug('Load credentials successfully', credentials);\n if (this._identityId && !credentials.identityId) {\n credentials['identityId'] = this._identityId;\n }\n that._credentials = credentials;\n that._credentials.authenticated = authenticated;\n that._credentials_source = source;\n that._nextCredentialsRefresh = new Date().getTime() + CREDENTIALS_TTL;\n if (source === 'federated') {\n user = Object.assign({ id: this._credentials.identityId }, info.user);\n provider = info.provider, token = info.token, expires_at = info.expires_at, identity_id = info.identity_id;\n try {\n this._storage.setItem('aws-amplify-federatedInfo', JSON.stringify({\n provider: provider,\n token: token,\n user: user,\n expires_at: expires_at,\n identity_id: identity_id,\n }));\n }\n catch (e) {\n logger.debug('Failed to put federated info into auth storage', e);\n }\n }\n if (!(source === 'guest')) return [3 /*break*/, 2];\n return [4 /*yield*/, this._setGuestIdentityId(credentials.identityId)];\n case 1:\n _a.sent();\n _a.label = 2;\n case 2:\n res(that._credentials);\n return [2 /*return*/];\n }\n });\n }); })\n .catch(function (err) {\n if (err) {\n logger.debug('Failed to load credentials', credentials);\n logger.debug('Error loading credentials', err);\n rej(err);\n return;\n }\n });\n });\n };\n CredentialsClass.prototype.set = function (params, source) {\n if (source === 'session') {\n return this._setCredentialsFromSession(params);\n }\n else if (source === 'federation') {\n return this._setCredentialsFromFederation(params);\n }\n else if (source === 'guest') {\n return this._setCredentialsForGuest();\n }\n else {\n logger.debug('no source specified for setting credentials');\n return Promise.reject('invalid source');\n }\n };\n CredentialsClass.prototype.clear = function () {\n return __awaiter(this, void 0, void 0, function () {\n return __generator(this, function (_a) {\n this._credentials = null;\n this._credentials_source = null;\n logger.debug('removing aws-amplify-federatedInfo from storage');\n this._storage.removeItem('aws-amplify-federatedInfo');\n return [2 /*return*/];\n });\n });\n };\n /* operations on local stored guest identity */\n CredentialsClass.prototype._getGuestIdentityId = function () {\n return __awaiter(this, void 0, void 0, function () {\n var identityPoolId, e_1;\n return __generator(this, function (_a) {\n switch (_a.label) {\n case 0:\n identityPoolId = this._config.identityPoolId;\n _a.label = 1;\n case 1:\n _a.trys.push([1, 3, , 4]);\n return [4 /*yield*/, this._storageSync];\n case 2:\n _a.sent();\n return [2 /*return*/, this._storage.getItem(this._getCognitoIdentityIdStorageKey(identityPoolId))];\n case 3:\n e_1 = _a.sent();\n logger.debug('Failed to get the cached guest identityId', e_1);\n return [3 /*break*/, 4];\n case 4: return [2 /*return*/];\n }\n });\n });\n };\n CredentialsClass.prototype._setGuestIdentityId = function (identityId) {\n return __awaiter(this, void 0, void 0, function () {\n var identityPoolId, e_2;\n return __generator(this, function (_a) {\n switch (_a.label) {\n case 0:\n identityPoolId = this._config.identityPoolId;\n _a.label = 1;\n case 1:\n _a.trys.push([1, 3, , 4]);\n return [4 /*yield*/, this._storageSync];\n case 2:\n _a.sent();\n this._storage.setItem(this._getCognitoIdentityIdStorageKey(identityPoolId), identityId);\n return [3 /*break*/, 4];\n case 3:\n e_2 = _a.sent();\n logger.debug('Failed to cache guest identityId', e_2);\n return [3 /*break*/, 4];\n case 4: return [2 /*return*/];\n }\n });\n });\n };\n CredentialsClass.prototype._removeGuestIdentityId = function () {\n return __awaiter(this, void 0, void 0, function () {\n var identityPoolId;\n return __generator(this, function (_a) {\n identityPoolId = this._config.identityPoolId;\n logger.debug(\"removing \".concat(this._getCognitoIdentityIdStorageKey(identityPoolId), \" from storage\"));\n this._storage.removeItem(this._getCognitoIdentityIdStorageKey(identityPoolId));\n return [2 /*return*/];\n });\n });\n };\n /**\n * Compact version of credentials\n * @param {Object} credentials\n * @return {Object} - Credentials\n */\n CredentialsClass.prototype.shear = function (credentials) {\n return {\n accessKeyId: credentials.accessKeyId,\n sessionToken: credentials.sessionToken,\n secretAccessKey: credentials.secretAccessKey,\n identityId: credentials.identityId,\n authenticated: credentials.authenticated,\n };\n };\n return CredentialsClass;\n}());\nexport { CredentialsClass };\nexport var Credentials = new CredentialsClass(null);\nAmplify.register(Credentials);\n","var cookie = {};\n\n/*!\n * cookie\n * Copyright(c) 2012-2014 Roman Shtylman\n * Copyright(c) 2015 Douglas Christopher Wilson\n * MIT Licensed\n */\n\nvar hasRequiredCookie;\n\nfunction requireCookie () {\n\tif (hasRequiredCookie) return cookie;\n\thasRequiredCookie = 1;\n\n\t/**\n\t * Module exports.\n\t * @public\n\t */\n\n\tcookie.parse = parse;\n\tcookie.serialize = serialize;\n\n\t/**\n\t * Module variables.\n\t * @private\n\t */\n\n\tvar __toString = Object.prototype.toString;\n\tvar __hasOwnProperty = Object.prototype.hasOwnProperty;\n\n\t/**\n\t * RegExp to match cookie-name in RFC 6265 sec 4.1.1\n\t * This refers out to the obsoleted definition of token in RFC 2616 sec 2.2\n\t * which has been replaced by the token definition in RFC 7230 appendix B.\n\t *\n\t * cookie-name = token\n\t * token = 1*tchar\n\t * tchar = \"!\" / \"#\" / \"$\" / \"%\" / \"&\" / \"'\" /\n\t * \"*\" / \"+\" / \"-\" / \".\" / \"^\" / \"_\" /\n\t * \"`\" / \"|\" / \"~\" / DIGIT / ALPHA\n\t */\n\n\tvar cookieNameRegExp = /^[!#$%&'*+\\-.^_`|~0-9A-Za-z]+$/;\n\n\t/**\n\t * RegExp to match cookie-value in RFC 6265 sec 4.1.1\n\t *\n\t * cookie-value = *cookie-octet / ( DQUOTE *cookie-octet DQUOTE )\n\t * cookie-octet = %x21 / %x23-2B / %x2D-3A / %x3C-5B / %x5D-7E\n\t * ; US-ASCII characters excluding CTLs,\n\t * ; whitespace DQUOTE, comma, semicolon,\n\t * ; and backslash\n\t */\n\n\tvar cookieValueRegExp = /^(\"?)[\\u0021\\u0023-\\u002B\\u002D-\\u003A\\u003C-\\u005B\\u005D-\\u007E]*\\1$/;\n\n\t/**\n\t * RegExp to match domain-value in RFC 6265 sec 4.1.1\n\t *\n\t * domain-value = \n\t * ; defined in [RFC1034], Section 3.5, as\n\t * ; enhanced by [RFC1123], Section 2.1\n\t * =