\n Are you sure you want to delete?\n \n Cases will be archived for 7 years before being permanently deleted.\n \n \n setOpenModal(false)}>\n CANCEL\n \n \n {loadingDeleteCase ? : 'DELETE'}\n \n \n
\n Continue with import?\n \n We found {errorsFormatted().length} errors. Please note: Sivil cannot import rows with\n errors. Please select cancel to fix errors or import to proceed.\n \n\n \n \n \n \n
\n \n \n \n \n );\n};\n\nStep3.propTypes = {\n setStep: PropTypes.func.isRequired, // setStep prop must be a function and is required\n rows: PropTypes.array.isRequired, // rows prop must be an array and is required\n csvErrors: PropTypes.array, // csvErrors prop must be an array (optional, defaults to empty array)\n orderedHeaders: PropTypes.array.isRequired, // orderedHeaders prop must be an array and is required\n forms: PropTypes.array.isRequired, // forms prop must be an array and is required\n selectedModule: PropTypes.string.isRequired, // selectedModule prop must be a string and is required\n formTypeId: PropTypes.number.isRequired, // formTypeId prop must be a number and is required\n};\n\nexport default Step3;\n","/* eslint-disable no-plusplus */\nimport { Box, makeStyles, Typography } from '@material-ui/core';\nimport React, { useContext, useEffect, useState } from 'react';\nimport Papa from 'papaparse';\nimport FormStepper from '../../components/FormStepper';\nimport Step1 from './Steps/Step1';\nimport Step2 from './Steps/Step2';\nimport Step3 from './Steps/Step3';\nimport { Context } from '../../Context';\nimport UpgradeModal from '../../components/UpgradeModal';\nimport useOrganization from '../../hooks/useOrganization';\nimport useInput from '../../hooks/useInput';\n// import { matchfieldOptions } from '../../utils/options';\n\nconst steps = ['File Import', 'Match Field', 'Preview'];\nconst useStyles = makeStyles(() => ({\n container: {\n padding: 20,\n width: '100%',\n },\n}));\n\nconst FileImport = () => {\n const classes = useStyles();\n const [activeStep, setActiveStep] = useState(0);\n const [rows, setRows] = useState([]);\n const [columns, setColumns] = useState([]);\n const [csv, setCsv] = useState(null);\n const [forms, setForms] = useState([]);\n const [csvErrors, setCsvErrors] = useState(null);\n const [orderedHeaders, setOrderedHeaders] = useState([]);\n const [rowSelected, setRowSelected] = useState({});\n const [selectOptions, setSelectOptions] = useState([]);\n const [selectedModule, setSelectedModule] = useState('');\n const { setActive } = useContext(Context);\n const { organization } = useOrganization();\n const selectedForm = useInput('');\n\n const onResetMatchFieldOptions = () => {\n const setOffOptions = selectOptions.map((option) => {\n option.disabled = false;\n return option;\n });\n setSelectOptions(setOffOptions);\n };\n\n // eslint-disable-next-line react-hooks/exhaustive-deps\n useEffect(() => () => onResetMatchFieldOptions(), []);\n\n useEffect(() => {\n setActive('/import');\n // eslint-disable-next-line react-hooks/exhaustive-deps\n }, []);\n\n const processData = (data) => {\n const list = [];\n const headers = data[0];\n const r = data[data.length - 1].length === 1 ? data.slice(1, -1) : data.slice(1);\n\n for (const row of r) {\n const obj = {};\n let counter = 0;\n for (let i = 0; i < headers.length; i++) {\n if (headers[i] === 'Investigator') {\n counter++;\n if (counter > 1) {\n obj[headers[i] + '1'] = row[i];\n } else {\n obj[headers[i]] = row[i];\n }\n } else {\n obj[headers[i]] = row[i];\n }\n }\n list.push(obj);\n }\n\n let investigatorCounter = 0;\n const clms = data[0].map((c) => {\n if (c === 'Investigator') {\n investigatorCounter++;\n if (investigatorCounter > 1) {\n return {\n name: c + '1',\n selector: c + '1',\n };\n }\n }\n return {\n name: c,\n selector: c,\n };\n });\n\n console.log({ list });\n const filterEmptyList = list.filter((item) => {\n const keys = Object.keys(item);\n const nullValuesCount = keys.reduce((acum, currentValue) => {\n if (!item[currentValue]) {\n return acum + 1;\n }\n return acum;\n }, 0);\n return nullValuesCount !== keys.length;\n });\n console.log({ clms, filterEmptyList });\n setRows(filterEmptyList);\n setColumns(clms);\n };\n\n const handleFileUpload = (file) => {\n setCsv(file);\n // const reader = new FileReader();\n // reader.onload = (evt) => {\n // /* Parse data */\n // const bstr = evt.target.result;\n // const wb = XLSX.read(bstr, { type: 'binary' });\n // /* Get first worksheet */\n // const wsname = wb.SheetNames[0];\n // const ws = wb.Sheets[wsname];\n // /* Convert array of arrays */\n // const data = XLSX.utils.sheet_to_csv(ws, { header: 1 });\n // console.log(data);\n //\n // };\n // reader.readAsBinaryString(file);\n\n const timeout = setTimeout(() => {\n clearTimeout(timeout);\n Papa.parse(file, {\n complete(results) {\n processData(results.data);\n setActiveStep(1);\n },\n skipEmptyLines: true,\n });\n }, 2000);\n };\n\n const getJsonHeaders = () => {\n const keys = Object.keys(forms[0]);\n let fullKeys = [];\n keys.forEach((key) => {\n if (Array.isArray(forms[0][key])) {\n fullKeys = [...fullKeys, key];\n } else if (typeof forms[0][key] === 'object') {\n const nestedKeys = Object.keys(forms[0][key]);\n fullKeys = [...fullKeys, ...nestedKeys];\n } else {\n fullKeys = [...fullKeys, key];\n }\n });\n\n return fullKeys.slice(1);\n };\n\n const onSetRowSelected = (index, obj) => {\n setRowSelected({ ...rowSelected, [index]: { ...obj } });\n };\n\n const onRenderStep = () => {\n if (activeStep === 0) {\n return (\n \n );\n }\n if (activeStep === 1) {\n return (\n setRowSelected({})}\n />\n );\n }\n return (\n \n );\n };\n\n return (\n <>\n {organization && }\n \n Import \n \n \n \n {onRenderStep()}\n \n \n \n >\n );\n};\n\nexport default FileImport;\n","import { Box, Button, makeStyles, Typography } from '@material-ui/core';\nimport React from 'react';\nimport EmailIcon from '@material-ui/icons/Email';\nimport { useHistory } from 'react-router-dom';\n\nconst useStyles = makeStyles(() => ({\n formSection: {\n fontSize: 14,\n color: '#3f51b5',\n fontWeight: '500',\n margin: '20px 0',\n },\n containerTitle: {\n padding: '10px 20px',\n borderBottom: '1px solid #e2e2e2',\n },\n resaltText: {\n color: '#4b7bff',\n fontWeight: 600,\n fontSize: 13,\n },\n label: {\n fontWeight: '500',\n fontSize: 14,\n margin: '10px 0 10px',\n },\n button: {\n background: ' #4b7bff',\n textTransform: 'capitalize',\n color: '#fff',\n '&:hover': {\n background: '#4b7bff',\n },\n '& .MuiButton-label': {\n fontSize: 14,\n },\n marginTop: 10,\n marginBottom: 20,\n },\n labelError: {\n fontSize: 12,\n color: 'red',\n },\n}));\n\nconst SuccessImported = () => {\n const history = useHistory();\n const classes = useStyles();\n return (\n \n \n \n CSV data import successful\n \n \n We are uploading the data from your CSV file, we will notify you by email when the process is finished.\n \n\n \n \n );\n};\n\nexport default SuccessImported;\n","import React from 'react';\nimport styled from 'styled-components';\n\nexport default function Input({\n value,\n onChange,\n style,\n disabled,\n placeholder,\n type = 'text',\n limit,\n}) {\n return (\n \n );\n}\n\nconst InputEngine = styled.input`\n background-color: #fff;\n border-radius: 4px;\n border: 1px solid #0000001f;\n width: 100%;\n font-size: 14px;\n padding: 11px;\n ::placeholder {\n color: #00000040;\n font-size: 14;\n }\n outline: #0000001f;\n`;\n","import React, { useCallback } from 'react';\nimport update from 'immutability-helper';\nimport { Box } from '@material-ui/core';\n\nconst DnDArea = ({ selectedItems = [], setSelectedItems, renderer }) => {\n const moveItem = useCallback(\n (dragIndex, hoverIndex) => {\n const dragItem = selectedItems[dragIndex];\n setSelectedItems(\n update(selectedItems, {\n $splice: [\n [dragIndex, 1],\n [hoverIndex, 0, dragItem],\n ],\n })\n );\n },\n [selectedItems, setSelectedItems]\n );\n\n return {renderer(moveItem)};\n};\n\nexport default DnDArea;\n","import React, { useRef } from 'react';\nimport DragIndicatorIcon from '@material-ui/icons/DragIndicator';\nimport { Box } from '@material-ui/core';\nimport { useDrag, useDrop } from 'react-dnd';\nimport PropTypes from 'prop-types';\n\nimport { COMPONENT } from '../formEngine/utils/constants';\n\n/**\n * DnDItem - A draggable and droppable item for use in a drag and drop context.\n * @param {Object} props - The props object containing various configuration options.\n * @param {number} props.index - The index of the item.\n * @param {Function} props.moveItem - Function to move the item.\n * @param {ReactNode} props.children - The child components.\n * @param {Function} props.onMoveComponent - Function to handle moving the component.\n * @param {string} props.dragType - The type of drag operation. Defaults to 'ITEM'.\n * @param {boolean} props.noIndicator - Flag indicating whether to show drag and drop indicators.\n * @param {boolean} props.marginBottomItem - Flag indicating whether to apply bottom margin to the item.\n */\nexport default function DnDItem({\n index,\n moveItem,\n children,\n onMoveComponent,\n dragType = 'ITEM',\n noIndicator = false,\n marginBottomItem = false,\n}) {\n const ref = useRef(null);\n const [, drop] = useDrop({\n accept: dragType,\n // drop(item, monitor) {\n drop(item) {\n if (dragType === COMPONENT && item.isCustomComponent) {\n onMoveComponent(item, index);\n return;\n }\n\n if (!ref.current) {\n return;\n }\n const dragIndex = item.index;\n const hoverIndex = index;\n\n if (dragIndex === hoverIndex) {\n return;\n }\n\n // const hoverBoundingRect = ref.current?.getBoundingClientRect();\n // const hoverMiddleY = (hoverBoundingRect.bottom - hoverBoundingRect.top) / 2;\n // const clientOffset = monitor.getClientOffset();\n // const hoverClientY = clientOffset.y - hoverBoundingRect.top;\n\n // if (dragIndex < hoverIndex && hoverClientY < hoverMiddleY) {\n // return;\n // }\n\n // if (dragIndex > hoverIndex && hoverClientY > hoverMiddleY) {\n // return;\n // }\n\n moveItem(dragIndex, hoverIndex);\n\n item.index = hoverIndex;\n },\n });\n const [{ isDragging }, drag] = useDrag({\n type: dragType,\n item: { type: dragType, index },\n collect: (monitor) => ({\n isDragging: monitor.isDragging(),\n }),\n });\n drag(drop(ref));\n\n const opacity = isDragging ? 0.5 : 1;\n return (\n \n {!noIndicator ? (\n \n ) : null}\n {children}\n \n );\n}\n\nDnDItem.propTypes = {\n index: PropTypes.number.isRequired,\n moveItem: PropTypes.func.isRequired,\n children: PropTypes.node.isRequired,\n onMoveComponent: PropTypes.func.isRequired,\n dragType: PropTypes.string,\n noIndicator: PropTypes.bool,\n marginBottomItem: PropTypes.bool,\n};\n","/**\n * @description this function is used to change values inside a DnD area\n */\nexport const onChangeDnDValue = (e, setDnDValue, index, prop = 'value', caseSensitive = false, callback = null) => {\n const { value } = e.target;\n\n setDnDValue((prevState) => {\n const stateCopy = prevState.slice();\n stateCopy[index][prop] = caseSensitive ? value.toUpperCase() : value;\n if (callback) {\n callback(stateCopy);\n }\n return stateCopy;\n });\n};\n\n/**\n * @description this function is used to add values inside a DnD area\n */\nexport const onAddDnDItem = (items, setItems, id, inicialValue = null, othersProps) => {\n setItems([\n ...items,\n {\n label: items[0]?.label,\n value: inicialValue,\n order: items.length + 1,\n id: `${id}${items.length + 1}`,\n ...othersProps,\n },\n ]);\n};\n\n/**\n * @description this function is used to remove values inside a DnD area\n */\nexport const onRemoveDnDItem = (items, setItems, index, callback = null) => {\n // const itemsCopy = items.slice();\n // itemsCopy.splice(index, 1);\n // setItems(itemsCopy);\n setItems((prevState) => {\n const stateCopy = [...prevState];\n stateCopy.splice(index, 1);\n if (callback) {\n callback(stateCopy);\n }\n return stateCopy;\n });\n};\n\n/**\n * @description this function is used to change values in questions\n */\nexport const handleOnChangeQuestion = (e, index, setCheckQuestion) => {\n setCheckQuestion((prevState) => {\n const checkQuestionCopy = [...prevState];\n checkQuestionCopy[index] = e.target.checked;\n\n return checkQuestionCopy;\n });\n};\n\n/**\n * @description this function is used to limit the number of characters in a text field to 100\n */\nexport const rangeNumber100 = (number) => {\n if (number.match(/\\b([1-9]|[1-9][0-9]|100)\\b/)) {\n return true;\n }\n\n return false;\n};\n\n/**\n * @description this function is used to limit the number of characters in a text field to 1000\n */\nexport const rangeNumber1000 = (number) => {\n if (number.match(/\\b([1-9]|[1-9][0-9]|[1-9][0-9][0-9]|1000)\\b/)) {\n return true;\n }\n\n return false;\n};\n\n/**\n * @description this function is used to change checkbox values in question\n */\nexport const handleChangeCheckBox = (e, index, prop, items, setItems) => {\n const { checked } = e.target;\n\n const itemsCopy = items.slice();\n itemsCopy[index][prop] = checked;\n setItems(itemsCopy);\n};\n\n/**\n * @description this function is used to add a component to the json\n */\nexport const addComponentToJson = ({ setPages, page, components, component, currentSection }) => {\n setPages((prevState) => {\n const pagesCopy = [...prevState];\n const newComponents = [...components, component];\n pagesCopy[page.pageIndex].sections[currentSection].components = newComponents;\n\n return pagesCopy;\n });\n};\n\n/**\n * @description this function is used to remove a component to the json\n */\nexport const DeleteComponentFromJson = ({ pages, setPages, page, components, componentIndex, currentSection }) => {\n const pagesCopy = Array.from(pages);\n const componentsCopy = [...components];\n componentsCopy.splice(componentIndex, 1);\n pagesCopy[page.pageIndex].sections[currentSection].components = componentsCopy;\n\n setPages(pagesCopy);\n};\n\n/**\n * @description this function is used to update a component in the json\n */\nexport const onUpdateJson = ({ setPages, page, componentIndex, data, currentSection, subProp = null }) => {\n const currentSectionComponents = page?.sections?.[currentSection]?.components || [];\n\n setPages((prevState) => {\n const pagesCopy = [...prevState];\n const componentsCopy = [...currentSectionComponents];\n if (componentsCopy[componentIndex]?.data) {\n componentsCopy[componentIndex].data = data;\n }\n\n if (subProp) {\n const parentComponent = componentsCopy[componentIndex];\n const componentFinded = parentComponent?.components?.find((component) => component.type === subProp);\n const compIndex = parentComponent?.components?.findIndex((component) => component.type === subProp);\n\n if (componentFinded) {\n parentComponent.components[compIndex].data = data;\n }\n // componentFinded.data = data;\n // componentsCopy[componentIndex][subProp] = data;\n }\n\n if (pagesCopy[page.pageIndex].sections[currentSection]) {\n pagesCopy[page.pageIndex].sections[currentSection].components = componentsCopy;\n }\n return pagesCopy;\n });\n};\n","import { unarmedWithToken } from './axios';\n\nexport const getCubes = () => unarmedWithToken().get(`/cubes`);\nexport const fetchCube = (id, paginationParams) => \n unarmedWithToken().get(`/adhoc-reports/${id}`, { params: paginationParams });\n\nexport const saveCube = (id, data) =>\n unarmedWithToken().put(`/adhoc-reports/${id}`, data);\n","/* eslint-disable jsx-a11y/no-static-element-interactions */\n/* eslint-disable jsx-a11y/click-events-have-key-events */\nimport React, { useCallback, useState, useEffect, useRef } from 'react';\nimport { Box, Button, CircularProgress, Typography, makeStyles } from '@material-ui/core';\nimport { toast } from './Notification';\nimport PropTypes from 'prop-types';\n\nimport { CustomSwitch } from '../formEngine/components/WrapperComponent';\nimport { createCubeBucket, fetchCubeBuckets } from '../services/unarmed';\nimport { componentsName } from '../pages/CaseDetails/UpdateCaseComponents/CaseUpdateRenderer';\nimport { useDataReportLinkProvider } from '../provider/DataReportLinkProvider';\nimport { getCubes } from '../services/cube';\n\nconst normalizeCubeName = (name) => name.trim();\n\nconst useStyles = makeStyles(() => ({\n settingsQuestions: {\n fontSize: 14,\n minWidth: 160,\n },\n searchBox: {\n padding: '8px',\n width: 300,\n backgroundColor: '#fff',\n border: '1px solid rgb(184 184 184)',\n borderRadius: 4,\n },\n button: {\n color: '#2e66fe',\n fontSize: 14,\n fontWeight: '600',\n },\n input: {\n color: '#575a66',\n border: 0,\n fontWeight: '600',\n width: '100%',\n borderBottom: '1px solid rgb(184 184 184)',\n height: 30,\n fontSize: 14,\n '&::placeholder': {\n color: 'rgb(136 141 160)',\n fontWeight: 600,\n },\n },\n colorText: {\n color: 'rgb(136 141 160)',\n fontWeight: 'bold',\n textAlign: 'center',\n fontSize: 14,\n },\n boxContent: {\n borderBottom: '1px solid rgb(184 184 184)',\n },\n resultText: {\n color: 'rgb(184 184 184)',\n fontWeight: '600',\n fontSize: 14,\n marginBottom: 8,\n cursor: 'pointer',\n },\n selectedText: {\n color: '#575a66',\n fontWeight: '600',\n fontSize: 14,\n },\n}));\n\n/**\n * DataReportLink component allows users to search and create data report links.\n *\n * @component\n * @param {Object} props - The component props\n * @param {string} props.componentId - The unique identifier for the component\n * @param {string} props.componentType - The type of the component\n * @param {Function} props.onSelect - Callback function invoked when a data report link is selected\n * @param {Object} props.defaultDataReportLink - The default data report link\n * @returns {JSX.Element}\n */\n\nconst DataReportLink = ({\n componentId,\n componentType,\n onSelect,\n onChangeChecked,\n defaultDataReportLink,\n isMultipleChoice,\n from,\n disabled = false,\n}) => {\n const [search, setSearch] = useState('');\n const [checked, setChecked] = useState(false);\n const [noDataFound, setNoDataFound] = useState(false);\n const [noDataFoundText, setNoDataFoundText] = useState('');\n const [showResults, setShowResults] = useState(false);\n const [selected, setSelected] = useState(undefined);\n const [addedDefault, setAddedDefault] = useState(false);\n const [loading, setLoading] = useState(false);\n const [selectedMultipleChoice, setSelectedMultipleChoice] = useState(undefined);\n\n const { componentsChanged, setComponentsChanged } = useDataReportLinkProvider();\n\n const [results, setResults] = useState([]);\n\n const classes = useStyles();\n const intervalRef = useRef();\n const doneTypingInterval = 750;\n\n const handleOnFetchCubeBucketsByType = useCallback(() => {\n if (checked) {\n setLoading(true);\n fetchCubeBuckets({\n type: componentType,\n ...(componentType === 'dropdown' ? { dropdownMultipleChoice: isMultipleChoice } : {}),\n from,\n })\n .then((res) => {\n setLoading(false);\n if (res.data.length > 0) {\n setResults(res.data);\n setShowResults(true);\n setNoDataFound(false);\n setNoDataFoundText('');\n } else {\n setNoDataFound(true);\n setShowResults(false);\n if (componentType === 'dropdown') {\n setNoDataFoundText(`${componentType} - ${isMultipleChoice ? 'multiple choice' : 'single choice'}`);\n } else {\n setNoDataFoundText(componentType);\n }\n }\n })\n .catch((error) => {\n toast.error(\n error?.response?.data?.error?.details?.[0]?.message || error?.response?.data?.message || error?.message\n );\n });\n }\n }, [checked, componentType, isMultipleChoice, from]);\n\n const handleOnFetchCubeBuckets = useCallback(() => {\n if (search !== '') {\n setLoading(true);\n fetchCubeBuckets({\n desc: normalizeCubeName(search),\n type: componentType,\n ...(componentType === 'dropdown' ? { dropdownMultipleChoice: isMultipleChoice } : {}),\n from,\n })\n .then((res) => {\n setLoading(false);\n if (res.data.length === 0) {\n setNoDataFound(true);\n setShowResults(false);\n setNoDataFoundText(search);\n } else {\n setResults(res.data);\n setShowResults(true);\n setNoDataFound(false);\n setNoDataFoundText('');\n }\n })\n .catch((error) => {\n toast.error(\n error?.response?.data?.error?.details?.[0]?.message || error?.response?.data?.message || error?.message\n );\n });\n }\n }, [search, isMultipleChoice, componentType, from]);\n\n const handleOnCreateCubeBucket = useCallback(() => {\n createCubeBucket({\n type: componentType,\n description: normalizeCubeName(search),\n ...(componentType === 'dropdown' ? { dropdownMultipleChoice: isMultipleChoice } : {}),\n from,\n })\n .then((res) => {\n toast.success(\n 'Cube bucket created successfully! Note: This new cube bucket can take a few minutes to appear on the data module'\n );\n setSearch('');\n setAddedDefault(true);\n onSelect(res.data?._id);\n setSelected(res.data);\n setShowResults(false);\n setNoDataFound(false);\n setNoDataFoundText('');\n getCubes();\n setComponentsChanged((components) => ({\n ...components,\n [componentId]: {\n dataReportLink: res.data,\n checked: true,\n },\n }));\n })\n .catch((error) => {\n toast.error(\n error?.response?.data?.error?.details?.[0]?.message || error?.response?.data?.message || error?.message\n );\n });\n }, [componentType, search, isMultipleChoice, from, componentId, onSelect, setComponentsChanged]);\n\n const handleOnClickBox = useCallback(\n (e) => {\n e.preventDefault();\n if (!disabled && selected) {\n setSelected(undefined);\n }\n },\n [selected, disabled]\n );\n\n const handleOnCancel = useCallback(() => {\n const dataReportLink =\n typeof defaultDataReportLink === 'string' || defaultDataReportLink === undefined\n ? componentsChanged[componentId]?.dataReportLink\n : defaultDataReportLink;\n if (!selected && dataReportLink) {\n setSelected(dataReportLink);\n }\n setSearch('');\n setShowResults(false);\n setNoDataFound(false);\n setNoDataFoundText('');\n }, [selected, defaultDataReportLink, componentId, componentsChanged]);\n\n useEffect(() => {\n if (defaultDataReportLink && !addedDefault) {\n const dataReportLink =\n typeof defaultDataReportLink === 'string'\n ? componentsChanged[componentId]?.dataReportLink\n : defaultDataReportLink;\n onSelect(dataReportLink?._id);\n setSelected(dataReportLink);\n setChecked(true);\n onChangeChecked(true);\n setAddedDefault(true);\n setComponentsChanged((components) => ({\n ...components,\n [componentId]: {\n dataReportLink,\n checked: true,\n },\n }));\n }\n }, [defaultDataReportLink, addedDefault, componentsChanged, componentId, onSelect, onChangeChecked]);\n\n useEffect(() => {\n if (componentsChanged[componentId]?.checked) {\n setChecked(true);\n onChangeChecked(true);\n }\n }, [componentsChanged, componentId, onChangeChecked]);\n\n useEffect(() => {\n handleOnFetchCubeBucketsByType();\n }, [checked, isMultipleChoice, handleOnFetchCubeBucketsByType]);\n\n useEffect(() => {\n if (\n componentType === 'dropdown' &&\n selectedMultipleChoice !== undefined &&\n isMultipleChoice !== selectedMultipleChoice\n ) {\n setSearch('');\n setShowResults(false);\n setNoDataFound(false);\n setNoDataFoundText('');\n onSelect(undefined);\n setSelected(undefined);\n setComponentsChanged((components) => ({\n ...components,\n [componentId]: {\n dataReportLink: undefined,\n checked,\n },\n }));\n } else {\n setSelectedMultipleChoice(isMultipleChoice);\n }\n }, [checked, selectedMultipleChoice, componentType, componentId, setComponentsChanged]);\n\n return (\n \n \n Data Report Link\n {\n if (disabled) return;\n const _checked = e.target.checked;\n if (!_checked && defaultDataReportLink) {\n onSelect(undefined);\n }\n setComponentsChanged((components) => ({\n ...components,\n [componentId]: {\n ...components[componentId],\n checked: _checked,\n },\n }));\n setChecked(_checked);\n onChangeChecked(_checked);\n }}\n />\n \n {checked && (\n
\n Are you sure you want to delete?\n This action can’t be undone!\n \n \n \n \n
\n );\n}\n\nDeleteForms.propTypes = {\n selected: PropTypes.arrayOf(PropTypes.number).isRequired,\n setOpen: PropTypes.func.isRequired,\n setSelected: PropTypes.func.isRequired,\n refreshCallBack: PropTypes.func.isRequired,\n};\n","import React, { useState } from 'react';\nimport MoreHorizIcon from '@material-ui/icons/MoreHoriz';\nimport {\n Box,\n Button,\n CircularProgress,\n ListItemIcon,\n MenuItem,\n Typography,\n} from '@material-ui/core';\nimport FilterNoneIcon from '@material-ui/icons/FilterNone';\nimport PopperPortal from '../../components/PopperPortal';\nimport { createFormTypes } from '../../services/unarmed';\nimport { toast } from '../../components/Notification';\n\nexport default function RenderTableOptions({ id, refreshCallBack }) {\n const [open, setOpen] = useState(false);\n const [loading, setLoading] = useState(false);\n\n const onDuplicate = async () => {\n setLoading(true);\n try {\n await createFormTypes({ copyFrom: id });\n await refreshCallBack();\n setOpen(false);\n setLoading(false);\n toast.success('Form Type was successfully duplicated');\n } catch (error) {\n setLoading(false);\n toast.success('Something went wrong when duplicate form type');\n }\n };\n\n return (\n \n \n \n {loading ? (\n \n ) : (\n \n )}\n \n \n );\n}\n","/* eslint-disable no-nested-ternary */\nimport React, { useState } from 'react';\nimport PropTypes from 'prop-types';\nimport {\n Box,\n FormControlLabel,\n makeStyles,\n Switch,\n Typography,\n Fade,\n Backdrop,\n Button,\n Modal,\n CircularProgress,\n} from '@material-ui/core';\nimport { toast } from '../../components/Notification';\nimport { updateFormTypes } from '../../services/unarmed';\n\nconst useStyles = makeStyles((theme) => ({\n container: {\n padding: 20,\n },\n title: {\n marginTop: 50,\n },\n button: {\n background: ' #1F63FF',\n textTransform: 'capitalize',\n marginRight: 10,\n color: '#fff',\n height: 36,\n width: 30,\n '&:hover': {\n background: '#1F63FF',\n },\n '& .MuiButton-label': {\n fontSize: 13,\n },\n '&:disabled': {\n background: '#1f63ff61',\n color: '#fff',\n },\n },\n button2: {\n background: ' #1F63FF',\n textTransform: 'capitalize',\n color: '#fff',\n '&:hover': {\n background: '#1F63FF',\n },\n '& .MuiButton-label': {\n fontSize: 14,\n },\n },\n buttonOutlined: {\n letterSpacing: '1px',\n fontSize: 13,\n fontWeight: '500',\n marginRight: 10,\n width: 'fit-content',\n alignSelf: 'flex-end',\n border: '1px solid transparent',\n color: '#4b7bff',\n '&:hover': {\n background: 'transparent',\n border: '1px solid transparent',\n },\n '& .MuiButton-label': {\n fontSize: 13,\n },\n },\n modal: {\n display: 'flex',\n alignItems: 'center',\n justifyContent: 'center',\n },\n paper: {\n backgroundColor: '#fff',\n boxShadow: theme.shadows[5],\n padding: 30,\n maxWidth: 600,\n minWidth: 400,\n outline: 0,\n },\n}));\n\n/**\n * UpdateStatusFormPopup component for updating the status of a form.\n *\n * @component\n * @param {Object} props - The component props.\n * @param {number} props.index - The index of the form in the list.\n * @param {Object} props.row - The form data.\n * @param {Function} props.setForms - Function to update the list of forms.\n * @param {Function} props.setStatus - Function to update the status of the forms.\n * @param {boolean[]} props.status - Array of boolean values representing the status of each form.\n * @param {Object} props.forms - The current forms data.\n * @param {string} [props.statusKey='published'] - The key to update the status in the form object.\n * @param {Function} [props.callback] - Optional callback function to run after status update.\n * @returns {React.ReactElement} The UpdateStatusFormPopup component.\n */\nexport default function UpdateStatusFormPopup({\n index,\n row,\n setForms,\n setStatus,\n status,\n forms,\n statusKey = 'published',\n callback,\n}) {\n const [loading, setLoading] = useState(false);\n const [open, setOpen] = useState(false);\n const classes = useStyles();\n\n const handleUpdateStatus = async () => {\n setLoading(true);\n try {\n const { data } = await updateFormTypes(row?._id, {\n [statusKey]: !status[index],\n });\n\n const formsCopy = [...forms.data];\n formsCopy[index][statusKey] = data[statusKey];\n formsCopy[index].portalStatus = false;\n setForms((prevState) => ({ ...prevState, data: formsCopy }));\n const statusCopy = [...status];\n statusCopy[index] = !status[index];\n\n setStatus(statusCopy);\n if (callback) {\n callback(index, false);\n }\n setOpen(false);\n setLoading(false);\n toast.success('The form was updated successfully');\n } catch (err) {\n setLoading(false);\n toast.error(err.response?.data?.message);\n }\n };\n\n return (\n <>\n setOpen(true)} />}\n label={status[index] || row?.[statusKey] ? 'Live' : 'Draft'}\n style={{ marginLeft: 0 }}\n labelPlacement=\"start\"\n />\n setOpen(false)}\n closeAfterTransition\n BackdropComponent={Backdrop}\n BackdropProps={{\n timeout: 500,\n }}\n >\n \n
\n \n Are you sure you want to {status[index] ? 'unpublish' : 'publish'} this form?\n \n {!status[index] && (\n \n There can only be one \"{row?.typeDisplayText || row?.type?.toLowerCase()}{' '}\n type\" public at the same time\n \n )}\n \n \n \n \n
\n \n \n >\n );\n}\n\nUpdateStatusFormPopup.propTypes = {\n index: PropTypes.number.isRequired,\n row: PropTypes.shape({\n _id: PropTypes.string.isRequired,\n published: PropTypes.bool,\n type: PropTypes.string,\n }).isRequired,\n setForms: PropTypes.func.isRequired,\n setStatus: PropTypes.func.isRequired,\n status: PropTypes.arrayOf(PropTypes.bool).isRequired,\n forms: PropTypes.shape({\n data: PropTypes.arrayOf(PropTypes.object).isRequired,\n }).isRequired,\n statusKey: PropTypes.string,\n callback: PropTypes.func,\n};\n","/* eslint-disable no-nested-ternary */\nimport React, { useState } from 'react';\nimport PropTypes from 'prop-types';\nimport {\n Box,\n FormControlLabel,\n makeStyles,\n Switch,\n Typography,\n Fade,\n Backdrop,\n Button,\n Modal,\n CircularProgress,\n} from '@material-ui/core';\nimport { toast } from '../../components/Notification';\nimport { updateFormTypes } from '../../services/unarmed';\n\nconst useStyles = makeStyles((theme) => ({\n container: {\n padding: 20,\n },\n title: {\n marginTop: 50,\n },\n button: {\n background: ' #1F63FF',\n textTransform: 'capitalize',\n marginRight: 10,\n color: '#fff',\n height: 36,\n width: 30,\n '&:hover': {\n background: '#1F63FF',\n },\n '& .MuiButton-label': {\n fontSize: 13,\n },\n '&:disabled': {\n background: '#1f63ff61',\n color: '#fff',\n },\n },\n button2: {\n background: ' #1F63FF',\n textTransform: 'capitalize',\n color: '#fff',\n '&:hover': {\n background: '#1F63FF',\n },\n '& .MuiButton-label': {\n fontSize: 14,\n },\n },\n buttonOutlined: {\n letterSpacing: '1px',\n fontSize: 13,\n fontWeight: '500',\n marginRight: 10,\n width: 'fit-content',\n alignSelf: 'flex-end',\n border: '1px solid transparent',\n color: '#4b7bff',\n '&:hover': {\n background: 'transparent',\n border: '1px solid transparent',\n },\n '& .MuiButton-label': {\n fontSize: 13,\n },\n },\n modal: {\n display: 'flex',\n alignItems: 'center',\n justifyContent: 'center',\n },\n paper: {\n backgroundColor: '#fff',\n boxShadow: theme.shadows[5],\n padding: 30,\n maxWidth: 600,\n minWidth: 400,\n outline: 0,\n },\n}));\n\n/**\n * UpdateStatusFormPortal component for updating the status of a form.\n *\n * @component\n * @param {Object} props - The component props.\n * @param {number} props.index - The index of the form in the list.\n * @param {Object} props.row - The form data.\n * @param {Function} props.setForms - Function to update the list of forms.\n * @param {Function} props.setStatus - Function to update the status of the forms.\n * @param {boolean[]} props.status - Array of boolean values representing the status of each form.\n * @param {Object} props.forms - The current forms data.\n * @param {string} [props.statusKey='portalStatus'] - The key to update the status in the form object.\n * @param {Function} [props.callback=() => {}] - Optional callback function to run after status update.\n * @returns {React.ReactElement} The UpdateStatusFormPortal component.\n */\nexport default function UpdateStatusFormPortal({\n index,\n row,\n setForms,\n setStatus,\n status,\n forms,\n statusKey = 'portalStatus',\n callback = () => {},\n}) {\n const [loading, setLoading] = useState(false);\n const [open, setOpen] = useState(false);\n const classes = useStyles();\n\n const handleUpdateStatus = async () => {\n setLoading(true);\n try {\n const { data } = await updateFormTypes(row?._id, {\n [statusKey]: !status[index],\n });\n\n const formsCopy = [...forms.data];\n formsCopy[index][statusKey] = data[statusKey];\n\n setForms((prevState) => ({ ...prevState, data: formsCopy }));\n const statusCopy = [...status];\n statusCopy[index] = !status[index];\n setStatus(statusCopy);\n setOpen(false);\n setLoading(false);\n callback();\n toast.success('The form was updated successfully');\n } catch (err) {\n setLoading(false);\n toast.error(err.response?.data?.message);\n }\n };\n\n return (\n <>\n setOpen(true)} />}\n label={status[index] || row?.[statusKey] ? 'Live' : 'Hide'}\n style={{ marginLeft: 0 }}\n labelPlacement=\"start\"\n />\n setOpen(false)}\n closeAfterTransition\n BackdropComponent={Backdrop}\n BackdropProps={{\n timeout: 500,\n }}\n >\n \n
\n \n Are you sure you want to update portal status?\n \n \n \n \n \n
\n \n \n >\n );\n}\n\nUpdateStatusFormPortal.propTypes = {\n index: PropTypes.number.isRequired,\n row: PropTypes.shape({\n _id: PropTypes.string.isRequired,\n portalStatus: PropTypes.bool,\n }).isRequired,\n setForms: PropTypes.func.isRequired,\n setStatus: PropTypes.func.isRequired,\n status: PropTypes.arrayOf(PropTypes.bool).isRequired,\n forms: PropTypes.shape({\n data: PropTypes.arrayOf(PropTypes.object).isRequired,\n }).isRequired,\n statusKey: PropTypes.string,\n callback: PropTypes.func,\n};\n","import React from 'react';\nimport { Card, CardContent, Typography } from '@material-ui/core';\nimport styled from 'styled-components';\nimport PropTypes from 'prop-types';\nimport { useHistory } from 'react-router-dom';\nimport formatTxt from '../utils/formatText';\n\nconst CardWrapper = styled(Card)`\n background: #fff;\n box-shadow: none;\n border: 1px solid #e7e7e7;\n border-radius: 9px;\n padding: 0px 24px;\n margin: 8px 0px;\n width: 100%;\n cursor: pointer;\n transition: box-shadow 0.3s ease;\n\n &:hover {\n box-shadow: 0px 4px 8px rgba(0, 0, 0, 0.1);\n background-color: rgb(245, 245, 245);\n }\n`;\n\nconst TypographyText = styled(Typography)`\n font-size: 14px !important;\n color: #00000099;\n`;\n\nconst TypeFormTag = styled.span`\n height: 24px;\n font-size: 12px;\n color: #fff;\n display: flex;\n justify-content: center;\n align-items: center;\n border-radius: 30px;\n padding: 0px 6px;\n margin-left: 8px;\n`;\n\nconst TagWrapper = styled.div`\n margin-top: 16px;\n display: inline-block;\n padding: 8px 16px;\n border-radius: 30px;\n font-size: 13px;\n font-weight: 500;\n color: #fff;\n text-transform: capitalize;\n`;\n\n/**\n * FormCard component to display a clickable card with a title, description, and type tag.\n * @param {Object} props - Component props.\n * @param {string} props.name - Name/title of the card.\n * @param {string} props.description - Description of the card.\n * @param {string} props.routeUrl - URL for the card action.\n * @param {string} props.colorBg - Background color for the type tag.\n * @param {string} props.typeForm - Type of the form.\n * @param {string} props.buttonName - Name to display in the type tag.\n * @returns {JSX.Element} FormCard component.\n */\nconst FormCard = ({ name, description, routeUrl, colorBg, typeForm, buttonName, pages }) => {\n const history = useHistory();\n\n const handleCardClick = () => {\n history.push(routeUrl, { pages });\n };\n\n return (\n \n \n \n {name}\n \n {description}\n {/* \n {buttonName || typeForm}\n */}\n \n \n );\n};\n\n// PropTypes validation for FormCard\nFormCard.propTypes = {\n name: PropTypes.string.isRequired,\n description: PropTypes.string.isRequired,\n routeUrl: PropTypes.string.isRequired,\n colorBg: PropTypes.string.isRequired,\n typeForm: PropTypes.string.isRequired,\n buttonName: PropTypes.string,\n pages: PropTypes.object,\n};\n\n/**\n * FormCardLite component to display a simplified version of FormCard.\n * @param {Object} props - Component props.\n * @param {string} props.name - Name/title of the card.\n * @param {string} props.colorBg - Background color for the button.\n * @param {string} props.typeForm - Type of the form.\n * @param {string} props.buttonName - Name of the button.\n * @returns {JSX.Element} FormCardLite component.\n */\nexport const FormCardLite = ({ name, colorBg, buttonName, typeForm }) => (\n \n \n \n {formatTxt(name, 30)}\n \n \n {formatTxt(buttonName?.toLowerCase(), 20) || typeForm}\n \n \n \n);\n\nFormCardLite.propTypes = {\n name: PropTypes.string.isRequired,\n colorBg: PropTypes.string.isRequired,\n buttonName: PropTypes.string,\n typeForm: PropTypes.string.isRequired,\n};\n\nexport default FormCard;\n","import { Typography, Button, Box, CircularProgress, makeStyles } from '@material-ui/core';\nimport { DndProvider } from 'react-dnd';\nimport React, { useState } from 'react';\nimport PropTypes from 'prop-types';\nimport { HTML5Backend } from 'react-dnd-html5-backend';\nimport { toast } from '../../components/Notification';\n\nimport DnDArea from '../../components/DnDArea';\nimport DnDItem from '../../components/DnDItem';\nimport { FormCardLite } from '../../components/FormCard';\nimport { getFormColor } from '../../utils';\nimport { updateFormTypesOrder } from '../../services/unarmed';\n\nconst useStyles = makeStyles((theme) => ({\n buttonOutlined: {\n letterSpacing: '1px',\n fontSize: 13,\n fontWeight: '500',\n marginRight: 10,\n width: 'fit-content',\n alignSelf: 'flex-end',\n border: 0,\n color: '#4b7bff',\n '&:hover': {\n background: 'transparent',\n border: 0,\n },\n '& .MuiButton-label': {\n fontSize: 13,\n },\n '&:disabled': {\n border: 0,\n },\n },\n paper: {\n backgroundColor: '#fff',\n boxShadow: theme.shadows[5],\n padding: 24,\n maxWidth: 700,\n maxHeight: '90vh',\n outline: 0,\n overflowY: 'scroll',\n borderRadius: 4,\n },\n}));\n\n/**\n * SortForms component for arranging forms in a specific order.\n * @param {Object} props - Component props.\n * @param {Array} props.defaultLiveForms - Default live forms to be sorted.\n * @param {Function} props.onClose - Function to handle cancel action.\n * @returns {JSX.Element} SortForms component.\n */\nconst SortForms = ({ defaultLiveForms, onClose, onSaved }) => {\n const classes = useStyles();\n\n // State variables\n const [liveForms, setLiveForms] = useState([...defaultLiveForms]);\n const [loading, setLoading] = useState(false);\n\n /**\n * Handler for saving the sorted forms.\n * @param {Array} liveForms - Sorted live forms.\n * @returns {void}\n */\n const handleOnSaveSortForms = async (_liveForms) => {\n const ids = _liveForms.map((liveForm) => liveForm?._id);\n\n let response;\n\n setLoading(true);\n\n try {\n response = await updateFormTypesOrder(ids);\n } catch (error) {\n toast.error(error?.response?.data?.error?.details?.[0]?.message || error?.response?.data?.message);\n }\n\n if (response) {\n onSaved();\n onClose();\n toast.success('Forms order updated successfully!');\n }\n\n setLoading(false);\n };\n\n /**\n * Renderer function for mapping liveForms to DnDItem components.\n * @param {Function} moveItem - Function to handle item movement.\n * @returns {JSX.Element[]} Array of DnDItem components.\n */\n const renderer = (moveItem) =>\n liveForms.map((form, index) => (\n \n \n \n ));\n\n return (\n
\n Sort Forms\n \n Arrange the forms in the order you would like them to be shown on the Portal\n \n \n \n \n \n \n \n \n
\n \n \n Are you sure you want to delete this {refActionModal?.current?.nameAction ?? ''}?\n \n Removing this field will also remove its associated data.\n\n \n \n \n \n \n \n \n {loading ? : 'Save'}{' '}\n \n \n \n \n \n \n \n \n \n \n
\n Are you sure you want to delete?\n Contacts will be deleted permanently.\n \n setOpen(false)}>\n CANCEL\n \n \n {loadingDelete ? : 'DELETE'}\n \n \n
\n \n Are you sure you want to transfer?\n \n \n This case has already been transferred to the following organizations:{' '}\n {getAlreadyTransferredOrgs()\n .map((org) => org.name)\n .join(', ')}\n . Do you want to proceed anyway?\n \n \n \n \n \n