{\r\n body?: BodyInit;\r\n urlParams?: Record
;\r\n queryParams?: Record ) => Promise | undefined = {}) => {\r\n if (!url) return;\r\n\r\n let parsedUrl = url;\r\n if (urlParams && Object.keys(urlParams).length > 0) {\r\n for (const [key, value] of Object.entries(urlParams)) {\r\n parsedUrl = parsedUrl.replace(\r\n `:${key}`,\r\n encodeURIComponent(String(value))\r\n );\r\n }\r\n }\r\n\r\n if (queryParams && Object.keys(queryParams).length > 0) {\r\n const queryString = Object.entries(queryParams)\r\n .map(\r\n ([key, value]) =>\r\n `${encodeURIComponent(key)}=${encodeURIComponent(String(value))}`\r\n )\r\n .join('&');\r\n parsedUrl += (parsedUrl.includes('?') ? '&' : '?') + queryString;\r\n }\r\n\r\n const controller = new AbortController();\r\n const { signal } = controller;\r\n\r\n dispatch({ type: FetchActionTypes.FETCH_INIT });\r\n const headers = {\r\n 'Ocp-Apim-Subscription-Key': msalSubscriptionKey,\r\n ...options?.headers,\r\n };\r\n\r\n let responseStatus = null;\r\n if (isTokenExpired(accessToken)) {\r\n const tokens = await refreshTokenOnDemand();\r\n setToken(tokens?.accessToken);\r\n setRefreshToken(tokens?.refreshToken);\r\n if (!tokens?.accessToken) {\r\n controller.abort();\r\n return;\r\n }\r\n\r\n headers['Authorization'] = `Bearer ${tokens?.accessToken}`;\r\n }\r\n try {\r\n const response = await fetch(parsedUrl, {\r\n method: options?.method,\r\n headers,\r\n body: body ?? options?.body,\r\n signal,\r\n });\r\n responseStatus = response.status;\r\n const contentType = response.headers?.get('content-type');\r\n const data = contentType\r\n ? ((await response[responseBody]()) as T)\r\n : null;\r\n\r\n if (!response.ok) {\r\n throw data;\r\n }\r\n\r\n options.onSuccess && options.onSuccess(data);\r\n dispatch({\r\n type: FetchActionTypes.FETCH_SUCCESS,\r\n payload: data,\r\n responseStatus,\r\n });\r\n return data;\r\n } catch (error) {\r\n if (isDevelopment) {\r\n console.error(error);\r\n }\r\n options.onError && options.onError(error);\r\n appInsights.trackException(\r\n {\r\n exception: error,\r\n severityLevel: SeverityLevel.Error,\r\n },\r\n {\r\n method: options?.method,\r\n url: parsedUrl,\r\n body: body ?? options?.body,\r\n }\r\n );\r\n dispatch({\r\n type: FetchActionTypes.FETCH_FAILURE,\r\n payload: error,\r\n responseStatus,\r\n });\r\n return null;\r\n } finally {\r\n controller.abort();\r\n }\r\n },\r\n // eslint-disable-next-line react-hooks/exhaustive-deps\r\n [\r\n url,\r\n accessToken,\r\n setToken,\r\n refreshToken,\r\n setRefreshToken,\r\n accessTokenId,\r\n msalSubscriptionKey,\r\n refreshTokenId,\r\n vantageWebApi,\r\n responseBody,\r\n dispatch,\r\n options?.body,\r\n // options?.headers,\r\n options?.method,\r\n ]\r\n );\r\n\r\n const reset = () => {\r\n dispatch({ type: FetchActionTypes.FETCH_RESET });\r\n };\r\n\r\n useEffect(() => {\r\n if (!isLazyTrigger) {\r\n trigger();\r\n }\r\n }, [trigger, isLazyTrigger]);\r\n\r\n return { trigger, reset, ...state };\r\n};\r\n\r\nexport default useFetch;\r\n","import { useState, useEffect } from 'react';\r\n\r\nconst useLocalStorage = (key, { initialValue } = {}) => {\r\n const [item, setItem] = useState(initialValue);\r\n\r\n const [method, setMethod] = useState('getItem');\r\n\r\n const [newValue, setNewValue] = useState();\r\n\r\n useEffect(() => {\r\n try {\r\n if (method === 'getItem') {\r\n const item = window.localStorage[method](key);\r\n\r\n setItem(item);\r\n\r\n return;\r\n }\r\n\r\n if (method === 'setItem') {\r\n window.localStorage[method](key, newValue);\r\n\r\n setItem(newValue);\r\n }\r\n\r\n if (method === 'removeItem') {\r\n window.localStorage[method](key);\r\n\r\n setItem(null);\r\n }\r\n } catch (error) {\r\n if (process.env.NODE_ENV === 'development') {\r\n console.log('useLocalStorage Error: ', error);\r\n }\r\n }\r\n }, [key, method, newValue]);\r\n\r\n return {\r\n item,\r\n\r\n setItem: (newValue) => {\r\n setMethod('setItem');\r\n setNewValue(newValue);\r\n },\r\n\r\n removeItem: () => {\r\n setMethod('removeItem');\r\n },\r\n };\r\n};\r\n\r\nexport default useLocalStorage;\r\n","import { useState, useEffect } from 'react';\r\nimport { HubConnectionBuilder, HttpTransportType } from '@microsoft/signalr';\r\nimport { useConfig } from 'config';\r\n\r\nconst useSignalR = (setMessage) => {\r\n const [connection, setConnection] = useState(null);\r\n const [isConnected, setIsConnected] = useState(false);\r\n const [connectionId, setConnectionId] = useState('');\r\n const { signalRUrl, signalRSubscriptionKey } = useConfig();\r\n\r\n useEffect(() => {\r\n const newConnection = new HubConnectionBuilder()\r\n .withUrl(signalRUrl, {\r\n transport: HttpTransportType.WebSockets,\r\n headers: { 'Ocp-Apim-Subscription-Key': signalRSubscriptionKey },\r\n })\r\n .withAutomaticReconnect()\r\n .build();\r\n\r\n setConnection(newConnection);\r\n // eslint-disable-next-line react-hooks/exhaustive-deps\r\n }, []);\r\n\r\n useEffect(() => {\r\n if (connection) {\r\n connection\r\n .start()\r\n .then(() => {\r\n setIsConnected(true);\r\n setConnectionId(connection.connectionId);\r\n })\r\n .catch((e) => {\r\n console.log(e);\r\n });\r\n\r\n connection.on('ReceiveMessage', (message) => {\r\n setMessage(message);\r\n });\r\n }\r\n\r\n return () => {\r\n if (connection) {\r\n connection.stop();\r\n setIsConnected(false);\r\n }\r\n };\r\n // eslint-disable-next-line react-hooks/exhaustive-deps\r\n }, [connection]);\r\n\r\n return {\r\n isConnected,\r\n connectionId,\r\n };\r\n};\r\n\r\nexport default useSignalR;\r\n","import styled, { css, keyframes } from 'styled-components';\r\n\r\nconst spin = keyframes`\r\n from {\r\n transform: rotate(0deg)\r\n }\r\n to {\r\n transform: rotate(360deg)\r\n }\r\n`;\r\n\r\nconst animation = css`\r\n animation: ${spin} 2s linear infinite;\r\n`;\r\n\r\nexport const Spinner = styled.div`\r\n border: 8px solid ${({ theme: { colours } }) => colours.crowberryBlue};\r\n border-top: 8px solid ${({ theme: { colours } }) => colours.gallery};\r\n border-radius: 50%;\r\n width: 40px;\r\n height: 40px;\r\n left: 0;\r\n top: 0;\r\n bottom: 0;\r\n right: 0;\r\n margin: auto;\r\n z-index: ${({ theme }) => theme.zIndex.level_4};\r\n ${animation};\r\n`;\r\n\r\nexport const LoadingContainer = styled.div`\r\n width: 100%;\r\n height: 100vh;\r\n display: flex;\r\n margin: ${({ theme }) => theme.spacing(20)} 0;\r\n justify-content: center;\r\n`;\r\n","import React, { FC } from 'react';\r\nimport { Spinner } from './Loading.styles';\r\n\r\nimport { LoadingTypes } from './types';\r\n\r\nconst Loading: FC \r\n {key}: {value}\r\n {message} {title}: \r\n Welcome Back, {name}\r\n \r\n {text?.length > maximumTextLength && !isExpanded\r\n ? `${ellipsisText(text, maximumTextLength)}`\r\n : text}\r\n Vantage Gateway \r\n Watch a selection of \"How to\" video tutorials for Vantage\r\n Gateway\r\n Timeline could not be loaded \r\n Control Risks is a specialist risk consultancy. We are committed to\r\n helping our clients build organisations that are secure, compliant and\r\n resilient in an age of ever-changing risk and connectivity.\r\n \r\n Or Need help? \r\n Can't remember your password? Just tell us your email address and\r\n we'll send you an email so you can reset it.\r\n Reset your Vantage Gateway password. \r\n Please create a password to complete the registration process.\r\n \r\n Report Id: {reportId}\r\n \r\n {thirdPartyTerminology}:{' '}\r\n \r\n {thirdParty.name}\r\n \r\n \r\n {task.level && {task.level}: }\r\n {task.status === 'Next Review Date'\r\n ? 'Next Review Date Due'\r\n : task.status}\r\n No tasks \r\n No related entities\r\n \r\n \r\n Based on the provided information, we have not been able to\r\n identify any matching company records.\r\n \r\n The Company Lookup function can be used to quickly\r\n auto-populate a new Third Party profile with additional\r\n information you may not immediately have access to.\r\n \r\n Once the minimum required information of Company Name and\r\n Primary Country has been provided, you can select the\r\n \"Perform Company Lookup\" function which will automatically\r\n cross-check the input information against a global\r\n database of registered companies. If one or more potential\r\n matches are identified, they will be presented to you.\r\n \r\n The Company Lookup function is a supplementary service,\r\n which when subscribed to, can be used to quickly\r\n auto-populate a new Third Party profile with additional\r\n information you may not immediately have access to.\r\n \r\n Once enabled on your Gateway account, after the minimum\r\n required information of Company Name and Primary Country\r\n has been provided, you can select the \"Perform Company\r\n Lookup\" function which will automatically cross-check the\r\n input information against a global database of registered\r\n companies. If one or more potential matches are\r\n identified, they will be presented to you.\r\n \r\n Created: {new Date(date).toLocaleDateString('en-GB')}\r\n Error loading due dilligence data.An unexpected error occurred. Please try again.
\r\n ) : (\r\n {title}
}\r\n \r\n {headings.map(\r\n ({ name, orderable = false, filter, width }, index) => (\r\n \r\n \r\n \r\n )\r\n )}\r\n \r\n {row.map((cell) => (\r\n \r\n ))\r\n : children}\r\n \r\n {typeof cell === 'function' ? cell() : cell}\r\n \r\n ))}\r\n \r\n )}\r\n >\r\n )}\r\n >\r\n
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n \r\n VANTAGE Diligence\r\n \r\n
\r\n
\r\n \r\n VANTAGE Screening\r\n \r\n
\r\n
\r\n \r\n VANTAGE Compliance Solutions\r\n \r\n
\r\n
\r\n \r\n VANTAGE Platform\r\n \r\n
\r\n
\r\n \r\n Gateway\r\n \r\n
\r\n
\r\n \r\n Other Control Risks Advisory Services\r\n \r\n
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n All right, title, and interest (including all copyrights and other\r\n intellectual property rights) in the VANTAGE Services and Materials (in\r\n both print and machine-readable forms) belong to Control Risks or its\r\n third-party suppliers of materials. You acquire no proprietary interest\r\n in the VANTAGE Services, Materials, or copies thereof.\r\n
\r\n \r\n
\r\n
Get started
\r\n Loading...
\r\n Error
\r\n Welcome back
\r\n Login to your Account
\r\n Password Reset
\r\n
\r\n Still need help?
\r\n \r\n Back to login page\r\n Password Reset
\r\n
\r\n Still need help?
\r\n \r\n Back to login page\r\n Vantage Gateway Registration
\r\n
\r\n Still need help?
\r\n \r\n Back to login page\r\n \r\n {data &&\r\n data?.results?.length > 0 &&\r\n data.results.map(\r\n ({\r\n createdDate,\r\n id,\r\n relatedEntity,\r\n screeningRequest,\r\n thirdParty,\r\n status,\r\n }) => (\r\n
\r\n {modalOpen && (\r\n \r\n \r\n )\r\n )}\r\n \r\n {createdDate && (\r\n \r\n \r\n {thirdParty?.owners?.length > 0 &&\r\n thirdParty?.owners.map((x) => {\r\n if (x.length > 15)\r\n return (\r\n \r\n \r\n {thirdParty && (\r\n \r\n \r\n {relatedEntity && relatedEntity.id !== 0 && (\r\n \r\n {relatedEntity?.name ||\r\n relatedEntity?.alternativeName}\r\n \r\n )}\r\n \r\n {screeningRequest?.dueDiligenceType} \r\n {screeningRequest?.dueDiligenceLevel} \r\n \r\n {shouldShowReportLink(status) ? (\r\n \r\n {hasReportAvailable(status)\r\n ? status\r\n : statusMapper(\r\n screeningRequest?.screeningReportStatusId,\r\n screeningRequest?.currentScreeningStateId,\r\n screeningRequest?.dueDiligenceLevel,\r\n screeningRequest?.reportStatus\r\n )}\r\n \r\n ) : (\r\n \r\n )}\r\n \r\n \r\n Search Results:\r\n
\r\n
') ? (\r\n
;\r\n }\r\n })}\r\n >\r\n )}\r\n
screening here\r\n >\r\n ) as any\r\n }\r\n placement=\"top\"\r\n modifiers={[\r\n {\r\n name: 'offset',\r\n options: {\r\n offset: [-100, 20],\r\n },\r\n },\r\n ]}\r\n tooltipShown={tooltipVisible}\r\n onClose={handleTooltipClose}\r\n >\r\n \r\n \r\n {resultData.map(\r\n ({\r\n alternativeName,\r\n createdDate,\r\n dueDiligenceTypes = [],\r\n id,\r\n internalId,\r\n name,\r\n nextReviewDate,\r\n primaryCountry,\r\n relatedEntityThirdParty = [],\r\n tasks = [],\r\n taskCount,\r\n thirdPartyApprovals = [],\r\n thirdPartyOwners = [],\r\n type,\r\n }) => {\r\n return (\r\n
\r\n {thirdPartySearchData && thirdPartySearchData?.pageCount > 1 && (\r\n \r\n \r\n );\r\n }\r\n )}\r\n \r\n \r\n {name}
\r\n {internalId} \r\n \r\n \r\n \r\n \r\n \r\n {dueDiligenceTypes &&\r\n dueDiligenceTypes.length > 0 &&\r\n [\r\n ...new Set(\r\n dueDiligenceTypes.map((ddt) =>\r\n ddt.includes('Screening')\r\n ? 'Screening'\r\n : 'DueDiligence'\r\n )\r\n ),\r\n ].map((dueDiligence) => (\r\n \r\n \r\n {thirdPartyApprovals &&\r\n thirdPartyApprovals.length > 0 &&\r\n thirdPartyApprovals[0].approvalStatus}\r\n \r\n \r\n {thirdPartyApprovals && thirdPartyApprovals.length > 0 && (\r\n \r\n\r\n {parseThirdPartyOwners(thirdPartyOwners)} \r\n {createdDate && \r\n \r\n {nextReviewDate && \r\n ERROR
;\r\n }\r\n\r\n return (\r\n ERROR
;\r\n\r\n if (editData) return \r\n {terminologyConfig?.thirdPartySingularNaming}: {data?.name}\r\n
\r\n \r\n \r\n \r\n \r\n {data?.thirdPartyApproval\r\n ?.slice(0)\r\n ?.reverse()\r\n ?.map((item, index) => {\r\n return (\r\n Date \r\n Approver \r\n Status \r\n Risk Rating \r\n Comments \r\n \r\n \r\n );\r\n })}\r\n \r\n \r\n \r\n {item?.approverName} \r\n {item?.approvalStatus} \r\n \r\n \r\n {item?.comments} \r\n Potential Matches
\r\n\r\n {matchResults\r\n .slice(\r\n PAGESIZE * (currentPage - 1),\r\n PAGESIZE * (currentPage - 1) + PAGESIZE\r\n )\r\n .map((matchResult) => {\r\n const { organization } = matchResult;\r\n const {\r\n duns,\r\n primaryName,\r\n primaryAddress,\r\n registrationNumbers,\r\n } = organization;\r\n\r\n const [registrationNumber] = registrationNumbers;\r\n return (\r\n
\r\n \r\n Registration number:{' '}\r\n {registrationNumber.registrationNumber}\r\n \r\n >\r\n )}\r\n
\r\n DUNS: {duns}\r\n >\r\n \r\n No matching company records identified\r\n
\r\n
\r\n
\r\n
\r\n
\r\n
\r\n \r\n \r\n \r\n \r\n {data?.results?.map(({ screeningDueDiligenceDetails }) => (\r\n Initiated \r\n Diligence Type \r\n Level \r\n {canViewTaskList && Review status }\r\n \r\n {canDeleteScreeningCase && }\r\n \r\n \r\n ))}\r\n \r\n \r\n \r\n \r\n {screeningDueDiligenceDetails?.description}{' '}\r\n {screeningDueDiligenceDetails?.hasMonitoring && (\r\n \r\n {screeningDueDiligenceDetails?.level} \r\n {canViewTaskList && (\r\n \r\n \r\n {statusMapper(\r\n screeningDueDiligenceDetails?.status,\r\n screeningDueDiligenceDetails?.state,\r\n screeningDueDiligenceDetails?.level,\r\n screeningDueDiligenceDetails?.reportStatus\r\n )}\r\n \r\n \r\n )}\r\n \r\n \r\n\r\n {getPermittedActions().length > 0 && (\r\n