\n\n );\n}\n\nconst MobilePanel = ({state, dispatch}) => {\n const classes = useStyles();\n const focusRef = useRef();\n const {handleSubmit, control, formState:{ isValid, isSubmitting }} = useForm({ mode: 'onChange' });\n\n const onSubmit = (data, loginMethod) => {\n\n // Clear any existing login errors\n dispatch({ type:'update', payload:{ loginError: '' } })\n\n return new Promise((resolve) => {\n if (loginMethod === 'password') {\n\n // Update our state\n dispatch({\n type:'update',\n payload:{\n mobileNumber: data.mobileNumber,\n loginMethod: loginMethod,\n view: 'password'\n },\n })\n resolve();\n\n } else if (loginMethod === 'otp') {\n\n // Call an API to send a OTP to the mobile number\n const login = mobileLogin(data.mobileNumber);\n AuthService.requestOTP(login)\n .then(result => {\n dispatch({\n type:'update',\n payload:{\n mobileNumber: data.mobileNumber,\n loginMethod: loginMethod,\n otpId: result.otpId,\n view: 'otp'\n },\n })\n })\n .catch(error => {\n if (error.status === 424) {\n // We weren't able to send the SMS\n dispatch({\n type:'update',\n payload: {\n loginError: 'Sorry, we can\\'t send a one-time password to your mobile right now. Try again later or login with your password.'\n },\n })\n\n } else {\n // Display a general API error\n dispatch({\n type:'update',\n payload: {\n loginError: \"Sorry, we can't process your login right now. Please try again later.\"\n },\n })\n }\n\n })\n .finally(() => {\n resolve();\n })\n }\n })\n }\n\n const validateMobile = (value) => {\n return isValidMobile(value) || 'Enter a valid Australian mobile number'\n }\n\n return (\n <>\n {state.loginError ?\n
\n {state.loginError}\n
\n : null\n }\n\n \n >\n\n )\n}\n\nconst PasswordPanel = ({state, dispatch, history, location}) => {\n const classes = useStyles();\n const focusRef = useRef();\n const {handleSubmit, control, formState:{ isValid, isSubmitting }} = useForm({ mode: 'onChange' });\n // authState from AuthContext for login functionality\n const auth = useContext(AuthContext)\n\n const onSubmit = (data) => {\n\n // Clear any existing login errors\n dispatch({ type:'update', payload:{ loginError: '' } })\n\n return new Promise((resolve) => {\n const login = mobileLogin(state.mobileNumber);\n auth.login(login, data.password, true)\n .then(() => {\n // We've logged in.\n\n // If we came here via a router redirection because we weren't logged in previously\n // then the location.state will contain the location the user was headed for prior to\n // the redirection. If the target location is / or /home we'll end up there anyway\n // when AuthProvider triggers a re-render of AuthenticatedApp.\n // If the user was headed to another page though, we'll need to send then there manually.\n if (location.state && location.state.pathname !== '' &&\n location.state.pathname !== \"/\" && location.state.pathname !== \"/home\") {\n // Navigate to the url\n history.push(location.state.pathname);\n }\n\n })\n .catch(error => {\n // Set the error message.\n let message;\n if (error.status === 401) {\n message = 'The mobile number and password you entered did not match our records. Please double-check and try again.'\n } else {\n message = \"Oops! We can't process your login right now. Please try again later.\"\n }\n dispatch({ type:'update', payload: { loginError: message } })\n })\n .finally(() => {\n resolve() // Let RHF know we've finished submitting\n })\n })\n }\n\n const handleClickShowPassword = () => {\n dispatch({type:'update', payload: {showPassword: !state.showPassword}});\n };\n\n const handleMouseDownPassword = (event) => {\n event.preventDefault();\n };\n\n return (\n {\n focusRef.current && focusRef.current.focus();\n }}\n >\n
\n {state.loginError ?\n
\n {state.loginError}\n
\n : null\n }\n\n \n
\n \n\n )\n}\n\nconst OTPPanel = ({state, dispatch, history, location}) => {\n const focusRef = useRef();\n const {handleSubmit, control, formState:{ isValid, isSubmitting }} = useForm({ mode: 'onChange' });\n const [verifyState, setVerifyState] = useState({error: ''})\n const auth = useContext(AuthContext)\n\n const onSubmit = (data) => {\n\n // Clear any existing login errors\n dispatch({ type:'update', payload:{ loginError: '' } })\n\n return new Promise((resolve) => {\n\n auth.login(state.otpId, data.otpPassword, true, 'otp')\n .then(() => {\n // We've logged in.\n\n // If we came here via a router redirection because we weren't logged in previously\n // then the location.state will contain the location the user was headed for prior to\n // the redirection. If the target location is / or /home we'll end up there anyway\n // when AuthProvider triggers a re-render of AuthenticatedApp.\n // If the user was headed to another page though, we'll need to send then there manually.\n if (location.state && location.state.pathname !== '' &&\n location.state.pathname !== \"/\" && location.state.pathname !== \"/home\") {\n // Navigate to the url\n history.push(location.state.pathname);\n }\n\n })\n .catch(error => {\n if (error.data) {\n setVerifyState({ error: error.data.error })\n }\n })\n .finally(() => {\n resolve() // Let RHF know we've finished submitting\n })\n })\n }\n\n return (\n {\n focusRef.current && focusRef.current.focus();\n }}\n >\n
\n
\n { verifyState.error === '' ?\n \n We've sent a one-time password (OTP)\n to {ausPhone(e164ify(state.mobileNumber))}. Enter\n the password here to continue.\n \n : null\n }\n { verifyState.error === 'invalid_attempt' ?\n \n \n The one-time password was incorrect.\n \n
\n Check the password and try again - you have a limited number of tries!\n \n : null\n }\n { verifyState.error === 'expired' ?\n \n \n The one-time password has expired.\n \n
\n You'll need to start again with a new OTP, sorry.\n \n : null\n }\n { verifyState.error === 'too_many_attempts' ?\n <>\n \n \n The one-time password was incorrect.\n \n \n \n There have been too many unsuccessful tries for this OTP and it has been disabled.\n \n \n You'll need to start again with a new OTP, sorry.\n \n >\n : null\n }\n
\n { verifyState.error === '' ?\n \n We've sent a verification code\n to \n {ausPhone(state.account.mobileNumber)}. Enter\n the code here to continue.\n \n : null\n }\n { verifyState.error === 'invalid_attempt' ?\n \n \n The verification code was incorrect.\n \n
\n Check the code and try again - you have a limited number of tries!\n \n : null\n }\n { verifyState.error === 'too_many_attempts' ?\n <>\n \n \n The verification code was incorrect.\n \n \n \n There have been too many unsuccessful tries for this code and it has been disabled.\n \n \n You'll need to start again with a new code, sorry.\n \n >\n : null\n }\n { verifyState.error === 'expired' ?\n <>\n \n \n The verification code has expired.\n \n \n \n For security, verification codes are only valid for a limited time and this one is too old.\n \n \n You'll need to start again with a new code, sorry.\n \n >\n : null\n }\n
\n \n
\n \n )\n\n}\n\nconst AccountForm = ({state, dispatch}) => {\n const classes = useStyles();\n const {handleSubmit, control, formState:{isValid, isSubmitting}} = useForm({ mode: 'onChange' });\n const [scoreState, setScoreState] = useState({pwCheck:{\n score : 0,\n rating : '',\n warning : '',\n suggestions: [\n 'Use a few words, avoid common phrases',\n 'No need for symbols, digits, or uppercase letters',\n ],\n },\n })\n\n // Cache the password score so we can update it for password validation in the same render cycle\n let pwScore = scoreState.pwCheck.score\n\n // onSubmit is called by ReactHookForm when the form is submitted and valid.\n // It returns a promise that is used by RHF to set the isSubmitting flag.\n const onSubmit = (data) => {\n return new Promise((resolve) => {\n // Build API request data\n const request = {\n firstName: data.firstName,\n lastName: data.lastName,\n password: data.password,\n mobileNumber: state.account.mobileNumber,\n mobileVerifyId: state.account.verifyId,\n }\n SignupService.createAccount(request)\n .then(() => {\n // Account has been created display success message\n dispatch({\n type:'update',\n payload:{\n account: {\n firstName: data.firstName,\n lastName: data.lastName,\n password: data.password,\n },\n signUp: {\n stage: 'success'\n }\n }\n })\n\n })\n .catch(error => {\n if (error.status === 409) {\n // Go to the recovery stage\n dispatch({\n type:'update',\n payload:{\n account: {\n verifyCode: data.verifyCode,\n },\n signUp: {\n stage: 'recovery'\n },\n }\n })\n } else {\n // Display an API error message\n dispatch({\n type:'update',\n payload: {\n signUp: {\n stage: 'error',\n apiError: error,\n },\n }\n })\n }\n })\n .finally(() => {\n resolve() // Resolve the promise so RHF knows we're done.\n })\n\n })\n\n }\n\n const handlePasswordChange = (event, check, onChange) => {\n setScoreState({...scoreState, pwCheck: check})\n pwScore = check.score\n return onChange(event)\n }\n\n const isValidPassword = (value) => {\n return pwScore > 2\n }\n\n return(\n \n
\n Personal Details\n \n
\n \n )\n}\n\nconst SuccessPanel = ({state, history}) => {\n // authState from AuthContext for login functionality\n const auth = useContext(AuthContext)\n\n const handleClick = (redirect) => {\n // Login and redirect to the add-service page if we clicked the add service button\n const login = mobileLogin(state.account.mobileNumber);\n auth.login(login, state.account.password, true)\n .then(() => {\n // We've logged in\n if (redirect !== '') {\n // Navigate to the url\n history.push(redirect);\n }\n\n })\n .catch(error => {\n // Set the error message.\n //console.warn('login failed. error:', error)\n })\n }\n\n return (\n
\n \n
\n \n
\n \n \n \n Your account has been created. You can add a landline number to your account now or just take a look around and add a number later.\n \n \n
\n { daysLeft > 0 ?\n <>Unused call minutes will expire in {daysLeft} {daysLeft === 1 ? 'day':'days'}\n unless you recharge before.>\n :\n <>Unused call minutes are lost if they expire. Recharge before\n expiry to roll-over your unused minutes.>\n }\n
\n
If you use all your call minutes you need to\n recharge to keep receiving calls.\n
\n
Landline numbers and call minutes are not refundable.\n
\n
\n The landline number will be removed from your account\n if you have zero call minutes for 14 days or more. After that,\n you may be able to recover the number but a new setup fee will apply.\n
\n
\n
\n\n \n \n )\n}\n\nconst fetchServices = (accountId, dispatch) => {\n\n //console.log('fetchServices for ', accountId);\n AccountService.getServices(accountId)\n .then(services => {\n dispatch(setServices(services))\n })\n .catch(error => {\n //console.log('fetchServices error: error')\n dispatch(invalidateAccount())\n })\n}\n\nexport default ServicePage;\n\n\n\n\n\n\n","function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); }\n\nfunction _objectWithoutProperties(source, excluded) { if (source == null) return {}; var target = _objectWithoutPropertiesLoose(source, excluded); var key, i; if (Object.getOwnPropertySymbols) { var sourceSymbolKeys = Object.getOwnPropertySymbols(source); for (i = 0; i < sourceSymbolKeys.length; i++) { key = sourceSymbolKeys[i]; if (excluded.indexOf(key) >= 0) continue; if (!Object.prototype.propertyIsEnumerable.call(source, key)) continue; target[key] = source[key]; } } return target; }\n\nfunction _objectWithoutPropertiesLoose(source, excluded) { if (source == null) return {}; var target = {}; var sourceKeys = Object.keys(source); var key, i; for (i = 0; i < sourceKeys.length; i++) { key = sourceKeys[i]; if (excluded.indexOf(key) >= 0) continue; target[key] = source[key]; } return target; }\n\nimport * as React from \"react\";\n\nfunction SvgVisaLogo(_ref, svgRef) {\n var title = _ref.title,\n titleId = _ref.titleId,\n props = _objectWithoutProperties(_ref, [\"title\", \"titleId\"]);\n\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n xmlns: \"http://www.w3.org/2000/svg\",\n id: \"Layer_1\",\n x: \"0px\",\n y: \"0px\",\n width: 1000.046,\n height: 323.65302,\n viewBox: \"0 0 1000.046 323.653\",\n enableBackground: \"new 0 0 258.381 161.154\",\n xmlSpace: \"preserve\",\n ref: svgRef,\n \"aria-labelledby\": titleId\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", {\n id: titleId\n }, title) : null, /*#__PURE__*/React.createElement(\"g\", {\n id: \"g4158\",\n transform: \"matrix(4.4299631,0,0,4.4299631,-81.165783,-105.04783)\"\n }, /*#__PURE__*/React.createElement(\"polygon\", {\n points: \"116.145,95.719 97.858,95.719 109.296,24.995 127.582,24.995 \",\n id: \"polygon9\",\n style: {\n fill: \"#00579f\"\n }\n }), /*#__PURE__*/React.createElement(\"path\", {\n d: \"m 182.437,26.724 c -3.607,-1.431 -9.328,-3.011 -16.402,-3.011 -18.059,0 -30.776,9.63 -30.854,23.398 -0.15,10.158 9.105,15.8 16.027,19.187 7.075,3.461 9.48,5.72 9.48,8.805 -0.072,4.738 -5.717,6.922 -10.982,6.922 -7.301,0 -11.213,-1.126 -17.158,-3.762 l -2.408,-1.13 -2.559,15.876 c 4.289,1.954 12.191,3.688 20.395,3.764 19.188,0 31.68,-9.481 31.828,-24.153 0.073,-8.051 -4.814,-14.22 -15.35,-19.261 -6.396,-3.236 -10.313,-5.418 -10.313,-8.729 0.075,-3.01 3.313,-6.093 10.533,-6.093 5.945,-0.151 10.313,1.278 13.622,2.708 l 1.654,0.751 2.487,-15.272 0,0 z\",\n id: \"path11\",\n style: {\n fill: \"#00579f\"\n }\n }), /*#__PURE__*/React.createElement(\"path\", {\n d: \"m 206.742,70.664 c 1.506,-4.063 7.301,-19.788 7.301,-19.788 -0.076,0.151 1.503,-4.138 2.406,-6.771 l 1.278,6.094 c 0,0 3.463,16.929 4.215,20.465 -2.858,0 -11.588,0 -15.2,0 l 0,0 z m 22.573,-45.669 -14.145,0 c -4.362,0 -7.676,1.278 -9.558,5.868 l -27.163,64.855 19.188,0 c 0,0 3.159,-8.729 3.838,-10.609 2.105,0 20.771,0 23.479,0 0.525,2.483 2.182,10.609 2.182,10.609 l 16.932,0 -14.753,-70.723 0,0 z\",\n id: \"path13\",\n style: {\n fill: \"#00579f\"\n }\n }), /*#__PURE__*/React.createElement(\"path\", {\n d: \"M 82.584,24.995 64.675,73.222 62.718,63.441 C 59.407,52.155 49.023,39.893 37.435,33.796 l 16.404,61.848 19.338,0 28.744,-70.649 -19.337,0 0,0 z\",\n id: \"path15\",\n style: {\n fill: \"#00579f\"\n }\n }), /*#__PURE__*/React.createElement(\"path\", {\n d: \"m 48.045,24.995 -29.422,0 -0.301,1.429 c 22.951,5.869 38.151,20.016 44.396,37.02 L 56.322,30.94 c -1.053,-4.517 -4.289,-5.796 -8.277,-5.945 l 0,0 z\",\n id: \"path17\",\n style: {\n fill: \"#faa61a\"\n }\n })));\n}\n\nvar ForwardRef = /*#__PURE__*/React.forwardRef(SvgVisaLogo);\nexport default __webpack_public_path__ + \"static/media/visa-logo.0fc59266.svg\";\nexport { ForwardRef as ReactComponent };","function _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); }\n\nfunction _objectWithoutProperties(source, excluded) { if (source == null) return {}; var target = _objectWithoutPropertiesLoose(source, excluded); var key, i; if (Object.getOwnPropertySymbols) { var sourceSymbolKeys = Object.getOwnPropertySymbols(source); for (i = 0; i < sourceSymbolKeys.length; i++) { key = sourceSymbolKeys[i]; if (excluded.indexOf(key) >= 0) continue; if (!Object.prototype.propertyIsEnumerable.call(source, key)) continue; target[key] = source[key]; } } return target; }\n\nfunction _objectWithoutPropertiesLoose(source, excluded) { if (source == null) return {}; var target = {}; var sourceKeys = Object.keys(source); var key, i; for (i = 0; i < sourceKeys.length; i++) { key = sourceKeys[i]; if (excluded.indexOf(key) >= 0) continue; target[key] = source[key]; } return target; }\n\nimport * as React from \"react\";\n\nvar _ref2 = /*#__PURE__*/React.createElement(\"defs\", {\n id: \"defs3411\"\n});\n\nvar _ref3 = /*#__PURE__*/React.createElement(\"metadata\", {\n id: \"metadata3414\"\n});\n\nfunction SvgMastercardLogo(_ref, svgRef) {\n var title = _ref.title,\n titleId = _ref.titleId,\n props = _objectWithoutProperties(_ref, [\"title\", \"titleId\"]);\n\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n xmlns: \"http://www.w3.org/2000/svg\",\n id: \"svg3409\",\n viewBox: \"0 0 1000.008 618.03103\",\n height: 618.03101,\n width: 1000.008,\n ref: svgRef,\n \"aria-labelledby\": titleId\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", {\n id: titleId\n }, title) : null, _ref2, _ref3, /*#__PURE__*/React.createElement(\"g\", {\n transform: \"matrix(3.3557321,0,0,3.3557321,-1551.7864,-2007.0469)\",\n id: \"layer1\"\n }, /*#__PURE__*/React.createElement(\"g\", {\n transform: \"matrix(2.5579399,0,0,2.5579399,884.90115,-11.427398)\",\n id: \"g13\"\n }, /*#__PURE__*/React.createElement(\"g\", {\n transform: \"translate(-502.86126,-22.613497)\",\n id: \"XMLID_328_\"\n }, /*#__PURE__*/React.createElement(\"rect\", {\n style: {\n fill: \"#ff5f00\"\n },\n id: \"rect19\",\n height: 56.599998,\n width: 31.5,\n className: \"st1\",\n y: 268.60001,\n x: 380.20001\n }), /*#__PURE__*/React.createElement(\"path\", {\n style: {\n fill: \"#eb001b\"\n },\n d: \"m 382.2,296.9 c 0,-11.5 5.4,-21.7 13.7,-28.3 -6.1,-4.8 -13.8,-7.7 -22.2,-7.7 -19.9,0 -36,16.1 -36,36 0,19.9 16.1,36 36,36 8.4,0 16.1,-2.9 22.2,-7.7 -8.3,-6.5 -13.7,-16.8 -13.7,-28.3 z\",\n className: \"st2\",\n id: \"XMLID_330_\"\n }), /*#__PURE__*/React.createElement(\"path\", {\n style: {\n fill: \"#f79e1b\"\n },\n id: \"path22\",\n d: \"m 454.2,296.9 c 0,19.9 -16.1,36 -36,36 -8.4,0 -16.1,-2.9 -22.2,-7.7 8.4,-6.6 13.7,-16.8 13.7,-28.3 0,-11.5 -5.4,-21.7 -13.7,-28.3 6.1,-4.8 13.8,-7.7 22.2,-7.7 19.9,0 36,16.2 36,36 z\",\n className: \"st3\"\n })))));\n}\n\nvar ForwardRef = /*#__PURE__*/React.forwardRef(SvgMastercardLogo);\nexport default __webpack_public_path__ + \"static/media/mastercard-logo.cd0668ee.svg\";\nexport { ForwardRef as ReactComponent };","import React, {useEffect, useRef, useState} from \"react\";\nimport ausPhone from \"../../utils/aus-phone\";\nimport { withStyles } from '@material-ui/core/styles';\nimport PhoneForwardedIcon from \"@material-ui/icons/PhoneForwarded\";\nimport Button from \"@material-ui/core/Button\";\nimport Radio from \"@material-ui/core/Radio\";\nimport {useStore} from \"../../store\";\nimport {fetchAccount} from \"../../store/actions\";\nimport MuiAccordion from \"@material-ui/core/Accordion\";\nimport MuiAccordionSummary from \"@material-ui/core/AccordionSummary\";\nimport MuiAccordionDetails from \"@material-ui/core/AccordionDetails\";\nimport ExpandMoreIcon from \"@material-ui/icons/ExpandMore\";\nimport ShoppingCartIcon from '@material-ui/icons/ShoppingCart';\nimport TimerOutlinedIcon from '@material-ui/icons/TimerOutlined';\nimport {CreditCardPanel, StripeCardForm} from \"../../components\";\nimport Typography from \"@material-ui/core/Typography\";\nimport {scroller} from \"react-scroll\";\nimport {ReactComponent as VisaLogo} from \"../../images/visa-logo.svg\";\nimport {ReactComponent as MasterCardLogo} from \"../../images/mastercard-logo.svg\";\nimport {PurchaseService} from \"../../services\";\nimport {CircularProgress} from \"@material-ui/core\";\nimport ArrowForwardIcon from '@material-ui/icons/ArrowForward';\n\nconst Accordion = withStyles({\n root: {\n // border: '1px solid rgba(0, 0, 0, .125)',\n boxShadow: 'none',\n '&:not(:last-child)': {\n borderBottom: 0,\n },\n '&:before': {\n display: 'none',\n },\n '&$expanded': {\n margin: 'auto',\n },\n },\n expanded: {},\n})(MuiAccordion)\n\nconst AccordionSummary = withStyles({\n root: {\n // backgroundColor: 'rgba(0, 0, 0, .03)',\n // borderBottom: '1px solid rgba(0, 0, 0, .125)',\n marginBottom: -1,\n minHeight: 56,\n '&$expanded': {\n minHeight: 56,\n },\n padding: 0,\n },\n content: {\n '&$expanded': {\n margin: '12px 0',\n },\n },\n expanded: {},\n})(MuiAccordionSummary);\n\nconst AccordionDetails = withStyles((theme) => ({\n root: {\n // backgroundColor: 'rgba(0, 0, 0, .03)',\n // padding: theme.spacing(2),\n padding: 0,\n },\n}))(MuiAccordionDetails);\n\nconst Checkout = ({order, onSuccess, onError}) => {\n const [store, dispatch] = useStore(); // Get the global store\n\n // If we don't have an SKU then we can't proceed\n if (order.sku.id === '' || typeof(order.sku.id) === 'undefined') {\n onError({code:'invalid_sku_id', message:'SKU ID is required'})\n }\n\n // Scroll to the payment method section so the 'Buy' button is visible\n useEffect(() => {\n // const el = (location.state && location.state.scrollTo) || ''\n scroller.scrollTo('payment-method', {\n duration : 800,\n delay : 1200,\n smooth : 'easeInOutQuart',\n containerId : 'psb',\n });\n },[])\n\n // Make sure the account is available in the store\n useEffect(()=> {\n if (store.user.accountId) {\n dispatch(fetchAccount(store.user.accountId, store, dispatch))\n }\n }, [store.user.accountId, store, dispatch])\n\n //console.log('order', order);\n\n return (\n
\n \n )\n\n}\n\nconst LocationSelect = ({state, setState}) => {\n\n // Handles the change event on the State list box\n const onZoneChange = (data) => {\n const zoneId = data.target.value || ''; // Get the state e.g. 'vic'\n const regionId = zoneId + '01' // Get the first child region e.g. 'vic01'\n const zone = state.zones.filter(e => {return e.id === zoneId });\n if (zone.length > 0) {\n setState({...state, zoneId, regionId, regions: zone[0].regions});\n }\n }\n\n const onRegionChange = (data) => {\n const regionId = data.target.value || '';\n setState({...state, regionId});\n if (regionId !== '') {\n // Scroll to the top of screen to show the new number\n scroll.scrollToTop({containerId: 'psb', smooth: true, duration: 300});\n }\n }\n\n return (\n
\n \n Choose a state\n \n \n\n \n Choose a region\n \n \n
\n )\n}\n\nconst PriorNumbersCard = ({pageState, dispatch}) => {\n\n const [state, setState] = useState({\n selected: {\n number: pageState.priors[0].number,\n zone: pageState.priors[0].zone,\n }})\n\n const handleClick = () => {\n dispatch({type:'update', payload:{number: state.selected, view:'terms'}})\n }\n\n // handleNumberSelect is called when the user selects\n // a number from the 'other numbers' list\n const handleNumberSelect = (value) => () => {\n setState({...state, selected: value})\n // scroll to the top of the page so we can see the selected number\n scroll.scrollToTop({containerId: 'psb', smooth: true, duration: 300});\n }\n\n return (\n
\n \n
\n
\n\n
Your landline number will be:
\n
{ausPhone(state.selected.number)}
\n
{state.selected.zone}
\n
\n \n
\n
\n\n { pageState.priors.length > 0 ?\n \n }>\n
\n \n \n Show other available landline numbers you've had before\n \n
\n )\n}\n\nconst NotificationCard = ({regionId, regionName}) => {\n const {handleSubmit, control} = useForm({ mode: 'onChange' });\n const [state, setState] = useState({success: false})\n\n // onSubmit is called by ReactHookForm when the form is submitted and valid.\n // It returns a promise that is used by RHF to set the isSubmitting flag.\n const onSubmit = (data) => {\n return new Promise((resolve) => {\n const request = {\n comment: data.comment,\n email: data.email,\n regionId: regionId,\n }\n NotifyService.addRequest(request)\n .then(() => {\n // Notification has been created display success message\n setState({...state, email: data.email, success: true})\n })\n .catch(error => {\n setState({...state, error})\n })\n .finally(() => {\n resolve() // Resolve the promise so RHF knows we're done.\n })\n })\n }\n\n return (\n
\n { !state.success && !state.error ?\n <>\n Out of Stock\n\n
Sorry! We're out of numbers from the {regionName} region at the moment.
\n\n \n >\n : null\n }\n\n {state.success ?\n
\n \n
\n \n
\n \n \n \n Thanks - we'll email you at {state.email} when we have numbers back in stock.\n \n \n
\n {ausPhone(pageState.number.number)} will be added to your account\n automatically after checkout.\n
\n
\n The ${sku.price/100} setup fee is a once-off charge and\n includes {minutes.quantity} call minutes to use with this number.\n
\n
Unused call minutes will expire\n in {minutes.expiryDays} days unless you recharge before.\n
\n
If you use all your call minutes you need to\n recharge to keep receiving calls.\n
\n
Landline numbers and call minutes are not refundable.\n
\n
\n The landline number will be removed from your account\n if you have zero call minutes for 14 days or more. After that,\n you may be able to recover the number but a new setup fee will apply.\n
\n
\n\n \n }\n />\n
\n\n\n \n \n
\n \n )\n}\n\nconst CheckoutCard = ({pageState, dispatch}) => {\n const classes = useStyles();\n\n const {subtotal, taxes, total} = totals(pageState.sku);\n // const subtotal = (pageState.sku.price/100);\n // const taxes = (subtotal * pageState.sku.taxRate/100);\n // const total = subtotal + taxes;\n\n const order = {\n sku: pageState.sku,\n number: pageState.number,\n subtotal: subtotal,\n taxes: taxes,\n total: total,\n }\n\n // Get the global dispatch function\n const [, gDispatch] = useStore();\n\n const onSuccess = (purchase) => {\n // the checkout completed successfully\n dispatch({type:'update', payload: {\n order,\n purchase,\n view: 'success',\n }\n })\n\n // Invalidate the account in global store so we retrieve\n // the new service, dialActions, account status and paymentMethod if saved.\n gDispatch(invalidateAccount())\n }\n\n const onError = (error) => {\n // the checkout failed\n\n // display error panel\n dispatch({type:'update', payload:{order, error, view: 'error'} })\n }\n\n // The checkout card basically wraps the\n // Checkout component, injecting the SKU to be charged.\n return (\n \n
\n \n \n \n
\n \n )\n}\n\nconst SuccessPanel = ({pageState}) => {\n const classes = useStyles();\n\n // Scroll to top on mount\n useEffect( () => {\n document.getElementById('psb').scrollTo(0,0);\n }, []) // <- empty deps means it runs only on load\n\n const number = ausPhone(pageState.number.number)\n const hasMinutes = pageState.sku.meta.hasMinutes;\n const minutes = pageState.sku.meta.inclusions.minutes.quantity;\n const expiryDays = pageState.sku.meta.inclusions.minutes.expiryDays;\n const receiptUrl = pageState.purchase.purchase.receiptUrl;\n\n return (\n \n
\n \n \n
\n \n
\n \n {/*
*/}\n
\n Thank you for your purchase!\n
\n
\n Your landline number {number} is\n set up and ready to forward calls to your mobile.\n
\n
\n
\n You'll see this number as the caller ID when you receive a call via your PhoneThru service.\n
\n { hasMinutes ?\n
\n You have {minutes} call minutes to use with this number. They're good\n for {expiryDays} days.\n
\n\n );\n}\n\nconst PersonalDetailsForm = () => {\n const classes = useStyles();\n const {handleSubmit, control, formState:{isSubmitting, isDirty, dirtyFields, errors}} = useForm({ mode: 'onChange' });\n const isValid = Object.keys(errors).length === 0;\n const [store, dispatch] = useStore(); // Get the global store\n const {enqueueSnackbar, closeSnackbar} = useSnackbar(); // Snackbar Hook for notifications\n\n // onSubmit is called by ReactHookForm when the form is submitted and valid.\n // It returns a promise that is used by RHF to set the isSubmitting flag.\n const onSubmit = (data) => {\n\n return new Promise((resolve) => {\n\n // If the form hasn't been changed, bail out\n if (!isDirty) { return }\n\n const changes = changeSet(dirtyFields, data);\n UserService.patch(store.user.accountId, store.user.id, changes)\n .then(() => {\n // notify the user\n toast.success(\"Changes saved\", enqueueSnackbar, closeSnackbar);\n // Update the global store\n dispatch(setUser({...store.user, ...changes}))\n\n })\n .catch(error => {\n // Notify the user we hit an error\n toast.apiError(\"Your changes weren't saved!\", error, enqueueSnackbar);\n\n })\n .finally(() => {\n resolve(); // resolve the promise so RHF knows we've finished submitting\n })\n\n })\n\n }\n\n return(\n \n
\n Your card information is securely stored by our payments\n partner \n Stripe\n , one of the world's leading online\n payment providers. We do not store your card details on our servers.\n
\n \n Sorry, it looks like there's a problem at our end and we can't load this information.\n \n {error.status}/{error.statusText}\n
\n \n)\n\n\nexport default AccountPage;","import moment from \"moment\";\n\n/***\n * format returns a formatted string for the passed format name and value\n *\n * @param name\n * @param value\n * @returns {*}\n */\nfunction format(name, value) {\n let result = value;\n let date;\n switch (name) {\n case 'date':\n date = moment(value);\n result = date.format('DD MMM HH:mm:ss');\n break;\n\n case 'date-long':\n date = moment(value);\n result = date.format('D MMMM YYYY');\n break;\n\n case 'time-12h':\n date = moment(value);\n result = date.format('h:mm:ss') + ' ' + date.format('a');\n break;\n\n case 'time-12h-short':\n date = moment(value);\n result = date.format('h:mm') + ' ' + date.format('a');\n break;\n\n case 'ago':\n date = moment(value);\n result = moment.duration(moment().diff(date)).humanize() + ' ago';\n break;\n\n case 'date-only':\n date = moment(value);\n result = date.format('D MMM YY');\n break;\n\n case 'direction':\n if (value.indexOf('inbound')===0 || value.indexOf('Inbound')===0) {\n result = 'incoming';\n }\n break;\n\n case 'status':\n if (value === 'no-answer' || value === 'noanswer') {\n result = 'no answer';\n }\n break;\n\n case 'duration':\n let duration = moment.duration(value, 'seconds');\n let hr = duration.hours();\n let min = duration.minutes();\n let secs = duration.seconds();\n if (value > 0) {\n result = secs + 's';\n if (min > 0) { result = min + 'm ' + result; }\n if (hr > 0) { result = hr + 'h ' + result; }\n } else {\n result = \"—\";\n }\n break;\n\n default:\n return result\n }\n return result\n}\n\nexport default format","import React, {useCallback, useEffect, useState} from \"react\";\nimport AppBar from \"@material-ui/core/AppBar\";\nimport {\n ExpanderTable, ExpanderTableContent,\n ExpanderTableHeader,\n ExpanderTablePager, ExpanderTableRows,\n HeaderToolbar,\n} from \"../../components\";\nimport {makeStyles} from \"@material-ui/core/styles\";\nimport Toolbar from \"@material-ui/core/Toolbar\";\nimport Typography from \"@material-ui/core/Typography\";\nimport Menu from \"@material-ui/core/Menu\";\nimport {fetchAccount} from \"../../store/actions\";\nimport {useStore} from \"../../store\";\nimport {ErrorScreen} from \"../../components\";\nimport {Loading} from \"../../components\";\nimport {animateScroll} from 'react-scroll'\nimport ausPhone from \"../../utils/aus-phone\";\nimport format from \"../../utils/format\";\nimport {CallsService} from \"../../services\";\nimport MenuItem from \"@material-ui/core/MenuItem\";\nimport IconButton from \"@material-ui/core/IconButton\"\nimport Phone from \"@material-ui/icons/Phone\"\nimport PhoneForwarded from \"@material-ui/icons/PhoneForwarded\"\nimport PhoneDisabled from \"@material-ui/icons/PhoneDisabled\"\nimport PhoneMissed from \"@material-ui/icons/PhoneMissed\"\nimport CallEnd from \"@material-ui/icons/CallEnd\"\nimport MoreVert from \"@material-ui/icons/MoreVert\";\nimport Refresh from \"@material-ui/icons/Refresh\";\nimport FuseAnimate from \"../../components/fuse-animate/fuse-animate\";\n\nconst useStyles = makeStyles((theme) => ({\n root: {\n display: 'flex',\n flexDirection: 'column',\n minHeight: '100%',\n },\n appBar: {\n zIndex: theme.zIndex.drawer + 1,\n },\n content: {\n display : 'flex',\n flexDirection : 'column',\n flexGrow : 1,\n marginTop : theme.spacing(2),\n },\n dataLabel: {\n minWidth: 75,\n fontWeight: 500,\n },\n}));\n\n\nconst CallLogPage = (props) => {\n const classes = useStyles();\n // const {user} = useAuthUser(); // Get logged in user\n const [store, dispatch] = useStore(); // Get the global store\n const [state, setState] = useState({\n isFetching : false,\n error : null,\n calls : [], // Call data\n total : 0, // total number of calls\n filtered : 0, // total number of calls after filtering\n page : 0, // current page (numbered from 0)\n pageLength : 10, // number of records to display per page\n pageCount : 0, // total number of pages available\n scrollTop : false, // If set, scroll to the top of the page after fetching\n showLoader : false, // if true display the table loading indicator\n });\n const [menuAnchor, setMenuAnchor] = useState(null)\n const tableRef = React.createRef();\n\n // Scroll to top on mount\n useEffect( () => {\n document.getElementById('psb').scrollTo(0,0);\n }, []) // <- empty deps means it runs only on load\n\n // Make sure the account is available in the store\n useEffect(()=> {\n if (store.user.accountId) {\n dispatch(fetchAccount(store.user.accountId, store, dispatch))\n }\n }, [store.user.accountId, store, dispatch])\n\n\n // fetchData is a callback that returns row data for the ExpanderTable\n //\n // When the table requires data it calls this function passing four parameters:\n // - page: the page number (first page is zero)\n // - pageLength: the maximum number of rows to return\n // - sorting: the expected sort columns and order of the result set.\n // - search: the user's search term if any\n //\n // The callback should return an object:\n // {\n // rows: array - the result rows (or an empty array)\n // total: int - the total number of rows available\n // filtered: int - the total number of rows returned after applying the search term.\n // }\n //\n // The function should be memoized using useCallback otherwise a new function will be passed to the\n // table each render which will cause the table to request the data each time it renders.\n const fetchData = useCallback((page, pageLength, sorting={}) => {\n return new Promise((resolve, reject) => {\n\n // If we don't have an accountId yet, we can't proceed...\n if (store.account.id === 0) {\n resolve({total: 0, filtered: 0, rows: []})\n return\n }\n\n // Set the sort order\n const sort = sorting.column && sorting.direction ? sorting.column+','+sorting.direction : 'startTime,desc';\n\n CallsService.getForAccount(store.account.id, page * pageLength, pageLength, sort)\n .then(result => {\n resolve({\n total : result.total,\n filtered : result.filtered,\n rows : result.calls,\n })\n })\n .catch(error => {\n setState(s =>({...s, isFetching: false, error}))\n })\n\n })\n }, [store.account.id])\n\n\n const handlePageVisibility = (isVisible, viewportOffset) => {\n // If the page controls at the bottom of the table are offscreen and above\n // the viewport, scroll to the top\n if (!isVisible && viewportOffset < 0) {\n animateScroll.scrollToTop({containerId: 'psb'});\n }\n }\n\n const handleMenuButtonClick = (event) => {\n // Open the menu at the\n setMenuAnchor(event.currentTarget)\n }\n const handleMenuItemClick = (event) => {\n if (event.target.id === 'refresh' && tableRef.current) {\n tableRef.current.reload();\n }\n setMenuAnchor(null);\n }\n const handleMenuClose = (event) => {\n setMenuAnchor(null);\n }\n\n return(\n
\n To add another landline number to your account tap the Add Number button under the My\n Numbers section on the Home page, or tap the button below.\n
\n
\n There is a one-time $9 set up fee for a new landline number.\n
\n
\n \n
\n\n
\n \n
\n \n\n \n
\n Landline Numbers\n\n \n
\n
\n To 'turn off' a landline number tap it on the Home page to show the Manage Number button\n and tap the button to go to the service page.\n
\n
\n In the Call Forwarding section you'll see a\n switch. Turn the switch off to stop receiving calls. You can follow the same process to\n turn Call Forwarding back on when you're ready to receive calls again.\n
\n
\n Turning Call Forwarding off does not affect the expiry of the call minutes on the landline number.\n
\n
\n Calls to your landline number are rejected when call forwarding is turned off.\n Your caller will hear a 'busy' tone.\n
\n
\n You do not use call minutes for rejected calls.\n
\n
\n \n\n \n
\n
\n Landline numbers are automatically removed from your account if you have had zero\n call minutes for more than two weeks.\n
\n
\n You may be able to recover your old landline number.\n
\n
\n \n\n \n
\n
\n To recover a previous landline number, tap the Add Number button under the My\n Numbers section on the Home page, or tap the button below.\n
\n
\n If your previous landline number is available, you will see\n a button labelled Recover a Previous Number. If you do not see the\n button, then your previous number is not available.\n
\n
\n Tap the Recover a Previous Number button and your first available\n previous number will be selected. Expand Show other available landline numbers\n you've had before to see a list of all available previous numbers.\n
\n
\n The one-time landline number $9 set up fee applies when\n recovering a previous number.\n
\n
\n \n
\n\n
\n \n
\n \n\n \n
\n Call Minutes\n\n \n
\n
\n Call minutes are automatically rolled over when you recharge.\n
\n
\n For example, you purchase an \"XL\" recharge on the first of the month. The call minutes will expire on the 28th of the month if you haven't used them before.\n On the 26th of the month you still have 245 minutes remaining and you're unlikely to use them all before they expire.\n
\n
\n Any recharge purchased before your call minutes expire will roll over your remaining minutes and extend their expiry date.\n
\n
\n It's not quite payday and finances are a bit tight, so you purchase a cheaper \"M\" recharge with 290 call minutes. Your existing 245 call minutes are rolled over to give you a total of\n 535 call minutes with 28 days expiry.\n
\n You can't change your the mobile number on this account, but you can create a new account with your\n new mobile number and transfer your landline number to the new account.\n
\n
\n Transferring a landline number to another account is a paid service.\n
\n
\n You can start the transfer process by tapping the landline number on the Home page, then\n tapping Manage Number then the Transfer Number button on the Service Detail page. \n You can also go straight to\n the transfer page with the button below.\n
\n
\n A couple of notes about transferring a landline number:\n
\n
\n You'll need to know the password of the receiving account. The receiving account is the\n mobile number you're transferring to.\n
\n
\n The landline will transfer to the receiving account with its existing call minutes and\n expiry.\n
\n When your call minutes are getting low you'll see a RECHARGE button below the\n number on the home page or you can\n use the recharge page at any time.\n
\n
\n \n
\n \n )\n}\n\nconst EmailButton = ({variant, accountId, title=\"Email Now\"}) => {\n const classes = useStyles();\n\n const mailToMove = `mailto:hello@phonethru.com?subject=Number%20location%20query%20(Account%20${accountId})`\n const mailToAdd = `mailto:hello@phonethru.com?subject=Additional%20landline%20number%20(Account%20${accountId})`\n const mailToSupport = `mailto:hello@phonethru.com?subject=Support%20query%20(Account%20${accountId})`\n const mailToNumber = `mailto:hello@phonethru.com?subject=Number%20Change%20(Account%20${accountId})`\n\n return (\n \n { variant === 'move' ?\n \n : null\n }\n { variant === 'add' ?\n \n : null\n }\n { variant === 'number-change' ?\n \n : null\n }\n { variant === 'link' ?\n \n {title}\n \n : null\n }\n \n )\n}\n\nexport default SupportPage;","import React, {useCallback, useEffect, useState} from \"react\";\nimport AppBar from \"@material-ui/core/AppBar\";\nimport {\n ExpanderTable, ExpanderTableContent,\n ExpanderTableHeader,\n ExpanderTablePager, ExpanderTableRows,\n HeaderToolbar,\n} from \"../../components\";\nimport {makeStyles} from \"@material-ui/core/styles\";\nimport Toolbar from \"@material-ui/core/Toolbar\";\nimport Typography from \"@material-ui/core/Typography\";\nimport Menu from \"@material-ui/core/Menu\";\nimport {fetchAccount} from \"../../store/actions\";\nimport {useStore} from \"../../store\";\nimport {ErrorScreen} from \"../../components\";\nimport {Loading} from \"../../components\";\nimport {InvoiceStatus} from \"../../components\";\nimport {animateScroll} from 'react-scroll'\nimport format from \"../../utils/format\";\nimport {InvoiceService} from \"../../services\";\nimport MenuItem from \"@material-ui/core/MenuItem\";\nimport IconButton from \"@material-ui/core/IconButton\"\nimport MoreVert from \"@material-ui/icons/MoreVert\";\nimport Refresh from \"@material-ui/icons/Refresh\";\nimport Button from \"@material-ui/core/Button\";\nimport externalLink from \"../../utils/external-link\";\nimport FuseAnimate from \"../../components/fuse-animate/fuse-animate\";\nimport purchases from \"../../utils/purchases\";\n\nconst useStyles = makeStyles((theme) => ({\n root: {\n display: 'flex',\n flexDirection: 'column',\n minHeight: '100%',\n },\n appBar: {\n zIndex: theme.zIndex.drawer + 1,\n },\n content: {\n display : 'flex',\n flexDirection : 'column',\n flexGrow : 1,\n marginTop : theme.spacing(2),\n },\n dataLabel: {\n minWidth: 75,\n fontWeight: 500,\n },\n}));\n\n\nconst PurchasesPage = ({location}) => {\n const classes = useStyles();\n const [store, dispatch] = useStore(); // Get the global store\n const [state, setState] = useState({\n isFetching : false,\n error : null,\n charges : [], // Charge data\n total : 0, // total number of calls\n filtered : 0, // total number of calls after filtering\n page : 0, // current page (numbered from 0)\n pageLength : 10, // number of records to display per page\n pageCount : 0, // total number of pages available\n scrollTop : false, // If set, scroll to the top of the page after fetching\n showLoader : false, // if true display the table loading indicator\n });\n const [menuAnchor, setMenuAnchor] = useState(null)\n const tableRef = React.createRef();\n\n // Scroll to top on mount\n useEffect( () => {\n document.getElementById('psb').scrollTo(0,0);\n }, []) // <- empty deps means it runs only on load\n\n // Make sure the account is available in the store\n useEffect(()=> {\n if (store.user.accountId) {\n dispatch(fetchAccount(store.user.accountId, store, dispatch))\n }\n }, [store.user.accountId, store, dispatch])\n\n // fetchData is a callback that returns row data for the ExpanderTable\n //\n // When the table requires data it calls this function passing four parameters:\n // - page: the page number (first page is zero)\n // - pageLength: the maximum number of rows to return\n // - sorting: the expected sort columns and order of the result set.\n // - search: the user's search term if any\n //\n // The callback should return an object:\n // {\n // rows: array - the result rows (or an empty array)\n // total: int - the total number of rows available\n // filtered: int - the total number of rows returned after applying the search term.\n // }\n //\n // The function should be memoized using useCallback otherwise a new function will be passed to the\n // table each render which will cause the table to request the data each time it renders.\n const fetchData = useCallback((page, pageLength, sorting={}) => {\n return new Promise((resolve, reject) => {\n\n // If we don't have an accountId yet, we can't proceed...\n if (store.account.id === 0) {\n resolve({total: 0, filtered: 0, rows: []})\n return\n }\n\n // Set the sort order\n const sort = sorting.column && sorting.direction ? sorting.column+','+sorting.direction : 'date,desc';\n\n InvoiceService.search(store.account.id, page * pageLength, pageLength, sort)\n .then(result => {\n resolve({\n total : result.total,\n filtered : result.filtered,\n rows : purchases(result.invoices), // convert invoices to purchases\n })\n })\n .catch(error => {\n setState(s =>({...s, isFetching: false, error}))\n })\n\n })\n }, [store.account.id])\n\n const handlePageVisibility = (isVisible, viewportOffset) => {\n // If the page controls at the bottom of the table are offscreen and above\n // the viewport, scroll to the top\n if (!isVisible && viewportOffset < 0) {\n animateScroll.scrollToTop({containerId: 'psb'});\n }\n }\n\n const handleMenuButtonClick = (event) => {\n // Open the menu at the\n setMenuAnchor(event.currentTarget)\n }\n const handleMenuItemClick = (event) => {\n if (event.target.id === 'refresh' && tableRef.current) {\n tableRef.current.reload();\n }\n setMenuAnchor(null);\n }\n const handleMenuClose = (event) => {\n setMenuAnchor(null);\n }\n\n return(\n
\n\n {state.stage === 'start' ?\n <>\n Close Account\n \n We're sorry to see you go!\n \n \n Please share the reason you're closing your account today.\n \n\n \n\n {lostMinutes > 0 ?\n
\n Warning\n {lostMinutes} unused call minutes will be lost!\n \n Type \"close\" on the line below to show you\n really want to close this account and lose {lostMinutes} call minutes.\n \n \n
\n )\n}\n\n\nconst ReasonSelect = ({reason, onChange}) => {\n return (\n \n )\n}\n\n\nconst CloseText = ({account, history}) => {\n const classes = useStyles();\n const auth = useContext(AuthContext)\n\n const handleLogoutButtonClick = (event) => {\n event.preventDefault();\n auth.logout();\n history.push('/');\n }\n\n //console.log('account=',account)\n return (\n <>\n Account Closed\n\n \n \n Thank you, your account has been closed.\n \n \n\n {/**/}\n {/* */}\n {/* Our team will finalise your account within one business day.*/}\n {/* */}\n {/**/}\n\n { account.type === 'post-paid' ?\n <>\n \n \n As part of the finalization process, we'll charge any unbilled calls to your credit card\n and email you a final receipt.\n \n \n >\n : null\n }\n { account.type === 'pre-paid' ?\n <>\n { account.balance > 0 ?\n \n \n As part of the finalization process, your balance\n of ${(account.balance/100).toFixed(2)} will be refunded to your card.\n
\n We'll email a receipt when the refund has been issued and you will normally\n see the money in your account 2-3 business days after that.\n
\n \n \n : null\n }\n >\n : null\n }\n\n \n \n Thanks for being a customer and bye for now!\n \n \n\n \n \n \n >\n )\n\n}\n\nconst minutesRemaining = (account) => {\n if (!account) {\n return 0;\n }\n if (!account.services) {\n return 0;\n }\n let minutes = 0;\n for (let i=0; i < account.services.length; i++) {\n minutes += account.services[i].callCredits;\n }\n return minutes;\n}\n\nexport default CloseAccountPage;","import React, {Suspense, useEffect, useState} from \"react\";\nimport {makeStyles} from \"@material-ui/core/styles\";\nimport AppBar from \"@material-ui/core/AppBar\";\nimport {ErrorScreen, FuseAnimate, HeaderToolbar, Loading} from \"../../components\";\nimport Toolbar from \"@material-ui/core/Toolbar\";\nimport Card from \"@material-ui/core/Card\";\nimport {useAuthUser} from \"../../components/auth-provider\";\nimport {Controller, useForm} from \"react-hook-form\";\nimport {UserService} from \"../../services\";\nimport Typography from \"@material-ui/core/Typography\";\nimport {Button} from \"@material-ui/core\";\nimport PasswordStrengthMeter from \"../../components/password-strength-meter/password-strength-meter\";\nimport NewPasswordField from \"../../components/new-password-field/new-password-field\";\nimport {CheckCircleOutline} from \"@material-ui/icons\";\nimport {Link} from \"react-router-dom\";\n\nconst useStyles = makeStyles((theme) => ({\n root: {\n display: 'flex',\n flexDirection: 'column',\n minHeight: '100%',\n },\n appBar: {\n zIndex: theme.zIndex.drawer + 1,\n },\n content: {\n display: 'flex',\n flexDirection: 'column',\n flexGrow: 1,\n marginTop: 16,\n justifyContent: \"center\",\n },\n card: {\n display: 'flex',\n flexDirection: 'column',\n padding: 24,\n maxWidth: 340,\n [theme.breakpoints.up('sm')]: {\n maxWidth: 360,\n },\n },\n}));\n\n\nconst PasswordPage = ({location}) => {\n const classes = useStyles();\n const {user} = useAuthUser(); // Get logged in user\n const [state, setState] = useState({success: false, error: null})\n\n const {handleSubmit, control, formState:{isValid, isSubmitting}} = useForm({ mode: 'onChange' });\n const [scoreState, setScoreState] = useState({pwCheck:{\n score : 0,\n rating : '',\n warning : '',\n suggestions: [\n 'Use a few words, avoid common phrases',\n 'No need for symbols, digits, or uppercase letters',\n ],\n },\n })\n\n //console.log('user', user)\n\n\n // Cache the password score so we can update it for password validation in the same render cycle\n let pwScore = scoreState.pwCheck.score\n\n // onSubmit is called by ReactHookForm when the form is submitted and valid.\n // It returns a promise that is used by RHF to set the isSubmitting flag.\n const onSubmit = (data) => {\n return new Promise((resolve) => {\n UserService.setPassword(user.accountId, user.id, data.password)\n .then(() => {\n // password has been updated - display a success message\n setState({...state, success: true})\n })\n .catch(error => {\n // Display an API error message\n setState({...state, error})\n })\n .finally(() => {\n resolve() // Resolve the promise so RHF knows we're done.\n })\n })\n }\n\n const handlePasswordChange = (event, check, onChange) => {\n //console.log('handlePasswordChange check', check)\n setScoreState({...scoreState, pwCheck: check})\n pwScore = check.score\n return onChange(event)\n }\n\n const isValidPassword = (value) => {\n //console.log('isValidPassword',value, pwScore)\n return pwScore > 2\n }\n\n // Scroll to top on mount\n useEffect( () => {\n document.getElementById('psb').scrollTo(0,0);\n }, []) // <- empty deps means it runs only on load\n\n // Make sure the account is available in the store\n // useEffect(()=> {\n // dispatch(fetchAccount(user.accountId, store, dispatch))\n // }, [user.accountId, store, dispatch])\n\n return (\n
\n )\n\n}\n\nexport default AddCardPage","import React, {useEffect} from \"react\";\nimport {makeStyles} from \"@material-ui/core/styles\";\nimport AppBar from \"@material-ui/core/AppBar\";\nimport {ErrorScreen, HeaderToolbar, Loading} from \"../../components\";\nimport Toolbar from \"@material-ui/core/Toolbar\";\nimport {useAuthUser} from \"../../components/auth-provider\";\nimport {useStore} from \"../../store\";\nimport {fetchAccount} from \"../../store/actions\";\nimport {Link, Redirect} from \"react-router-dom\";\nimport Grid from \"@material-ui/core/Grid\";\nimport clsx from \"clsx\";\nimport ausPhone from \"../../utils/aus-phone\";\nimport Button from \"@material-ui/core/Button\";\nimport List from \"@material-ui/core/List\";\nimport ListItem from \"@material-ui/core/ListItem\";\nimport FuseAnimate from \"../../components/fuse-animate/fuse-animate\";\nimport Card from \"@material-ui/core/Card\";\nimport Typography from \"@material-ui/core/Typography\";\nimport callCredits from \"../../utils/call-credits\";\n\nconst useStyles = makeStyles((theme) => ({\n root: {\n display: 'flex',\n flexDirection: 'column',\n minHeight: '100%',\n },\n appBar: {\n zIndex: theme.zIndex.drawer + 1,\n },\n content: {\n display: 'flex',\n flexDirection: 'column',\n flexGrow: 1,\n marginTop: 16,\n justifyContent: \"center\",\n },\n card: {\n display: 'flex',\n flexDirection: 'column',\n padding: 24,\n width: '100%',\n maxWidth: 340,\n [theme.breakpoints.up('sm')]: {\n maxWidth: 360,\n },\n },\n listItem: {\n backgroundColor: theme.palette.primary.main,\n color: theme.palette.primary.contrastText,\n paddingTop: theme.spacing(1),\n paddingBottom: theme.spacing(1),\n marginBottom: theme.spacing(2),\n borderRadius: 3,\n maxWidth: 400,\n },\n number: {\n fontSize: 18,\n fontWeight: 700,\n '&.inActive': {\n textDecoration: 'line-through',\n },\n },\n}));\n\n//\n// If the account has only 1 service, the recharge page redirects\n// to the service recharge page, /recharge/.\n//\n// If the account has no services, it displays a prompt with a link\n// to add a service /add-service\n//\n// If there is more than one service, a pick list is displayed to\n// allow the user to choose which service to recharge.\n//\nconst RechargePage = ({location}) => {\n const classes = useStyles();\n const [store, dispatch] = useStore();\n const {user} = useAuthUser(); // Get logged in user\n\n // Make sure the account is available in the store\n useEffect(()=> {\n dispatch(fetchAccount(user.accountId, store, dispatch))\n }, [user.accountId, store, dispatch])\n\n return (\n
\n );\n\n}\n\nconst RechargeSelectList = ({account}) => {\n const classes = useStyles();\n\n // Only show active services\n let services = [];\n if (account.services) {\n services = account.services.filter((service) => {\n return service.active;\n })\n }\n\n // Test stuff...\n // services = [\n // {id:'101000000001', number: '+61398765432', name:'PhoneThru', meta:{zone:'Melbourne'}, callCredits: 236, callCreditsExpiry:'2021-06-19 23:59:59'},\n // {id:'101000000002', number: '+61354621789', name:'PhoneThru', meta:{zone:'Castlemaine'}, callCredits: 123, callCreditsExpiry:'2021-06-18 23:59:59'}\n // ]\n //\n // services = [];\n\n // Redirect if there's only one number\n if (services.length === 1) {\n return \n }\n\n if (services.length === 0) {\n if (account.status < 1) {\n // The account is closed\n return (\n \n Recharge\n Your account is currently closed but you can reactivate it.\n
\n \n
\n \n )\n\n } else {\n // There's zero services...\n return (\n \n Recharge\n Hmm, we couldn't find any numbers you can recharge, but you can add one!\n
\n \n
\n \n )\n }\n\n } else {\n // There's > 1 service...\n return (\n \n Choose a number to recharge\n \n\n { services.map((service, index) => (\n \n \n
\n \n {sku.meta.inclusions.minutes.quantity} minutes\n for ${(sku.price/100).toFixed(0)}\n \n {(sku.price/sku.meta.inclusions.minutes.quantity).toFixed(1)}c per minute\n
Your remaining {remaining} minutes will be rolled over\n to give you a total of {remaining+minutes.quantity} minutes to use in the\n next {minutes.expiryDays} days.\n
\n : null\n }\n
Unused call minutes will expire\n in {minutes.expiryDays} days unless you recharge before.\n
\n
\n Call minutes can only be used for calls\n to {ausPhone(number)} and are\n not refundable.\n
\n
\n\n \n }\n />\n
\n\n\n \n\n
\n \n
\n
\n \n )\n\n}\n\nconst CheckoutCard = ({state, setState}) => {\n\n const {subtotal, taxes, total} = totals(state.sku);\n // let subtotal = 0;\n // let taxes = 0;\n // let total = 0;\n //\n // if (state.sku.taxInc) {\n // total = state.sku.price/100;\n // taxes = total - (total/((100+state.sku.taxRate)/100))\n // subtotal = total - taxes;\n // } else {\n // subtotal = state.sku.price/100\n // taxes = Math.round(state.sku.taxRate * state.sku.price/100)/100\n // total = subtotal + taxes\n // }\n\n const order = {\n sku: state.sku,\n serviceId: state.service.id,\n number: {number: state.service.number, zone: state.service.meta.zone},\n subtotal: subtotal,\n taxes: taxes,\n total: total,\n }\n\n // Get the global dispatch function\n const [, dispatch] = useStore();\n\n const onSuccess = (purchase) => {\n // the checkout completed successfully\n //console.log('checkout succeeded', purchase);\n setState({...state, purchase, order, view: 'success'})\n\n // Invalidate the account in global store so we retrieve\n // the new service, dialActions, account status and paymentMethod if saved.\n dispatch(invalidateAccount())\n }\n\n const onError = (error) => {\n // the checkout failed\n //console.log('checkout failed', error);\n\n // display error panel\n setState({...state, order, error, view:'error'})\n }\n\n // The checkout card basically wraps the\n // Checkout component, injecting the SKU to be charged.\n return (\n \n
\n \n
\n \n )\n}\n\nconst SuccessPanel = ({state, setState}) => {\n\n // Scroll to top on mount\n useEffect( () => {\n document.getElementById('psb').scrollTo(0,0);\n }, []) // <- empty deps means it runs only on load\n\n const number = state.purchase.recharge.number;\n const minutes = state.purchase.recharge.credits;\n const expiryDays = state.purchase.recharge.expiryDays;\n const receiptUrl = state.purchase.purchase.receiptUrl;\n const totalMinutes = state.purchase.recharge.closingCredits\n\n //console.log('receiptUrl', receiptUrl);\n //console.log('*** state', state);\n\n return (\n \n
\n {/**/}\n \n
\n \n
\n \n {/*
*/}\n
\n Thank you for your purchase!\n
\n
\n {minutes} call minutes have been added\n to {ausPhone(number)}.\n
\n
\n
\n You have a total of {totalMinutes} call minutes that will expire in {expiryDays} days.\n
\n { state.purchase.cardUpdated ?\n
Your card has been saved. You can change or remove your saved\n card on the account page.
\n \n Sorry, it looks like there's a problem at our end. Please try again later.\n \n {error.status}/{error.statusText}\n
\n \n )\n}\n\nexport default RechargeServicePage;\n","import React, {useEffect} from \"react\";\nimport {makeStyles} from \"@material-ui/core/styles\";\nimport AppBar from \"@material-ui/core/AppBar\";\nimport {ErrorScreen, HeaderToolbar, Loading} from \"../../components\";\nimport Toolbar from \"@material-ui/core/Toolbar\";\nimport {useAuthUser} from \"../../components/auth-provider\";\nimport {useStore} from \"../../store\";\nimport {fetchAccount} from \"../../store/actions\";\nimport {Link, Redirect} from \"react-router-dom\";\nimport Grid from \"@material-ui/core/Grid\";\nimport clsx from \"clsx\";\nimport ausPhone from \"../../utils/aus-phone\";\nimport List from \"@material-ui/core/List\";\nimport ListItem from \"@material-ui/core/ListItem\";\nimport FuseAnimate from \"../../components/fuse-animate/fuse-animate\";\nimport Card from \"@material-ui/core/Card\";\nimport Typography from \"@material-ui/core/Typography\";\nimport callCredits from \"../../utils/call-credits\";\n\nconst useStyles = makeStyles((theme) => ({\n root: {\n display: 'flex',\n flexDirection: 'column',\n minHeight: '100%',\n },\n appBar: {\n zIndex: theme.zIndex.drawer + 1,\n },\n content: {\n display: 'flex',\n flexDirection: 'column',\n flexGrow: 1,\n marginTop: 16,\n justifyContent: \"center\",\n },\n card: {\n display: 'flex',\n flexDirection: 'column',\n padding: 24,\n width: '100%',\n maxWidth: 340,\n [theme.breakpoints.up('sm')]: {\n maxWidth: 360,\n },\n },\n listItem: {\n backgroundColor: theme.palette.primary.main,\n color: theme.palette.primary.contrastText,\n paddingTop: theme.spacing(1),\n paddingBottom: theme.spacing(1),\n marginBottom: theme.spacing(2),\n borderRadius: 3,\n maxWidth: 400,\n },\n number: {\n fontSize: 18,\n fontWeight: 700,\n '&.inActive': {\n textDecoration: 'line-through',\n },\n },\n}));\n\n//\n// If the account has only 1 service, the transfer page redirects\n// to the service transfer page, /transfer/.\n//\n// If the account has no services, it redirect to /home\n//\n// If there is more than one service, a pick list is displayed to\n// allow the user to choose which service to transfer.\n//\nconst TransferPage = ({location}) => {\n const classes = useStyles();\n const [store, dispatch] = useStore();\n const {user} = useAuthUser(); // Get logged in user\n\n // Make sure the account is available in the store\n useEffect(()=> {\n dispatch(fetchAccount(user.accountId, store, dispatch))\n }, [user.accountId, store, dispatch])\n\n return (\n
\n This paid service will transfer landline\n number {ausPhone(state.service.number)} to another mobile number.\n
\n
\n The mobile number you're transferring to must have an account already set up.\n
\n
\n Any remaining call minutes will be transferred with the landline number.\n
\n
\n
\n\n \n \n
\n \n )\n}\n\nconst ReceivingAccountCard = ({state, setState}) => {\n const classes = useStyles();\n const focusRef = useRef();\n const {user} = useAuthUser();\n const {handleSubmit, control, formState:{ isValid, isSubmitting }} = useForm({ mode: 'onChange' });\n\n const onSubmit = (data, event) => {\n\n if (state.rxAccountError !== '') {\n setState({...state, rxAccountError:''});\n }\n\n return new Promise((resolve) => {\n const mobile = e164ify(data.mobileNumber);\n if (mobile === user.phone) {\n // User has entered their own phone number...\n setState({...state, rxAccountError: 'You have entered the mobile number for this account. '+\n 'Enter the mobile number for the receiving account.'})\n resolve();\n return\n }\n // Call the AccountService to create a transfer ticket.\n AccountService.transferService(user.accountId, state.service.id, data.mobileNumber, data.password)\n .then(result => {\n setState({...state, mobileNumber: mobile, ticketId: result.ticketId, view:'checkout' })\n resolve();\n })\n .catch(error => {\n if (error.status === 401 || error.status === 403) {\n setState({...state, mobileNumber: mobile, rxAccountError: 'bad_rx'});\n } else {\n setState({...state, mobileNumber: mobile, rxAccountError: \"Sorry, we're not able to verify the receiving account right now. Please try again later.\"});\n }\n resolve();\n })\n })\n }\n\n const handleClickShowPassword = () => {\n setState({...state, showPassword: !state.showPassword});\n };\n\n const handleMouseDownPassword = (event) => {\n event.preventDefault();\n };\n\n const validateMobile = (value) => {\n if (state.rxAccountError !== '') {\n setState({...state, rxAccountError:''});\n }\n return isValidMobile(value) || 'Enter the receiving mobile number'\n }\n\n return (\n {\n focusRef.current && focusRef.current.focus();\n }}>\n
\n \n Receiving Account \n \n {/*
{sku.name}
*/}\n\n
\n Enter the mobile number for the receiving account. After the\n transfer is complete, calls to {ausPhone(state.service.number)} will go to the mobile number\n you enter here.\n
\n\n { state.rxAccountError ?\n \n
\n \n { state.rxAccountError === 'bad_rx' ?\n
\n We couldn't find an account with that mobile number and password. \n
\n
\n Confirm that you have created an account\n for {ausPhone(state.mobileNumber)}.\n
\n
\n Check that you have entered the password for the receiving account correctly.\n You can tap the icon to show the\n password.
\n
\n
\n :\n
{state.rxAccountError}
\n }\n
\n \n : null\n }\n\n \n\n\n \n
\n \n )\n}\n\n\nconst CheckoutCard = ({state, setState}) => {\n const classes = useStyles();\n\n const {subtotal, taxes, total} = totals(state.sku);\n // let subtotal = 0;\n // let taxes = 0;\n // let total = 0;\n //\n // if (state.sku.taxInc) {\n // total = state.sku.price/100;\n // taxes = total - (total/((100+state.sku.taxRate)/100))\n // subtotal = total - taxes;\n // } else {\n // subtotal = state.sku.price/100\n // taxes = Math.round(state.sku.taxRate * state.sku.price/100)/100\n // total = subtotal + taxes\n // }\n\n const order = {\n sku: state.sku,\n serviceId: state.service.id,\n ticketId: state.ticketId,\n number: {number: state.service.number, zone: state.service.meta.zone},\n transferTo: state.mobileNumber,\n subtotal: subtotal,\n taxes: taxes,\n total: total,\n }\n\n // Get the global dispatch function\n const [, dispatch] = useStore();\n\n const onSuccess = (purchase) => {\n // the checkout completed successfully\n setState({...state, purchase, order, view: 'success'})\n\n // Invalidate the account in global store so we retrieve\n // the new service, dialActions, account status and paymentMethod if saved.\n dispatch(invalidateAccount())\n }\n\n const onError = (error) => {\n // the checkout failed\n\n // display error panel\n setState({...state, order, error, view:'error'})\n }\n\n // The checkout card basically wraps the\n // Checkout component, injecting the SKU to be charged.\n return (\n \n
\n \n \n \n
\n \n )\n}\n\nconst SuccessPanel = ({state, setState}) => {\n const classes = useStyles();\n\n // Scroll to top on mount\n useEffect( () => {\n document.getElementById('psb').scrollTo(0,0);\n }, []) // <- empty deps means it runs only on load\n\n\n const number = state.order.number.number;\n const toMobile = state.order.transferTo;\n const receiptUrl = state.purchase.purchase.receiptUrl;\n\n return (\n \n
\n \n \n
\n \n
\n \n {/*
*/}\n
\n Thank you for your purchase!\n
\n
\n {ausPhone(number)} has been successfully\n transferred to {ausPhone(toMobile)} and has\n been removed from this account.\n
\n
\n
\n Make sure {ausPhone(number)} is added to\n Contacts on {ausPhone(toMobile)} so your\n device knows you're expecting calls from the landline number.\n
\n { state.purchase.cardUpdated ?\n
Your card has been saved. You can change or remove your saved\n card on the account page.
\n \n Sorry, it looks like there's a problem at our end. Please try again later.\n \n {error.status}/{error.statusText}\n
\n \n )\n}\n\nexport default TransferServicePage;\n","import React, {useEffect, useState} from \"react\";\nimport {makeStyles} from \"@material-ui/core/styles\";\nimport AppBar from \"@material-ui/core/AppBar\";\nimport {ErrorScreen, HeaderToolbar, Loading} from \"../../components\";\nimport Toolbar from \"@material-ui/core/Toolbar\";\nimport {useAuthUser} from \"../../components/auth-provider\";\nimport {useStore} from \"../../store\";\nimport {invalidateAccount} from \"../../store/actions\";\nimport {Link} from \"react-router-dom\";\nimport Grid from \"@material-ui/core/Grid\";\nimport ausPhone from \"../../utils/aus-phone\";\nimport Button from \"@material-ui/core/Button\";\nimport List from \"@material-ui/core/List\";\nimport ListItem from \"@material-ui/core/ListItem\";\nimport FuseAnimate from \"../../components/fuse-animate/fuse-animate\";\nimport Card from \"@material-ui/core/Card\";\nimport Typography from \"@material-ui/core/Typography\";\nimport {AccountService} from \"../../services\";\n\nconst useStyles = makeStyles((theme) => ({\n root: {\n display: 'flex',\n flexDirection: 'column',\n minHeight: '100%',\n },\n appBar: {\n zIndex: theme.zIndex.drawer + 1,\n },\n content: {\n display: 'flex',\n flexDirection: 'column',\n flexGrow: 1,\n marginTop: 16,\n justifyContent: \"center\",\n },\n card: {\n display: 'flex',\n flexDirection: 'column',\n padding: 24,\n width: '100%',\n maxWidth: 340,\n [theme.breakpoints.up('sm')]: {\n maxWidth: 360,\n },\n },\n listItem: {\n backgroundColor: theme.palette.primary.main,\n color: theme.palette.primary.contrastText,\n paddingTop: theme.spacing(1),\n paddingBottom: theme.spacing(1),\n marginBottom: theme.spacing(2),\n borderRadius: 3,\n maxWidth: 400,\n },\n number: {\n fontSize: 18,\n fontWeight: 700,\n '&.inActive': {\n textDecoration: 'line-through',\n },\n },\n}));\n\n//\n// If the account has only 1 service, the recharge page redirects\n// to the service recharge page, /recharge/.\n//\n// If the account has no services, it displays a prompt with a link\n// to add a service /add-service\n//\n// If there is more than one service, a pick list is displayed to\n// allow the user to choose which service to recharge.\n//\nconst ReactivatePage = ({location}) => {\n const classes = useStyles();\n const {user} = useAuthUser(); // Get logged in user\n const [, dispatch] = useStore()\n const [state, setState] = useState({\n priors: [],\n isFetching: false,\n error: null,\n })\n\n // Make a reactivation query to get prior numbers for this account.\n useEffect(()=> {\n setState(state => ({...state, isFetching: true}));\n AccountService.reactivationQuery(user.accountId)\n .then(priors => {\n setState(state => ({...state, priors}));\n\n // PhoneThru accounts can be reactivated immediately\n AccountService.reactivate(user.accountId)\n .then(result => {\n if (result.state.code === 200) {\n // success - nothing more to do\n setState(state => ({...state, isFetching:false}));\n // Invalidate the account so it's reloaded next time we need it.\n dispatch(invalidateAccount());\n } else {\n // We hit a problem - display an error\n const error = {\n status: result.state.code,\n statusText: `Request id ${result.id} could not be completed`,\n }\n // noinspection JSCheckFunctionSignatures\n setState(state => ({...state, error, isFetching:false}));\n }\n })\n .catch(error => {\n setState(state => ({...state, error, isFetching:false}));\n })\n })\n .catch(error => {\n setState(state => ({...state, error, isFetching:false}));\n })\n }, [user.accountId, dispatch])\n\n return (\n
\n );\n\n}\n\nconst ReactivatePanel = ({state}) => {\n const classes = useStyles();\n\n // Filter the priors for those that are available\n const recoverable = state.priors.filter(n => {return n.isAvailable});\n\n // Test stuff...\n // const recoverable = [\n // {number: '+61398765432', zone:'Melbourne', isAvailable: true},\n // {number: '+61354621789', zone:'Castlemaine', isAvailable: true}\n // ]\n // const recoverable = [];\n\n if (recoverable.length === 0) {\n // There's zero numbers...\n return (\n \n Reactivation Complete\n Welcome back!\n Your account has been reactivated.\n\n
\n \n
\n \n )\n\n } else {\n // There's > 1 number returned...\n return (\n \n Reactivation Complete\n Welcome back!\n Your account has been reactivated.\n\n { recoverable.length === 1 ?\n We found a number you had before that's still available.\n :\n We found some numbers you had before that are still available.\n }\n\n \n { recoverable.map((number) => (\n \n \n
\n {ausPhone(number.number)}\n
\n { number.zone !=='' ?
{number.zone}
:null}\n \n \n ))}\n \n\n { recoverable.length === 1 ?\n If you'd like to get this number back, tap the\n button below then tap RECOVER A PREVIOUS NUMBER on the next page.\n \n :\n If you'd like to get one of these numbers back, tap the\n button below then tap RECOVER A PREVIOUS NUMBER on the next page.\n \n }\n\n
\n \n
\n \n )\n }\n}\n\nexport default ReactivatePage;\n","import React from \"react\";\nimport { AuthProvider, useAuthUser } from \"../auth-provider\";\nimport { BrowserRouter as Router, Route, Switch, Redirect } from \"react-router-dom\";\nimport Container from \"@material-ui/core/Container\";\nimport {createMuiTheme, ThemeProvider} from '@material-ui/core/styles'\nimport PerfectScrollbar from 'react-perfect-scrollbar'\nimport 'react-perfect-scrollbar/dist/css/styles.css';\nimport { AnimatedSwitch} from \"../index\";\nimport {SnackbarProvider} from \"notistack\";\nimport { StoreProvider } from \"../../store/store/store\";\nimport initialState from \"../../store/store/initial-state\";\nimport reducers from \"../../store/reducers\"\nimport {loadStripe} from \"@stripe/stripe-js\";\nimport getStripeKey from \"../../utils/stripe\";\nimport {Elements} from \"@stripe/react-stripe-js\"\nimport {\n LoginPage,\n SignUpPage,\n HomePage,\n ServicePage,\n AddServicePage,\n AccountPage,\n CallLogPage,\n SupportPage,\n PurchasesPage,\n CloseAccountPage,\n PasswordPage,\n AddCardPage,\n RechargePage,\n RechargeServicePage,\n TransferPage,\n TransferServicePage,\n ReactivatePage,\n} from \"../../routes\";\n\nconst stripePromise = loadStripe(getStripeKey())\nconst stripeOptions = {\n fonts: [\n { cssSrc: \"https://fonts.googleapis.com/css2?family=Mulish:wght@300;400;500;700&display=swap\"}\n ]\n}\n\nconst theme = createMuiTheme({\n // Customise theme options here...\n breakpoints: {\n keys: [\"xs\", \"sm\", \"md\", \"lg\", \"xl\"],\n values: {\n xs: 0,\n sm: 600,\n md: 768,\n lg: 1024,\n xl: 1280,\n }\n },\n typography: {\n fontFamily: ['Mulish','Roboto','\"Helvetica Neue\"','Arial','sans-serif'].join(','),\n },\n palette: {\n secondary: {\n main: '#673ab7',\n light: '#9a67ea',\n dark: '#320b86',\n }\n }\n});\n\n// Customise Material UI Button as a workaround for a Safari iOS bug that doesn't update the\n// color of a disabled button that is later enabled. Specifying a transition to the colour prop\n// forces the button to redraw.\ntheme.overrides = {\n MuiButton: {\n root: {\n transition: 'color 0.01s', // Workaround for Safari iOS bug that doesn't update\n }\n }\n}\n\n/**\n * AppSwitcher returns a root component based on the user's auth status\n * @returns {*}\n * @constructor\n */\nfunction AppSwitcher() {\n const auth = useAuthUser()\n return auth.user ? : \n}\n\n/**\n * AuthenticatedApp is the root component for unauthenticated users\n * @returns {*}\n * @constructor\n */\nfunction AuthenticatedApp() {\n return (\n \n \n \n \n \n \n \n \n \n \n \n \n \n {/* */}\n {/* */}\n \n {/* */}\n \n \n \n {/* */}\n \n \n \n \n \n )\n}\n\n/**\n * UnauthenticatedApp is the root component when the user is not logged in\n *\n * @returns {*}\n * @constructor\n */\nfunction UnauthenticatedApp() {\n return (\n \n \n \n {/**/}\n {/**/}\n \n \n )\n}\n\n/**\n * LoginRedirect is a Route that redirects to the login page passing the matched location\n * to the login page as state. If the user then logs in successfully, the login page\n * loads the passed location/URL.\n * e.g. user is not logged in but clicks a link in a text to take them to /recharge.\n * They're redirected to the login page to sign in and the login page sends them to /recharge.\n *\n * @param props\n * @returns {*}\n * @constructor\n */\nfunction LoginRedirect(props) {\n return (\n }\n />\n )\n}\n\n/**\n * App is the entry point from index.js\n *\n * It uses AuthProvider to determine if the user is logged in and the\n * AppSwitcher component to display the appropriate root component.\n *\n * @returns {*}\n * @constructor\n */\nfunction App() {\n return (\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n );\n}\n\nexport default App;","import React, {useContext} from 'react'\nimport {Link, useHistory} from \"react-router-dom\"\nimport { makeStyles } from '@material-ui/core/styles';\nimport MuiToolbar from \"@material-ui/core/Toolbar\";\nimport Button from \"@material-ui/core/Button\"\nimport IconButton from \"@material-ui/core/IconButton\";\nimport SvgIcon from \"@material-ui/core/SvgIcon\";\nimport Grid from \"@material-ui/core/Grid\";\nimport Hidden from \"@material-ui/core/Hidden\";\nimport { AuthContext } from \"../../components\";\nimport { HeadsetMic } from \"@material-ui/icons\"\nimport { ArrowBack } from \"@material-ui/icons\";\nimport {ReactComponent as PhoneThruLogo} from \"../../images/phonethru-logo.svg\";\n\n\n// Create the logout icon which is inexplicably missing from the Material UI icon library\nconst LogoutIcon = (props) => (\n \n \n \n)\n\nconst useStyles = makeStyles((theme) => ({\n toolbar: {\n background: 'linear-gradient(45deg, ' + theme.palette.primary.main + ' 30%, ' + theme.palette.primary.dark + ' 90%)',\n //background: 'linear-gradient(45deg, ' + theme.palette.secondary.main + ' 30%, ' + theme.palette.secondary.dark + ' 90%)',\n //background: 'linear-gradient(45deg, #2196F3 30%, #21CBF3 90%)',\n //backgroundColor: 'white',\n paddingRight: 6,\n paddingLeft: 10,\n },\n logo: {\n paddingLeft: 6,\n width: 120,\n height: 24,\n },\n button: {\n textTransform: 'none',\n //color: '#0000008a',\n color: 'white',\n '&:focus': {\n outline: 'none',\n },\n },\n backButton: {\n textTransform: 'none',\n paddingLeft: 0,\n color: 'white',\n },\n}));\n\n\n\nconst HeaderToolbar = ({location}) => {\n const classes = useStyles();\n const auth = useContext(AuthContext)\n const history = useHistory();\n\n // Set the returnTo location\n const state = initialState(location);\n\n const handleLogoutClick = (event) => {\n event.preventDefault();\n auth.logout(history);\n }\n\n\n return (\n // Header\n \n \n \n { state.location === '/home' &&\n \n \n \n }\n { state.location !== '/home' &&\n \n }\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n\n \n\n \n \n \n\n \n\n )\n\n}\n\n\nconst initialState = (location) => {\n\n if (location.startsWith('/support/')) {\n return {returnUrl: '/support', label: 'Support', location}\n } else if (location.startsWith('/account/')) {\n return {returnUrl: '/account', label: 'Account', location}\n } else if (location === '/home') {\n return {returnUrl: '', label: '', location}\n } else {\n return {returnUrl: '/home', label: 'Home', location}\n }\n\n}\n\nexport default HeaderToolbar;\n","import Typography from \"@material-ui/core/Typography\";\nimport React, {useEffect} from \"react\";\nimport ErrorOutline from \"@material-ui/icons/ErrorOutline\"\nimport Box from \"@material-ui/core/Box\";\nimport Button from \"@material-ui/core/Button\";\nimport {useHistory} from \"react-router-dom\"\nimport FuseAnimate from \"../fuse-animate/fuse-animate\";\nimport {useMediaQuery} from \"@material-ui/core\";\nimport red from \"@material-ui/core/colors/red\";\n\n\nconst ErrorScreen = (props) => {\n let history = useHistory();\n const scale = useMediaQuery('(max-width: 320px)') ? 0.85 : 1.0;\n //console.log('scale=', scale)\n\n // Scroll to top on mount\n useEffect( () => {\n document.getElementById('psb').scrollTo(0,0);\n }, []) // <- empty deps means it runs only on load\n\n\n const state = props.error.status === 503 ? {\n title : \"Ooh, bad timing.\",\n message : \"Sorry, we're down for maintenance right now. Please try again in a few minutes.\",\n buttonText : \"Try Again\",\n buttonAction: \"reload\",\n } : props.error.status >= 500 ? {\n title : \"Oops, that's not good.\",\n message : \"Look's like we have an internal issue. Try again in a few minutes.\",\n buttonText : \"Go Back\",\n buttonAction: \"back\",\n } : props.error.status === 404 ? {\n title : \"I'm sure it was here...\",\n message : \"Sorry, the page you're looking for isn't here any more. Head to the Home page and find your way from there.\",\n buttonText : 'Go to Home',\n buttonAction: 'home',\n } : {\n title : \"Something's gone wrong...\",\n message : \"Sorry, the server didn't like what we sent. Try reloading the page.\",\n buttonText : 'Reload the Page',\n buttonAction: 'reload',\n }\n\n const handleClick = () => {\n if (state.buttonAction === 'reload') {\n // Reload the page from the server, not the cache\n window.location.reload(true);\n }\n if (state.buttonAction === 'back') {\n history.goBack();\n }\n if (state.buttonAction === 'home') {\n history.push(\"/\");\n }\n }\n\n return (\n \n \n \n \n \n {props.error.status}\n \n \n \n \n {state.title}\n\n \n \n \n \n {state.message}\n \n \n {state.buttonAction !== '' &&\n \n \n \n }\n \n \n )\n}\n\nexport default ErrorScreen;","import React from 'react';\n\nfunction SplashScreen() {\n return (\n
\n Your card information is securely stored by our payments\n partner \n Stripe\n , one of the world's leading online\n payment providers. We do not store your card details on our servers.\n
\n
\n\n \n
\n )\n}\n\nexport default AddPaymentMethod;","import React, {useEffect, useRef, useState} from \"react\";\nimport {TextField, Button, Typography, CircularProgress, Checkbox} from \"@material-ui/core\";\nimport {CardNumberElement, CardExpiryElement, CardCvcElement, useElements, useStripe} from \"@stripe/react-stripe-js\"\nimport StripeInput from \"./stripe-input\";\nimport Info from \"@material-ui/icons/Info\";\nimport {useSnackbar} from \"notistack\";\nimport * as toast from \"../../utils/toast\";\nimport FormControlLabel from \"@material-ui/core/FormControlLabel\";\nimport {scroller} from \"react-scroll\";\nimport {StripeCardError} from \"../index\";\n\nconst CardForm = ({onSubmit, cardError, options={storageInfo:false, storeCheckbox: false, buttonTitle: 'Submit', dense: true} }) => {\n const elements = useElements();\n const stripe = useStripe();\n const [state, setState] = useState({\n cardholder: {error: '', complete: false, value: ''},\n cardNumber: {error: '', complete: false},\n cardExpiry: {error: '', complete: false},\n cardCvc: {error: '', complete: false},\n done: false,\n saveCard: false,\n isFetching: false,\n })\n const {enqueueSnackbar} = useSnackbar(); // Snackbar Hook for notifications\n\n // Styling for stripe elements\n const elOptions = {\n style: {\n base: {\n fontFamily: 'Mulish',\n fontSize: '16px',\n }\n }\n }\n\n // Scroll to the payment method section so the 'Buy' button\n // is still visible when we show the storage information info\n useEffect(() => {\n if (state.saveCard) {\n scroller.scrollTo('payment-method', {\n duration : 800,\n delay : 200,\n smooth : 'easeInOutQuart',\n containerId : 'psb',\n });\n }\n\n },[state.saveCard])\n\n // Track our mounted state so we don't try and setState() after we're gone\n let isMounted = useRef(true)\n useEffect(() => {\n // React calls the return function when the component is unmounted\n return () => {isMounted.current = false}\n },[])\n\n // If stripe.js hasn't loaded yet, we'll get a null value\n if (!elements || !stripe) {\n return null\n }\n\n const canSubmit = () => {\n return state.cardholder.complete &&\n state.cardNumber.complete &&\n state.cardExpiry.complete &&\n state.cardCvc.complete\n }\n\n const onCardholderChange = (e) => {\n updateCardholder(e.target.value);\n }\n\n const validateCardholder = () => {\n updateCardholder(state.cardholder.value);\n }\n\n const updateCardholder = (value) => {\n const cardholder = {\n error: value.length === 0 ? 'Please enter the cardholder name' : '',\n complete: value.length > 0,\n value: value,\n }\n setState({...state, cardholder})\n }\n\n const onElementChange = (e) => {\n const err = e.error ? e.error.message : '';\n setState({...state, [e.elementType]: {error: err, complete: e.complete}})\n }\n\n const onFormSubmit = () => {\n // Check the cardholder name is entered\n if (!state.cardholder.complete) {\n setState({...state, cardholder: {...state.cardholder, error: 'Please enter the cardholder name'}})\n return\n }\n const cardElement = elements.getElement(CardNumberElement);\n setState({...state, isFetching: true})\n\n stripe.createToken(cardElement, {name: state.cardholder.value})\n .then((result) => {\n const {error, token} = result;\n if (token) {\n // Call the submit callback passing the token back.\n // onSubmit should be a promise that is resolved when the parent has finished processing.\n // We could use it to turn off isFetching if we were still displayed, but this component\n // is unmounted when we're done either way\n if (typeof(onSubmit) === 'function') {\n //console.log('CardForm calling onSubmit');\n onSubmit({token, saveCard: state.saveCard})\n .then(() => {\n //console.log('CardForm .then() invoked');\n if (isMounted.current) {\n //console.log('CardForm .then() resetting isFetching');\n setState({...state, isFetching: false})\n }\n })\n }\n } else {\n // Stripe error object properties:\n // {\n // type: api_connection_error || api_error || authentication_error || card_error ||\n // idempotency_error || invalid_request_error || rate_limit_error\n // code: e.g. authentication_required, expired_card\n // decline_code: if the error is because of a card_error\n // message: human readable string. if card_error can show to user.\n // }\n if (error.type === 'validation_error') {\n if (error.code.indexOf('number') !== -1) {\n state.cardNumber.error = error.message\n } else if (error.code.indexOf('expiry') !== -1) {\n state.cardExpiry.error = error.message\n } else if (error.code.indexOf('cvc') !== -1) {\n state.cardCvc.error = error.message\n }\n } else if (error.type === 'card_error') {\n const err = {status: error.type , statusText: error.decline_code ? error.code + \":\" + error.decline_code : error.code }\n toast.apiError(error.message, err, enqueueSnackbar)\n } else {\n const err = {status: error.type , statusText: error.code}\n toast.apiError(\"Sorry, something's gone wrong at our end. You have not been charged.\", err, enqueueSnackbar);\n }\n setState({...state, isFetching: false})\n }\n })\n }\n\n const handleCheck = (e) => {\n setState({...state, saveCard: e.target.checked})\n }\n\n return (\n
\n\n { options.storeCheckbox ?\n Update my account to use this card}\n margin={options.dense ? 'dense':'normal'}\n control={\n \n }\n />\n : null\n }\n\n { options.storageInfo || state.saveCard ?\n
\n \n
\n Your card information is securely stored by our payments\n partner \n Stripe\n , one of the world's leading online\n payment providers. We do not store your card details on our servers.\n
\n
\n : null\n }\n\n \n\n \n
\n )\n}\n\nexport default CardForm;","import FuseAnimate from \"../fuse-animate/fuse-animate\";\nimport React from \"react\";\n\n\nconst StripeCardError = ({error}) => {\n\n if (!error) {\n //console.log('no error!')\n return null\n }\n\n // It's a 'payment required' card error, handle it here.\n switch (error.code) {\n case 'card_declined':\n if (error.message.indexOf('insufficient') > -1) {\n error.code = 'insufficient_funds'\n }\n break;\n\n case 'incorrect_cvc':\n case 'expired_card':\n break;\n\n default:\n error.code = 'generic'\n break;\n }\n\n return (\n \n
\n We don't know why exactly - banks don't give us much information for privacy reasons. You may need to\n contact your bank to find out why the card was declined.\n
\n
\n : null\n }\n { error.code === 'generic' ?\n
\n
Sorry, something went wrong.
\n
\n {error.message}\n
\n
\n : null\n }\n
\n \n )\n}\n\nexport default StripeCardError;","import React from \"react\";\n\nconst InvoiceStatus = ({status}) => {\n\n let state;\n\n switch (status) {\n case 'paid':\n case 'part-refund':\n state = {status:'Paid', bgColor:'#31a331'}; // Green\n break;\n\n case 'disputed':\n state = {status:'Disputed', bgColor:'#bd0007'}; // Red\n break;\n\n case 'refund':\n state = {status:'Refund', bgColor:'#8d8c8c'}; // Gray\n break;\n\n default:\n state = {status:status, bgColor:'#cf9a0b'}; // Yellow\n }\n\n const classes = {\n textBox : {\n display: 'inline-block',\n color: 'white',\n backgroundColor: state.bgColor,\n paddingLeft: 8,\n paddingRight: 8,\n paddingTop: 4,\n paddingBottom: 4,\n fontSize: 11,\n fontWeight: 500,\n borderRadius: 2\n }\n };\n\n return (\n
{state.status}
\n )\n}\n\nexport default InvoiceStatus;","import FuseAnimate from \"../fuse-animate/fuse-animate\";\nimport {Card, CircularProgress, Hidden} from \"@material-ui/core\";\nimport Grid from \"@material-ui/core/Grid\";\nimport Typography from \"@material-ui/core/Typography\";\nimport Button from \"@material-ui/core/Button\";\nimport * as toast from \"../../utils/toast\";\nimport React, {useEffect, useState} from \"react\";\nimport {makeStyles} from \"@material-ui/core/styles\";\nimport {PhoneAndroid} from \"@material-ui/icons\";\nimport {useStore} from \"../../store\";\nimport {useSnackbar} from \"notistack\";\nimport {EndpointService} from \"../../services\";\nimport {clearEndpoint, fetchAccount, invalidateAccount} from \"../../store/actions\";\n\nconst useStyles = makeStyles((theme) => ({\n root: {\n display: 'flex',\n flexDirection: 'column',\n padding: theme.spacing(2),\n },\n header: {\n justifyContent: 'space-between',\n alignItems: 'center',\n marginBottom: theme.spacing(3),\n },\n deviceRow: {\n display: 'flex',\n flexDirection: 'row',\n paddingTop: 4,\n paddingLeft: 8,\n textTransform: 'capitalize',\n },\n linkButton: {\n marginTop: 24,\n },\n sideLinkButton: {\n minWidth: 180,\n },\n}));\n\nconst EndpointCard = ({ endpoint , animation, delay }) => {\n const classes = useStyles();\n const [state, setState] = useState({fetching: false, isLoaded: true, reload: false})\n const [store, dispatch] = useStore();\n const {enqueueSnackbar, closeSnackbar} = useSnackbar(); // Snackbar Hook for notifications\n\n // Make sure the account is available in the store and reload it if state.reload changes\n useEffect(()=> {\n if (store.user.accountId) {\n dispatch(fetchAccount(store.user.accountId, store, dispatch))\n }\n }, [store.user.accountId, store, dispatch, state.reload])\n\n const deactivateEndpoint = (event) => {\n setState({...state, fetching: true})\n EndpointService.deactivate(endpoint.accountId, endpoint.id)\n .then((result) => {\n\n // Invalidate the store because services will have changed\n dispatch(invalidateAccount())\n\n // remove the deactivated endpoint\n dispatch(clearEndpoint());\n\n setState({...state, fetching: false, reload: true})\n\n // notify the user we succeeded\n toast.success(\"Your Receiver app has been deactivated\", enqueueSnackbar, closeSnackbar)\n })\n .catch(error => {\n // notify the user we hit an error\n setState({...state, fetching: false})\n toast.apiError(\"Your Receiver app could not be deactivated\", error, enqueueSnackbar)\n })\n }\n\n return (\n \n \n Receiver App\n\n \n\n \n