\n {\n saveStatus === null && (\n
toggleSaveModal(true)}\n src={CloseLightBlue}\n alt=\"close icon\"\n />\n )\n }\n {saveStatus === \"success\" ? (\n
\n
\n {input.trim()} \n
\n
\n
\n ) : (\n <>\n
\n
\n Template name \n onChange(e.target.value))}\n autoComplete=\"off\"\n />\n \n\n
\n Tags \n \n {tagArray.map(({ tag, color }) => (\n
handleTag(tag)}\n className={tag === activeTag ? \"saveInputSectionColorTag saveInputSectionColorTagActive\" : \"saveInputSectionColorTag\"}\n style={{ backgroundColor: color }}\n />\n ))}\n
\n \n
\n \n \n
\n >\n )}\n \n );\n}\n","import React, { useEffect } from \"react\";\nimport \"./BuilderConfirmSave.css\";\nimport COASave from \"./COASave\";\nimport TemplateSave from \"./TemplateSave\";\n\nexport default function BuilderConfirmSave({\n handleSaveTemplate,\n toggleSaveModal,\n isCustomizingCoa,\n selectedTemplate,\n selectedReports,\n saveStatus,\n setSaveStatus,\n handleNavigation,\n}) {\n /**\n * Set state back to default, navigate to coa list.\n */\n const handleSaveSuccess = () => {\n toggleSaveModal(true);\n setSaveStatus(null);\n handleNavigation(`${isCustomizingCoa ? \"coa\" : \"\"}builder`);\n };\n\n /**\n * If save was successful, wait 1 sec for the success\n * icon to show, then set state back to default\n * and navigate to coa list page.\n */\n useEffect(() => {\n if (saveStatus === \"success\") {\n setTimeout(handleSaveSuccess, 1000);\n }\n }, [saveStatus]); // eslint-disable-line\n return (\n
\n
\n {isCustomizingCoa ? (\n \n ) : (\n \n )}\n
\n
\n );\n}\n","import React from \"react\";\nimport { motion } from \"framer-motion/dist/framer-motion\";\nimport Close from \"../../../../../../assets/images/product/template/CloseIconBlue.png\";\n\nexport default function ContentItem(props) {\n const {\n item, handleSectionSelect, handleSectionDelete, keyValue,\n } = props;\n return (\n
handleSectionSelect(item)}\n className={item.active ? \"templateBuilderContentItem templateBuilderContentItemActive\" : \"templateBuilderContentItem \"}\n >\n {item.active ? (\n \n ) : null}\n {item.title} \n {item.edit && item.active\n && handleSectionDelete(e, item)} src={Close} alt=\"close icon\" />}\n \n\n );\n}\n","import React from \"react\";\nimport Add from \"../../../../../../assets/images/product/template/AddBlue.png\";\n\nexport default function ContentAddItem(props) {\n const { handleCreateSection } = props;\n return (\n
\n
\n Add section\n
\n\n );\n}\n","import React from \"react\";\nimport { LayoutGroup } from \"framer-motion/dist/framer-motion\";\nimport Scrollbar from \"react-scrollbars-custom\";\nimport ContentItem from \"./ContentItem\";\nimport ContentAddItem from \"./ContentAddItem\";\nimport \"./builderContent.css\";\n\nexport default function BuilderContent(props) {\n const {\n previewTemplate, handleCreateSection, handleSectionSelect, handleSectionDelete, sections, sectionsFixed,\n } = props;\n\n return (\n
\n
Contents
\n
\n
\n \n \n \n {sections.map((item) => (\n \n ))}\n \n \n {/* */}\n \n
\n \n
\n
\n );\n}\n","/** Fixes the random wrapping on the PDF */\nexport const softHyphenate = (text) => (text.split(\"\").join(\"\\u{00AD}\"));\n\n/** calculates the widths for sample_id and result based on the number of selected items. */\nexport const calculateWidths = (uniqueTests) => {\n const numSelected = uniqueTests.filter((item) => item.selected).length;\n let sampleWidth;\n let resultWidth;\n\n switch (numSelected) {\n case 0:\n case 1:\n sampleWidth = 50;\n resultWidth = 50;\n break;\n case 2:\n sampleWidth = 33.33;\n resultWidth = 33.33;\n break;\n case 3:\n sampleWidth = 25;\n resultWidth = 25;\n break;\n case 4:\n sampleWidth = 25;\n resultWidth = 18.75;\n break;\n case 5:\n sampleWidth = 25;\n resultWidth = 15;\n break;\n default:\n sampleWidth = 25;\n resultWidth = 15;\n }\n return { sampleWidth, resultWidth };\n};\n","import React from \"react\";\nimport {\n View, StyleSheet, Image, Text,\n} from \"@react-pdf/renderer\";\nimport { softHyphenate } from \"./pdfUtils\";\n\nexport default function PDFImageWithText({\n imageFile,\n title,\n subtitle,\n alignLeft,\n hyphenateTitle = true,\n}) {\n const styles = StyleSheet.create({\n imageSection: {\n display: \"flex\",\n flexDirection: alignLeft ? \"row\" : \"column\",\n alignItems: \"center\",\n // width: \"auto\",\n gap: \"21\",\n width: \"100%\",\n },\n imageContainer: {\n minWidth: \"150\",\n width: \"150\",\n height: \"75\",\n borderRadius: \"8\",\n border: \"1px solid #EAF0F5\",\n backgroundColor: \"#F6F8FA\",\n marginTop: \"auto\",\n marginBottom: \"auto\",\n },\n image: {\n width: \"100%\",\n height: \"100%\",\n objectFit: \"contain\",\n // margin: \"auto\",\n },\n text: {\n display: \"flex\",\n flexDirection: \"column\",\n justifyContent: \"center\",\n gap: \"8\",\n width: \"auto\",\n maxWidth: imageFile ? \"222\" : \"372\",\n height: \"100%\",\n flexGrow: \"0\",\n },\n title: {\n fontFamily: \"Roboto-500\",\n fontSize: \"14\",\n color: \"#506375\",\n // textTransform: \"uppercase\",\n },\n subtitle: {\n fontFamily: \"Roboto-500\",\n fontSize: \"11\",\n color: \"#506375\",\n },\n wordWrap: {\n display: \"flex\",\n flexDirection: \"row\",\n overflowWrap: \"break-word\",\n },\n });\n const previewURL = imageFile ? URL.createObjectURL(imageFile) : null;\n return (\n
\n {previewURL && (\n \n \n \n ) }\n \n \n {(hyphenateTitle ? softHyphenate(title) : title) || \" \"}\n \n \n {softHyphenate(subtitle)}\n \n \n \n );\n}\n","import React from \"react\";\nimport {\n View, StyleSheet, Text,\n} from \"@react-pdf/renderer\";\nimport PDFImageWithText from \"./PDFImageWithText\";\nimport { softHyphenate } from \"./pdfUtils\";\n\nexport default function PDFHeader(props) {\n const { header, alignLeft } = props;\n\n const styles = StyleSheet.create({\n header: {\n paddingRight: \"19\",\n minHeight: header.logo_preview_file ? \"94\" : \"0\",\n display: \"flex\",\n flexDirection: \"row\",\n alignItems: \"center\",\n justifyContent: alignLeft ? \"space-between\" : \"center\",\n borderBottom: \"border: 1 solid #B3BFDB\",\n marginBottom: \"16\",\n position: \"relative\",\n paddingBottom: \"9\",\n },\n headerLeftSection: {\n maxWidth: \"70%\",\n },\n noImage: {\n paddingLeft: \"21\",\n },\n companyAddress: {\n maxWidth: 250,\n overflow: \"hidden\",\n display: \"flex\",\n flexDirection: \"column\",\n alignItems: alignLeft ? \"left\" : \"center\",\n textAlign: alignLeft ? \"left\" : \"center\",\n },\n companyNumbers: {\n position: alignLeft ? \"unset\" : \"absolute\",\n right: \"0\",\n bottom: alignLeft ? \"0\" : \"10\",\n display: \"flex\",\n flexDirection: \"column\",\n justifyContent: \"center\",\n width: \"auto\",\n maxWidth: \"30%\",\n gap: \"7\",\n color: \"#506375\",\n },\n companyNumbersRow: {\n display: \"flex\",\n flexDirection: \"row\",\n gap: \"6\",\n width: \"auto\",\n justifyContent: \"space-between\",\n maxWidth: alignLeft ? \"100%\" : \"200\",\n },\n phoneNumber: {\n maxWidth: \"108\",\n wordBreak: \"break-word\",\n },\n faxNumber: {\n maxWidth: \"125\",\n wordBreak: \"break-word\",\n },\n coaSection: {\n display: \"flex\",\n justifyContent: \"center\",\n alignItems: \"center\",\n },\n coa: {\n fontFamily: \"Roboto-500\",\n fontSize: \"16\",\n color: \"#506375\",\n padding: \"0 16 16 16\",\n },\n gap: {\n marginBottom: 6,\n },\n wordWrap: {\n display: \"flex\",\n flexDirection: \"row\",\n overflowWrap: \"break-word\",\n },\n });\n const {\n name, address, phone, fax, logo_preview_file,\n } = header;\n\n return (\n <>\n
\n \n \n \n \n {phone && (\n \n \n {\"PHONE : \"}\n \n \n {softHyphenate(phone)}\n \n \n )}\n {fax && (\n \n \n {\"FAX : \"}\n \n \n {softHyphenate(fax)}\n \n \n )}\n \n \n
\n Certificate of Analysis \n \n >\n );\n}\n","import React from \"react\";\nimport { Text, View, StyleSheet } from \"@react-pdf/renderer\";\n\nexport default function TableHeader() {\n const styles = StyleSheet.create({\n tableHeader: {\n display: \"flex\",\n flexDirection: \"column\",\n // border: \"1 solid #E1E1E1\",\n // borderRadius: \"6\",\n // borderBottomLeftRadius: \"0\",\n // borderBottomRightRadius: \"0\",\n // borderBottom: \"0\",\n },\n tableHeaderRow: {\n display: \"flex\",\n flexDirection: \"row\",\n color: \"#506375\",\n textAlign: \"center\",\n minHeight: \"32\",\n padding: \"0 75 6 75\",\n borderLeft: \"1 solid #E1E1E1\",\n borderRight: \"1 solid #E1E1E1\",\n },\n rowItem: {\n display: \"flex\",\n flexDirection: \"row\",\n width: \"25%\", // if test method is there\n // width: \"33%\",\n height: \"32\",\n justifyContent: \"center\",\n alignItems: \"center\",\n backgroundColor: \"#C4D2DF\",\n borderRadius: \"4px\",\n },\n gap: {\n marginRight: \"6\",\n },\n\n });\n return (\n
\n Test Method \n Test \n Specification \n Results \n \n );\n}\n","import React from \"react\";\nimport { Text, View, StyleSheet } from \"@react-pdf/renderer\";\nimport { softHyphenate } from \"./pdfUtils\";\n\n// let prev = 0;\nexport default function TableRow(props) {\n const styles = StyleSheet.create({\n row: {\n display: \"flex\",\n flexDirection: \"row\",\n color: \"#505050\",\n textAlign: \"center\",\n padding: \"0 75 0 75\",\n borderLeft: \"1 solid #E1E1E1\",\n borderRight: \"1 solid #E1E1E1\",\n },\n rowItem: {\n minHeight: \"40\",\n width: \"25%\", // if test method is there\n // width: \"33%\",\n padding: \"14 4 14 4\",\n backgroundColor: \"#F2F6FA\",\n borderRadius: \"4px\",\n },\n gap: {\n marginRight: \"6\",\n },\n rowGap: {\n // marginBottom: \"6\",\n paddingBottom: \"6\",\n },\n rowMarginTop: {\n marginTop: \"40\",\n },\n rowText: {\n display: \"flex\",\n flexDirection: \"row\",\n flexGrow: \"1\",\n fontFamily: \"Roboto-400\",\n color: \"#505050\",\n fontSize: \"10\",\n maxWidth: \"99\",\n },\n });\n\n const { spec, isLast } = props;\n if (spec.test === \"Test\") {\n return null;\n }\n\n // function handleNewPage(pageNumber, totalPages) {\n // if (totalPages) {\n // if (prev !== pageNumber) {\n // prev = pageNumber;\n // return (\n //
\n // {spec.test} \n // {spec.result} \n // {spec.report_result} \n // {spec.test_spec_flag} \n // \n // //
Hello \n // );\n // }\n\n // return (\n //
\n // {spec.test} \n // {spec.result} \n // {spec.report_result} \n // {spec.test_spec_flag} \n // \n // );\n // }\n // return null;\n // }\n\n // function checkRow(pageNumber, totalPages) {\n // console.log(pageNumber, totalPages);\n // }\n\n /** Bottom border: 14 (padding) + 1 (border), only apply to row if it is the last in the table */\n const minPresence = isLast ? 15 : undefined;\n\n return (\n
\n {softHyphenate(spec.test_method)} \n {softHyphenate(spec.test)} \n {softHyphenate(spec.test_spec)} \n {softHyphenate(spec.test_result)} \n \n );\n}\n","import React from \"react\";\nimport {\n View, StyleSheet, Text,\n} from \"@react-pdf/renderer\";\nimport TableHeader from \"./TableHeader\";\nimport TableRow from \"./TableRow\";\nimport { softHyphenate } from \"./pdfUtils\";\n\nconst styles = StyleSheet.create({\n presenceAheadView: {\n marginTop: \"-14\",\n },\n table: {\n // borderLeft: \"1 solid #E1E1E1\",\n // borderRight: \"1 solid #E1E1E1\",\n // borderBottom: \"1 solid #E1E1E1\",\n // borderTop: \"1 solid #E1E1E1\",\n // borderRadius: \"6\",\n },\n sampleID: {\n color: \"#1f2d3b\",\n fontSize: \"12\",\n fontFamily: \"Roboto-500\",\n width: \"100%\",\n wordWrap: \"break-word\",\n textAlign: \"center\",\n padding: \"23 75 14 75\",\n borderLeft: \"1 solid #E1E1E1\",\n borderRight: \"1 solid #E1E1E1\",\n },\n tableBottomBorder: {\n color: \"#505050\",\n padding: \"11 24 0 24\",\n border: \"1 solid #E1E1E1\",\n borderRadius: \"6\",\n borderTopLeftRadius: \"0\",\n borderTopRightRadius: \"0\",\n borderTop: \"0\",\n },\n tableTopBorder: {\n color: \"#505050\",\n padding: \"0 24 14 24\",\n border: \"1 solid #E1E1E1\",\n borderRadius: \"6\",\n borderBottomLeftRadius: \"0\",\n borderBottomRightRadius: \"0\",\n borderBottom: \"0\",\n },\n minPresText: {\n position: \"absolute\",\n top: \"10\",\n left: \"0\",\n color: \"red\",\n fontSize: \"12\",\n fontFamily: \"Roboto-500\",\n },\n});\nexport default function PDFTable({\n sample_id,\n test_results,\n}) {\n function getNumRowsAndHeight(text, font, maxWidth) {\n const canvas = document.createElement(\"canvas\");\n const context = canvas.getContext(\"2d\");\n context.font = font;\n context.wordWrap = \"break-word\";\n const words = text.split(\" \");\n const lineHeight = parseInt(font.split(\" \")[0], 10);\n\n let line = \"\";\n let numLines = 1;\n for (let i = 0; i < words.length; i++) {\n const testLine = `${line + words[i]} `;\n const testWidth = context.measureText(testLine).width;\n if (testWidth > maxWidth) {\n line = `${words[i]} `;\n numLines++;\n } else {\n line = testLine;\n }\n }\n const height = numLines * lineHeight;\n return { numLines, height };\n }\n\n function getSampleIDandRowTextLines() {\n const sampleIDFont = \"12px Roboto Medium\";\n const tableRowFont = \"10px Roboto\";\n const maxWidthSampleID = 430;\n const maxWidthRow = 95;\n const sampleIDNumLines = getNumRowsAndHeight(sample_id, sampleIDFont, maxWidthSampleID);\n let tableRowNumLines = {\n numLines: 1,\n height: 10,\n };\n if (test_results.length) {\n const firstRowVals = Object.values(test_results[0]);\n const longestRowString = firstRowVals.reduce((acc, val) => {\n if (val.length > acc.length) {\n return val;\n }\n return acc;\n }, \"\");\n tableRowNumLines = getNumRowsAndHeight(longestRowString, tableRowFont, maxWidthRow);\n }\n\n return { sampleIDNumLines, tableRowNumLines };\n }\n /**\n * Calculate minPresenceAhead based on the number of lines of text expected.\n * minPresenceAhead is the space needed for sample id + header row + first table row.\n * If minPresenceAhead exceeds the remaining space on the page, break whole table header onto the next page.\n * This prevents widowed headers (headers that are by themselves at the bottom of a page).\n * @returns {Number} minPresenceAhead in pts\n */\n const calculateMinPresenceAhead = () => {\n let minPresence = 136; // height minus sample_id and table row text (minus 3 to better match real minPresenceAhead)\n const NumOfLines = getSampleIDandRowTextLines();\n // console.log(\"🚀 ~ file: PDFTable.js:111 ~ calculateMinPresenceAhead ~ NumOfLines:\", NumOfLines);\n minPresence += NumOfLines.sampleIDNumLines.height;\n minPresence += NumOfLines.tableRowNumLines.height;\n\n // console.log(\"calculated minPresence: \", minPresence);\n return minPresence;\n };\n\n return (\n <>\n {/* empty view used to make sure header moves to new page with children */}\n
\n
\n {/* {`minPresenceAhead: ${calculateMinPresenceAhead()}`} */}\n \n {`Sample ID : ${softHyphenate(sample_id)}`} \n \n {test_results.map((spec, index) => (\n \n ))}\n {test_results.length === 0 && (\n \n )}\n \n \n >\n );\n}\n","import React from \"react\";\nimport { Text, View, StyleSheet } from \"@react-pdf/renderer\";\nimport { calculateWidths } from \"./pdfUtils\";\n\nexport default function TableHeaderSamples({ uniqueTests }) {\n const styles = StyleSheet.create({\n tableHeader: {\n display: \"flex\",\n flexDirection: \"column\",\n },\n tableHeaderRow: {\n display: \"flex\",\n flexDirection: \"row\",\n color: \"#506375\",\n textAlign: \"center\",\n minHeight: \"32\",\n padding: \"0 15 4 15\",\n borderLeft: \"1 solid #E1E1E1\",\n borderRight: \"1 solid #E1E1E1\",\n },\n rowItem: {\n display: \"flex\",\n flexDirection: \"row\",\n width: \"15%\",\n minHeight: \"32\",\n justifyContent: \"center\",\n alignItems: \"center\",\n backgroundColor: \"#C4D2DF\",\n borderRadius: \"4px\",\n padding: \"2\",\n },\n rowItemSampleID: {\n width: \"25%\",\n },\n gap: {\n marginRight: \"4\",\n },\n });\n\n return (\n
\n Sample ID \n {uniqueTests.filter(({ selected }) => selected).map(({ test }, i, arr) => (\n \n { test } \n \n ))}\n \n );\n}\n","import React from \"react\";\nimport { Text, View, StyleSheet } from \"@react-pdf/renderer\";\nimport { softHyphenate, calculateWidths } from \"./pdfUtils\";\n\n// let prev = 0;\nexport default function TableRowSamples(props) {\n const styles = StyleSheet.create({\n row: {\n display: \"flex\",\n flexDirection: \"row\",\n color: \"#505050\",\n textAlign: \"center\",\n padding: \"0 15 0 15\",\n borderLeft: \"1 solid #E1E1E1\",\n borderRight: \"1 solid #E1E1E1\",\n },\n rowItem: {\n display: \"flex\",\n flexDirection: \"column\",\n justifyContent: \"center\",\n minHeight: \"40\",\n width: \"15%\",\n padding: \"6\",\n backgroundColor: \"#F2F6FA\",\n borderRadius: \"4px\",\n },\n rowItemSampleID: {\n width: \"25%\",\n },\n gap: {\n marginRight: \"4\",\n },\n rowGap: {\n paddingBottom: \"4\",\n },\n rowText: {\n display: \"flex\",\n flexDirection: \"row\",\n fontFamily: \"Roboto-400\",\n color: \"#505050\",\n fontSize: \"10\",\n },\n rowTextSampleID: {\n textAlign: \"left\",\n },\n });\n\n const { sample, isLast, uniqueTests } = props;\n\n /** Bottom border: 14 (padding) + 1 (border), only apply to row if it is the last in the table */\n const minPresence = isLast ? 15 : undefined;\n\n return (\n
\n \n {softHyphenate(sample.sample_id)} \n \n {uniqueTests.filter(({ selected }) => selected).map(({ test }, i, arr) => {\n const matchingTestResult = sample.test_results.find((result) => result.test === test);\n const isLastItem = i === arr.length - 1;\n return (\n \n \n {matchingTestResult ? softHyphenate(matchingTestResult.test_result) : \"-\"}\n \n \n );\n })}\n \n );\n}\n","import React from \"react\";\nimport {\n View, StyleSheet,\n} from \"@react-pdf/renderer\";\nimport TableHeaderSamples from \"./TableHeaderSamples\";\nimport TableRowSamples from \"./TableRowSamples\";\n\nconst styles = StyleSheet.create({\n tableBottomBorder: {\n color: \"#505050\",\n padding: \"11 24 0 24\",\n border: \"1 solid #E1E1E1\",\n borderRadius: \"6\",\n borderTopLeftRadius: \"0\",\n borderTopRightRadius: \"0\",\n borderTop: \"0\",\n },\n tableTopBorder: {\n color: \"#505050\",\n padding: \"0 24 14 24\",\n border: \"1 solid #E1E1E1\",\n borderRadius: \"6\",\n borderBottomLeftRadius: \"0\",\n borderBottomRightRadius: \"0\",\n borderBottom: \"0\",\n },\n});\nexport default function PDFTableSamples({ samples, uniqueTests }) {\n const samplesList = samples.map(({ sample_id, test_results }) => ({ sample_id, test_results }));\n return (\n <>\n
\n \n \n {samplesList.map((sample, index) => (\n \n ))}\n {samplesList.length === 0 && (\n \n )}\n \n \n >\n );\n}\n","import React from \"react\";\nimport {\n View, StyleSheet, Text,\n} from \"@react-pdf/renderer\";\nimport { v4 as uuidv4 } from \"uuid\";\nimport PDFTable from \"./PDFTable\";\nimport PDFTableSamples from \"./PDFTableSamples\";\nimport { softHyphenate } from \"./pdfUtils\";\n\nexport default function PDFBody(props) {\n const styles = StyleSheet.create({\n body: {\n width: \"100%\",\n fontFamily: \"Roboto-500\",\n gap: \"14\",\n },\n section: {\n display: \"flex\",\n flexDirection: \"row\",\n // gap: 32,\n padding: \"5\",\n borderLeft: \"1 solid #eaf0f5\",\n borderRight: \"1 solid #eaf0f5\",\n borderBottom: \"1 solid #eaf0f5\",\n borderTop: \"1 solid #eaf0f5\",\n width: \"100%\",\n borderRadius: \"8\",\n },\n sectionPart: {\n display: \"flex\",\n flexDirection: \"column\",\n alignItems: \"flex-start\",\n maxWidth: \"50%\",\n flex: \"1 1 50%\",\n gap: \"8\",\n padding: \"10 5 10 10\",\n // overflow: \"hidden\",\n },\n sectionInput: {\n width: \"auto\",\n maxWidth: \"100%\",\n wordWrap: \"break-word\",\n textAlign: \"left\",\n fontFamily: \"Roboto-500\",\n fontSize: \"12\",\n },\n sectionInputFieldName: {\n color: \"#afbdca\",\n },\n sectionInputValue: {\n color: \"#1f2d3b\",\n },\n blue: {\n color: \"#9dd9f2\",\n },\n alignItem: {\n textAlign: \"right\",\n paddingRight: \"29\",\n },\n coaPlaceholder: {\n marginRight: \"auto\",\n marginLeft: \"auto\",\n marginTop: \"30\",\n color: \"#C4D2DF\",\n fontSize: \"12\",\n fontFamily: \"Roboto-400\",\n },\n });\n\n // const renderBlock = (section) => {\n // let count = 1;\n // return section.inputs.map((input, index) => {\n // let styleArray = [];\n // if (input.type === \"largeTextBox\") {\n // count = 1;\n // return (\n //
\n // \n // {input.input}\n // \n // \n // );\n // }\n // if (count === 2) {\n // count = 1;\n // styleArray = [styles.itemSmall, styles.gap, styles.alignItem];\n // } else {\n // count++;\n // styleArray = [styles.itemSmall, styles.gap];\n // }\n // return (\n //
\n // {input.input} \n // \n // );\n // });\n // };\n\n const renderInputs = (inputs) => inputs.map(({ fieldName, value, flag }) => {\n const key = uuidv4();\n return (\n
\n {fieldName ? ({`${softHyphenate(fieldName)} `} ) : null}\n {value ? ({softHyphenate(value)} ) : null}\n \n );\n });\n\n const { body, isCustomizingCoa, isTemplatePdf } = props;\n const {\n sections, samples, uniqueTests, enableTests,\n } = body;\n\n return (\n
\n {sections.map((section) => (\n \n \n {renderInputs(section.inputs.left)}\n \n \n {renderInputs(section.inputs.right)}\n \n \n ))}\n {!isCustomizingCoa && isTemplatePdf\n ? This space will be filled by test reports and data fields when creating the customized report. \n : (\n <>\n {enableTests\n ? \n : samples.map(({ sample_id, test_results, textHeights }, i) => )}\n >\n )}\n \n );\n}\n","import React from \"react\";\nimport {\n View, StyleSheet, Text,\n} from \"@react-pdf/renderer\";\nimport PDFImageWithText from \"./PDFImageWithText\";\nimport { softHyphenate } from \"./pdfUtils\";\n\nexport default function PDFSignature(props) {\n const { footer, alignLeft } = props;\n\n const styles = StyleSheet.create({\n footer: {\n display: \"flex\",\n flexDirection: \"column\",\n alignItems: alignLeft ? \"left\" : \"center\",\n gap: \"22\",\n padding: \"22 35 0 35\",\n color: \"#506375\",\n fontFamily: \"Roboto-500\",\n fontSize: \"11\",\n },\n gap: {\n marginBottom: 14,\n },\n signImg: {\n width: \"132\",\n height: \"70\",\n objectFit: \"contain\",\n objectPosition: \"left center\",\n },\n wordWrap: {\n display: \"flex\",\n flexDirection: \"row\",\n },\n });\n\n const {\n signedBy, designation, signature_preview_file, statement_inputs,\n } = footer;\n\n return (\n
\n {statement_inputs.map(({ value, title }, i) => {\n if (title === \"signature\" && (signature_preview_file || signedBy || designation)) {\n return ( );\n }\n return ({softHyphenate(value)} );\n })}\n \n );\n}\n","import React from \"react\";\nimport {\n View, StyleSheet, Text,\n} from \"@react-pdf/renderer\";\n\nexport default function PDFFooter() {\n // const { companyName } = props;\n\n const styles = StyleSheet.create({\n pageFooter: {\n position: \"absolute\",\n bottom: \"9\",\n right: \"18\",\n display: \"flex\",\n flexDirection: \"row\",\n justifyContent: \"flex-end\",\n alignItems: \"flex-end\",\n },\n pageFooterText: {\n fontSize: \"11\",\n color: \"#6C7E8E\",\n },\n companyName: {\n textTransform: \"uppercase\",\n },\n });\n\n return (\n
\n {/* \n {companyName || \" \"}\n */}\n (\n `Page ${pageNumber}/${totalPages}`\n )}\n />\n \n );\n}\n","import React from \"react\";\nimport {\n Document, Page, View, StyleSheet, Font,\n} from \"@react-pdf/renderer\";\nimport PDFHeader from \"./PDFHeader\";\nimport PDFBody from \"./PDFBody\";\nimport PDFSignature from \"./PDFSignature\";\n// import PDFFooterCenter from \"./Components/PDFFooterCenter\";\n// import PDFHeaderCenter from \"./Components/PDFHeaderCenter\";\nimport RobotoMedium from \"../../../../../assets/fonts/roboto/Roboto-Medium.ttf\";\nimport Roboto from \"../../../../../assets/fonts/roboto/Roboto-Regular.ttf\";\nimport PDFFooter from \"./PDFFooter\";\n\nexport default function PDF(props) {\n Font.register({ family: \"Roboto-400\", src: Roboto });\n Font.register({ family: \"Roboto-500\", src: RobotoMedium });\n const styles = StyleSheet.create({\n page: {\n flexDirection: \"column\",\n backgroundColor: \"#FFFFFF\",\n padding: \"16 16 48 16\",\n color: \"#385387\",\n fontFamily: \"Roboto-500\",\n fontSize: \"11\",\n position: \"relative\",\n },\n section: {\n flexGrow: 1,\n display: \"flex\",\n flexDirection: \"column\",\n justifyContent: \"space-between\",\n gap: \"24\",\n position: \"relative\",\n },\n });\n\n if (!props) {\n return
;\n }\n\n const {\n inputs,\n alignLeft,\n isCustomizingCoa,\n isTemplatePdf,\n uniqueTests,\n enableTests,\n } = props;\n\n const values = Object.values(inputs).filter((input) => input.length > 0);\n const hasData = values.length > 0;\n if (!props || !inputs || !hasData) {\n return
;\n }\n\n const {\n sections,\n company_logo,\n company_name,\n company_address,\n phone_number,\n fax_number,\n signed_by,\n designation,\n logo_preview_file,\n signature_preview_file,\n statement_inputs,\n } = inputs;\n\n let { samples } = inputs;\n if (!samples) {\n samples = new Array(4).fill({\n test: \"\",\n test_spec: \"\",\n test_result: \"\",\n test_spec_flag: \"\",\n test_method: \"\",\n });\n }\n\n const header = {\n logo: company_logo, name: company_name, address: company_address, phone: phone_number, fax: fax_number, logo_preview_file,\n };\n const body = {\n sections,\n samples,\n uniqueTests,\n enableTests,\n };\n const footer = {\n signedBy: signed_by, designation, signature_preview_file, statement_inputs,\n };\n return (\n
\n \n \n \n \n {(signed_by || designation || signature_preview_file || statement_inputs.length > 1) ? (\n \n ) : null}\n \n \n \n \n );\n}\n","var _circle, _path, _path2;\nfunction _extends() { _extends = Object.assign ? Object.assign.bind() : 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); }\nimport React from \"react\";\nconst SvgAddTestIcon = _ref => {\n let {\n svgRef,\n title,\n ...props\n } = _ref;\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n width: 16,\n height: 16,\n viewBox: \"0 0 16 16\",\n fill: \"none\",\n ref: svgRef\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", null, title) : null, _circle || (_circle = /*#__PURE__*/React.createElement(\"circle\", {\n cx: 8,\n cy: 8,\n r: 8,\n fill: \"current\"\n })), _path || (_path = /*#__PURE__*/React.createElement(\"path\", {\n d: \"M8 5.33333V10.6667\",\n stroke: \"#F4FBFE\",\n strokeWidth: 2,\n strokeLinecap: \"round\",\n strokeLinejoin: \"round\"\n })), _path2 || (_path2 = /*#__PURE__*/React.createElement(\"path\", {\n d: \"M5.33333 8H10.6667\",\n stroke: \"#F4FBFE\",\n strokeWidth: 2,\n strokeLinecap: \"round\",\n strokeLinejoin: \"round\"\n })));\n};\nconst ForwardRef = /*#__PURE__*/React.forwardRef((props, ref) => /*#__PURE__*/React.createElement(SvgAddTestIcon, _extends({\n svgRef: ref\n}, props)));\nexport default __webpack_public_path__ + \"static/media/addTestIcon.6d09ea73.svg\";\nexport { ForwardRef as ReactComponent };","import React, { useState, useEffect } from \"react\";\nimport { usePDF } from \"@react-pdf/renderer\";\nimport { pdfjs } from \"react-pdf\";\nimport PdfPreview from \"../../../../../Common/PdfPreview\";\n// import TemplateAlignButton from \"./TemplateAlignButton\";\nimport PDF from \"../../PDF/PDF\";\n// import Canvas from \"../../PDF/Canvas\";\nimport \"./builderPreview.css\";\nimport \"./coaPreview.css\";\n\npdfjs.GlobalWorkerOptions.workerSrc = `//unpkg.com/pdfjs-dist@${pdfjs.version}/legacy/build/pdf.worker.min.js`;\n\nexport default function BuilderPreview({\n inputs,\n handleAlign,\n alignLeft,\n isCustomizingCoa,\n setLoadingPreview,\n uniqueTests,\n enableTests,\n}) {\n // const [alignLeft, setAlignLeft] = useState(true);\n // const [pdf] = usePDF({ document:
});\n const [pdf, updatePDF] = usePDF({\n document: PDF({\n inputs, alignLeft, isTemplatePdf: true, isCustomizingCoa, uniqueTests, enableTests,\n }),\n });\n const [pdfUrl, setPdfUrl] = useState(\"\");\n\n // useEffect(() => {\n // console.log(pdf, props);\n // }, [updatePDF]);\n\n useEffect(() => {\n if (pdfUrl) {\n URL.revokeObjectURL(pdfUrl);\n setPdfUrl(\"\");\n }\n updatePDF({\n document: PDF({\n inputs, alignLeft, isTemplatePdf: true, uniqueTests, enableTests,\n }),\n });\n\n return (() => {\n if (pdfUrl) {\n URL.revokeObjectURL(pdfUrl);\n }\n });\n }, [alignLeft]); //eslint-disable-line\n\n useEffect(() => {\n if (pdf.blob) {\n setPdfUrl(URL.createObjectURL(pdf.blob));\n setLoadingPreview(false);\n }\n\n if (pdf.error) {\n setLoadingPreview(false);\n }\n }, [pdf]); //eslint-disable-line\n\n const handleAlignTemplate = () => { // eslint-disable-line\n handleAlign();\n };\n\n const values = Object.values(inputs).filter((input) => input.length > 0);\n\n const hasData = values.length > 1;\n if (!hasData) {\n return (\n
\n Add your details in edit mode to customize the COA.\n
\n );\n }\n if (hasData) {\n return (\n
\n {/*
*/}\n {/*
*/}\n
setLoadingPreview(false)}\n />\n {/* */}\n {/*
*/}\n
\n );\n }\n return null;\n}\n","import React from \"react\";\nimport { ReactComponent as AddIcon } from \"../../../../../../../assets/images/sample-submission/addTestIcon.svg\";\nimport \"./COABuilderAddSection.css\";\n\nexport default function COABuilderAddSection({ handleAddSection }) {\n return (\n
\n );\n}\n","import React, { useEffect, useState } from \"react\";\n\nimport { getFileFromS3WithPresigned } from \"../../../../../../../utils/helpers\";\nimport \"./COABuilderImage.css\";\n\nexport default function COABuilderImage({ title, imagePath, handleBuilderFile }) {\n const [imageSrc, setImageSrc] = useState(\"\");\n const loadImage = async () => {\n if (imagePath) {\n const name = imagePath.split(\"/\").pop();\n const fileBlobObj = await getFileFromS3WithPresigned([imagePath], \"private\");\n const blob = fileBlobObj[imagePath];\n const previewURL = URL.createObjectURL(blob);\n setImageSrc(previewURL);\n const file = new File([blob], name);\n handleBuilderFile({ file, name, title });\n }\n };\n useEffect(() => {\n loadImage();\n }, []); // eslint-disable-line\n\n return (\n
\n
\n
\n );\n}\n","import React from \"react\";\nimport COABuilderImage from \"./COABuilderImage\";\nimport \"./COABuilderImageWithText.css\";\n\nexport default function COABuilderImageWithText({\n titleText,\n subtitleText,\n imageTitle,\n imagePath,\n handleBuilderFile,\n}) {\n return (\n
\n {imagePath &&
}\n
\n {titleText && {titleText} }\n {subtitleText && {subtitleText} }\n
\n
\n );\n}\n","import React from \"react\";\nimport \"./COABuilderHeader.css\";\nimport COABuilderImageWithText from \"./COABuilderImageWithText\";\n\nexport default function COABuilderHeader({ selectedTemplate, handleBuilderFile }) {\n const {\n company_name, company_address, phone_number, fax_number, logo_image_url,\n } = selectedTemplate;\n return (\n
\n
\n \n
\n
\n {phone_number && (\n
\n PHONE : \n {phone_number} \n
\n )}\n {fax_number && (\n
\n FAX : \n {fax_number} \n
\n )}\n
\n
\n );\n}\n","import { createContext } from \"react\";\n\nconst BuilderDragDropContext = createContext();\n\nexport default BuilderDragDropContext;\n","import React, { useContext } from \"react\";\nimport { Droppable } from \"react-beautiful-dnd\";\nimport BuilderDragDropContext from \"./BuilderDragDropContext\";\n\nexport default function TemplateBuilderDroppable({\n className,\n droppableId,\n direction = \"vertical\",\n // disabled = false,\n showPlaceholder = true,\n getDroppableStyle,\n children,\n}) {\n const { disabledDroppablesSet } = useContext(BuilderDragDropContext);\n const disabled = (droppableId.includes(\"dynamic\") && disabledDroppablesSet.has(\"dynamic\")) || disabledDroppablesSet.has(droppableId);\n return (\n
\n {(provided, snapshot) => (\n \n {children}\n {showPlaceholder ? provided.placeholder : null}\n
\n )}\n \n );\n}\n","var _g, _defs;\nfunction _extends() { _extends = Object.assign ? Object.assign.bind() : 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); }\nimport React from \"react\";\nconst SvgInputCheckmark = _ref => {\n let {\n svgRef,\n title,\n ...props\n } = _ref;\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n width: 18,\n height: 18,\n viewBox: \"0 0 18 18\",\n fill: \"none\",\n ref: svgRef\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", null, title) : null, _g || (_g = /*#__PURE__*/React.createElement(\"g\", {\n id: \"Frame\",\n clipPath: \"url(#clip0_3609_21044)\"\n }, /*#__PURE__*/React.createElement(\"path\", {\n id: \"Vector\",\n fillRule: \"evenodd\",\n clipRule: \"evenodd\",\n d: \"M0 9C0 6.61305 0.948212 4.32387 2.63604 2.63604C4.32387 0.948212 6.61305 0 9 0C11.3869 0 13.6761 0.948212 15.364 2.63604C17.0518 4.32387 18 6.61305 18 9C18 11.3869 17.0518 13.6761 15.364 15.364C13.6761 17.0518 11.3869 18 9 18C6.61305 18 4.32387 17.0518 2.63604 15.364C0.948212 13.6761 0 11.3869 0 9ZM8.4864 12.852L13.668 6.3744L12.732 5.6256L8.3136 11.1468L5.184 8.5392L4.416 9.4608L8.4864 12.8532V12.852Z\",\n fill: \"#26ABE1\"\n }))), _defs || (_defs = /*#__PURE__*/React.createElement(\"defs\", null, /*#__PURE__*/React.createElement(\"clipPath\", {\n id: \"clip0_3609_21044\"\n }, /*#__PURE__*/React.createElement(\"rect\", {\n width: 18,\n height: 18,\n fill: \"white\"\n })))));\n};\nconst ForwardRef = /*#__PURE__*/React.forwardRef((props, ref) => /*#__PURE__*/React.createElement(SvgInputCheckmark, _extends({\n svgRef: ref\n}, props)));\nexport default __webpack_public_path__ + \"static/media/inputCheckmark.070eec63.svg\";\nexport { ForwardRef as ReactComponent };","import React, { useEffect, useRef, useState } from \"react\";\nimport { ReactComponent as EditIcon } from \"../../../../../../../../assets/images/sample-submission/edit.svg\";\nimport DeleteIcon from \"../../../../../../../../assets/images/product/template/DragClose.png\";\nimport { ReactComponent as Checkmark } from \"../../../../../../../../assets/images/product/template/inputCheckmark.svg\";\nimport \"./COABuilderInput.css\";\nimport \"../../../DragAndDrop/COABuilderDraggable.css\";\n\nexport default function COABuilderInput({\n id,\n placeholder,\n setRef,\n maxLength = 250,\n defaultValue,\n value,\n isTextArea = false,\n label,\n inputClassName = \"\",\n // hasError,\n onChange,\n handleDelete,\n isEditing,\n toggleEdit,\n}) {\n const inputRef = useRef();\n const [isHovered, setIsHovered] = useState();\n\n /**\n * On mount, set ref of input\n */\n useEffect(() => {\n if (setRef) {\n setRef(inputRef.current);\n }\n }, []); // eslint-disable-line\n\n const onChangeInternal = (val) => {\n if (onChange) {\n onChange(val);\n }\n };\n\n const handleToggleEdit = () => {\n if (isEditing) {\n setIsHovered(false);\n }\n toggleEdit();\n };\n\n return (\n
setIsHovered(true)}\n onMouseLeave={() => setIsHovered(false)}\n >\n {label && (\n
\n {label}\n \n )}\n
\n {isTextArea ? (\n
\n {!isEditing && (\n <>\n
\n {isHovered && (\n
\n
\n
\n )}\n >\n )}\n
\n\n );\n}\n","import React, { useEffect, useRef, useState } from \"react\";\nimport { Select } from \"antd\";\nimport { ReactComponent as EditIcon } from \"../../../../../../../../assets/images/sample-submission/edit.svg\";\nimport DeleteIcon from \"../../../../../../../../assets/images/product/template/DragClose.png\";\nimport { ReactComponent as Checkmark } from \"../../../../../../../../assets/images/product/template/inputCheckmark.svg\";\nimport \"./COABuilderSelect.css\";\nimport \"../../../DragAndDrop/COABuilderDraggable.css\";\n\nexport default function COABuilderSelect({\n id,\n placeholder,\n setRef,\n options,\n defaultValue,\n label,\n onChange,\n handleDelete,\n isEditing,\n toggleEdit,\n}) {\n const [value, setValue] = useState(defaultValue ?? \"\");\n const [isHovered, setIsHovered] = useState();\n const inputRef = useRef();\n\n /**\n * On mount, set ref of input\n */\n useEffect(() => {\n if (setRef) {\n setRef(inputRef.current);\n }\n }, []); // eslint-disable-line\n\n const onSelect = (option) => {\n setValue(option);\n if (onChange) {\n onChange(option);\n }\n };\n\n const handleToggleEdit = () => {\n if (isEditing) {\n setIsHovered(false);\n }\n toggleEdit();\n };\n\n return (\n
setIsHovered(true)}\n onMouseLeave={() => setIsHovered(false)}\n >\n {label && (\n
\n {label}\n \n )}\n
\n {/* Used to keep track of select value, ant design select doesn't except a ref */}\n \n option.value?.toLowerCase().indexOf(inputValue?.toLowerCase()) !== -1}\n options={options}\n onSelect={(val) => onSelect(val)}\n popupClassName=\"COABuilder__Select__Dropdown\"\n />\n {!isEditing && ({inputRef.current?.value} )}\n
\n {isEditing && (\n
\n )}\n {!isEditing && (\n <>\n
\n \n
\n {isHovered && (\n
\n
\n
\n )}\n >\n )}\n
\n\n );\n}\n","import React, { useState } from \"react\";\nimport { Draggable } from \"react-beautiful-dnd\";\n// import DragClose from \"../../../../../../assets/images/product/template/DragClose.png\";\nimport \"./Draggable.css\";\nimport \"./COABuilderDraggable.css\";\nimport COABuilderInput from \"../Center/CustomCOABuilderCenter/Inputs/COABuilderInput\";\nimport COABuilderSelect from \"../Center/CustomCOABuilderCenter/Inputs/COABuilderSelect\";\n\nexport default function COABuilderDraggable({\n deleteInput = () => { },\n dataFieldOptions = [],\n index,\n input,\n setRef,\n}) {\n const [isEditing, setIsEditing] = useState(false);\n\n const isDataField = input.flag !== \"0\";\n\n const handleDelete = (e) => {\n if (e) {\n e.stopPropagation();\n }\n deleteInput(index);\n };\n\n const toggleEdit = (e) => {\n if (e) {\n e.stopPropagation();\n }\n setIsEditing(!isEditing);\n };\n\n return (\n
\n {(provided) => (\n \n {input.flag === \"1\" ? (\n setRef(index, inputElem)}\n options={dataFieldOptions.map((val) => ({ label: val, value: val }))}\n defaultValue={input.defaultValue || undefined}\n label={input.fieldName}\n handleDelete={handleDelete}\n isEditing={isEditing}\n toggleEdit={toggleEdit}\n />\n ) : (\n setRef(index, inputElem)}\n defaultValue={input.defaultValue || undefined}\n label={isDataField ? input.fieldName : undefined}\n handleDelete={handleDelete}\n isEditing={isEditing}\n toggleEdit={toggleEdit}\n isTextArea={input.type === \"largeTextBox\"}\n />\n )}\n
\n )}\n \n );\n}\n","var _g, _defs;\nfunction _extends() { _extends = Object.assign ? Object.assign.bind() : 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); }\nimport React from \"react\";\nconst SvgDeleteSectionIcon = _ref => {\n let {\n svgRef,\n title,\n ...props\n } = _ref;\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n width: 24,\n height: 24,\n viewBox: \"0 0 24 24\",\n fill: \"none\",\n ref: svgRef\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", null, title) : null, _g || (_g = /*#__PURE__*/React.createElement(\"g\", {\n id: \"Close=Close, Type=Filled\",\n clipPath: \"url(#clip0_1028_6109)\"\n }, /*#__PURE__*/React.createElement(\"g\", {\n id: \"Group\"\n }, /*#__PURE__*/React.createElement(\"path\", {\n id: \"Vector\",\n d: \"M12 22C6.477 22 2 17.523 2 12C2 6.477 6.477 2 12 2C17.523 2 22 6.477 22 12C22 17.523 17.523 22 12 22ZM12.3536 10.2323C12.1583 10.4276 11.8417 10.4276 11.6464 10.2323L9.52555 8.11068C9.3303 7.91536 9.01367 7.91533 8.81838 8.11062L8.11062 8.81838C7.91533 9.01367 7.91536 9.3303 8.11068 9.52555L10.2323 11.6464C10.4276 11.8417 10.4276 12.1583 10.2323 12.3536L8.11068 14.4744C7.91536 14.6697 7.91533 14.9863 8.11062 15.1816L8.81838 15.8894C9.01367 16.0847 9.3303 16.0846 9.52555 15.8893L11.6464 13.7677C11.8417 13.5724 12.1583 13.5724 12.3536 13.7677L14.4744 15.8893C14.6697 16.0846 14.9863 16.0847 15.1816 15.8894L15.8894 15.1816C16.0847 14.9863 16.0846 14.6697 15.8893 14.4744L13.7677 12.3536C13.5724 12.1583 13.5724 11.8417 13.7677 11.6464L15.8893 9.52555C16.0846 9.3303 16.0847 9.01367 15.8894 8.81838L15.1816 8.11062C14.9863 7.91533 14.6697 7.91536 14.4744 8.11068L12.3536 10.2323Z\",\n fill: \"#758AB9\"\n })))), _defs || (_defs = /*#__PURE__*/React.createElement(\"defs\", null, /*#__PURE__*/React.createElement(\"clipPath\", {\n id: \"clip0_1028_6109\"\n }, /*#__PURE__*/React.createElement(\"rect\", {\n width: 24,\n height: 24,\n fill: \"white\"\n })))));\n};\nconst ForwardRef = /*#__PURE__*/React.forwardRef((props, ref) => /*#__PURE__*/React.createElement(SvgDeleteSectionIcon, _extends({\n svgRef: ref\n}, props)));\nexport default __webpack_public_path__ + \"static/media/deleteSectionIcon.264d82a3.svg\";\nexport { ForwardRef as ReactComponent };","import React from \"react\";\nimport TemplateBuilderDroppable from \"../../DragAndDrop/TemplateBuilderDroppable\";\nimport COABuilderDraggable from \"../../DragAndDrop/COABuilderDraggable\";\nimport \"./COABuilderDroppableSection.css\";\n\nexport default function COABuilderDroppableSection({\n inputs,\n deleteInput,\n droppableId,\n sectionPart,\n setRef,\n dataFieldToValuesMap,\n}) {\n const getDroppableStyle = (snapshot) => ({\n background: snapshot.isDraggingOver ? \"#F6F8FA\" : \"unset\",\n });\n\n return (\n
\n {inputs.map((input, index) => (\n deleteInput(i, sectionPart)}\n index={index}\n setRef={(i, inputElem) => setRef(sectionPart, i, inputElem)}\n dataFieldOptions={input.flag === \"1\" ? dataFieldToValuesMap[input.jsonField] ?? [] : undefined}\n />\n ))}\n \n );\n}\n","import React, { useState } from \"react\";\nimport COABuilderDroppableSection from \"./COABuilderDroppableSection\";\nimport { ReactComponent as DeleteIcon } from \"../../../../../../../assets/images/product/template/deleteSectionIcon.svg\";\nimport \"./COABuilderSection.css\";\n\nexport default function COABuilderSection(props) {\n const {\n section,\n sectionIndex,\n setSectionInputs,\n handleTemplateDataFieldsChange,\n selectedReports,\n handleSectionDelete,\n } = props;\n const { inputs } = section;\n\n const [showDelete, setShowDelete] = useState(false);\n\n /**\n * Delete input from section\n * @param {Number} index index of input in section part\n * @param {String} sectionPart \"left\" or \"right\"\n */\n const deleteInput = (index, sectionPart) => {\n const inputsObject = { ...inputs };\n let removedDataField = null;\n if (sectionPart === \"left\") {\n removedDataField = inputsObject.left.splice(index, 1)[0];\n } else {\n removedDataField = inputsObject.right.splice(index, 1)[0];\n }\n setSectionInputs(sectionIndex, inputsObject, false, { action: \"delete\", flag: removedDataField.flag, value: removedDataField.value }, false);\n if (removedDataField.flag !== \"0\") {\n handleTemplateDataFieldsChange(\"delete\", removedDataField.flag, removedDataField.fieldName);\n }\n };\n\n /**\n * Update section's inputs object with DOM node of input\n * @param {String} sectionPart \"left\" or \"right\"\n * @param {Number} index index of input in section part\n * @param {HTMLElement} input\n */\n const setRef = (sectionPart, index, input) => {\n const inputsObject = { ...inputs };\n inputsObject[sectionPart][index].ref = input;\n setSectionInputs(sectionIndex, inputsObject);\n };\n\n return (\n
setShowDelete(true)}\n onMouseLeave={() => setShowDelete(false)}\n >\n {showDelete && (
handleSectionDelete(e, section)} />)}\n \n \n {inputs.left.length < 1 && inputs.right.length < 1 && (\n \n It’s looking empty! \n Drag and drop fields here to add details \n
\n )}\n \n );\n}\n","import React from \"react\";\nimport COABuilderImageWithText from \"./COABuilderImageWithText\";\nimport \"./COABuilderSignature.css\";\n\nexport default function COABuilderSignature({ selectedTemplate, handleBuilderFile }) {\n const {\n designation, signed_by, signature_image_url, statement_inputs,\n } = selectedTemplate;\n return (\n
\n {statement_inputs.map(({ title, value }, i) => {\n if (title === \"signature\") {\n return (\n \n );\n }\n return ({value} );\n })}\n
\n );\n}\n","import React from \"react\";\nimport \"./COABuilderTestReportSection.css\";\nimport \"./COABuilderSection.css\";\n\nexport default function COABuilderTestReportSection({ sample }) {\n const { sample_id, test_results } = sample;\n const testResults = test_results.length ? test_results : [{\n test: \"-\", test_method: \"-\", test_spec: \"-\", test_result: \"-\",\n }];\n return (\n
\n
{`Sample ID : ${sample_id}`} \n
\n \n \n Test Method \n Test \n Specification \n Result \n \n {testResults.map(({\n test, test_result, test_spec, test_method,\n }, i) => (\n \n {test_method ?? \"\"} \n {test} \n {test_spec} \n {test_result} \n \n ))}\n \n
\n
\n );\n}\n","import React from \"react\";\nimport { calculateWidths } from \"../../../PDF/pdfUtils\";\nimport \"./COABuilderSampleReportSection.css\";\nimport \"./COABuilderSection.css\";\n\nexport default function COABuilderSampleReportSection({ samples, uniqueTests }) {\n const samplesList = samples.map(({ sample_id, test_results }) => ({\n sample_id,\n test_results,\n }));\n\n return (\n
\n
\n \n \n Sample ID \n {uniqueTests.filter(({ selected }) => selected).map(({ test }, i) => (\n {test} \n ))}\n \n {samplesList.map(({ sample_id, test_results }, i) => (\n \n \n {sample_id} \n \n {uniqueTests.filter(({ selected }) => selected).map(({ test }, j) => {\n const matchingTestResult = test_results.find((result) => result.test === test);\n return (\n \n {matchingTestResult ? matchingTestResult.test_result : \"-\"} \n \n );\n })}\n \n ))}\n \n
\n
\n );\n}\n","import React from \"react\";\nimport COABuilderAddSection from \"./COABuilderAddSection\";\nimport \"./COABuilderCenterContent.css\";\nimport COABuilderHeader from \"./COABuilderHeader\";\nimport COABuilderSection from \"./COABuilderSection\";\nimport COABuilderSignature from \"./COABuilderSignature\";\nimport COABuilderTestReportSection from \"./COABuilderTestReportSection\";\nimport COABuilderSampleReportSection from \"./COABuilderSampleReportSection\";\n\nexport default function COABuilderCenterContent({\n sections,\n setSectionInputs,\n handleBuilderFile,\n handleTemplateDataFieldsChange,\n selectedTemplate,\n selectedReports,\n handleCreateSection,\n handleSectionDelete,\n uniqueTests,\n enableTests,\n}) {\n return (\n
\n
\n
\n
Certificate of Analysis \n
\n
\n {sections.map((section, sectionIndex) => (\n \n ))}\n \n {enableTests && }\n {!enableTests && selectedReports.samples.map((sample, i) => (\n \n ))}\n
\n
\n
\n
\n
\n );\n}\n","var _path;\nfunction _extends() { _extends = Object.assign ? Object.assign.bind() : 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); }\nimport React from \"react\";\nconst SvgTemplatePreviewIcon = _ref => {\n let {\n svgRef,\n title,\n ...props\n } = _ref;\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n width: 20,\n height: 20,\n viewBox: \"0 0 20 20\",\n fill: \"none\",\n ref: svgRef\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", null, title) : null, _path || (_path = /*#__PURE__*/React.createElement(\"path\", {\n d: \"M10 20C4.477 20 0 15.523 0 10C0 4.477 4.477 0 10 0C15.523 0 20 4.477 20 10C20 15.523 15.523 20 10 20ZM8.622 6.415C8.56182 6.37485 8.49187 6.35177 8.41961 6.34822C8.34734 6.34467 8.27547 6.36079 8.21165 6.39486C8.14782 6.42893 8.09443 6.47967 8.05716 6.54168C8.01989 6.60369 8.00013 6.67465 8 6.747V13.253C8.00013 13.3253 8.01989 13.3963 8.05716 13.4583C8.09443 13.5203 8.14782 13.5711 8.21165 13.6051C8.27547 13.6392 8.34734 13.6553 8.41961 13.6518C8.49187 13.6482 8.56182 13.6252 8.622 13.585L13.501 10.333C13.5559 10.2965 13.6009 10.247 13.632 10.1889C13.6631 10.1308 13.6794 10.0659 13.6794 10C13.6794 9.93409 13.6631 9.86921 13.632 9.81111C13.6009 9.75302 13.5559 9.70351 13.501 9.667L8.621 6.415H8.622Z\",\n fill: \"#26ABE1\"\n })));\n};\nconst ForwardRef = /*#__PURE__*/React.forwardRef((props, ref) => /*#__PURE__*/React.createElement(SvgTemplatePreviewIcon, _extends({\n svgRef: ref\n}, props)));\nexport default __webpack_public_path__ + \"static/media/TemplatePreviewIcon.81216ddd.svg\";\nexport { ForwardRef as ReactComponent };","import React, { useState } from \"react\";\nimport \"./EditPreviewButton.css\";\nimport { ReactComponent as PreviewIcon } from \"../../../../../../assets/images/product/template/TemplatePreviewIcon.svg\";\nimport { ReactComponent as EditIcon } from \"../../../../../../assets/images/product/template/edit.svg\";\n\nexport default function EditPreviewButton({\n previewTemplate,\n handlePreviewTemplate,\n loadingPreview,\n setLoadingPreview,\n}) {\n const [isHovered, setIsHovered] = useState(false);\n const handlePreviewTemplateClick = () => {\n if (!previewTemplate) {\n setLoadingPreview(true);\n }\n handlePreviewTemplate();\n };\n\n return (\n
setIsHovered(true)}\n onMouseLeave={() => setIsHovered(false)}\n onClick={loadingPreview ? null : handlePreviewTemplateClick}\n // disabled={loadingPreview}\n >\n {isHovered && (\n {previewTemplate ? \"Edit\" : \"Preview\"} \n )}\n {previewTemplate ? : }\n \n );\n}\n","import React, { useEffect, useRef, useState } from \"react\";\nimport \"./TemplateBuilderInput.css\";\n\nexport default function TemplateBuilderInput({\n id,\n placeholder,\n setRef,\n maxLength,\n readOnly = false,\n disabled = false,\n defaultValue,\n value,\n isTextArea = false,\n label,\n inputClassName = \"\",\n hasError,\n onChange,\n}) {\n const inputRef = useRef();\n const [showLabel, setShowLabel] = useState(label && (value || defaultValue));\n const [focusLabel, setFocusLabel] = useState();\n\n /**\n * On mount, set ref of input\n */\n useEffect(() => {\n if (setRef) {\n setRef(inputRef.current);\n }\n }, []); // eslint-disable-line\n\n const onChangeInternal = (val) => {\n if (label) {\n setShowLabel(val.length > 0);\n }\n if (onChange) {\n onChange(val);\n }\n };\n\n if (isTextArea) {\n return (\n
\n );\n }\n\n return (\n
\n {showLabel && (\n \n {label}\n \n )}\n onChangeInternal(e.target.value))}\n onFocus={() => {\n if (label) {\n setFocusLabel(true);\n }\n }}\n onBlur={() => {\n if (label) {\n setFocusLabel(false);\n }\n }}\n />\n
\n\n );\n}\n","import React, { useState } from \"react\";\nimport { validatePhoneNumber } from \"../../../../../../../Common/utils/validationUtils\";\nimport TemplateBuilderInput from \"./TemplateBuilderInput\";\n\nexport default function NumberInput({\n id, placeholder, label, setRef, defaultValue,\n}) {\n const [valid, setValid] = useState(true);\n\n // const formatValue = (str) => {\n // const numStr = str.split(\"\").filter((ele) => ele >= \"0\" && ele <= \"9\").join(\"\");\n // return `${numStr.slice(0, 3)}-${numStr.slice(3, 6)}-${numStr.slice(6)}`;\n // };\n\n const onChange = (value) => {\n if (!value.trim() || validatePhoneNumber(value)) {\n setValid(true);\n return;\n }\n setValid(false);\n };\n\n return (\n
\n );\n}\n","import React, { useState, useRef, useEffect } from \"react\";\n\nimport { toast } from \"react-toastify\";\n\n// import AddFileIcon from \"../../../../../assets/images/product/plusMidnight.png\";\nimport { getFileFromS3WithPresigned } from \"../../../../../../../utils/helpers\";\n\nimport AddFileIcon from \"../../../../../../../assets/images/product/template/PlusBlue.png\";\nimport Remove from \"../../../../../../../assets/images/product/template/Remove.png\";\nimport RemoveDark from \"../../../../../../../assets/images/product/template/RemoveDark.png\";\n\nimport \"./UploadImage.css\";\n\nexport default function UploadImage({\n handleBuilderFile, title, id, imagePath,\n}) {\n const [image, setImage] = useState(null);\n const [hover, setHover] = useState(null);\n const companyLogoInput = useRef();\n\n /**\n * if imagePath exists, load from aws and handleBuilderFile (needed for edit template)\n */\n useEffect(() => {\n const loadImage = async () => {\n if (imagePath) {\n const name = imagePath.split(\"/\").pop();\n const fileBlobObj = await getFileFromS3WithPresigned([imagePath], \"private\");\n const blob = fileBlobObj[imagePath];\n const previewURL = URL.createObjectURL(blob);\n setImage(previewURL);\n const file = new File([blob], name);\n handleBuilderFile({\n file, name, title, wasEdited: false,\n });\n }\n };\n\n loadImage();\n }, [imagePath]); // eslint-disable-line\n\n const handleUploadedFiles = (e) => {\n const filesUploaded = Array.from(e.target.files);\n const file = filesUploaded[0];\n const supportedExtensions = [\"jpg\", \"jpeg\", \"png\"];\n const extension = file.type.split(\"/\").pop();\n let fileName = file.name;\n if (supportedExtensions.includes(extension)) {\n let dotIndex;\n for (let i = fileName.length - 1; i >= 0; i--) {\n if (fileName[i] === \".\") {\n dotIndex = i;\n break;\n }\n }\n fileName = fileName.substring(0, dotIndex);\n const previewURL = URL.createObjectURL(file);\n setImage(previewURL);\n const fileObj = {\n file, name: fileName, title, wasEdited: true,\n };\n handleBuilderFile(fileObj);\n } else {\n toast.error(`File type not supported: ${extension}`);\n }\n };\n\n const handleAddFile = () => {\n companyLogoInput.current.click();\n companyLogoInput.current.addEventListener(\"change\", handleUploadedFiles);\n };\n\n const removeImage = (e) => {\n e.stopPropagation();\n const fileObj = {\n file: null, name: \"\", title, wasEdited: true,\n };\n setImage(null);\n handleBuilderFile(fileObj);\n };\n\n return (\n
\n
setHover(true)}\n onMouseLeave={() => setHover(false)}\n className={`TemplateBuilder__LogoContainer${image ? \"\" : \"--noImage\"}`}\n onClick={!image ? handleAddFile : null}\n >\n {image && (\n
\n
\n
removeImage(e)} />\n
\n )}\n {!image\n && (\n <>\n
\n
\n
{title} \n >\n )}\n
\n
\n );\n}\n","import React from \"react\";\nimport NumberInput from \"./Inputs/NumberInput\";\nimport UploadImage from \"./UploadImage\";\nimport TemplateBuilderInput from \"./Inputs/TemplateBuilderInput\";\n// import AcrossAllInput from \"./AcrossAllInput\";\nimport \"./DetailsContent.css\";\n\nexport default function DetailsContent({\n handleBuilderFile, sectionIndex, setSectionInputs, inputs,\n}) {\n const {\n logo_image_url, company_name, company_address, phone_number, fax_number,\n } = inputs;\n const setRef = (id, input) => {\n const inputsObject = { ...inputs };\n inputsObject[id].ref = input;\n setSectionInputs(sectionIndex, inputsObject, true, null, false);\n };\n return (\n
\n
\n \n
\n
\n
\n Company details \n setRef(\"company_name\", input)}\n />\n setRef(\"company_address\", input)}\n />\n
\n
\n Contact details \n setRef(\"phone_number\", input)}\n />\n setRef(\"fax_number\", input)}\n />\n
\n {/*
*/}\n
\n
\n );\n}\n","import React from \"react\";\nimport DragIndicator from \"../../../../../../assets/images/product/template/DragIndicator.png\";\nimport \"./Draggable.css\";\n\nexport default function DragHandle({ dragHandleProps }) {\n return (\n
\n );\n}\n","import React, { useState } from \"react\";\nimport { Draggable } from \"react-beautiful-dnd\";\nimport DragClose from \"../../../../../../assets/images/product/template/DragClose.png\";\nimport \"./Draggable.css\";\nimport \"./SectionInputDraggable.css\";\nimport TemplateBuilderInput from \"../Center/TemplateBuilderCenter/Inputs/TemplateBuilderInput\";\nimport DragHandle from \"./DragHandle\";\n\nexport default function SectionInputDraggable(props) {\n const {\n deleteInput = () => { },\n index,\n input,\n setTextBoxRef,\n } = props;\n\n const [showCloseIcon, setShowCloseIcon] = useState(false);\n\n const isDataField = input.flag !== \"0\";\n\n return (\n
\n {(provided) => (\n setShowCloseIcon(true)}\n onBlur={() => setShowCloseIcon(false)}\n onMouseEnter={() => setShowCloseIcon(true)}\n onMouseLeave={() => setShowCloseIcon(false)}\n >\n
\n
setTextBoxRef(index, inputElem) : undefined}\n isTextArea={input.type === \"largeTextBox\"}\n inputClassName={isDataField ? \"SectionInput__Datafield\" : \"\"}\n id={`TemplateBuilderInput_${input.id}`}\n />\n {showCloseIcon && (\n deleteInput(index)}\n alt=\"close icon\"\n className={`Draggable__CloseIcon${input.type === \"largeTextBox\" ? \"--largeInput\" : \"\"}`}\n />\n )}\n \n )}\n \n );\n}\n","import React from \"react\";\nimport TemplateBuilderDroppable from \"../../DragAndDrop/TemplateBuilderDroppable\";\nimport SectionInputDraggable from \"../../DragAndDrop/SectionInputDraggable\";\n\nexport default function DroppableSection(props) {\n const {\n inputs,\n deleteInput,\n droppableId,\n sectionPart,\n setTextBoxRef,\n } = props;\n\n const getDroppableStyle = (snapshot) => ({\n background: snapshot.isDraggingOver ? \"#dff5fd\" : \"unset\",\n padding: \"10px\",\n borderRadius: \"4px\",\n });\n\n const renderDraggable = (input, index) => {\n let type = input.id.includes(\"TextBox\") ? \"TextBox\" : \"datafield\";\n if (type === \"TextBox\") {\n type = input.id.includes(\"large\") ? \"largeTextBox\" : \"smallTextBox\";\n }\n\n return (\n
deleteInput(i, sectionPart)}\n type={type}\n index={index}\n setTextBoxRef={(i, inputElem) => setTextBoxRef(sectionPart, i, inputElem)}\n />\n );\n };\n const list = inputs[sectionPart];\n const classNameSection = sectionPart === \"left\" ? \"sectionContentInputsOne\" : \"sectionContentInputsTwo\";\n return (\n \n \n {list.map((input, index) => renderDraggable(input, index))}\n \n
\n );\n}\n","import React from \"react\";\nimport DroppableSection from \"./DroppableSection\";\n\nexport default function SectionContent(props) {\n const {\n dataFields, sectionIndex, inputs, setSectionInputs, handleTemplateDataFieldsChange,\n } = props;\n\n /**\n * Delete input from section\n * @param {Number} index index of input in section part\n * @param {String} sectionPart \"left\" or \"right\"\n */\n const deleteInput = (index, sectionPart) => {\n const inputsObject = { ...inputs };\n let removedDataField = null;\n removedDataField = inputsObject[sectionPart].splice(index, 1)[0];\n setSectionInputs(sectionIndex, inputsObject, false, { action: \"delete\", flag: removedDataField.flag, value: removedDataField.value }, false);\n if (removedDataField.flag !== \"0\") {\n handleTemplateDataFieldsChange(\"delete\", removedDataField.flag, removedDataField.fieldName);\n }\n };\n\n /**\n * Update section's inputs object with DOM node of input\n * @param {String} sectionPart \"left\" or \"right\"\n * @param {Number} index index of input in section part\n * @param {HTMLElement} input\n */\n const setTextBoxRef = (sectionPart, index, input) => {\n const inputsObject = { ...inputs };\n inputsObject[sectionPart][index].ref = input;\n setSectionInputs(sectionIndex, inputsObject, false, null, false);\n };\n return (\n \n
\n
\n
\n {inputs.left.length < 1 && inputs.right.length < 1 && (\n
\n It’s looking empty! \n Drag and drop fields here to add details \n
\n )}\n
\n
\n );\n}\n","import React from \"react\";\nimport { Draggable } from \"react-beautiful-dnd\";\nimport UploadImage from \"../Center/TemplateBuilderCenter/UploadImage\";\nimport \"./StatementSignatureDraggable.css\";\nimport \"./Draggable.css\";\nimport TemplateBuilderInput from \"../Center/TemplateBuilderCenter/Inputs/TemplateBuilderInput\";\nimport DragHandle from \"./DragHandle\";\n\nexport default function StatementSignatureDraggable(props) {\n const {\n index,\n handleBuilderFile,\n inputs,\n sectionIndex,\n setSectionInputs,\n } = props;\n\n const { signature_image_url, signed_by, designation } = inputs[index];\n\n const setRef = (id, input) => {\n const inputsCopy = [...inputs];\n inputsCopy[index][id].ref = input;\n setSectionInputs(sectionIndex, inputs, true, null, false);\n };\n\n return (\n \n {(provided) => (\n \n
\n
\n
\n setRef(\"signed_by\", input)}\n />\n setRef(\"designation\", input)}\n />\n
\n
\n )}\n \n );\n}\n","import React from \"react\";\nimport TemplateBuilderDroppable from \"../../DragAndDrop/TemplateBuilderDroppable\";\nimport SectionInputDraggable from \"../../DragAndDrop/SectionInputDraggable\";\nimport StatementSignatureDraggable from \"../../DragAndDrop/StatementSignatureDraggable\";\nimport \"./StatementCardContent.css\";\n\nexport default function StatementCardContent(props) {\n const {\n handleBuilderFile,\n inputs,\n sectionIndex,\n setSectionInputs,\n } = props;\n\n const deleteInput = (index) => {\n const inputsObject = [...inputs];\n inputsObject.splice(index, 1);\n setSectionInputs(sectionIndex, inputsObject, true, null, false);\n };\n\n /**\n * Update section's inputs object with DOM node of input\n * @param {Number} index index of input in section\n * @param {HTMLElement} input\n */\n const setTextBoxRef = (index, input) => {\n const inputsObject = [...inputs];\n inputsObject[index].ref = input;\n setSectionInputs(sectionIndex, inputsObject, true, null, false);\n };\n\n const getDroppableStyle = (snapshot) => ({\n background: snapshot.isDraggingOver ? \"#dff5fd\" : \"unset\",\n });\n\n return (\n \n \n {inputs.map((input, index) => {\n if (input.isSignature) {\n return (\n \n );\n }\n return (\n \n );\n })}\n \n
\n );\n}\n","import React from \"react\";\nimport DetailsContent from \"./DetailsContent\";\nimport SectionContent from \"./SectionContent\";\nimport StatementCardContent from \"./StatementCardContent\";\n// import TestReportContent from \"./TestReportContent\";\n// import chevronDown from \"../../../../../../assets/images/product/template/ChevronDownBlue.png\";\n// import chevronUp from \"../../../../../../assets/images/product/template/ChevronUpBlue.png\";\n// import lockIcon from \"../../../../../assets/images/product/lockIconMidnight.png\";\nimport lockIcon from \"../../../../../../../assets/images/product/template/LockIconGrey.png\";\n// import dragIconMidnight from \"../../../../../assets/images/product/dragIndicatorMidnight.png\";\nimport \"./builderSection.css\";\n\nexport default function BuilderSection(props) {\n const {\n handleSectionSelect,\n section,\n sectionIndex,\n dataFields,\n sectionRefs,\n handleBuilderFile,\n handleTemplateDataFieldsChange,\n setSectionInputs,\n } = props;\n\n // const [isExpanded, setIsExpanded] = useState(section.expanded);\n\n // const toggleSection = () => {\n // setIsExpanded(!isExpanded);\n // };\n\n const addRef = (element) => {\n sectionRefs.current[section.title] = element;\n };\n\n // if (section.active && !isExpanded) {\n // setIsExpanded(true);\n // }\n let sectionCardClassName = \"TemplateBuilder__SectionCard\";\n if (section.active) {\n sectionCardClassName += \" inEdit\";\n }\n // if (!isExpanded) {\n // sectionCardClassName += \" cardHeaderCollapsed\";\n // }\n return (\n // \n
{\n handleSectionSelect(section);\n }}\n >\n
\n
\n
\n
\n {/* {section.active &&
} */}\n
\n {/*
*/}\n
\n
addRef(element)}\n >\n {section.title === \"My details\"\n && (\n \n )}\n {section.title.startsWith(\"New\")\n && (\n \n )}\n {/* {section.title === \"Test reports\"\n && } */}\n {section.title === \"Statement card\"\n && (\n \n )}\n
\n
\n );\n}\n","import React from \"react\";\nimport \"./COAPlaceholderSection.css\";\n\nexport default function COAPlaceholderSection() {\n return (\n
\n Certificate of Analysis \n This space will be filled by test reports and data fields when creating the customized report. \n
\n );\n}\n","import React from \"react\";\nimport BuilderSection from \"./BuilderSection\";\nimport COAPlaceholderSection from \"./COAPlaceholderSection\";\nimport \"../TemplateBuilderCenter.css\";\n\nexport default function TemplateBuilderCenterContent(props) {\n const {\n dataFields,\n handleSectionSelect,\n sections,\n sectionsFixed,\n sectionRefs,\n setSectionInputs,\n handleBuilderFile,\n handleTemplateDataFieldsChange,\n } = props;\n return (\n
\n );\n}\n","import React, { useState } from \"react\";\nimport Scrollbar from \"react-scrollbars-custom\";\nimport BuilderPreview from \"../Preview/BuilderPreview\";\nimport COABuilderCenterContent from \"./CustomCOABuilderCenter/COABuilderCenterContent\";\nimport EditPreviewButton from \"./EditPreviewButton\";\nimport \"./TemplateBuilderCenter.css\";\nimport TemplateBuilderCenterContent from \"./TemplateBuilderCenter/TemplateBuilderCenterContent\";\n\nexport default function TemplateBuilderCenter(props) {\n const {\n previewTemplate,\n handlePreviewTemplate,\n dataFields,\n handleSectionSelect,\n sections,\n sectionsFixed,\n sectionRefs,\n setSectionInputs,\n handleBuilderFile,\n handleTemplateDataFieldsChange,\n inputsPayload,\n isCustomizingCoa,\n selectedTemplate,\n selectedReports,\n handleCreateSection,\n handleSectionDelete,\n uniqueTests,\n enableTests,\n } = props;\n const [loadingPreview, setLoadingPreview] = useState(false);\n return (\n
\n
\n {previewTemplate && (\n
\n )}\n
\n \n {isCustomizingCoa ? (\n \n ) : (\n \n )}\n \n
\n
\n\n );\n}\n","import React, { useState } from \"react\";\nimport SearchIconSmall from \"../../../../../assets/images/product/template/SearchGreyLarge.png\";\nimport CloseIcon from \"../../../../../assets/images/product/template/closeGrey.png\";\n\nexport default function TemplateSectionSearch(props) {\n const {\n toggleShowSearch,\n handleSubmitSearch,\n disableClose,\n isCustomizeCoa,\n searchValuePrent,\n } = props;\n\n const [searchValue, setSearchValue] = useState(searchValuePrent);\n const onKeyPress = (e) => {\n if (e.charCode === 13) {\n handleSubmitSearch(searchValue);\n }\n };\n\n const onChange = (e) => {\n setSearchValue(e.target.value);\n if (!e.target.value) {\n handleSubmitSearch(\"\");\n }\n };\n\n return (\n
\n
\n
\n
handleSubmitSearch(searchValue)} className=\"searchIconSmall\" />\n
\n {!disableClose && (
)}\n
\n );\n}\n","import React from \"react\";\nimport CloseIcon from \"../../../../../assets/images/product/template/CloseIconBlue.png\";\n\nexport default function CreateFieldModalHeader(props) {\n const { toggleShowCreateFieldModal } = props;\n return (\n
\n
\n
\n
\n );\n}\n","import React, { useState } from \"react\";\n\nexport default function DataFieldEditCard(props) {\n const {\n isCommonDataField,\n prevTitleValue,\n prevDetailsValue,\n onSaveClick,\n onDeleteClick,\n onCancelClick,\n } = props;\n const [titleValue, setTitleValue] = useState(prevTitleValue || \"\");\n const [detailsValue, setDetailsValue] = useState(prevDetailsValue || \"\");\n\n const onTitleChange = (e) => {\n setTitleValue(e.target.value);\n };\n\n const onDetailsChange = (e) => {\n setDetailsValue(e.target.value);\n };\n\n return (\n
\n
\n
\n Title* \n
\n
\n\n
\n Details \n
\n
\n
\n
\n {(isCommonDataField && !prevTitleValue)\n ? (\n \n Cancel\n \n )\n : (\n \n Delete\n \n )}\n onSaveClick(isCommonDataField ? titleValue : detailsValue)}\n >\n Save\n \n
\n
\n );\n}\n","import React, { useState, useEffect } from \"react\";\nimport Scrollbar from \"react-scrollbars-custom\";\nimport { toast } from \"react-toastify\";\nimport DataFieldEditCard from \"./DataFieldEditCard\";\nimport \"../styles/createFieldModal.css\";\n\n// import ModalButtons from \"./ModalButtons\";\nimport TemplateSectionSearch from \"../Common/TemplateSectionSearch\";\nimport SearchIcon from \"../../../../../assets/images/product/template/SearchBlueIcon.png\";\nimport BackIcon from \"../../../../../assets/images/product/template/BackArrowLightBlue.png\";\nimport EditIcon from \"../../../../../assets/images/product/template/EditPencilLightBlue.png\";\n\nimport {\n getProducts,\n getDataField,\n manageDataFields,\n} from \"../../../../../actions/productTemplate\";\n\nexport default function CreateFieldModalRight(props) {\n const [isLoading, setIsLoading] = useState(true);\n const [showSearchBar, setShowSearchBar] = useState(false);\n const [productsList, setProductsList] = useState([]);\n const [fieldsTitlesAndDetailsList, setFieldsTitlesAndDetailsList] = useState([]);\n const [productInEdit, setProductInEdit] = useState(null);\n const [fieldTitleInEdit, setFieldTitleInEdit] = useState(\"\");\n const [fieldDetailsInEdit, setFieldDetailsInEdit] = useState(\"\");\n\n const { commonDataFieldInEdit, setProductDataFieldInEdit, dataFieldCategory } = props;\n\n const apiGetProducts = async () => {\n const response = await getProducts();\n setIsLoading(false);\n if (response && response.success) {\n let products = [];\n if (response.result && response.result.length > 0) {\n products = response.result;\n }\n\n setProductsList(products);\n } else {\n toast.error(\"Failed to get products.\");\n }\n };\n\n useEffect(() => {\n apiGetProducts(\"\");\n }, []);\n\n const apiSearchProducts = async (searchValue) => {\n const params = { search: searchValue };\n const response = await getProducts(params);\n if (response && response.success) {\n setProductsList(response.result);\n } else {\n toast.error(\"Failed to search products.\");\n }\n };\n\n const apiGetDataFieldDetails = async (productId) => {\n if (!productId) {\n toast.error(\"Invalid product ID sent.\");\n return null;\n }\n const params = { product_id: productId, category: dataFieldCategory };\n const response = await getDataField(params);\n if (response && response.success) {\n if (response.result) {\n return response.result;\n }\n toast.error(response.message);\n } else {\n toast.error(\"Failed to get data field details.\");\n }\n return false;\n };\n\n const apiEditDataFieldDetails = async (detailsValue) => {\n const params = {\n field_name: fieldTitleInEdit,\n field_details: detailsValue,\n product_id: productInEdit.product_id,\n action: \"edit\",\n method: \"PATCH\",\n category: dataFieldCategory,\n };\n const response = await manageDataFields(params);\n if (response && response.success) {\n if (response.message.startsWith(\"Success\")) {\n return true;\n }\n toast.error(response.message);\n } else {\n toast.error(\"Failed to edit product.\");\n }\n return false;\n };\n\n const apiDeleteDataField = async () => {\n const params = {\n field_name: fieldTitleInEdit,\n product_id: productInEdit.product_id,\n action: \"delete\",\n method: \"PATCH\",\n category: dataFieldCategory,\n };\n const response = await manageDataFields(params);\n if (response && response.success) {\n if (response.message === \"Success\") {\n return true;\n }\n toast.error(response.message);\n } else {\n toast.error(\"Failed to delete data field.\");\n }\n return false;\n };\n\n const toggleShowSearchBar = (show) => {\n if (!show && showSearchBar) {\n apiSearchProducts(\"\");\n }\n setShowSearchBar(show);\n };\n\n const handleSubmitSearch = (value) => {\n apiSearchProducts(value);\n };\n\n const handleViewFieldsForProduct = async (product) => {\n if (commonDataFieldInEdit) {\n toast.error(\"Please save the current change first\");\n } else {\n setProductDataFieldInEdit(true);\n const fields = await apiGetDataFieldDetails(product.product_id);\n if (fields) {\n setFieldsTitlesAndDetailsList(fields);\n setProductInEdit(product);\n }\n }\n };\n\n const resetAfterEdit = () => {\n setFieldTitleInEdit(\"\");\n setFieldDetailsInEdit(\"\");\n };\n\n const handleEditFieldDetail = (field) => {\n setFieldTitleInEdit(field.field_name);\n setFieldDetailsInEdit(field.field_details);\n };\n\n const handleGoBack = () => {\n setProductDataFieldInEdit(false);\n setProductInEdit(null);\n resetAfterEdit();\n setFieldsTitlesAndDetailsList([]);\n };\n\n const handleSaveFieldDetails = async (detailsValue) => {\n const success = await apiEditDataFieldDetails(detailsValue);\n if (success) {\n resetAfterEdit();\n const fields = await apiGetDataFieldDetails(productInEdit.product_id);\n if (fields) {\n setFieldsTitlesAndDetailsList(fields);\n }\n }\n };\n\n const handleDeleteField = async () => {\n const success = await apiDeleteDataField();\n if (success) {\n resetAfterEdit();\n const fields = await apiGetDataFieldDetails(productInEdit.product_id);\n if (fields) {\n setFieldsTitlesAndDetailsList(fields);\n }\n }\n };\n\n if (isLoading) {\n return <>>;\n }\n\n return (\n
\n {\n !productInEdit && (\n
\n
\n
\n
Products \n {!showSearchBar\n && (\n
toggleShowSearchBar(true)}\n className=\"searchIcon\"\n />\n ) }\n
\n\n
View and edit data fields corresponding to the product \n
\n {showSearchBar && (\n
\n toggleShowSearchBar(false)}\n />\n
\n )}\n
\n
\n \n {productsList && productsList.map((product, i) => (\n
handleViewFieldsForProduct(product)} key={i}>\n {product.product_name}\n
\n ))}\n
\n \n
\n
\n )\n }\n\n {productInEdit\n && (\n
\n
\n
\n
\n {productInEdit.product_name}\n \n
\n\n
\n {fieldTitleInEdit && (\n <>\n \n
\n >\n )}\n \n {fieldsTitlesAndDetailsList.map((field, i) => {\n if (field.field_name === fieldTitleInEdit) {\n return null;\n }\n return (\n
handleEditFieldDetail(field)}>\n
\n
\n {field.field_name}\n \n
\n\n
\n
\n
{ field.field_details }
\n
\n
\n );\n })}\n
\n \n
\n )}\n
\n );\n}\n","import React, { useEffect, useState } from \"react\";\nimport { toast } from \"react-toastify\";\nimport Scrollbar from \"react-scrollbars-custom\";\n\nimport DataFieldEditCard from \"./DataFieldEditCard\";\nimport PlusIcon from \"../../../../../assets/images/product/template/PlusBlue.png\";\nimport ProfileIcon from \"../../../../../assets/images/product/template/userProfileLightBlue.png\";\nimport \"../styles/createFieldModal.css\";\n\nimport {\n getDataField,\n manageDataFields,\n} from \"../../../../../actions/productTemplate\";\n\nexport default function CreateFieldModalLeft(props) {\n const [isLoading, setIsLoading] = useState(true);\n const [isAdding, setIsAdding] = useState(false);\n const [fieldTitleInEdit, setFieldTitleInEdit] = useState(\"\");\n const [hasFields, setHasFields] = useState(false);\n const [fieldsTitlesList, setFieldsTitlesList] = useState([]);\n\n const { productDataFieldInEdit, setCommonDataFieldInEdit, dataFieldCategory } = props;\n\n const apiGetDataFields = async () => {\n const response = await getDataField({ category: dataFieldCategory });\n setIsLoading(false);\n if (response && response.success) {\n let fieldsNames = [];\n if (response.result && response.result.length) {\n fieldsNames = response.result;\n }\n\n setFieldsTitlesList(fieldsNames);\n setHasFields(fieldsNames.length > 0);\n } else {\n toast.error(\"Failed to get data fields.\");\n }\n };\n\n useEffect(() => {\n apiGetDataFields();\n }, []); // eslint-disable-line\n\n const resetAfterEdit = () => {\n setFieldTitleInEdit(\"\");\n setIsAdding(false);\n setCommonDataFieldInEdit(false);\n };\n\n const apiAddDataFieldTitle = async (value) => {\n const params = {\n field_name: value,\n action: \"add\",\n method: \"POST\",\n category: dataFieldCategory,\n };\n const response = await manageDataFields(params);\n if (response && response.success) {\n if (response.message === \"Success\") {\n return true;\n }\n toast.error(response.message);\n } else {\n toast.error(\"Failed to add data field.\");\n }\n return false;\n };\n\n const apiEditDataFieldTitle = async (prevName, newName) => {\n const params = {\n field_name: newName,\n field_name_pre: prevName,\n action: \"edit\",\n method: \"PATCH\",\n category: dataFieldCategory,\n };\n const response = await manageDataFields(params);\n if (response && response.success) {\n if (response.message === \"Success\") {\n return true;\n }\n toast.error(response.message);\n } else {\n toast.error(\"Failed to edit data field name.\");\n }\n return false;\n };\n\n const apiDeleteDataFieldTitle = async () => {\n const params = {\n field_name: fieldTitleInEdit,\n field_in_use: \"0\",\n action: \"delete\",\n method: \"PATCH\",\n category: dataFieldCategory,\n };\n const response = await manageDataFields(params);\n if (response && response.success) {\n if (response.message === \"Success\") {\n return true;\n }\n toast.error(response.message);\n } else {\n toast.error(\"Failed to delete data field.\");\n }\n return false;\n };\n\n const handleSaveFieldTitle = async (value) => {\n let success = false;\n if (fieldTitleInEdit) {\n if (fieldTitleInEdit !== value) {\n // we're editing existing field\n success = await apiEditDataFieldTitle(fieldTitleInEdit, value);\n } else {\n success = true;\n }\n } else {\n // we're adding new field\n success = await apiAddDataFieldTitle(value);\n }\n if (success) {\n resetAfterEdit();\n apiGetDataFields();\n }\n };\n\n const handleDeleteFieldTitle = async () => {\n const success = await apiDeleteDataFieldTitle();\n if (success) {\n resetAfterEdit();\n apiGetDataFields();\n }\n };\n\n const handleAddNewDataField = () => {\n if (productDataFieldInEdit) {\n toast.error(\"Please save the current change first\");\n } else {\n setIsAdding(true);\n setCommonDataFieldInEdit(true);\n }\n };\n\n const handleEditDataField = (titleName) => {\n if (productDataFieldInEdit) {\n toast.error(\"Please save the current change first\");\n } else {\n setFieldTitleInEdit(titleName);\n setCommonDataFieldInEdit(true);\n }\n };\n\n if (isLoading) {\n return <>>;\n }\n\n return (\n
\n {!isAdding && !fieldTitleInEdit && (\n
\n\n
\n
\n
\n
All data fields \n
\n
Data fields created here will be added to all products automatically \n
\n\n {!hasFields && (\n
\n
\n
\n
Add new data field \n
\n
\n )}\n {hasFields && (\n
\n \n
\n
\n
Add new data field \n
\n {fieldsTitlesList && fieldsTitlesList.map((fieldName, i) => (\n
handleEditDataField(fieldName)}\n style={{ width: \"fit-content\", paddingLeft: \"10px\", paddingRight: \"10px\" }}\n >\n {fieldName}\n
\n ))}\n
\n \n )}\n\n
\n
\n )}\n\n {(isAdding || fieldTitleInEdit) && (\n
\n \n { isAdding ? \"Create new data field\" : \"Edit\" }\n \n \n
\n )}\n
\n );\n}\n","import React, { useState } from \"react\";\nimport Modal from \"antd/es/modal/Modal\";\nimport \"../styles/createFieldModal.css\";\nimport CreateFieldModalHeader from \"./CreateFieldModalHeader\";\nimport CreateFieldModalRight from \"./CreateFieldModalRight\";\nimport CreateFieldModalLeft from \"./CreateFieldModalLeft\";\nimport \"./CreateFieldModal.css\";\n\nexport default function CreateFieldModal(props) {\n const { toggleShowCreateFieldModal, dataFieldCategory } = props;\n const [commonDataFieldInEdit, setCommonDataFieldInEdit] = useState(false);\n const [productDataFieldInEdit, setProductDataFieldInEdit] = useState(false);\n return (\n
\n \n \n );\n}\n","import React, { useState } from \"react\";\nimport { Radio } from \"antd\";\nimport SortIconBlue from \"../../../../../../assets/images/product/template/SortIconBlue.png\";\nimport SortIcon from \"../../../../../../assets/images/product/template/SortIcon.png\";\nimport CloseIcon from \"../../../../../../assets/images/product/template/CloseIconBlue.png\";\n\nexport default function DataFieldSort(props) {\n const {\n activeSort,\n showSorting,\n toggleShowSorting,\n handleApplySort,\n isCustomizeCoa,\n } = props;\n\n const [sortValue, setSortValue] = useState(activeSort);\n const sortByArray = [\n \"by Alphabet\",\n \"by Type\",\n // \"by Most common\",\n ];\n\n const handleChangeSort = (sortSelected) => {\n if (sortSelected === sortValue) {\n setSortValue(\"\");\n } else {\n setSortValue(sortSelected);\n }\n };\n\n const handleCloseSort = () => {\n setSortValue(activeSort);\n toggleShowSorting();\n };\n\n const getSortClassName = () => {\n if (isCustomizeCoa) {\n return \"templateBuilderComponentsDataFieldsHeader marginless\";\n }\n if (activeSort) {\n return \"templateBuilderComponentsDataFieldsHeader compact\";\n }\n return \"templateBuilderComponentsDataFieldsHeader\";\n };\n\n if (showSorting) {\n return (\n
\n
\n
\n
\n
Sort \n
\n
\n
\n
\n handleChangeSort(elem.target.value)} value={sortValue}>\n {sortByArray.map((elem, i) => (\n {elem} \n ))}\n \n
\n
\n
handleApplySort(sortValue)}\n >\n Apply\n
\n
\n
\n );\n }\n\n return (\n
\n
{activeSort ? \"\" : \"All data fields\"} \n
\n
\n
{activeSort ? `( ${activeSort} )` : \"Sort\"} \n
\n
\n );\n}\n","import React from \"react\";\n// import userProfileIcon from \"../../../../../../assets/images/product/template/userProfileLightBlue.png\";\n\nexport default function BuilderElement(\n {\n id,\n type,\n value,\n flag,\n // jsonField,\n disable,\n isClone = false,\n provided,\n snapshot,\n },\n) {\n let inputClassName = \"\";\n if (type === \"smallTextBox\" || type === \"largeTextBox\") {\n inputClassName = `templateBuilderTemplateInput ${type}`;\n } else if (flag === \"2\") {\n inputClassName = \"templateBuilderTemplateDataField templateBuilderCustomDataField\";\n } else {\n inputClassName = \"templateBuilderTemplateDataField\";\n }\n\n const getStyle = (isDragging, disableDropAnimation) => {\n const styles = {\n opacity: disable ? \"0.5\" : \"1\",\n cursor: disable ? \"initial\" : \"grab\",\n // maxWidth: isDragging ? \"241.64px\" : \"unset\",\n };\n\n if (!isDragging) {\n styles.transform = \"unset\";\n }\n\n if (disableDropAnimation) {\n styles.transitionDuration = \"0.001s\";\n }\n\n return styles;\n };\n\n if (isClone) {\n return (\n
\n {value}\n {/* {flag === \"2\" &&
} */}\n
\n );\n }\n\n return (\n
\n {value}\n {/* {flag === \"2\" &&
} */}\n
\n );\n}\n","import React from \"react\";\nimport { Draggable } from \"react-beautiful-dnd\";\nimport BuilderElement from \"../BuilderComponents/BuilderElement\";\n\nexport default function BuilderElementDraggable(props) {\n const {\n id,\n type,\n value,\n flag,\n jsonField,\n disable = false,\n index,\n } = props;\n const draggableId = `${type}${flag ? `_${flag}` : \"\"}${id ? `_${id}` : \"\"}`;\n return (\n
\n {(provided, snapshot) => (\n <>\n \n {snapshot.isDragging && (\n \n )}\n >\n )}\n \n );\n}\n","import { partition } from \"lodash\";\nimport React from \"react\";\nimport Scrollbar from \"react-scrollbars-custom\";\nimport TemplateBuilderDroppable from \"../DragAndDrop/TemplateBuilderDroppable\";\nimport BuilderElementDraggable from \"../DragAndDrop/BuilderElementDraggable\";\n\nexport default function DataFields(props) {\n // const { dataFields, showSorting, activeSort } = props;\n const {\n dataFields, activeSort, commonDataFieldsInUse, customizedDataFieldsInUse,\n } = props;\n\n const fieldAlreadyInUse = (field) => (field.flag === \"1\" && commonDataFieldsInUse.indexOf(field.value) !== -1)\n || (field.flag === \"2\" && customizedDataFieldsInUse.indexOf(field.value) !== -1);\n if (activeSort !== \"by Type\") {\n return (\n
\n \n \n {dataFields && dataFields.map((elem, i) => (\n \n ))}\n \n \n
\n );\n }\n const [defaultFields, customFields] = partition(dataFields, ({ flag }) => flag === \"1\");\n return (\n
\n
From reports
\n
\n \n {defaultFields.map((elem, i) => (\n \n ))}\n \n \n
\n
Created by you
\n
Editable
\n
\n
\n \n {customFields.map((elem, i) => (\n \n ))}\n \n \n
\n );\n}\n","import React, { useState, useEffect } from \"react\";\nimport { toast } from \"react-toastify\";\nimport { v4 as uuidv4 } from \"uuid\";\nimport TemplateSectionSearch from \"../../Common/TemplateSectionSearch\";\nimport CreateFieldModal from \"../../CreateFieldModal/CreateFieldModal\";\nimport DataFieldSort from \"./DataFieldSort\";\nimport DataFields from \"./DataFields\";\n\n// import userProfileIcon from \"../../../../../../assets/images/product/template/userProfileBlue.png\";\n// import SearchIcon from \"../../../../../../assets/images/product/template/SearchBlueIcon.png\";\n\nimport {\n sortAndSearchDataFields,\n} from \"../../../../../../actions/productTemplate\";\n\nexport default function DataFieldsSection(props) {\n const {\n previewTemplate,\n commonDataFieldsInUse,\n customizedDataFieldsInUse,\n setAllCustomizedDataFields,\n setAllDataFields,\n allDataFields,\n } = props;\n const [showCreateFieldModal, setShowCreateFieldModal] = useState(false);\n const [showSorting, setShowSorting] = useState(false);\n const [showSearch, setShowSearch] = useState(false);\n const [activeSort, setActiveSort] = useState(\"by Type\");\n const [searchValue, setSearchValue] = useState(\"\");\n const sortParam = {\n // \"by Most common\": \"Most common\",\n \"by Alphabet\": \"Alphabetical order\",\n \"by Type\": \"Type\",\n };\n\n const assignIds = (fieldsArray) => fieldsArray.map((fieldsObj) => ({ ...fieldsObj, id: uuidv4() }));\n\n const apiSortAndSearchDataFields = async (params) => {\n const response = await sortAndSearchDataFields(params);\n if (response && response.success) {\n const withIds = assignIds(response.result);\n setAllDataFields(withIds);\n setAllCustomizedDataFields(withIds.filter((ele) => ele.flag === \"2\").map((ele) => ele.value));\n } else {\n toast.error(\"Failed to sort data fields.\");\n }\n };\n\n useEffect(() => {\n apiSortAndSearchDataFields({ sort_by: \"Type\", search: \"\", category: \"builder\" });\n }, []); // eslint-disable-line react-hooks/exhaustive-deps\n\n const toggleShowCreateFieldModal = () => {\n if (showCreateFieldModal) {\n apiSortAndSearchDataFields({ sort_by: sortParam[activeSort || \"by Type\"], search: \"\", category: \"builder\" });\n } else {\n setShowSearch(false);\n setShowSorting(false);\n setSearchValue(\"\");\n }\n setShowCreateFieldModal(!showCreateFieldModal);\n };\n\n const toggleShowSorting = () => {\n setShowSorting(!showSorting);\n };\n\n const toggleShowSearch = () => {\n if (showSearch && searchValue) {\n setSearchValue(\"\");\n apiSortAndSearchDataFields({ sort_by: sortParam[activeSort || \"by Type\"], search: \"\", category: \"builder\" });\n }\n setShowSearch(!showSearch);\n };\n\n const handleApplySort = (sortValue) => {\n apiSortAndSearchDataFields({ sort_by: sortParam[sortValue || \"by Type\"], search: searchValue, category: \"builder\" });\n toggleShowSorting();\n setActiveSort(sortValue);\n };\n\n const handleSubmitSearch = (value) => {\n setSearchValue(value);\n apiSortAndSearchDataFields({ sort_by: sortParam[activeSort || \"by Type\"], search: value, category: \"builder\" });\n };\n\n return (\n
\n
\n
Data Fields \n {/* {!showSearch &&
} */}\n
\n
\n {/* {showSearch && (\n
\n )}\n
*/}\n\n
\n {!showSorting && (\n \n )}\n \n
\n
\n\n {/*
\n
\n
Create New Field \n
*/}\n
\n {showCreateFieldModal && (\n
\n )}\n
\n );\n}\n","import React from \"react\";\nimport BuilderElementDraggable from \"../DragAndDrop/BuilderElementDraggable\";\nimport TemplateBuilderDroppable from \"../DragAndDrop/TemplateBuilderDroppable\";\n\nexport default function TextBoxSection(props) {\n const { previewTemplate } = props;\n return (\n
\n
\n Text box \n
\n
\n \n \n \n
\n\n );\n}\n","import React from \"react\";\nimport DataFieldsSection from \"./DataFieldsSection\";\nimport TextBoxSection from \"./TextBoxSection\";\nimport \"./builderComponents.css\";\n\nexport default function BuilderComponents(props) {\n const {\n previewTemplate,\n commonDataFieldsInUse,\n customizedDataFieldsInUse,\n setAllCustomizedDataFields,\n setAllDataFields,\n allDataFields,\n isCustomizingCoa,\n } = props;\n return (\n
\n {isCustomizingCoa ? (\n \n ) : (\n \n )}\n
\n );\n}\n","import React, { useState } from \"react\";\nimport { v4 as uuidv4 } from \"uuid\";\nimport { DragDropContext } from \"react-beautiful-dnd\";\nimport TemplateBuilderCenter from \"../Center/TemplateBuilderCenter\";\nimport BuilderComponents from \"../BuilderComponents/BuilderComponents\";\nimport BuilderDragDropContext from \"./BuilderDragDropContext\";\n\nexport default function BuilderDragDropWrapper({\n previewTemplate,\n handlePreviewTemplate,\n allCustomizedDataFields,\n handleSectionSelect,\n sections,\n sectionsFixed,\n sectionRefs,\n setSectionInputs,\n handleBuilderFile,\n handleTemplateDataFieldsChange,\n commonDataFieldsInUse,\n customizedDataFieldsInUse,\n setAllCustomizedDataFields,\n inputsPayload,\n isCustomizingCoa,\n selectedTemplate,\n selectedReports,\n handleCreateSection,\n handleSectionDelete,\n uniqueTests,\n enableTests,\n}) {\n const [allDataFields, setAllDataFields] = useState([]);\n const ALWAYS_DISABLED_DROPPABLES = [\"builder_datafields\", \"builder_datafields_user\", \"builder_datafields_default\", \"builder_textbox\"];\n const [disabledDroppablesSet, setDisabledDroppablesSet] = useState(new Set(ALWAYS_DISABLED_DROPPABLES));\n\n const getSectionInputs = (sectionIdx) => ({ ...sections[sectionIdx].inputs });\n const getFixedSectionInputs = (sectionIdx) => ([...sectionsFixed[sectionIdx].inputs]);\n /**\n * When a input is dragged into a custom section. UseDrop hook calls this function\n * which adds to the left or right array\n * if section is sectionContentInputsOne, adds the input to the left array\n * else adds the input to the right array\n * @param {Number} sectionIdx index of section in sections/sectionsFixed array\n * @param {Object} sectionPart \"left\" | \"right\" | undefined\n * @param {Number} destIdx index of new item in list\n * @param {Object} item = { id, flag, type, jsonField, fieldName }\n * @param {Boolean} isFixed adding to fixed section (statement card) or not\n */\n const addInputToInputs = (sectionIdx, sectionPart, destIdx, item, isFixed = false) => {\n const inputs = isFixed ? getFixedSectionInputs(sectionIdx) : getSectionInputs(sectionIdx);\n // console.log(\"addInputToInputs\", inputs);\n const inputID = `${item.id}_${uuidv4()}`;\n const newInput = {\n ...item, id: inputID,\n };\n const items = sectionPart ? inputs[sectionPart] : inputs;\n items.splice(destIdx, 0, newInput);\n setSectionInputs(sectionIdx, inputs, isFixed, { action: \"add\", flag: item.flag, value: item.fieldName });\n if (!isFixed) {\n handleTemplateDataFieldsChange(\"add\", item.flag, item.fieldName);\n }\n };\n\n /**\n * Handles sorting internally in a array\n */\n const reorder = (sectionIdx, sectionPart, startIndex, endIndex, isFixed = false) => {\n const resultObject = isFixed ? getFixedSectionInputs(sectionIdx) : getSectionInputs(sectionIdx);\n if (sectionPart) {\n const [removed] = resultObject[sectionPart].splice(startIndex, 1);\n resultObject[sectionPart].splice(endIndex, 0, { ...removed, defaultValue: removed.ref?.value });\n } else {\n const [removed] = resultObject.splice(startIndex, 1);\n resultObject.splice(endIndex, 0, { ...removed, defaultValue: removed.ref?.value });\n }\n setSectionInputs(sectionIdx, resultObject, isFixed);\n };\n\n /**\n * Handles sorting between left and right arrays\n */\n const move = (source, destination) => {\n // console.log(\"move\", source, destination);\n /** Within section move */\n if (source.sectionIdx === destination.sectionIdx) {\n const resultObject = source.isFixed ? getFixedSectionInputs(source.sectionIdx) : getSectionInputs(source.sectionIdx);\n const sourceClone = source.sectionPart ? resultObject[source.sectionPart] : resultObject;\n const destClone = destination.sectionPart ? resultObject[destination.sectionPart] : resultObject;\n const [removed] = sourceClone.splice(source.index, 1);\n destClone.splice(destination.index, 0, { ...removed, defaultValue: removed.ref?.value });\n setSectionInputs(source.sectionIdx, resultObject, source.isFixed);\n /** Between sections */\n } else {\n const sourceSection = source.isFixed ? getFixedSectionInputs(source.sectionIdx) : getSectionInputs(source.sectionIdx);\n const destSection = destination.isFixed ? getFixedSectionInputs(destination.sectionIdx) : getSectionInputs(destination.sectionIdx);\n const sourceClone = source.sectionPart ? sourceSection[source.sectionPart] : sourceSection;\n const destClone = destination.sectionPart ? destSection[destination.sectionPart] : destSection;\n const [removed] = sourceClone.splice(source.index, 1);\n destClone.splice(destination.index, 0, { ...removed, defaultValue: removed.ref?.value });\n setSectionInputs(source.sectionIdx, sourceSection, source.isFixed, { action: \"delete\", flag: removed.flag, value: removed.fieldName }, false);\n setSectionInputs(destination.sectionIdx, destSection, destination.isFixed, { action: \"add\", flag: removed.flag, value: removed.fieldName });\n }\n };\n\n /**\n * Returns object with action and info required to handle action\n * @param {Object} source { droppableId, index }\n * @param {Object} destination { droppableId, index }\n * @param {String} draggableId id of dragged elem\n * @returns {Object} {action, ...action related info }\n */\n const parseActionInfo = (source, destination, draggableId) => {\n const { droppableId: sourceDroppableId, index: sourceIndex } = source;\n const { droppableId: destDroppableId, index: destIndex } = destination;\n // item = { id, value, flag, jsonField }\n const sourceParsed = sourceDroppableId.split(\"_\");\n const destParsed = destDroppableId.split(\"_\");\n const sourceSectionIdx = parseInt(sourceParsed[1]); // will be NaN if builder component, sectionIdx otherwise\n const destSectionIdx = parseInt(destParsed[1]);\n const info = {};\n /** Draggable is from Builder Components (data field or textbox) */\n if (sourceParsed[0] === \"builder\") {\n info.action = \"ADD_INPUT\";\n const destIsFixed = destParsed[0] === \"fixed\";\n info.isFixed = destIsFixed;\n info.sectionIdx = destSectionIdx;\n info.sectionPart = destParsed[2];\n info.destIdx = destIndex;\n info.item = {};\n if (sourceParsed[1] === \"datafields\") {\n const sortedByType = sourceParsed.length === 3;\n const [id, flag, uuid] = draggableId.split(\"_\"); // eslint-disable-line\n info.item = { id, flag, type: \"datafield\" };\n if (flag === \"1\") { // default field\n const { value, json_field } = allDataFields[sourceIndex];\n info.item.fieldName = value;\n info.item.jsonField = json_field;\n if (isCustomizingCoa) { // if there is only one option for this field, make it the defaultValue\n const options = selectedReports.data_fileds;\n if (options && options[json_field] && options[json_field].length === 1) {\n info.item.defaultValue = options[json_field][0];\n }\n }\n } else if (sortedByType) { // custom fields in separate list, sourceIndex is w.r.t allCustomizedDataFields arr\n info.item.fieldName = allCustomizedDataFields[sourceIndex];\n } else { // default and custom fields in same list\n const { value } = allDataFields[sourceIndex];\n info.item.fieldName = value;\n }\n } else { // \"textbox\"\n info.item.flag = \"0\";\n info.item.type = draggableId;\n info.item.id = draggableId;\n }\n /** Draggable is from a section */\n } else {\n /** Reordering within a list */\n if (sourceDroppableId === destDroppableId) { // eslint-disable-line\n info.action = \"REORDER\";\n const isFixed = sourceParsed[0] === \"fixed\";\n info.isFixed = isFixed;\n info.sectionIdx = sourceSectionIdx;\n info.sectionPart = sourceParsed[2]; // left or right\n info.sourceIndex = sourceIndex;\n info.destIndex = destIndex;\n } else { /** Movement between left + right lists */\n info.action = \"MOVE\";\n info.sourceInfo = {\n sectionIdx: sourceSectionIdx, sectionPart: sourceParsed[2], index: sourceIndex, isFixed: sourceParsed[0] === \"fixed\",\n };\n info.destInfo = {\n sectionIdx: destSectionIdx, sectionPart: destParsed[2], index: destIndex, isFixed: destParsed[0] === \"fixed\",\n };\n }\n }\n return info;\n };\n\n /**\n * Before the draggable is measured, add a margin underneath to make sure the dropping animation is smooth.\n * When the drag ends, remove the margin.\n * @param {String} draggableId id of drag elem\n * @param {String} action \"add\", \"remove\"\n */\n const adjustDimsOfDraggable = (draggableId, action) => {\n if (!isCustomizingCoa) { // template builder\n const parsed = draggableId.split(\"_\");\n if ([\"datafield\", \"smallTextBox\", \"largeTextBox\"].includes(parsed[0])\n && (!parsed[1] || [\"1\", \"2\"].includes(parsed[1]))) { // checks if datafield is from Builder Element and not from a section\n const elem = document.getElementById(draggableId);\n const { width, height } = elem.getBoundingClientRect();\n elem.style.margin = action === \"add\" ? \"0 25px 32px 25px\" : \"0\";\n elem.style.width = action === \"add\" ? `${width}px` : \"unset\";\n elem.style.height = action === \"add\" ? `${height}px` : \"unset\";\n }\n } else { // coa builder\n const elem = document.getElementById(draggableId);\n const { width, height } = elem.getBoundingClientRect();\n elem.style.marginBottom = action === \"add\" ? \"8px\" : \"0\";\n elem.style.width = action === \"add\" ? `${width}px` : \"unset\";\n elem.style.height = action === \"add\" ? `${height}px` : \"unset\";\n }\n };\n\n /**\n * Disable certain droppables based on the source droppableId\n * @param {String} sourceDroppableId\n */\n const conditionallyDisableDroppables = (sourceDroppableId) => {\n /** Reset to default, nothing is dragging */\n if (!sourceDroppableId) {\n setDisabledDroppablesSet(new Set([...ALWAYS_DISABLED_DROPPABLES]));\n return;\n }\n /** Conditionally disable droppables */\n const [sectionType, sectionIdx, sectionPart, fixedSectionName] = sourceDroppableId.split(\"_\"); // eslint-disable-line\n let droppablesToDisable = [];\n const fixedDroppables = sectionsFixed.map(({ key }, i) => `fixed_${i}__${key}`);\n if (!(sectionType === \"builder\" && sectionIdx === \"textbox\")) { // all droppables enabled for builder textboxes\n if (sectionType === \"fixed\") { // dragging from fixed section\n droppablesToDisable = [...fixedDroppables.filter((id) => id !== sourceDroppableId)]; // don't allow dropping into other fixed sections\n if (fixedSectionName !== \"test\") {\n droppablesToDisable.push(\"dynamic\"); // for any fixed section except test reports, don't allow dropping into dynamic sections\n }\n } else { // dragging from datafields component or dynamic section\n droppablesToDisable = fixedDroppables.filter((id) => !id.includes(\"test\")); // don't allow dropping into my details, statement card\n }\n setDisabledDroppablesSet(new Set([...ALWAYS_DISABLED_DROPPABLES, ...droppablesToDisable]));\n }\n };\n\n /**\n * Before the draggable is measured, add a margin underneath to make sure the dropping animation is smooth.\n * @param {String} draggableId\n */\n const onBeforeCapture = ({ draggableId }) => {\n adjustDimsOfDraggable(draggableId, \"add\");\n };\n\n /**\n * onDragStart, disable droppables based on source droppable id\n * @param {Object} source { droppableId, draggableId }\n */\n const onDragStart = ({ source }) => {\n conditionallyDisableDroppables(source.droppableId);\n };\n\n /**\n * Handles all drag actions onDragEnd\n * @param {Object} result { source, destination, draggableId }\n */\n const onDragEnd = (result) => {\n const { source, destination, draggableId } = result;\n\n adjustDimsOfDraggable(draggableId, \"remove\");\n /** Reset disabled droppables to default */\n conditionallyDisableDroppables();\n if (!destination) {\n return;\n }\n\n const actionInfo = parseActionInfo(source, destination, draggableId);\n // console.log(\"action\", actionInfo);\n if (!actionInfo) {\n return;\n }\n\n switch (actionInfo.action) {\n case \"ADD_INPUT\": {\n const {\n sectionIdx, sectionPart, destIdx, item, isFixed,\n } = actionInfo;\n addInputToInputs(sectionIdx, sectionPart, destIdx, item, isFixed);\n break;\n }\n case \"REORDER\": {\n const {\n sectionIdx, sectionPart, sourceIndex, destIndex, isFixed,\n } = actionInfo;\n reorder(sectionIdx, sectionPart, sourceIndex, destIndex, isFixed);\n break;\n }\n case \"MOVE\": {\n const { sourceInfo, destInfo } = actionInfo;\n move(sourceInfo, destInfo);\n break;\n }\n default:\n }\n };\n\n return (\n
\n \n \n \n \n \n );\n}\n","import React, { useState } from \"react\";\nimport BackArrow from \"../../../../../../assets/images/product/template/BackArrow.png\";\nimport BackArrowWhite from \"../../../../../../assets/images/product/template/BackArrowWhite.png\";\n\nexport default function BuilderBackButton(props) {\n const [hover, setHover] = useState(false);\n const { handleBackButton, isCustomizingCoa } = props;\n return (\n
setHover(true)}\n onMouseLeave={() => setHover(false)}\n onClick={handleBackButton}\n className=\"templateBuilderHeaderBackButton\"\n >\n
\n
\n {isCustomizingCoa ? \"Custom reports\" : \"Templates\" }\n \n
\n );\n}\n","import React from \"react\";\nimport \"./builderHeader.css\";\n\nimport BuilderBackButton from \"./BuilderBackButton\";\n\nexport default function BuilderHeader(props) {\n const {\n toggleSaveModal,\n handleBackButton,\n showSaveModal,\n isCustomizingCoa,\n // checkTemplateValidation,\n } = props;\n\n const handleSave = () => {\n // const isValid = checkTemplateValidation();\n // if (isValid) {\n toggleSaveModal();\n // }\n };\n\n return (\n
\n
\n {!showSaveModal ?
{`Save ${isCustomizingCoa ? \"report\" : \"template\"}`}
:
}\n
\n );\n}\n","import React, { useState, useRef, useEffect } from \"react\";\n\nimport { pdf } from \"@react-pdf/renderer\";\nimport { toast } from \"react-toastify\";\nimport { v4 as uuidv4 } from \"uuid\";\n\nimport BuilderTests from \"./Builder/BuilderTests/BuilderTests\";\nimport BuilderConfirmSave from \"./Builder/ConfirmSave/BuilderConfirmSave\";\nimport BuilderContent from \"./Builder/Contents/BuilderContent\";\nimport BuilderDragDropWrapper from \"./Builder/DragAndDrop/BuilderDragDropWrapper\";\nimport BuilderHeader from \"./Builder/Header/BuilderHeader\";\nimport PDF from \"./PDF/PDF\";\n\nimport { deleteFileFromS3WithPresigned, getFilePath, uploadFileToS3WithPresigned } from \"../../../../utils/helpers\";\n\nimport { addTemplate, editTemplate, manageCoa } from \"../../../../actions/productTemplate\";\n\nimport \"./templatebuilder.css\";\n\nexport default function TemplateBuilder({\n handleNavigation,\n isCustomizingCoa,\n isEditingTemplate,\n selectedTemplate,\n selectedReports,\n productFieldMap,\n}) {\n const [previewTemplate, setPreviewTemplate] = useState(false);\n const [sections, setSections] = useState([]);\n const sectionRefs = useRef({});\n const [inputsPayload, setInputsPayload] = useState(null);\n const [showSaveModal, setShowSaveModal] = useState(false);\n const [saveStatus, setSaveStatus] = useState(null); // null, \"loading\", \"success\"\n const [logo, setLogo] = useState({});\n const [signature, setSignature] = useState({});\n const [alignLeft, setAlignLeft] = useState(true);\n const [commonDataFieldsInUse, setCommonDataFieldsInUse] = useState([]);\n const [customizedDataFieldsInUse, setCustomizedDataFieldsInUse] = useState([]);\n const [allCustomizedDataFields, setAllCustomizedDataFields] = useState([]);\n const [enableTests, setEnableTests] = useState(false);\n // Extract unique test values from the test_results nested within the samples array of selectedReports, ensuring that each test value appears only once in the final array\n // while setting the selected property to false for each unique test value\n const [uniqueTests, setUniqueTests] = useState([...new Set(selectedReports?.samples.flatMap((item) => item.test_results.map((result) => result.test)))].map((test) => ({ test, selected: false })));\n const [sectionsFixed, setSectionsFixed] = useState([\n {\n title: \"My details\",\n key: \"details\",\n active: true,\n edit: false,\n focus: false,\n expanded: true,\n inputs: {\n company_name: {}, company_address: {}, phone_number: {}, fax_number: {},\n },\n },\n // {\n // title: \"Test reports\",\n // key: \"test\",\n // active: false,\n // edit: false,\n // focus: false,\n // expanded: true,\n // ref: useRef(),\n // },\n {\n title: \"Statement card\",\n key: \"statement\",\n active: false,\n edit: false,\n focus: false,\n expanded: true,\n inputs: [{ isSignature: true, signed_by: {}, designation: {} }],\n },\n ]);\n\n /* * Used in Customized COA to toggle the test view */\n const handleTestToggle = (value) => [\n setEnableTests(value),\n ];\n\n /** Format section inputs for builder, return sections array */\n const parseTemplateSections = (_sections) => (\n _sections.map(({ section_name, fields }) => {\n const inputs = { left: [], right: [] };\n const dataFields = { 1: new Set(), 2: new Set() };\n fields.forEach(({\n value, size, position, flag,\n }) => {\n const sectionPart = position[0] === 1 ? \"left\" : \"right\";\n let _fieldName;\n let _jsonField;\n let _value;\n let _type = \"datafield\";\n if (flag === \"0\") {\n _value = value;\n _type = `${size}TextBox`;\n } else if (flag === \"1\") {\n _jsonField = value;\n _fieldName = productFieldMap[value];\n if (isCustomizingCoa) {\n const options = selectedReports.data_fileds;\n if (options && options[_jsonField] && options[_jsonField].length === 1) {\n _value = options[_jsonField][0];\n }\n }\n dataFields[\"1\"].add(_fieldName);\n handleTemplateDataFieldsChange(\"add\", \"1\", _fieldName); // eslint-disable-line\n } else {\n _fieldName = value;\n dataFields[\"2\"].add(_fieldName);\n handleTemplateDataFieldsChange(\"add\", \"2\", _fieldName); // eslint-disable-line\n }\n inputs[sectionPart].push({\n id: `${_type}_${uuidv4()}`,\n defaultValue: _value,\n fieldName: _fieldName,\n jsonField: _jsonField,\n type: _type,\n flag,\n });\n });\n return ({\n title: section_name,\n active: false,\n edit: true,\n focus: false,\n expanded: false,\n dataFields,\n inputs,\n });\n })\n );\n /** On mount if customizing coa, set state */\n useEffect(() => {\n if (isCustomizingCoa && selectedTemplate && selectedReports) {\n setSections(parseTemplateSections(selectedTemplate.sections));\n }\n }, [isCustomizingCoa, selectedTemplate, selectedReports]); // eslint-disable-line\n\n /** On mount if editing template, set state */\n useEffect(() => {\n if (isEditingTemplate && selectedTemplate) {\n setSections(parseTemplateSections(selectedTemplate.sections));\n const {\n logo_image_url, company_name, company_address, phone_number,\n fax_number, signature_image_url, signed_by, designation, statement_inputs,\n } = selectedTemplate;\n const _sectionsFixed = [];\n sectionsFixed.forEach((section) => {\n const _section = { ...section };\n const { inputs } = _section;\n if (section.title === \"My details\") {\n _section.inputs = {\n company_name: { defaultValue: company_name, ref: inputs.company_name.ref },\n company_address: { defaultValue: company_address, ref: inputs.company_address.ref },\n phone_number: { defaultValue: phone_number, ref: inputs.phone_number.ref },\n fax_number: { defaultValue: fax_number, ref: inputs.fax_number.ref },\n logo_image_url,\n };\n } else { // Statement card\n _section.inputs = statement_inputs.map(({ title, value, size }) => {\n if (title === \"signature\") {\n return ({\n isSignature: true,\n signed_by: { defaultValue: signed_by, ref: inputs[0].signed_by.ref },\n designation: { defaultValue: designation, ref: inputs[0].designation.ref },\n signature_image_url,\n });\n }\n const type = `${size}TextBox`;\n return ({\n isSignature: false,\n id: `${type}_${uuidv4()}`,\n defaultValue: value,\n type,\n flag: \"0\",\n });\n });\n }\n _sectionsFixed.push(_section);\n });\n setSectionsFixed(_sectionsFixed);\n }\n }, [isEditingTemplate, selectedTemplate]); // eslint-disable-line\n\n /**\n * This useEffect handles the scroll behavior of the sections.\n * Whatever element is selected, it gets center on the screen.\n */\n useEffect(() => {\n if (!isCustomizingCoa) {\n const sectionsArray = [...sections];\n const fixedArray = [...sectionsFixed];\n let scrolled = false;\n for (let index = 0; index < sectionsArray.length; index++) {\n const section = sectionsArray[index];\n if (section.active) {\n sectionRefs.current[sectionsArray[index].title].scrollIntoView({ behavior: \"smooth\", block: \"center\" });\n scrolled = true;\n break;\n }\n }\n if (!scrolled) {\n for (let index = 0; index < sectionsFixed.length; index++) {\n const section = sectionsFixed[index];\n if (section.active) {\n sectionRefs.current[fixedArray[index].title].scrollIntoView({ behavior: \"smooth\", block: \"center\" });\n break;\n }\n }\n }\n }\n }, [sections, sectionsFixed, isCustomizingCoa]);\n\n /**\n * Update fields in use arrays when inputs added/deleted\n * @param {String} op \"add\" or \"delete\"\n * @param {String} flag \"0\" (textbox) \"1\" (common/default field) or \"2\" (customer/user-created field)\n * @param {String} value field value\n */\n const handleTemplateDataFieldsChange = (op, flag, value) => {\n if (flag !== \"0\") {\n const setFieldsFunc = flag === \"1\" ? setCommonDataFieldsInUse : setCustomizedDataFieldsInUse;\n if (op === \"add\") {\n setFieldsFunc((pre) => [...pre, value]);\n } else if (op === \"delete\") {\n setFieldsFunc((pre) => pre.filter((ele) => ele !== value));\n }\n }\n };\n\n /**\n * Set the inputs for a section\n * @param {Number} sectionIndex index of section in sections array\n * @param {Object} inputs {left: [{ id, value, fieldName, flag, json_field }, ...], right: []}\n * @param {String} dataFieldAction { action: \"add\" | \"delete\", flag: \"1\", \"2\", value }\n */\n const setSectionInputs = (sectionIndex, inputs, isFixed = false, dataFieldChange = null, autoFocus = true) => {\n // console.log(\"setSectionInputs\", \"isFixed\", isFixed, \"sectionIndex\", sectionIndex, \"inputs\", inputs);\n const copy = [...(isFixed ? sectionsFixed : sections)];\n const section = copy[sectionIndex];\n section.inputs = inputs;\n /** Handle add/remove data field from section */\n if (dataFieldChange) {\n const { action, flag, value } = dataFieldChange;\n if (flag !== \"0\" && !isFixed) {\n const fieldsSet = section.dataFields[flag];\n if (action === \"add\") {\n fieldsSet.add(value);\n } else {\n fieldsSet.delete(value);\n }\n }\n }\n /** Focus section if not already focused */\n if (!isCustomizingCoa && !section.active && autoFocus) {\n const prevActiveIdx = sections.findIndex(({ active }) => active);\n const prevActiveIdxFixed = sectionsFixed.findIndex(({ active }) => active);\n\n if (prevActiveIdx > -1) {\n if (isFixed) {\n sections[prevActiveIdx].active = false;\n setSections([...sections]);\n } else {\n copy[prevActiveIdx].active = false;\n }\n }\n if (prevActiveIdxFixed > -1) {\n if (isFixed) {\n copy[prevActiveIdxFixed].active = false;\n } else {\n sectionsFixed[prevActiveIdxFixed].active = false;\n setSectionsFixed([...sectionsFixed]);\n }\n }\n section.active = true;\n }\n if (isFixed) {\n setSectionsFixed(copy);\n } else {\n setSections(copy);\n }\n };\n\n const handleCreateSection = () => {\n const sectionsArray = [...sections];\n const sectionsFixedArray = [...sectionsFixed];\n let title = \"New section\";\n sectionsArray.forEach((section) => {\n section.active = false;\n });\n sectionsFixedArray.forEach((section) => {\n section.active = false;\n });\n\n if (sectionsArray.length > 0) {\n let count = parseInt(sectionsArray[sectionsArray.length - 1].title.split(\" \")[2]);\n if (!count) {\n count = 1;\n } else {\n count += 1;\n }\n title = `New Section ${count}`;\n }\n sectionsArray.push({\n title,\n active: true,\n edit: true,\n focus: false,\n expanded: true,\n dataFields: { 1: new Set(), 2: new Set() },\n inputs: { left: [], right: [] },\n });\n\n setSections(sectionsArray);\n };\n\n const handleSectionClick = (item) => {\n const fixedArray = [...sectionsFixed];\n const itemsArray = [...sections];\n fixedArray.forEach((value, index) => {\n if (value.title === item.title) {\n fixedArray[index].active = true;\n } else {\n fixedArray[index].active = false;\n }\n });\n itemsArray.forEach((value, index) => {\n if (value.title === item.title) {\n itemsArray[index].active = true;\n } else {\n itemsArray[index].active = false;\n }\n });\n setSections(itemsArray);\n setSectionsFixed(fixedArray);\n };\n\n /**\n * Handles the deletion of user created sections\n * @param {e} e\n * @param {item} item\n */\n const handleSectionDelete = (e, item) => {\n e.stopPropagation();\n const itemArray = [...sections];\n const itemArrayFixed = [...sectionsFixed];\n const itemArrayFilter = [];\n\n itemArray.forEach((element, index) => {\n if (element.title === item.title) {\n if (index === 0) {\n itemArrayFixed[0].active = true;\n } else {\n itemArray[index - 1].active = true;\n }\n const sectionDataFields = element.dataFields;\n setCommonDataFieldsInUse((pre) => pre.filter((ele) => !sectionDataFields[\"1\"].has(ele)));\n setCustomizedDataFieldsInUse((pre) => pre.filter((ele) => !sectionDataFields[\"2\"].has(ele)));\n } else {\n itemArrayFilter.push(element);\n }\n });\n setSectionsFixed([...itemArrayFixed]);\n setSections([...itemArrayFilter]);\n };\n\n const handleSectionSelect = (item) => {\n if (!item.active) {\n handleSectionClick(item);\n }\n };\n\n const checkTemplateValidation = () => {\n for (let i = 0; i < customizedDataFieldsInUse.length; i++) {\n const dataField = customizedDataFieldsInUse[i];\n if (allCustomizedDataFields.indexOf(dataField) === -1) {\n toast.error(\"Please remove invalid data field before save the current template.\");\n return false;\n }\n }\n return true;\n };\n\n /**\n * Open/close the save template modal\n * @param {Boolean} closing if closing the modal, make sure to set saveUpdatedPDF to false if it is still true\n */\n const toggleSaveModal = (closing = false) => {\n setShowSaveModal(!showSaveModal);\n if (closing) {\n setSaveStatus(null);\n }\n };\n\n /**\n * Add file to AWS\n * @param {File} file\n * @param {String} type \"logo_image\", \"signature_image\", \"preview_pdf\"\n * @returns {Promise} resolves { blob, type }\n */\n const addAssetToAWS = ({ file, type }) => new Promise((resolve) => {\n const splitByDot = file.name.trim().split(\".\");\n const fileEnding = splitByDot.pop();\n const fileName = splitByDot.join();\n\n const fileInfo = {\n folderPath: \"ProductTemplate/Template/\", fileName: `${fileName}_${Date.now()}.${fileEnding}`, file, type: file.type,\n };\n const key = getFilePath(fileInfo);\n uploadFileToS3WithPresigned([fileInfo], \"private\").then((fileBlob) => {\n if (fileBlob && fileBlob[key]) {\n return resolve({ blob: fileBlob[key].path, type });\n } return resolve({ blob: \"\", type });\n });\n });\n\n /**\n * Uploads files to AWS in parallel\n * @param {Array} files\n * @returns {Promise} resolves array of { blob, type } (each corresponding to a file)\n */\n const addFilesToAWS = (files) => Promise.all(files.map((file) => addAssetToAWS(file)));\n\n /**\n * Deletes files from AWS in parallel\n * @param {Array} filePaths\n * @returns {Promise} resolves boolean array (whether file was successfully deleted or not)\n */\n const deleteFilesFromAWS = (filePaths) => {\n const paths = filePaths.filter((path) => path && path.length > 0);\n if (paths.length > 0) deleteFileFromS3WithPresigned(paths, \"private\");\n };\n\n const handleBackButton = () => {\n handleNavigation(isCustomizingCoa ? \"coacreate\" : \"builder\");\n };\n\n /**\n * Calls the /addtemplate action (api Call)\n * @param {payload} payload\n */\n const addTemplateAPI = async (payload) => {\n const response = await addTemplate(payload);\n if (response.success) {\n if (response.message === \"name should be unique\") {\n setSaveStatus(null);\n return toast.error(response.message);\n }\n setSaveStatus(\"success\");\n } else {\n setSaveStatus(null);\n toast.error(response.message);\n }\n return null;\n };\n\n /**\n * PATCH /producttemplates\n * @param {Object} payload\n * @param {Array} filesToDelete array of file paths to delete if api call successful\n */\n const editTemplateAPI = async (payload, filesToDelete) => {\n const { template_id } = selectedTemplate;\n const response = await editTemplate(template_id, payload);\n if (response.success) {\n if (response.message === \"name should be unique\") {\n setSaveStatus(null);\n return toast.error(response.message);\n }\n setSaveStatus(\"success\");\n deleteFilesFromAWS(filesToDelete);\n } else {\n setSaveStatus(null);\n toast.error(response.message);\n }\n return null;\n };\n\n /**\n * POST /productcoas\n * @param {String} pdfPath\n */\n const addCustomCoaAPI = async (pdfPath, name) => {\n const params = {\n sample_list: selectedReports.samples.map(({ sample_id, sample_type, received_date }) => ({ sample_id, sample_type, received_date })),\n name,\n template_id: selectedTemplate.template_id,\n pdf_path: pdfPath,\n action: \"Add\",\n method: \"POST\",\n };\n const response = await manageCoa(params);\n if (response.success) {\n setSections([]);\n setSaveStatus(\"success\");\n } else {\n setSaveStatus(null);\n toast.error(response.message);\n }\n return null;\n };\n\n /**\n * Gets inputs values from the template builder based on refs.\n * There are two types of sections, fixed and dynamic (user created).\n * For the fixed section there are two types of inputs (input, textarea).\n * For the dynamic section there is only one type of input (textarea).\n * @param {template} template (template title and color from the save modal)\n * @return {payload} payload (Formatted data for the api and pdf)\n */\n const getInputsData = (template) => {\n let payload = {};\n const sectionsArray = [];\n const sectionsList = []; // API Array\n if (isCustomizingCoa) {\n const {\n company_name, company_address, phone_number, fax_number, signed_by, designation, statement_inputs,\n } = selectedTemplate;\n payload = {\n company_name, company_address, phone_number, fax_number, signed_by, designation, statement_inputs,\n };\n } else {\n sectionsFixed.forEach(({ title, inputs }) => {\n if (title.includes(\"Statement\")) {\n const statement_inputs = [];\n inputs.forEach(({\n ref, isSignature, signed_by, designation, type,\n }) => {\n if (isSignature) {\n const signedByVal = signed_by.ref.value.trim();\n const designationVal = designation.ref.value.trim();\n payload.signed_by = signedByVal;\n payload.designation = designationVal;\n statement_inputs.push({ title: \"signature\", value: \"\", size: \"\" });\n } else if (!isSignature && ref.value.trim()) {\n statement_inputs.push({ title: \"\", value: ref.value, size: type === \"smallTextBox\" ? \"small\" : \"large\" });\n }\n });\n payload.statement_inputs = statement_inputs;\n } else { // My Details section\n // const {\n // company_name, company_address, phone_number, fax_number, logo_image_url\n // } = inputs;\n Array.from(Object.entries(inputs)).forEach(([id, { ref }]) => {\n if (ref) {\n payload[id] = ref.value.trim();\n }\n });\n }\n });\n }\n\n sections.forEach((section) => {\n const inputsObject = {};\n const inputLeft = [];\n const inputRight = [];\n const key = section.title;\n const obj = {};\n const objList = { fields: [] }; // API Obj\n [\"left\", \"right\"].forEach((sectionPart) => {\n const sectionPartInputs = section.inputs[sectionPart];\n sectionPartInputs.forEach(({\n id, flag, fieldName, jsonField, ref,\n }) => {\n if (flag !== \"0\" || ref.value.trim()) {\n const sectionPartArr = sectionPart === \"left\" ? inputLeft : inputRight;\n let refVal = ref?.value.trim() ?? \"\";\n if (isCustomizingCoa) {\n refVal = refVal || \"-\";\n }\n sectionPartArr.push({\n type: id, fieldName: flag !== \"0\" ? fieldName : \"\", value: refVal, flag,\n });\n objList.fields.push({\n value: jsonField || (flag === \"2\" ? fieldName : ref.value),\n size: id.split(\"_\")[0] === \"largeTextBox\" ? \"large\" : \"small\",\n position: sectionPart === \"left\" ? [1, 0] : [0, 1], // [1,0] = left, [0,1] = right\n flag, // 0 = Text box, 1 = Data field, 2 = Custom data field\n });\n }\n });\n });\n if (inputLeft.length > 0 || inputRight.length > 0) {\n inputsObject.left = inputLeft;\n inputsObject.right = inputRight;\n obj.title = key;\n obj.inputs = inputsObject;\n sectionsArray.push(obj);\n }\n objList.section_name = key;\n sectionsList.push(objList);\n });\n\n if (isCustomizingCoa) {\n payload.samples = selectedReports.samples;\n }\n\n payload.sections = sectionsArray;\n payload.sections_list = sectionsList;\n payload.logo_preview_file = logo?.file || \"\";\n payload.signature_preview_file = signature?.file || \"\";\n // payload.alignment = alignLeft ? \"Left\" : \"Center\";\n payload.alignment = \"Left\";\n payload = {\n ...payload,\n ...template,\n };\n return payload;\n };\n\n /**\n * Generate the template pdf and upload the pdf, logo, and signature to AWS\n * @param {React.FC} pdfDocument react-pdf/renderer
instance\n * @param {Object} payload inputsPayload\n * @returns {Object} { success, filesToDelete }\n */\n const handleGeneratePDFAndUploadFiles = async (pdfDocument, payload) => {\n let pdfBlob;\n try {\n pdfBlob = await pdf(pdfDocument).toBlob();\n } catch (e) {\n toast.error(\"Failed to generate the pdf\");\n setSaveStatus(null);\n return { success: false };\n }\n const pdfFile = new File([pdfBlob], `${payload.name}.pdf`, { type: pdfBlob.type });\n const filesToUpload = [{ file: pdfFile, type: \"preview_pdf\" }];\n const filesToDelete = [];\n if (!isCustomizingCoa) {\n const images = [{ fileObj: logo, type: \"logo_image\" }, { fileObj: signature, type: \"signature_image\" }];\n\n images.forEach(({ fileObj, type }) => {\n const { file, wasEdited } = fileObj;\n if (!isEditingTemplate && file) { // adding template\n filesToUpload.push({ file, type });\n } else if (isEditingTemplate) { // editing template\n if (wasEdited) { // image was replaced or removed\n filesToDelete.push(selectedTemplate[`${type}_url`]);\n if (file) { // replaced, upload new image\n filesToUpload.push({ file, type });\n } else { // removed, set image path to empty\n payload[`${type}_url`] = \"\";\n }\n } else { // image wasn't edited, use existing image path\n payload[`${type}_url`] = selectedTemplate[`${type}_url`];\n }\n }\n });\n }\n const paths = await addFilesToAWS(filesToUpload);\n let success = true;\n paths.forEach(({ blob, type }) => {\n if (blob) {\n payload[`${type}_url`] = blob;\n } else {\n success = false;\n }\n });\n if (!success) {\n setSaveStatus(null);\n toast.error(\"PDF file failed to save to cloud\");\n }\n return { success, filesToDelete };\n };\n\n /**\n * Handle save\n * 1. update the payload with most updated input values\n * 2. generate pdf\n * 3. upload pdf and images to aws\n * 4. if the above is successful, make appropriate api call\n * @param {Object} templateInfo { name, tags }\n */\n const handleSaveTemplate = async (templateInfo = {}) => {\n const payload = getInputsData(templateInfo);\n const { success, filesToDelete } = await handleGeneratePDFAndUploadFiles(PDF({\n inputs: payload, alignLeft, isTemplatePdf: true, isCustomizingCoa, uniqueTests, enableTests,\n }), payload);\n if (success) {\n if (isCustomizingCoa) {\n addCustomCoaAPI(payload.preview_pdf_url, payload.name);\n } else if (isEditingTemplate) {\n editTemplateAPI(payload, filesToDelete);\n } else {\n addTemplateAPI(payload);\n }\n }\n };\n\n /**\n * Update the inputs payload with most updated input values\n */\n const handlePreviewTemplate = () => {\n const payload = getInputsData();\n setInputsPayload(payload);\n setPreviewTemplate(!previewTemplate);\n };\n\n const handleBuilderFile = (file) => {\n if (file.title === \"Add Company Logo\") {\n setLogo(file);\n } else {\n setSignature(file);\n }\n };\n\n const handleAlign = () => { // eslint-disable-line\n setAlignLeft(!alignLeft);\n };\n\n return (\n
\n
\n
\n {!isCustomizingCoa ? (\n \n ) : (\n \n )}\n \n
\n {showSaveModal && (\n
\n )}\n
\n );\n}\n","var _g, _defs;\nfunction _extends() { _extends = Object.assign ? Object.assign.bind() : 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); }\nimport React from \"react\";\nconst SvgTemplateOutlined = _ref => {\n let {\n svgRef,\n title,\n ...props\n } = _ref;\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n width: 24,\n height: 24,\n viewBox: \"0 0 24 24\",\n fill: \"none\",\n ref: svgRef\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", null, title) : null, _g || (_g = /*#__PURE__*/React.createElement(\"g\", {\n clipPath: \"url(#clip0_9_561)\"\n }, /*#__PURE__*/React.createElement(\"path\", {\n d: \"M4 22H20C20.2652 22 20.5196 21.8946 20.7071 21.7071C20.8946 21.5196 21 21.2652 21 21V3C21 2.73478 20.8946 2.48043 20.7071 2.29289C20.5196 2.10536 20.2652 2 20 2H4C3.73478 2 3.48043 2.10536 3.29289 2.29289C3.10536 2.48043 3 2.73478 3 3V21C3 21.2652 3.10536 21.5196 3.29289 21.7071C3.48043 21.8946 3.73478 22 4 22ZM5 20V4H19V20H5ZM17 6H13V10H17V6ZM11 7H7V9H11V7Z\",\n fill: \"currentColor\"\n }), /*#__PURE__*/React.createElement(\"rect\", {\n width: 4,\n height: 4,\n transform: \"matrix(-1 0 0 1 17 6)\",\n fill: \"currentColor\"\n }), /*#__PURE__*/React.createElement(\"rect\", {\n width: 10,\n height: 2,\n transform: \"matrix(-1 0 0 1 17 12)\",\n fill: \"currentColor\"\n }), /*#__PURE__*/React.createElement(\"rect\", {\n width: 10,\n height: 2,\n transform: \"matrix(-1 0 0 1 17 16)\",\n fill: \"currentColor\"\n }), /*#__PURE__*/React.createElement(\"rect\", {\n width: 4,\n height: 2,\n transform: \"matrix(-1 0 0 1 11 7)\",\n fill: \"currentColor\"\n }))), _defs || (_defs = /*#__PURE__*/React.createElement(\"defs\", null, /*#__PURE__*/React.createElement(\"clipPath\", {\n id: \"clip0_9_561\"\n }, /*#__PURE__*/React.createElement(\"rect\", {\n width: 24,\n height: 24,\n fill: \"white\"\n })))));\n};\nconst ForwardRef = /*#__PURE__*/React.forwardRef((props, ref) => /*#__PURE__*/React.createElement(SvgTemplateOutlined, _extends({\n svgRef: ref\n}, props)));\nexport default __webpack_public_path__ + \"static/media/TemplateOutlined.083f8d01.svg\";\nexport { ForwardRef as ReactComponent };","import React, { useState, useEffect } from \"react\";\nimport { v4 as uuidv4 } from \"uuid\";\nimport { toast } from \"react-toastify\";\nimport { Tabs } from \"antd\";\nimport { mapValues } from \"lodash\";\nimport COA from \"./Components/COA\";\nimport TemplateBuilder from \"./Components/TemplateBuilder\";\nimport Templates from \"./Components/Templates\";\nimport {\n getTemplates, deleteTemplate,\n} from \"../../../actions/productTemplate\";\nimport \"./Components/styles/template.css\";\nimport Header from \"./Components/Common/Header\";\nimport { getProductFields } from \"../../../actions/reports\";\n\nexport default function Template() {\n const [isAddingTemplate, setIsAddingTemplate] = useState(false);\n const [isCreatingCoa, setIsCreatingCoa] = useState(false);\n const [indexOfTemplateSelected, setIndexOfTemplateSelected] = useState(-1);\n const [templateList, setTemplateList] = useState([]);\n const [templateLoading, setTemplateLoading] = useState(false);\n const [activeTabKey, setActiveTabKey] = useState(\"Template\");\n const [randomKey, setRandomKey] = useState(0);\n const [customizeReportData, setCustomizeReportData] = useState({});\n const [templateEditing, setTemplateEditing] = useState(null);\n const [productFieldMap, setProductFieldMap] = useState(null);\n\n /**\n * Fetch the templates list\n */\n const fetchTemplates = async () => {\n const response = await getTemplates();\n if (!response || !response.success) {\n toast.error(\"Could not fetch templates.\");\n setTemplateList([]);\n } else {\n setTemplateList(response.result);\n }\n setTemplateLoading(false);\n };\n\n useEffect(() => {\n const fetchFields = async () => {\n const resp = await getProductFields();\n if (!resp || !resp.success) {\n toast.error(\"Could not fetch common fields.\");\n } else {\n setProductFieldMap(mapValues(resp.fieldsMap, (val) => val.title_field));\n }\n };\n setTemplateLoading(true);\n fetchTemplates();\n fetchFields();\n }, []);\n\n const handleAddTemplateClick = () => {\n setCustomizeReportData({});\n setIsAddingTemplate(true);\n };\n\n /**\n * Make an api call to get the template information and then redirect to the template builder page\n * @param {*} template_id\n */\n const handleEditTemplate = async (template_id) => {\n const response = await getTemplates({ template_id });\n if (response.success) {\n setTemplateEditing(response.result[0]);\n } else {\n toast.error(\"Could not fetch template\");\n }\n setIsAddingTemplate(true);\n };\n\n /**\n * Make an api call to delete a template\n * @param {*} template_id\n */\n const handleDeleteTemplate = async (template_id) => {\n const response = await deleteTemplate(template_id);\n if (response.success) {\n toast.success(\"Successfully deleted template\");\n fetchTemplates();\n } else {\n toast.error(response.message);\n }\n };\n\n const clearTemplateSelect = () => {\n setIndexOfTemplateSelected(-1);\n };\n\n /**\n * Fetch the selected template information\n * @param {*} templateIndex\n */\n const saveTemplateIdForAddingCoa = async (templateIndex) => {\n if (templateIndex === -1 || templateIndex === indexOfTemplateSelected) {\n clearTemplateSelect();\n } else {\n const params = { template_id: templateList[templateIndex].template_id };\n const response = await getTemplates(params);\n if (response && response.success) {\n setIndexOfTemplateSelected(templateIndex);\n } else if (!response || !response.success) {\n toast.error(\"Could not fetch templates.\");\n clearTemplateSelect();\n }\n }\n };\n\n const handleNavigation = (route) => {\n setCustomizeReportData({});\n /** From TemplateBuilder back to Custom Report */\n if (route === \"coacreate\") {\n setIsCreatingCoa(() => {\n clearTemplateSelect();\n setIsAddingTemplate(false);\n return true;\n });\n }\n\n /** After Saving a Custom COA report */\n if (route === \"coabuilder\") {\n setIsCreatingCoa(() => {\n clearTemplateSelect();\n setIsAddingTemplate(false);\n return false;\n });\n }\n\n /** From Edit/New template to the Template tab */\n if (route === \"builder\") {\n setTemplateLoading(true);\n fetchTemplates();\n setIsAddingTemplate(false);\n setTemplateEditing(false);\n }\n };\n\n /**\n * Set the selected samples data from the Custom Report page and redirect to the template builder page\n * @param {*} obj\n */\n const handleCustomizeReportTemplate = (obj) => {\n setCustomizeReportData(obj);\n setIsAddingTemplate(true);\n };\n\n if (isAddingTemplate || !!templateEditing) {\n const { selectedTemplate, selectedReports } = customizeReportData;\n return (\n
\n );\n }\n\n const tabItems = [\n {\n key: \"Template\",\n label:
,\n children:
,\n },\n {\n key: \"Report\",\n label:
,\n children:
setIsCreatingCoa(val)}\n isCreatingCoa={isCreatingCoa}\n />,\n },\n ];\n\n /**\n * While switching different tabs\n * 1. update the active key\n * 2. update the random key to force the tab content rerender\n * 4. fetch the templates list if switch to the Template tab\n * 5. Reset the isCreatingCoa state\n * @param {*} key\n */\n const handleTabOnChange = async (key) => {\n setActiveTabKey(key);\n setRandomKey(uuidv4());\n if (key === \"Template\") {\n setTemplateLoading(true);\n await fetchTemplates();\n }\n setIsCreatingCoa(false);\n };\n\n return (\n \n \n
\n );\n}\n","var _g, _defs;\nfunction _extends() { _extends = Object.assign ? Object.assign.bind() : 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); }\nimport React from \"react\";\nconst SvgAnalyticsOutlined = _ref => {\n let {\n svgRef,\n title,\n ...props\n } = _ref;\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n width: 24,\n height: 24,\n viewBox: \"0 0 24 24\",\n fill: \"none\",\n ref: svgRef\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", null, title) : null, _g || (_g = /*#__PURE__*/React.createElement(\"g\", {\n clipPath: \"url(#clip0_9_456)\"\n }, /*#__PURE__*/React.createElement(\"path\", {\n d: \"M15 4H5V20H19V8H15V4ZM3 2.992C3 2.444 3.447 2 3.999 2H16L21 7V20.993C21.0009 21.1243 20.976 21.2545 20.9266 21.3762C20.8772 21.4979 20.8043 21.6087 20.7121 21.7022C20.6199 21.7957 20.5101 21.8701 20.3892 21.9212C20.2682 21.9723 20.1383 21.9991 20.007 22H3.993C3.73038 21.9982 3.47902 21.8931 3.29322 21.7075C3.10742 21.5219 3.00209 21.2706 3 21.008V2.992Z\",\n fill: \"currentColor\"\n }), /*#__PURE__*/React.createElement(\"path\", {\n d: \"M14 8.5359C13.2685 8.11354 12.422 7.93362 11.5819 8.02191C10.7418 8.11021 9.95122 8.46219 9.32348 9.02742C8.69573 9.59265 8.26304 10.3421 8.08741 11.1684C7.91178 11.9946 8.00224 12.8553 8.34582 13.6269C8.6894 14.3986 9.26845 15.0417 10 15.4641C10.7315 15.8865 11.578 16.0664 12.4181 15.9781C13.2582 15.8898 14.0488 15.5378 14.6765 14.9726C15.3043 14.4074 15.737 13.6579 15.9126 12.8316L12 12L14 8.5359Z\",\n fill: \"currentColor\"\n }))), _defs || (_defs = /*#__PURE__*/React.createElement(\"defs\", null, /*#__PURE__*/React.createElement(\"clipPath\", {\n id: \"clip0_9_456\"\n }, /*#__PURE__*/React.createElement(\"rect\", {\n width: 24,\n height: 24,\n fill: \"white\"\n })))));\n};\nconst ForwardRef = /*#__PURE__*/React.forwardRef((props, ref) => /*#__PURE__*/React.createElement(SvgAnalyticsOutlined, _extends({\n svgRef: ref\n}, props)));\nexport default __webpack_public_path__ + \"static/media/AnalyticsOutlined.e85da972.svg\";\nexport { ForwardRef as ReactComponent };","import React, { Component } from \"react\";\n\nimport Report from \"./Report/Report\";\nimport Analytics from \"./Analytics/Analytics\";\nimport NavTabs from \"../Common/UIComponents/NavTabs\";\nimport Template from \"./Template/Template\";\nimport { ReactComponent as TemplateIcon } from \"../../assets/images/feature-icons/TemplateOutlined.svg\";\nimport { ReactComponent as ReportIcon } from \"../../assets/images/feature-icons/ReportOutlined.svg\";\nimport { ReactComponent as AnalyticsIcon } from \"../../assets/images/feature-icons/AnalyticsOutlined.svg\";\n\nimport \"./Product.css\";\n\nclass Reports extends Component {\n _isMounted = false;\n\n constructor(props) {\n super(props);\n\n this.state = {\n activeTab: \"1\",\n };\n\n this.handleSelect = this.handleSelect.bind(this);\n }\n\n componentDidMount() {\n const { onChangeReport } = this.props;\n this._isMounted = true;\n if (this._isMounted) {\n const url = window.location.href;\n let activeTab = \"1\";\n let subUrl = \"report\";\n\n if (url.includes(\"/report\")) {\n activeTab = \"1\";\n subUrl = \"report\";\n } else if (url.includes(\"/template\")) {\n activeTab = \"2\";\n subUrl = \"template\";\n } else if (url.includes(\"/analytics\")) {\n activeTab = \"3\";\n subUrl = \"analytics\";\n }\n if (this._isMounted) {\n this.setState({ activeTab });\n }\n onChangeReport(subUrl);\n }\n }\n\n componentWillUnmount() {\n this._isMounted = false;\n }\n\n handleSelect(selectedTab) {\n const { history } = this.props;\n if (this._isMounted) {\n this.setState({ activeTab: selectedTab }, () => {\n if (selectedTab === \"1\") {\n history.push(\"/product/report\");\n } else if (selectedTab === \"2\") {\n history.push(\"/product/template\");\n } else if (selectedTab === \"3\") {\n history.push(\"/product/analytics\");\n }\n });\n }\n }\n\n render() {\n const { history } = this.props;\n const { activeTab } = this.state;\n\n return (\n \n {this._isMounted\n ? (\n
,\n children:
,\n },\n {\n key: \"2\",\n label: \"Template\",\n icon:
,\n children:
,\n },\n {\n key: \"3\",\n label: \"Analytics\",\n icon:
,\n children:
,\n },\n ]}\n />\n ) : null}\n
\n );\n }\n}\n\nexport default Reports;\n","import React from \"react\";\n\nimport { Flex, Row } from \"antd\";\nimport { useHistory } from \"react-router-dom\";\n\nimport StyledButton from \"../../../Common/UIComponents/StyledButton\";\n\nimport { hasPermission } from \"../../../../utils/common\";\n\nimport \"./LandingPage.css\";\n\nexport default function LandingPage({\n heading, description, image, setDisplayForm,\n}) {\n const canOnboardNewFeature = hasPermission([\"onboard_product\", \"onboard_environment\"]);\n const history = useHistory();\n\n return (\n \n \n \n
Begin your
\n
\n {heading}\n
\n
\n {description}\n
\n {canOnboardNewFeature ? (\n
setDisplayForm(true)}>\n Get started\n \n ) : (\n <>\n
Request your administer
\n
history.push(\"/sample-submission\")}>\n Back\n \n >\n )}\n
\n \n
\n
\n \n
\n );\n}\n","import React from \"react\";\nimport { Scrollbar } from \"react-scrollbars-custom\";\nimport FormLayout from \"../../../Onboarding/FormLayout\";\nimport \"./OnboardingFormLayout.css\";\n\nexport default function OnboardingFormLayout({ children }) {\n return (\n \n \n {children}\n \n \n );\n}\n","import React from \"react\";\nimport { Form, Input, Select } from \"antd\";\nimport MyForm from \"../../../../Onboarding/MyForm\";\nimport { ReactComponent as Info } from \"../../../../../assets/images/onboarding/Info.svg\";\nimport StyledTooltip from \"../../../../Common/UIComponents/StyledTooltip\";\nimport EditableFields from \"../../../../Onboarding/OnboardingForm/SubForms/FieldsForm/Components/EditableFields\";\n\nexport default function OnboardingProductForm({\n layout, form, FORM_NAME, handleInitialValues, getJsonFieldName, handleEditableFields, setSubmitBtnValidation, productDropdownOptions,\n}) {\n return (\n \n \n \n );\n}\n","import React from \"react\";\n\nimport \"../OnboardingFormLayout.css\";\nimport StyledButton from \"../../../../Common/UIComponents/StyledButton\";\n\nexport default function OnboardingFormBtn({\n handleFormValidation, submitBtnValidation, history, loading,\n}) {\n return (\n \n history.push(\"/sample-submission\")}\n ghost\n >\n Cancel\n \n \n Submit\n \n
\n );\n}\n","import React from \"react\";\nimport {\n Form, Input, Radio, Select,\n} from \"antd\";\nimport { ReactComponent as Info } from \"../../../../../assets/images/onboarding/Info.svg\";\nimport StyledTooltip from \"../../../../Common/UIComponents/StyledTooltip\";\nimport EditableFields from \"../../../../Onboarding/OnboardingForm/SubForms/FieldsForm/Components/EditableFields\";\nimport StyledRadioGroup from \"../../../../Common/UIComponents/StyledRadioGroup\";\n\nexport default function OnboardingEnvironmentForm({\n layout, form, FORM_NAME, handleInitialValues, getJsonFieldName, handleEditableFields, setSubmitBtnValidation, envDropdownOptions,\n}) {\n return (\n \n );\n}\n","import { useForm } from \"antd/es/form/Form\";\nimport React, { useEffect, useState } from \"react\";\nimport { useHistory } from \"react-router-dom\";\nimport { toast } from \"react-toastify\";\nimport \"../OnboardingFormLayout.css\";\nimport OnboardingFormLayout from \"../OnboardingFormLayout\";\nimport InitialFormValue from \"./InitialValues\";\nimport { submitOnboardingFields } from \"../../../../../actions/onboarding\";\nimport { getTabsForCompany } from \"../../../../../actions/switchCompany\";\nimport { ESV_DETAILS } from \"../../../../../utils/Constant\";\nimport OnboardingProductForm from \"./OnboardingProductForm\";\nimport OnboardingFormBtn from \"./OnboardingFormBtn\";\nimport OnboardingEnvironmentForm from \"./OnboardingEnvironmentForm\";\n\nconst initialValues = InitialFormValue.fields_form;\n\nexport default function OnboardingForm({ formStep, setDisplayForm, setSuccess }) {\n const [productDropdownOptions, setProductDropdownOptions] = useState([]);\n const [envDropdownOptions, setEnvDropdownOptions] = useState([]);\n const [formValues, setFormValues] = useState({ ...initialValues });\n const [submitBtnValidation, setSubmitBtnValidation] = useState(false);\n const [loading, setLoading] = useState(false);\n const [form] = useForm();\n const history = useHistory();\n\n const onboardingType = formStep === 2 ? \"Environment\" : \"Product\";\n\n const FORM_NAME = \"fields_form\";\n\n const layout = {\n labelCol: {\n span: 24,\n },\n wrapperCol: {\n span: 24,\n },\n layout: \"vertical\",\n };\n\n /** Convert display name to DB Column value. Replace special characters, spaces with an underscore, convert to lower case */\n const getJsonFieldName = (str) => {\n if (!str) {\n return \"\";\n }\n let jsonFieldName = str.trim().replace(/[^\\w\\s]/gi, \" \").replace(/\\s+/g, \"_\").toLowerCase();\n jsonFieldName = jsonFieldName.replace(/(?:__+)/g, \"_\"); // condense multiple underscores to one\n jsonFieldName = jsonFieldName.replace(/^_+|_+$/g, \"\"); // trim leading + trailing underscores\n return jsonFieldName;\n };\n\n /**\n * @param {Array} fieldList\n * On change of fieldList in editableFields component\n * update the fields for product details and environment details.\n */\n const handleEditableFields = (fieldList) => {\n if (fieldList) {\n const currentStep = formStep === 1 ? \"product_info\" : \"environment_info\";\n const newFields = fieldList.filter((field) => field !== undefined);\n\n // Check if any fields have been added or removed\n const fieldsToAdd = newFields.filter((newField) => !formValues[currentStep].editable_fields.some((oldField) => oldField.json_field === newField));\n const fieldsToRemove = formValues[currentStep].editable_fields.filter((oldField) => !newFields.includes(oldField.json_field));\n\n // Check if any fields have been changed\n const fieldsToChange = newFields.filter((newField, index) => {\n const oldField = formValues[currentStep].editable_fields[index];\n return oldField && newField !== oldField.json_field;\n });\n\n const fieldCheck = fieldList.map((field) => ({ json_field: getJsonFieldName(field), title_field: field }));\n // Update editable_fields and productDropdownOptions\n setFormValues({\n ...formValues,\n [currentStep]: {\n ...formValues[currentStep],\n editable_fields: fieldCheck,\n },\n });\n\n if (fieldsToAdd.length > 0 || fieldsToRemove.length > 0 || fieldsToChange.length > 0) {\n const newFieldsValues = newFields.map((field) => ({ value: field, label: field }));\n const updatedFieldsValues = newFieldsValues.filter((field) => !fieldsToRemove.includes(field.value));\n\n const dropdownOptions = currentStep === \"product_info\" ? productDropdownOptions : envDropdownOptions;\n const newOptionsToAdd = updatedFieldsValues.filter((option) => !dropdownOptions.some((existingOption) => existingOption.value === option.value));\n\n if (currentStep === \"product_info\") {\n const filteredProductDropdownOptions = productDropdownOptions.filter((option) => {\n const fieldToRemove = fieldsToRemove.find((field) => field.json_field === option.value);\n return !fieldToRemove;\n });\n setProductDropdownOptions([...filteredProductDropdownOptions, ...newOptionsToAdd]);\n if (fieldsToRemove.length > 0) {\n form.setFieldValue(\"product_link\", []);\n }\n }\n }\n }\n };\n\n const handleUpdateSessionStorage = async () => {\n const { tabsList } = await getTabsForCompany();\n sessionStorage.setItem(ESV_DETAILS, JSON.stringify(tabsList));\n };\n\n const handleSubmit = async () => {\n setLoading(true);\n const formData = form.getFieldsValue();\n const payload = {};\n const data = formValues;\n const {\n product_info,\n environment_info,\n } = data;\n if (product_info.sample_supply === \"Yes\" && formStep === 1) {\n const nonEditableFields = [{ json_field: \"sample_type\", title_field: \"Sample Type\" }, { json_field: \"received_date\", title_field: \"Received Date\" }];\n const fields = [...nonEditableFields, ...(product_info.editable_fields ?? [])];\n payload.product_info = {\n fields,\n product_link: formData.product_link,\n };\n }\n if (environment_info.env_sample_supply === \"Yes\" && formStep === 2) {\n const nonEditableFields_env = [\n { json_field: \"sample_type\", title_field: \"Sample Type\" },\n { json_field: \"received_date\", title_field: \"Received Date\" },\n { json_field: \"swab_number\", title_field: \"Swab Number\" },\n { json_field: \"zone\", title_field: \"Zone\" },\n { json_field: \"section\", title_field: \"Section\" },\n ];\n const field_env = [...nonEditableFields_env, ...(environment_info.editable_fields ?? [])];\n payload.environment_info = {\n fields: field_env,\n environment_link: environment_info.environment_link,\n environment_supplies_needed: environment_info.environment_supplies_needed,\n };\n }\n const { success, message } = await submitOnboardingFields(payload);\n if (success) {\n handleUpdateSessionStorage();\n // history.push(\"/sample-submission\");\n\n // Display success screen with success message.\n setDisplayForm(false);\n setSuccess(onboardingType);\n } else {\n toast.error(message);\n }\n setLoading(false);\n };\n\n const handleFormValidation = (e) => {\n e.preventDefault();\n const formData = form.getFieldsValue();\n if (formStep === 1) {\n const fieldData = formValues.product_info.editable_fields.filter((field) => field.json_field === \"\");\n if (formData.product_link) {\n if (!formData.product_link.length) {\n form.validateFields([\"product_link\"]);\n toast.error(\"At least one field required!\");\n return;\n }\n if (fieldData.length > 0) {\n form.validateFields();\n toast.error(\"Invalid inputs!\");\n return;\n }\n }\n if (formData.sample_supply === \"Yes\") {\n if (formData.editable_fields.length < 1) {\n form.validateFields();\n toast.error(\"At least one field required!\");\n return;\n }\n }\n\n setFormValues({\n ...formValues,\n product_info: {\n ...formValues.product_info,\n sample_supply: \"Yes\",\n product_link: formData.product_link ?? [],\n },\n environment_info: {\n ...formValues.environment_info,\n },\n });\n } else {\n const fieldData = formValues.environment_info.editable_fields.filter((field) => field?.json_field === \"\");\n if (fieldData.length > 0) {\n form.validateFields();\n toast.error(\"Invalid inputs!\");\n return;\n }\n if (formData.environment_supplies_needed === \"\") {\n form.validateFields([\"environment_supplies_needed\"]);\n toast.error(\"Invalid input\");\n return;\n }\n formValues.environment_info.environment_link = formData.environment_link ?? [];\n formValues.environment_info.environment_supplies_needed = formData.environment_supplies_needed ?? \"No\";\n }\n handleSubmit();\n };\n\n /**\n * @param {String} formName\n * Handling the initialValues for form\n */\n const handleInitialValues = (formName) => {\n if (formName && Object.keys(formValues).length) {\n const editable_fields = formValues[formName].editable_fields ? formValues[formName].editable_fields.map(({ title_field }) => title_field) : undefined;\n return { ...formValues[formName], editable_fields };\n }\n return {};\n };\n\n /**\n * @param {Object} fieldObj\n * @param {Array} exceptionFields*\n * Creating option array for associated fields\n */\n const createFieldArray = (fieldObj, exceptionFields = []) => {\n if (!fieldObj) {\n return [];\n }\n\n const getFieldArrayItem = (key, value) => {\n if (Array.isArray(value) && key === \"editable_fields\") {\n return value.map((item) => {\n const jsonFieldName = getJsonFieldName(item.json_field);\n const titleField = item.title_field;\n return { value: jsonFieldName, label: titleField ? titleField.trim() : \"\" };\n });\n }\n return { value: getJsonFieldName(key), label: value ? value.trim() : \"\" };\n };\n\n const fieldArray = Object.entries(fieldObj)\n // eslint-disable-next-line no-unused-vars\n .filter(([key, value]) => !exceptionFields.includes(key))\n .map(([key, value]) => getFieldArrayItem(key, value));\n\n return fieldArray.flat().filter((item) => item.label !== \"\");\n };\n\n /**\n * @dependency [formValues, formStep]\n * Handling the form data on page change\n */\n useEffect(() => {\n const formData = form.getFieldsValue();\n if (formStep === 1) {\n if (formData?.product_link?.length === 0) {\n setSubmitBtnValidation(false);\n } else if (formData.sample_supply === \"\" || formData.sample_supply === null) {\n setSubmitBtnValidation(false);\n } else {\n setSubmitBtnValidation(true);\n }\n if (Object.keys(formValues).length) {\n const options = createFieldArray(\n formValues.product_info,\n [\n \"sample_type\",\n \"date\",\n \"product_link\",\n \"sample_supply\",\n ],\n );\n setProductDropdownOptions(options);\n form.setFieldsValue({\n editable_fields: formValues.product_info.editable_fields\n ? formValues.product_info.editable_fields.map((data) => (data.title_field)) : [],\n });\n if (formValues.product_info.sample_supply) {\n form.setFieldsValue({\n sample_supply: formValues.product_info.sample_supply,\n });\n form.setFieldsValue({\n product_link: formValues.product_info.product_link ?? [],\n });\n }\n }\n } else if (formStep === 2) {\n if (formData.environment_link.length === 0) {\n setSubmitBtnValidation(false);\n } else if (formData.env_sample_supply === \"\" || formData.env_sample_supply === null) {\n setSubmitBtnValidation(false);\n } else {\n setSubmitBtnValidation(true);\n }\n if (Object.keys(formValues).length) {\n form.setFieldsValue({\n editable_fields: formValues.environment_info.editable_fields.map((data) => (data.title_field)) ?? [],\n });\n /**\n * Adding Non-editable and pre-defined fields\n */\n if (envDropdownOptions.length === 0) {\n const options = createFieldArray(\n initialValues.environment_info,\n [\n \"sample_type\",\n \"date\",\n \"environment_link\",\n \"env_sample_supply\",\n \"environment_supplies_needed\",\n \"editable_fields\",\n ],\n );\n setEnvDropdownOptions(options);\n }\n }\n }\n }, [formValues, formStep, form]);// eslint-disable-line react-hooks/exhaustive-deps\n\n return (\n \n {formStep === 1 && (\n \n )}\n {formStep === 2\n && (\n \n )}\n \n \n );\n}\n","const initialValues = {\n fields_form: {\n product_info: {\n sample_type: \"Sample Type\",\n date: \"Received Date\",\n editable_fields: [\n { json_field: \"Item\", title_field: \"Item\" },\n { json_field: \"Lot\", title_field: \"Lot\" },\n { json_field: \"Description\", title_field: \"Description\" },\n ],\n sample_supply: \"Yes\",\n product_link: [],\n },\n environment_info: {\n sample_type: \"Sample Type\",\n date: \"Received Date\",\n swab_number: \"Swab Number\",\n zone: \"Zone\",\n section: \"Section\",\n editable_fields: [],\n env_sample_supply: \"Yes\",\n environment_link: [],\n environment_supplies_needed: \"\",\n },\n },\n};\n\nexport default initialValues;\n","import React, { useEffect, useState } from \"react\";\n\nimport { Flex, Row } from \"antd\";\nimport { useHistory } from \"react-router-dom\";\n\nimport \"./LandingPage.css\";\nimport StyledButton from \"../../../Common/UIComponents/StyledButton\";\n\nimport arrow from \"../../../../assets/images/Arrow 7.png\";\n\nexport default function SuccessLandingPage({ GroupPNG }) {\n const [count, setCount] = useState(5);\n const history = useHistory();\n\n const handleReloadScreen = () => {\n history.push(\"/sample-submission\");\n window.location.reload(false);\n };\n\n useEffect(() => {\n // If count is 0, Redirect to sample submission page and make reload.\n if (count === 0) { history.push(\"/sample-submission\"); window.location.reload(false); }\n\n // Set up a timer to update the count every second\n const timer = setInterval(() => {\n setCount((prevCount) => prevCount - 1);\n }, 1000);\n\n // Clear timer when component unmounts or when count changes\n return () => clearInterval(timer);\n }, [count, history]);\n\n return (\n \n \n \n
\n Successfully set up fields.\n
\n
\n Taking you to sample submission in\n {\" \"}\n {count}\n s.\n
\n\n
\n Sample Submission\n \n \n
\n \n
\n
\n \n
\n );\n}\n","import React, { useState } from \"react\";\nimport LandingPage from \"../CommonComponent/LandingPage\";\nimport GroupPNG from \"../../../../assets/images/onboarding/Group.png\";\nimport OnboardingForm from \"../CommonComponent/OnboardingForm/OnboardingForm\";\nimport SuccessLandingPage from \"../CommonComponent/SuccessLandingPage\";\n\nexport default function EnvironmentLandingPage() {\n const [displayForm, setDisplayForm] = useState(false);\n const [success, setSuccess] = useState(\"\");\n\n if (displayForm) {\n return ;\n }\n\n if ((success === \"Environment\") && !displayForm) {\n return (\n \n );\n }\n\n return (\n \n Environment Testing journey\n \n with us\n >\n )}\n description={(\n <>\n Please setup your environment sample\n \n submission fields to enable submitting\n \n environment samples.\n >\n )}\n image={GroupPNG}\n setDisplayForm={setDisplayForm}\n />\n );\n}\n","import React, { useState } from \"react\";\nimport LandingPage from \"../CommonComponent/LandingPage\";\nimport Onboarding_Art_Product from \"../../../../assets/images/onboarding/Onboarding_Art_Product.png\";\nimport OnboardingForm from \"../CommonComponent/OnboardingForm/OnboardingForm\";\nimport SuccessLandingPage from \"../CommonComponent/SuccessLandingPage\";\n\nexport default function ProductLandingPage() {\n const [displayForm, setDisplayForm] = useState(false);\n const [success, setSuccess] = useState(\"\");\n\n if (displayForm) {\n return ;\n }\n\n if ((success === \"Product\") && !displayForm) {\n return (\n \n );\n }\n\n return (\n \n Product Testing\n \n journey with us\n >\n )}\n description={(\n <>\n Please setup your product sample submission\n \n fields to enable submitting product samples.\n >\n )}\n image={Onboarding_Art_Product}\n setDisplayForm={setDisplayForm}\n />\n );\n}\n","import { useRef } from \"react\";\n\n/**\n * Custom hook to handle cancelling api calls.\n */\nconst useAbortController = () => {\n const abortController = useRef(null);\n\n /**\n * If there is a current abort controller, a call is in progress so abort it.\n * Initialize a new controller. Set abortController to this new controller.\n * @return {AbortController} the new abort controller\n */\n const setNewAbortController = () => {\n const newAbortController = new AbortController();\n if (abortController.current) {\n abortController.current.abort();\n }\n abortController.current = newAbortController;\n return newAbortController;\n };\n\n /**\n * When the current api call is finished, set abortController back to null.\n */\n const clearAbortController = () => {\n abortController.current = null;\n };\n\n return {\n abortController, setNewAbortController, clearAbortController,\n };\n};\n\nexport default useAbortController;\n","import React from \"react\";\nimport { Modal } from \"antd\";\n// eslint-disable-next-line import/no-extraneous-dependencies\nimport Lottie from \"lottie-react\";\nimport SuccessAnimationData from \"../../../assets/images/sample-submission/animation/SuccessfulSubmissionAnimation.json\";\nimport \"./SuccessAnimation.css\";\n\nexport default function SuccessAnimation({ onConfirm, onCancel }) {\n return (\n \n \n \n
\n Successfully submitted!
\n\n \n );\n}\n","import { createContext } from \"react\";\n\nconst SampleFunctionContext = createContext();\n\nexport default SampleFunctionContext;\n","import { createContext } from \"react\";\n\nconst SampleSubmissionContext = createContext();\n\nexport default SampleSubmissionContext;\n","import React from \"react\";\nimport { has } from \"lodash\";\nimport { Scrollbar } from \"react-scrollbars-custom\";\nimport { Table } from \"antd\";\nimport \"./SampleSubmissionModalEditsInfo.css\";\n\nexport default function SampleSubmissionModalEditsInfo({\n editedSamplePayload,\n sampleFields,\n sampleFieldsInfo,\n sampleIdFields,\n}) {\n const {\n sample_id,\n new_sample_id,\n sample_type,\n new_sample_type,\n oldSample,\n newSample,\n deleted_tests,\n added_tests,\n } = editedSamplePayload;\n\n /** Set up Sample ID and Sample Type table */\n const fieldsTableDataSource = [\n {\n key: \"Old\",\n },\n {\n key: \"New\",\n },\n ];\n const fieldsTableColumns = [\n {\n title: \"\",\n dataIndex: \"key\",\n key: \"key\",\n rowScope: \"row\",\n width: 80,\n },\n ];\n\n /** Add sample id if it has changed (this is the first column) */\n if (has(editedSamplePayload, \"new_sample_id\")) {\n fieldsTableDataSource.forEach(({ key }, i) => {\n fieldsTableDataSource[i].sample_id = key === \"Old\" ? sample_id : new_sample_id;\n });\n fieldsTableColumns.push({\n title: \"Sample ID\",\n dataIndex: \"sample_id\",\n key: \"sample_id\",\n });\n }\n\n /** Add sample type if it has changed */\n if (has(editedSamplePayload, \"new_sample_type\")) {\n fieldsTableDataSource.forEach(({ key }, i) => {\n fieldsTableDataSource[i].sample_type = key === \"Old\" ? sample_type : new_sample_type;\n });\n fieldsTableColumns.push({\n title: sampleFieldsInfo.sample_type.title_field,\n dataIndex: \"sample_type\",\n key: \"sample_type\",\n });\n }\n\n /** Add any non-sampleId fields that have changed */\n sampleFields.forEach((json_field) => {\n if (!sampleIdFields.has(json_field) && ![\"sample_id\", \"sample_type\"].includes(json_field)) { // make sure field is not in the sample id, and it is not sample_id or sample_type (because they were already added)\n const oldVal = oldSample[json_field];\n const newVal = newSample[json_field];\n\n if (oldVal !== newVal) {\n fieldsTableDataSource.forEach(({ key }, i) => {\n fieldsTableDataSource[i][json_field] = key === \"Old\" ? oldVal : newVal;\n });\n fieldsTableColumns.push({\n title: sampleFieldsInfo[json_field].title_field,\n dataIndex: json_field,\n key: json_field,\n });\n }\n }\n });\n\n /** Add image column if it has been added/edited/deleted (for environment) */\n if (has(editedSamplePayload, \"new_image_src\")) {\n fieldsTableDataSource.forEach(({ key }, i) => {\n const src = editedSamplePayload[`${key === \"New\" ? \"new_\" : \"\"}image_src`];\n fieldsTableDataSource[i].image = src ? (\n \n
\n
\n ) : \"\";\n });\n fieldsTableColumns.push({\n title: \"Image\",\n dataIndex: \"image\",\n key: \"image\",\n align: \"center\",\n });\n }\n\n /** Set up Tests table */\n const testsTableDataSource = [];\n\n // Add added tests column if any tests have been added\n if (added_tests) {\n testsTableDataSource.push(\n \n
Tests added
\n {added_tests.length > 10 ? (\n
\n
\n \n {added_tests.map((test, index) => (\n {test} \n ))}\n
\n \n
\n ) : (\n
\n {added_tests.map((test, index) => (\n {test} \n ))}\n
\n )}\n
,\n );\n }\n\n // Add deleted tests column if any tests have been deleted\n if (deleted_tests) {\n testsTableDataSource.push(\n \n
Tests deleted
\n {deleted_tests.length > 10 ? (\n
\n
\n \n {deleted_tests.map((test, index) => (\n {test} \n ))}\n
\n \n
\n ) : (\n
\n {deleted_tests.map((test, index) => (\n {test} \n ))}\n
\n )}\n
,\n );\n }\n\n return (\n \n\n {fieldsTableColumns.length <= 1 && !testsTableDataSource.length &&
No changes to be submitted.
}\n\n {fieldsTableColumns.length > 1 && (\n <>\n
\n
\n
\n >\n )}\n {testsTableDataSource.length > 0 && (\n <>\n
\n
\n >\n )}\n {testsTableDataSource.map((item, inx) => (
{item} \n ))}\n
\n );\n}\n","/** Characters not allowed in Sample Details input */\nexport const INVALID_CHARS = [\"/u2022\"];\n\n/** Regex special chars are escaped i.e. \"\\\\(\", \"\\\\)\" */\nexport const INVALID_CHARS_ESCAPED = [\" \\\\(Replicate-[\\\\d]+\\\\)\", \"\\u{2022}\"];\n\n/** json fields that stand for product name */\nexport const PRODUCT_NAME_FIELDS_SET = new Set([\"name\", \"description\"]);\n\n/** Character limits for certain fields */\nexport const CHAR_LIMITS = {\n sample_id: 2000,\n analysis_request_search: 100,\n po: 200,\n comment: 500,\n sample_type: 100,\n submission_name: 200,\n};\n\n/**\n * Finds all matches, keeps track of lastIndex.\n * Any subsequent tests on the same string will start from lastIndex and might give \"wrong\" result\n * Use with match or replace (when you want all matches, this is slower than test)\n */\nexport const replicateTagRegexGlobal = new RegExp(/ *\\(Replicate-[\\d]+\\)/, \"g\"); // looks for \"(Replicate-#)\" with any number of spaces before\n\n/**\n * Finds first match, use with test, will return the same value every time\n */\nexport const replicateTagRegexFirstMatch = new RegExp(/ *\\(Replicate-[\\d]+\\)/); // looks for \"(Replicate-#)\" with any number of spaces before\n","var _path;\nfunction _extends() { _extends = Object.assign ? Object.assign.bind() : 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); }\nimport React from \"react\";\nconst SvgClose = _ref => {\n let {\n svgRef,\n title,\n ...props\n } = _ref;\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n width: 10,\n height: 10,\n viewBox: \"0 0 10 10\",\n fill: \"none\",\n ref: svgRef\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", null, title) : null, _path || (_path = /*#__PURE__*/React.createElement(\"path\", {\n fillRule: \"evenodd\",\n clipRule: \"evenodd\",\n d: \"M8.18489 0.4L5.00089 3.585L1.81489 0.399C1.71962 0.30584 1.59151 0.253926 1.45827 0.254487C1.32503 0.255048 1.19736 0.30804 1.10289 0.402L0.402886 1.103C0.354967 1.14897 0.316765 1.20409 0.290546 1.2651C0.264327 1.3261 0.250625 1.39175 0.250252 1.45815C0.249879 1.52455 0.262843 1.59035 0.288375 1.65165C0.313906 1.71295 0.351486 1.7685 0.398886 1.815L3.58389 4.999L0.399886 8.185C0.306858 8.2804 0.255123 8.40858 0.255872 8.54182C0.256621 8.67506 0.309792 8.80266 0.403886 8.897L1.10389 9.597C1.30989 9.804 1.61989 9.797 1.81589 9.601L5.00189 6.416L8.18589 9.601C8.28128 9.69403 8.40946 9.74576 8.54271 9.74501C8.67595 9.74427 8.80354 9.69109 8.89789 9.597L9.59889 8.897C9.64674 8.85097 9.68486 8.79579 9.711 8.73475C9.73713 8.67371 9.75074 8.60804 9.75102 8.54163C9.7513 8.47523 9.73824 8.40945 9.71263 8.34819C9.68701 8.28693 9.64935 8.23144 9.60189 8.185L6.41589 4.999L9.60189 1.815C9.69505 1.71974 9.74696 1.59163 9.7464 1.45838C9.74584 1.32514 9.69285 1.19748 9.59889 1.103L8.89889 0.403C8.85197 0.354972 8.796 0.316722 8.7342 0.290461C8.67241 0.264199 8.60603 0.250447 8.53889 0.25C8.47307 0.250538 8.40801 0.264065 8.34743 0.289806C8.28685 0.315547 8.23196 0.352994 8.18589 0.4H8.18489Z\",\n fill: \"#19305A\"\n })));\n};\nconst ForwardRef = /*#__PURE__*/React.forwardRef((props, ref) => /*#__PURE__*/React.createElement(SvgClose, _extends({\n svgRef: ref\n}, props)));\nexport default __webpack_public_path__ + \"static/media/close.bce63a85.svg\";\nexport { ForwardRef as ReactComponent };","var _path;\nfunction _extends() { _extends = Object.assign ? Object.assign.bind() : 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); }\nimport React from \"react\";\nconst SvgSubmitBlue = _ref => {\n let {\n svgRef,\n title,\n ...props\n } = _ref;\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n width: 14,\n height: 14,\n viewBox: \"0 0 14 14\",\n fill: \"none\",\n ref: svgRef\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", null, title) : null, _path || (_path = /*#__PURE__*/React.createElement(\"path\", {\n d: \"M6.9987 13.6673C3.3167 13.6673 0.332031 10.6827 0.332031 7.00065C0.332031 3.31865 3.3167 0.333984 6.9987 0.333984C10.6807 0.333984 13.6654 3.31865 13.6654 7.00065C13.6654 10.6827 10.6807 13.6673 6.9987 13.6673ZM5.98045 9.31374C6.17572 9.50901 6.49233 9.509 6.68758 9.31371L10.6939 5.30687C10.8891 5.1116 10.8891 4.79504 10.6938 4.59979L10.4583 4.36424C10.263 4.16896 9.9464 4.16898 9.75115 4.36427L6.33403 7.78198L4.80158 6.24954C4.60632 6.05428 4.28974 6.05428 4.09448 6.24954L3.85892 6.4851C3.66366 6.68036 3.66366 6.99694 3.85892 7.1922L5.98045 9.31374Z\",\n fill: \"#26ABE1\"\n })));\n};\nconst ForwardRef = /*#__PURE__*/React.forwardRef((props, ref) => /*#__PURE__*/React.createElement(SvgSubmitBlue, _extends({\n svgRef: ref\n}, props)));\nexport default __webpack_public_path__ + \"static/media/SubmitBlue.74896815.svg\";\nexport { ForwardRef as ReactComponent };","import React from \"react\";\nimport { Button, Input } from \"antd\";\nimport { CHAR_LIMITS } from \"../SubmissionForm/Constant\";\nimport { ReactComponent as CloseIcon } from \"../../../assets/images/sample-submission/close.svg\";\nimport { ReactComponent as SubmitIcon } from \"../../../assets/images/sample-submission/SubmitBlue.svg\";\n\nimport \"./Comment.css\";\n\nexport default function Comment({\n commentRef,\n defaultValue,\n showButtons,\n handleCancelClick,\n handleSubmitClick,\n loading,\n}) {\n return (\n \n
\n {showButtons ?
Comments: : \"\"}\n {showButtons && (\n
\n \n \n \n \n \n \n
\n )}\n
\n \n
\n );\n}\n","import React from \"react\";\nimport \"./SampleSubmissionConfirmModal.css\";\nimport { Modal } from \"antd\";\nimport SampleSubmissionModalEditsInfo from \"./SampleSubmissionModalEditsInfo\";\nimport Comment from \"./Comment\";\nimport StyledButton from \"../../Common/UIComponents/StyledButton\";\n\nexport default function SampleSubmissionConfirmModal({\n headerText,\n bodyText,\n buttonText,\n buttonFunctions,\n loading,\n editedSamplePayload,\n sampleFields,\n sampleFieldsInfo,\n sampleIdFields,\n submissionComment,\n commentRef,\n commentDefaultValue,\n handleEditSample,\n submissionEditingSample,\n}) {\n const handleCancel = () => {\n if (submissionEditingSample) {\n handleEditSample(0);\n }\n buttonFunctions[0]();\n };\n return (\n \n \n
{headerText}
\n
{bodyText}
\n {submissionComment &&
}\n {editedSamplePayload && (\n
\n )}\n
\n \n {buttonText[0]}\n \n\n \n {buttonText[1]}\n \n\n
\n
\n \n );\n}\n","import React from \"react\";\nimport moment from \"moment\";\nimport { convertUtcToLocal } from \"../../../Common/utils/dateUtils\";\nimport \"./ReceiptModalHeader.css\";\n\nexport default function ReceiptModalHeader({ submission }) {\n const formattedDate = submission?.submit_date ? moment(new Date(convertUtcToLocal(submission.submit_date))).format(\"MMM DD, YYYY | hh:mm a\") : \"-\";\n return (\n \n
Sample Submission Receipt \n
\n
\n \n \n Submission Name \n Submission Date \n PO# \n \n \n \n \n {submission?.submit_name || \"-\"} \n {formattedDate} \n {submission?.po || \"-\"} \n \n \n
\n
\n
Comments
\n
{submission?.comment || \"-\"}
\n
\n );\n}\n","import React, { useEffect, useState } from \"react\";\nimport \"./SamplesInfo.css\";\nimport { QRCode } from \"antd\";\nimport { isEmpty } from \"lodash\";\n\nexport default function SamplesInfo({ submission, customerInfo }) {\n const [qrCodeData, setQRCodeData] = useState(\"{}\");\n const [numTests, setNumTests] = useState();\n\n useEffect(() => {\n if (submission && !isEmpty(customerInfo)) {\n const num_tests = submission.samples_list.reduce((numTestsSoFar, { tests_list }) => numTestsSoFar + tests_list.length, 0);\n setNumTests(num_tests);\n setQRCodeData(submission.submit_id || submission.submit_name); // if submission id is empty, this is the logged out version, use the submission name\n }\n }, [submission, customerInfo]);\n\n return (\n \n
\n \n \n Total Quantity of \n Qty \n \n \n \n \n Samples \n {submission?.num_samples} \n \n \n Tests \n {numTests ?? \"\"} \n \n \n
\n
\n \n
\n
\n\n );\n}\n","import React from \"react\";\nimport \"./SenderInfo.css\";\n\nexport default function SenderInfo({ CUSTOMER_INFO_FIELDS, customerInfo }) {\n return (\n \n
Sender Details
\n
\n {CUSTOMER_INFO_FIELDS.map(({ label, key }) => (\n
\n {label} \n {customerInfo[key] || \"-\"} \n
\n ))}\n
\n
\n );\n}\n","var _g;\nfunction _extends() { _extends = Object.assign ? Object.assign.bind() : 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); }\nimport React from \"react\";\nconst SvgDownloadIcon = _ref => {\n let {\n svgRef,\n title,\n ...props\n } = _ref;\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n width: 16,\n height: 17,\n viewBox: \"0 0 16 17\",\n fill: \"none\",\n ref: svgRef\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", null, title) : null, _g || (_g = /*#__PURE__*/React.createElement(\"g\", {\n id: \"Group\"\n }, /*#__PURE__*/React.createElement(\"path\", {\n id: \"Vector\",\n d: \"M2 13.5423H14V14.8757H2V13.5423ZM8.66667 9.65698L12.714 5.60898L13.6567 6.55165L8 12.209L2.34333 6.55232L3.286 5.60898L7.33333 9.65565V2.20898H8.66667V9.65698Z\",\n fill: \"#F6F8FA\"\n }))));\n};\nconst ForwardRef = /*#__PURE__*/React.forwardRef((props, ref) => /*#__PURE__*/React.createElement(SvgDownloadIcon, _extends({\n svgRef: ref\n}, props)));\nexport default __webpack_public_path__ + \"static/media/DownloadIcon.464c8054.svg\";\nexport { ForwardRef as ReactComponent };","var _g;\nfunction _extends() { _extends = Object.assign ? Object.assign.bind() : 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); }\nimport React from \"react\";\nconst SvgPrintIcon = _ref => {\n let {\n svgRef,\n title,\n ...props\n } = _ref;\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n width: 16,\n height: 17,\n viewBox: \"0 0 16 17\",\n fill: \"currentColor\",\n ref: svgRef\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", null, title) : null, _g || (_g = /*#__PURE__*/React.createElement(\"g\", {\n id: \"Group\"\n }, /*#__PURE__*/React.createElement(\"path\", {\n id: \"Vector\",\n d: \"M3.99967 13.5423H1.99967C1.82286 13.5423 1.65329 13.4721 1.52827 13.3471C1.40325 13.222 1.33301 13.0525 1.33301 12.8757V6.20898C1.33301 6.03217 1.40325 5.8626 1.52827 5.73758C1.65329 5.61256 1.82286 5.54232 1.99967 5.54232H3.99967V2.87565C3.99967 2.69884 4.06991 2.52927 4.19494 2.40425C4.31996 2.27922 4.48953 2.20898 4.66634 2.20898H11.333C11.5098 2.20898 11.6794 2.27922 11.8044 2.40425C11.9294 2.52927 11.9997 2.69884 11.9997 2.87565V5.54232H13.9997C14.1765 5.54232 14.3461 5.61256 14.4711 5.73758C14.5961 5.8626 14.6663 6.03217 14.6663 6.20898V12.8757C14.6663 13.0525 14.5961 13.222 14.4711 13.3471C14.3461 13.4721 14.1765 13.5423 13.9997 13.5423H11.9997V14.8757C11.9997 15.0525 11.9294 15.222 11.8044 15.3471C11.6794 15.4721 11.5098 15.5423 11.333 15.5423H4.66634C4.48953 15.5423 4.31996 15.4721 4.19494 15.3471C4.06991 15.222 3.99967 15.0525 3.99967 14.8757V13.5423ZM3.99967 12.209V11.5423C3.99967 11.3655 4.06991 11.1959 4.19494 11.0709C4.31996 10.9459 4.48953 10.8757 4.66634 10.8757H11.333C11.5098 10.8757 11.6794 10.9459 11.8044 11.0709C11.9294 11.1959 11.9997 11.3655 11.9997 11.5423V12.209H13.333V6.87565H2.66634V12.209H3.99967ZM5.33301 3.54232V5.54232H10.6663V3.54232H5.33301ZM5.33301 12.209V14.209H10.6663V12.209H5.33301ZM3.33301 7.54232H5.33301V8.87565H3.33301V7.54232Z\",\n fill: \"currentColor\"\n }))));\n};\nconst ForwardRef = /*#__PURE__*/React.forwardRef((props, ref) => /*#__PURE__*/React.createElement(SvgPrintIcon, _extends({\n svgRef: ref\n}, props)));\nexport default __webpack_public_path__ + \"static/media/PrintIcon.6a6937c2.svg\";\nexport { ForwardRef as ReactComponent };","var _path;\nfunction _extends() { _extends = Object.assign ? Object.assign.bind() : 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); }\nimport React from \"react\";\nconst SvgInfoIconSuccess = _ref => {\n let {\n svgRef,\n title,\n ...props\n } = _ref;\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n width: 14,\n height: 14,\n viewBox: \"0 0 14 14\",\n fill: \"none\",\n ref: svgRef\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", null, title) : null, _path || (_path = /*#__PURE__*/React.createElement(\"path\", {\n d: \"M6.99935 0.333659C10.6813 0.333658 13.666 3.31833 13.666 7.00033C13.666 10.6823 10.6813 13.667 6.99935 13.667C3.31735 13.667 0.332681 10.6823 0.332681 7.00033C0.332681 3.31833 3.31735 0.333659 6.99935 0.333659ZM7.16601 5.00033C7.44216 5.00033 7.66601 4.77647 7.66601 4.50033L7.66601 4.16699C7.66601 3.89085 7.44216 3.66699 7.16601 3.66699L6.83268 3.66699C6.55654 3.66699 6.33268 3.89085 6.33268 4.16699L6.33268 4.50033C6.33268 4.77647 6.55654 5.00033 6.83268 5.00033L7.16601 5.00033ZM7.16601 10.3337C7.44216 10.3337 7.66602 10.1098 7.66602 9.83366L7.66602 6.83366C7.66602 6.55752 7.44216 6.33366 7.16601 6.33366L6.83268 6.33366C6.55654 6.33366 6.33268 6.55752 6.33268 6.83366L6.33268 9.83366C6.33268 10.1098 6.55654 10.3337 6.83268 10.3337L7.16601 10.3337Z\",\n fill: \"#00BF71\"\n })));\n};\nconst ForwardRef = /*#__PURE__*/React.forwardRef((props, ref) => /*#__PURE__*/React.createElement(SvgInfoIconSuccess, _extends({\n svgRef: ref\n}, props)));\nexport default __webpack_public_path__ + \"static/media/InfoIconSuccess.7b9790c3.svg\";\nexport { ForwardRef as ReactComponent };","import React from \"react\";\nimport \"./ReceiptModalActionsBar.css\";\nimport { ReactComponent as DownloadIcon } from \"../../../../assets/images/common/DownloadIcon.svg\";\nimport { ReactComponent as PrintIcon } from \"../../../../assets/images/common/PrintIcon.svg\";\nimport { ReactComponent as InfoIcon } from \"../../../../assets/images/sample-submission/InfoIconSuccess.svg\";\nimport StyledButton from \"../../../Common/UIComponents/StyledButton\";\n\nexport default function ReceiptModalActionsBar({\n loading, handlePrint, handleDownload, closable, headerTitleText,\n}) {\n return (\n \n
\n {headerTitleText && {headerTitleText} }\n \n \n Print out this receipt and include it with the sample contents in your package.\n \n
\n
\n }\n disabled={loading}\n onClick={handlePrint}\n className=\"Print_Button\"\n >\n Print\n \n }\n disabled={loading}\n onClick={handleDownload}\n >\n Download\n \n
\n
\n );\n}\n","import React from \"react\";\nimport {\n View, StyleSheet, Text,\n} from \"@react-pdf/renderer\";\n\nexport default function ReceiptPDFFooter({ FOOTER_TEXT }) {\n const styles = StyleSheet.create({\n footer: {\n display: \"flex\",\n fontFamily: \"Roboto-400\",\n flexDirection: \"column\",\n alignItems: \"center\",\n color: \"#afbdca\",\n fontSize: \"10\",\n },\n text: {\n height: \"15\",\n },\n });\n\n return (\n \n {FOOTER_TEXT.map((text) => (\n {text} \n ))}\n \n );\n}\n","const softHyphenate = (text) => (text.split(\"\").join(\"\\u{00AD}\"));\n\nexport default softHyphenate;\n","import React from \"react\";\nimport {\n View, StyleSheet, Text,\n} from \"@react-pdf/renderer\";\nimport moment from \"moment\";\nimport { convertUtcToLocal } from \"../../../../Common/utils/dateUtils\";\nimport softHyphenate from \"./pdfUtils\";\n\nexport default function ReceiptPDFHeader({ submission }) {\n const styles = StyleSheet.create({\n block: {\n width: \"12\",\n height: \"27\",\n backgroundColor: \"#26abe1\",\n borderRadius: \"4\",\n marginRight: \"10\",\n },\n header: {\n padding: \"0 5 24 5\",\n borderBottom: \"1 solid #e0e0e0\",\n },\n title: {\n display: \"flex\",\n flexDirection: \"row\",\n alignItems: \"center\",\n marginBottom: \"24\",\n fontSize: \"16\",\n },\n table: {\n width: \"100%\",\n display: \"flex\",\n flexDirection: \"column\",\n gap: \"13\",\n },\n tableHeader: {\n width: \"100%\",\n display: \"flex\",\n flexDirection: \"row\",\n gap: \"36\",\n },\n tableHeaderCell: {\n textAlign: \"left\",\n display: \"flex\",\n flex: \"1 1 33%\",\n color: \"#afbdca\",\n fontSize: \"12\",\n verticalAlign: \"middle\",\n },\n tableRow: {\n width: \"100%\",\n display: \"flex\",\n flexDirection: \"row\",\n gap: \"36\",\n\n },\n tableRowCell: {\n textAlign: \"left\",\n display: \"flex\",\n flex: \"1 1 33%\",\n color: \"#111a24\",\n fontSize: \"12\",\n verticalAlign: \"top\",\n },\n commentTitle: {\n display: \"flex\",\n color: \"#afbdca\",\n marginTop: \"16\",\n marginBottom: \"8\",\n fontSize: \"12\",\n },\n commentBody: {\n display: \"flex\",\n color: \"#111a24\",\n fontSize: \"12\",\n },\n });\n const formattedDate = submission.submit_date ? moment(new Date(convertUtcToLocal(submission.submit_date))).format(\"MMM DD, YYYY | hh:mm a\") : \"-\";\n\n return (\n \n \n \n Sample Submission Receipt \n \n \n \n Submission Name \n Submission Date \n PO# \n \n \n {softHyphenate(submission.submit_name || \"\")} \n {formattedDate} \n {softHyphenate(submission.po || \"-\")} \n \n \n \n Comments \n {softHyphenate(submission.comment || \"-\")} \n \n \n );\n}\n","import React from \"react\";\nimport {\n View, StyleSheet, Text, Image,\n} from \"@react-pdf/renderer\";\n\nexport default function ReceiptPDFSamplesInfo({ submission }) {\n const styles = StyleSheet.create({\n samplesInfoSection: {\n padding: \"16 0 24 5\",\n borderBottom: \"1 solid #e0e0e0\",\n display: \"flex\",\n flexDirection: \"row\",\n gap: \"10\",\n justifyContent: \"space-between\",\n },\n table: {\n display: \"flex\",\n flexDirection: \"column\",\n marginTop: \"16\",\n },\n tableHeader: {\n display: \"flex\",\n flexDirection: \"row\",\n gap: \"36\",\n },\n tableHeaderCell: {\n textAlign: \"left\",\n display: \"flex\",\n color: \"#afbdca\",\n fontSize: \"12\",\n verticalAlign: \"middle\",\n },\n tableRow: {\n display: \"flex\",\n flexDirection: \"row\",\n gap: \"36\",\n paddingTop: \"13\",\n },\n tableRowCell: {\n textAlign: \"left\",\n display: \"flex\",\n color: \"#111a24\",\n fontSize: \"14\",\n verticalAlign: \"top\",\n },\n first: {\n width: \"200\",\n },\n qrCode: {\n width: \"180\",\n height: \"180\",\n padding: \"12\",\n marginRight: \"10\",\n marginTop: \"4\",\n display: \"flex\",\n flexDirection: \"row\",\n justifyContent: \"center\",\n alignItems: \"center\",\n },\n });\n\n const qrCodeSrc = document.getElementById(\"sample_submission_receipt_qrcode\").querySelector(\"canvas\").toDataURL();\n\n return (\n \n \n \n Total Quantity of \n Qty \n \n \n Samples \n {submission.num_samples} \n \n \n Tests \n {submission.samples_list.reduce((numTestsSoFar, { tests_list }) => numTestsSoFar + tests_list.length, 0)} \n \n \n \n \n );\n}\n","import React from \"react\";\nimport {\n View, StyleSheet, Text,\n} from \"@react-pdf/renderer\";\nimport softHyphenate from \"./pdfUtils\";\n\nexport default function ReceiptPDFSenderInfo({\n CUSTOMER_INFO_FIELDS_BY_ROW,\n customerInfo,\n}) {\n const styles = StyleSheet.create({\n senderInfoSection: {\n padding: \"24 5 24 5\",\n // borderBottom: \"1 solid #e0e0e0\",\n },\n title: {\n color: \"#000\",\n fontSize: \"16\",\n paddingBottom: \"14\",\n },\n body: {\n display: \"flex\",\n flexDirection: \"column\",\n gap: \"20\",\n maxWidth: \"100%\",\n },\n row: {\n display: \"flex\",\n flexDirection: \"row\",\n gap: \"50\",\n },\n field: {\n display: \"flex\",\n flexDirection: \"column\",\n gap: \"2\",\n flex: \"1 1 50%\",\n },\n label: {\n color: \"#afbdca\",\n fontFamily: \"Roboto-400\",\n fontSize: \"12\",\n },\n value: {\n color: \"#1f2d3b\",\n fontFamily: \"Roboto-400\",\n fontSize: \"14\",\n maxHeight: \"100\",\n },\n });\n\n return (\n \n Sender Details \n \n {CUSTOMER_INFO_FIELDS_BY_ROW.map((row, i) => (\n \n {row.map(({ label, key }) => (\n \n {label} \n {softHyphenate(customerInfo[key] || \"-\")} \n \n ))}\n \n ))}\n \n \n );\n}\n","import React from \"react\";\nimport {\n View, StyleSheet, Text,\n} from \"@react-pdf/renderer\";\nimport softHyphenate from \"./pdfUtils\";\n\nexport default function ReceiptPDFSamplesList({ submission }) {\n const styles = StyleSheet.create({\n samplesListSection: {\n padding: \"24 5 0 5\",\n display: \"flex\",\n flexDirection: \"Column\",\n gap: \"10\",\n },\n title: {\n color: \"#000\",\n fontSize: \"16\",\n paddingBottom: \"6\",\n },\n sample: {\n color: \"#1f2d3b\",\n fontSize: \"14\",\n fontFamily: \"Roboto-400\",\n paddingTop: \"6\",\n paddingBottom: \"6\",\n },\n sampleCounter: {\n fontFamily: \"Roboto-500\",\n },\n });\n\n const samplesList = submission.samples_list;\n\n return (\n \n \n {samplesList.map((sample, i) => {\n if (i === 0) {\n return (\n \n Sample Details \n \n {softHyphenate(`${i + 1}. ${sample.sample_id}`)}\n \n \n );\n }\n return (\n \n {softHyphenate(`${i + 1}. ${sample.sample_id}`)}\n \n );\n })}\n \n \n );\n}\n","import React from \"react\";\nimport \"./SamplesList.css\";\n\nexport default function SamplesList({ submission }) {\n return (\n \n
Sample Details
\n {submission?.samples_list.map((sample, i) => (\n
\n {`${i + 1}. ${sample.sample_id}`}\n
\n ))}\n
\n );\n}\n","import React, { useContext, useEffect, useState } from \"react\";\nimport Scrollbar from \"react-scrollbars-custom\";\nimport Modal from \"antd/es/modal/Modal\";\nimport { toast } from \"react-toastify\";\nimport { pdf } from \"@react-pdf/renderer\";\nimport printJS from \"print-js\";\nimport { getCustomerAddress, getSubmittedSubmissionsInfo } from \"../../../../actions/sampleSubmission\";\nimport { ReactComponent as CloseIcon } from \"../../../../assets/images/sample-submission/close.svg\";\nimport ReceiptModalHeader from \"./ReceiptModalHeader\";\nimport \"./SubmissionReceiptModal.css\";\nimport SamplesInfo from \"./SamplesInfo\";\nimport SenderInfo from \"./SenderInfo\";\nimport ReceiptModalActionsBar from \"./ReceiptModalActionsBar\";\nimport ReceiptPDF from \"./ReceiptPDF/ReceiptPDF\";\nimport StyledButton from \"../../../Common/UIComponents/StyledButton\";\nimport SampleSubmissionContext from \"../../SampleSubmissionContext\";\nimport SampleFunctionContext from \"../../SampleFunctionContext\";\nimport SamplesList from \"./SamplesList\";\n// import PdfPreview from \"../../../Common/PdfPreview\";\n\nconst FOOTER_TEXT = [\n \"© 2023 ESV, All rights reserved\",\n \"Genista Biosciences, Inc. 5500 Hellyer Avenue, San Jose, CA. 95138 P. 1.408.934.6575\",\n];\n\nconst CUSTOMER_INFO_FIELDS = [\n { label: \"Attn\", key: \"user_name\" },\n { label: \"Company\", key: \"company\" },\n { label: \"Phone\", key: \"telephone\" },\n { label: \"Fax\", key: \"fax\" },\n { label: \"Email\", key: \"user_email\" },\n { label: \"Address\", key: \"address_concat\" },\n];\n\nconst CUSTOMER_INFO_FIELDS_BY_ROW = [\n [{ label: \"Attn\", key: \"user_name\" },\n { label: \"Company\", key: \"company\" }],\n [{ label: \"Phone\", key: \"telephone\" },\n { label: \"Fax\", key: \"fax\" }],\n [{ label: \"Email\", key: \"user_email\" },\n { label: \"Address\", key: \"address_concat\" }],\n];\n\nexport default function SubmissionReceiptModal({\n showReceipt,\n handleReceipt,\n submissionFromParent = null,\n submissionId,\n customerId,\n closable = true,\n maskClosable = true,\n headerTitleText,\n po, // needed because po is not included in getSubmission api response\n}) {\n const { sampleCategory, isLoggedOut, thirdParty } = useContext(SampleSubmissionContext);\n const { setOnAddBackButton } = useContext(SampleFunctionContext);\n const [loadingCustomerInfo, setLoadingCustomerInfo] = useState(true);\n const [customerInfo, setCustomerInfo] = useState({});\n const [submission, setSubmission] = useState(submissionFromParent);\n const [loadingSubmission, setLoadingSubmission] = useState(!submissionFromParent);\n const [generatingPDF, setGeneratingPDF] = useState(false);\n // const [blobUrl, setBlobUrl] = useState(\"\");\n\n const getCustomerInfo = async () => {\n const result = await getCustomerAddress((isLoggedOut && !thirdParty) ? customerId : undefined, sampleCategory);\n if (result.success) {\n const addressArr = [];\n if (result.address.address_1) {\n addressArr.push(result.address.address_1);\n }\n if (result.address.address_2) {\n addressArr.push(result.address.address_2);\n }\n result.address.address_concat = addressArr.join(\", \");\n setCustomerInfo(result.address);\n } else {\n toast.error(result.message);\n }\n setLoadingCustomerInfo(false);\n };\n\n const getSubmission = async () => {\n setLoadingSubmission(true);\n const payload = {\n submission_id: submissionId,\n page: 1,\n sample_search: \"\",\n submission_search: \"\",\n search_by: \"\",\n date_from: \"\",\n date_to: \"\",\n user_selected_date_from: \"\",\n user_selected_date_to: \"\",\n submitted_by: \"\",\n sample_category: sampleCategory,\n };\n\n const {\n success,\n message,\n result,\n } = await getSubmittedSubmissionsInfo(payload);\n\n if (success) {\n setSubmission({ ...result, submit_id: submissionId, po });\n } else {\n toast.error(message);\n }\n setLoadingSubmission(false);\n };\n\n useEffect(() => {\n getCustomerInfo();\n if (!submissionFromParent) {\n getSubmission();\n }\n }, []); // eslint-disable-line react-hooks/exhaustive-deps\n\n const getFileName = () => {\n const companyName = customerInfo.company;\n const submissionName = submission.submit_name;\n const timestamp = Date.now();\n const fileName = `${companyName}_${submissionName}_${timestamp}.pdf`;\n const sanitizedFileName = fileName.replace(/\\s|\\//g, \"_\");\n return sanitizedFileName;\n };\n\n const generatePDFBlob = async () => {\n try {\n setGeneratingPDF(true);\n const pdfBlob = await pdf(ReceiptPDF({\n submission, customerInfo, CUSTOMER_INFO_FIELDS_BY_ROW, FOOTER_TEXT, getFileName,\n })).toBlob();\n setGeneratingPDF(false);\n return pdfBlob;\n } catch (e) {\n setGeneratingPDF(false);\n toast.error(\"Failed to generate pdf\");\n return null;\n }\n };\n\n const handlePrint = async () => {\n const pdfBlob = await generatePDFBlob();\n if (pdfBlob) {\n const url = URL.createObjectURL(pdfBlob);\n printJS(url);\n // setBlobUrl(url);\n }\n setOnAddBackButton(false);\n };\n\n const handleDownload = async () => {\n const pdfBlob = await generatePDFBlob();\n if (pdfBlob) {\n const url = window.URL.createObjectURL(pdfBlob);\n if (url) {\n const a = document.createElement(\"a\");\n a.href = url;\n a.download = getFileName();\n a.click();\n }\n }\n setOnAddBackButton(false);\n };\n\n const handleOnCancel = () => {\n handleReceipt();\n setOnAddBackButton(false);\n };\n return (\n \n )}\n maskClosable={maskClosable}\n closeIcon={ }\n open={showReceipt}\n onCancel={handleOnCancel}\n centered\n destroyOnClose\n footer={closable ? null : Done }\n wrapClassName=\"SubmissionReceiptModal\"\n >\n \n \n
\n \n \n \n \n
\n
\n {FOOTER_TEXT.map((text) => (\n {text} \n ))}\n
\n
\n \n {/* {blobUrl && ( // for debugging pdf\n setBlobUrl(\"\")}\n onOk={() => setBlobUrl(\"\")}\n >\n \n \n )} */}\n \n );\n}\n","import React from \"react\";\nimport {\n Document, Page, View, StyleSheet, Font,\n} from \"@react-pdf/renderer\";\nimport RobotoMedium from \"../../../../../assets/fonts/roboto/Roboto-Medium.ttf\";\nimport Roboto from \"../../../../../assets/fonts/roboto/Roboto-Regular.ttf\";\nimport ReceiptPDFFooter from \"./ReceiptPDFFooter\";\nimport ReceiptPDFHeader from \"./ReceiptPDFHeader\";\nimport ReceiptPDFSamplesInfo from \"./ReceiptPDFSamplesInfo\";\nimport ReceiptPDFSenderInfo from \"./ReceiptPDFSenderInfo\";\nimport ReceiptPDFSamplesList from \"./ReceiptPDFSamplesList\";\n\nexport default function ReceiptPDF({\n submission,\n customerInfo,\n CUSTOMER_INFO_FIELDS_BY_ROW,\n FOOTER_TEXT,\n getFileName,\n}) {\n Font.register({ family: \"Roboto-400\", src: Roboto });\n Font.register({ family: \"Roboto-500\", src: RobotoMedium });\n const styles = StyleSheet.create({\n page: {\n display: \"flex\",\n flexDirection: \"column\",\n justifyContent: \"space-between\",\n backgroundColor: \"#FFFFFF\",\n padding: \"36 36 18 36\",\n color: \"#000000\",\n fontFamily: \"Roboto-500\",\n },\n section: {\n flexGrow: 1,\n display: \"flex\",\n flexDirection: \"column\",\n },\n });\n\n return (\n \n \n \n \n \n \n \n \n \n \n \n );\n}\n","import React, { useState } from \"react\";\nimport { Input, Modal } from \"antd\";\nimport { has } from \"lodash\";\nimport StyledButton from \"../../Common/UIComponents/StyledButton\";\nimport { ReactComponent as OnboardingClose } from \"../../../assets/images/OnboardingClose.svg\";\nimport \"./AddTestModal.css\";\nimport { hasFeature } from \"../../../utils/common\";\n\nexport default function AddTestModal({\n onCancel,\n testsSelected,\n toggleTestChoice,\n searchValue = \"\",\n sampleCategory,\n}) {\n const [value, setValue] = useState(searchValue);\n const [invalid, setInvalid] = useState(false);\n\n /**\n * Add test to selected test list\n */\n const addTest = () => {\n const trimmed = value.trim();\n const hasPesticideTest = Object.keys(testsSelected).findIndex((key) => key.toLowerCase().includes(\"pesticide\")) !== -1;\n const hasPesticideText = trimmed.toLowerCase().includes(\"pesticide\");\n const hasPesticide = hasPesticideTest && hasPesticideText && sampleCategory !== \"environment\" && hasFeature(\"special_pesticides\");\n setInvalid(hasPesticide);\n if (trimmed && !has(testsSelected, trimmed) && !hasPesticide) {\n toggleTestChoice(trimmed);\n setValue(\"\");\n onCancel();\n }\n };\n return (\n }\n className=\"AddTestAlert\"\n >\n Add Test Name
\n \n setValue(e.target.value)} defaultValue={value} style={{ borderColor: invalid ? \"#E63559\" : undefined }} />\n {invalid && Cannot include test name having pesticide text }\n
\n \n \n Cancel\n \n \n Add\n \n\n
\n \n );\n}\n","var _path;\nfunction _extends() { _extends = Object.assign ? Object.assign.bind() : 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); }\nimport React from \"react\";\nconst SvgExclamationIcon = _ref => {\n let {\n svgRef,\n title,\n ...props\n } = _ref;\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n width: 14,\n height: 14,\n viewBox: \"0 0 14 14\",\n fill: \"none\",\n ref: svgRef\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", null, title) : null, _path || (_path = /*#__PURE__*/React.createElement(\"path\", {\n d: \"M7.00016 13.6666C3.31816 13.6666 0.333496 10.6819 0.333496 6.99992C0.333496 3.31792 3.31816 0.333252 7.00016 0.333252C10.6822 0.333252 13.6668 3.31792 13.6668 6.99992C13.6668 10.6819 10.6822 13.6666 7.00016 13.6666ZM6.8335 8.99992C6.55735 8.99992 6.3335 9.22378 6.3335 9.49992V9.83325C6.3335 10.1094 6.55735 10.3333 6.8335 10.3333H7.16683C7.44297 10.3333 7.66683 10.1094 7.66683 9.83325V9.49992C7.66683 9.22378 7.44297 8.99992 7.16683 8.99992H6.8335ZM6.8335 3.66659C6.55735 3.66659 6.3335 3.89044 6.3335 4.16659V7.16659C6.3335 7.44273 6.55735 7.66659 6.8335 7.66659H7.16683C7.44297 7.66659 7.66683 7.44273 7.66683 7.16659V4.16659C7.66683 3.89044 7.44297 3.66659 7.16683 3.66659H6.8335Z\",\n fill: \"#AFBDCA\"\n })));\n};\nconst ForwardRef = /*#__PURE__*/React.forwardRef((props, ref) => /*#__PURE__*/React.createElement(SvgExclamationIcon, _extends({\n svgRef: ref\n}, props)));\nexport default __webpack_public_path__ + \"static/media/exclamationIcon.7e58821a.svg\";\nexport { ForwardRef as ReactComponent };","import React from \"react\";\nimport \"./MaxCharacterCount.css\";\n\nexport default function MaxCharacterCount({\n charCount,\n charLimit,\n customMaxCharClassName,\n}) {\n return (\n charLimit ? \"--OverLimit\" : \"\"} ${customMaxCharClassName}`}>\n {\n `${charCount}/${charLimit}`\n }\n \n );\n}\n","import React, {\n useEffect, useState, forwardRef, useRef,\n} from \"react\";\n\nimport { AutoComplete, Input } from \"antd\";\n\nimport StyledTooltip from \"../../../Common/UIComponents/StyledTooltip\";\nimport MaxCharacterCount from \"./MaxCharacterCount\";\n\nimport { ReactComponent as DropdownArrow } from \"../../../../assets/images/DropDownChevron.svg\";\nimport { ReactComponent as ExclamationIcon } from \"../../../../assets/images/sample-submission/exclamationIcon.svg\";\n\nimport \"./ErrorCheckingAutocomplete.css\";\n\nconst ErrorCheckingAutocompleteInput = forwardRef(({\n label,\n labelDivClassName,\n inputID,\n value,\n suggestions, // list of strings\n invalidChars, // special chars are escaped\n invalidKeys, // special chars are not escaped\n onChange,\n onKeyDown,\n onErrorChange,\n onClickAway,\n onFocus,\n charLimit,\n letInputExceedCharLimit,\n handleSanitizeInputOnAutoFill,\n handleSelectOption,\n customClassName = \"\",\n customArrowClassName = \"\",\n customMaxCharClassName = \"\",\n customPopupClassName = \"\",\n placeholderText,\n alwaysShowDropdownIcon = false,\n}, ref) => {\n const [inputErrorSet, setInputErrorSet] = useState(new Set());\n const [internalValue, setInternalValue] = useState(\"\");\n const [filteredSuggestions, setFilteredSuggestions] = useState(suggestions);\n const [showDropdown, setShowDropdown] = useState(false);\n const autocompleteRef = useRef();\n\n /** when input value changes from the parent, update value */\n useEffect(() => {\n if (value !== undefined && value !== internalValue) {\n if (handleSanitizeInputOnAutoFill) {\n setInternalValue(handleSanitizeInputOnAutoFill(value));\n } else {\n setInternalValue(value);\n }\n }\n }, [value]); // eslint-disable-line\n\n /** when value changes, check if the value contains any delimiters or invalid characters */\n useEffect(() => {\n if (ref !== undefined && ref !== null && (invalidChars && invalidChars.length > 0)) {\n const regex = new RegExp(invalidChars.join(\"|\"), \"g\"); // global flag to find all matches and not just the first\n const invalidMatches = internalValue?.match(regex);\n if (invalidMatches) {\n setInputErrorSet(new Set(invalidMatches));\n } else {\n setInputErrorSet(new Set());\n }\n }\n }, [internalValue]); // eslint-disable-line\n\n /** when error array changes, call onErrorChange */\n useEffect(() => {\n if (onErrorChange) {\n onErrorChange(inputErrorSet);\n }\n }, [inputErrorSet.size]); // eslint-disable-line\n\n /**\n * Filter suggestions by input. If there is 1 exact match or no matches, display all suggestions.\n * @param {String} inputValue curr value in input\n */\n const handleFiltering = (inputValue) => {\n const newSuggestions = suggestions.filter((option) => option.value?.toLowerCase().indexOf(inputValue?.toLowerCase()) !== -1);\n /** If no results, or there is one result that is an exact match to the input value, show all suggestions */\n if (!newSuggestions.length || (newSuggestions.length === 1 && newSuggestions[0].value === inputValue)) {\n setFilteredSuggestions(suggestions);\n } else {\n setFilteredSuggestions(newSuggestions);\n }\n };\n\n /**\n * When suggestions change, update filteredSuggestions\n */\n useEffect(() => {\n handleFiltering(internalValue);\n }, [suggestions]); // eslint-disable-line\n\n /** on change, update internal value, call onChange from props\n * @param {String} val\n */\n const onChangeInternal = (val) => {\n if (document.activeElement === autocompleteRef.current?.input && !showDropdown) {\n setShowDropdown(true);\n }\n setInternalValue(val);\n handleFiltering(val);\n\n if (onChange) {\n onChange(val);\n }\n };\n\n /** on focus, call onFocus from props, close the dropdown\n * @param {String} val\n */\n const onFocusInternal = () => {\n if (onFocus) {\n onFocus();\n }\n setShowDropdown(true);\n };\n\n /** on blur, update value in parent, close the dropdown\n * @param {String} val\n */\n const onBlurInternal = () => {\n if (onClickAway) {\n setInternalValue(internalValue.trim());\n onClickAway(internalValue.trim());\n }\n setShowDropdown(false);\n };\n\n /** On option click in autocomplete dropdown, set value, call handleSelectOption from props\n * @param {String} val value of autocomplete option\n */\n const handleSelectOptionInternal = (val) => {\n setInternalValue(val);\n\n if (handleSelectOption) {\n handleSelectOption(val);\n }\n setShowDropdown(false);\n };\n\n /** on key down in input, check if key is parentheses, if yes, don't let user input key\n * call onKeyDown from props\n * @param {Event} e KeyDown event\n */\n const onKeyDownInternal = (e) => {\n if (invalidKeys && invalidKeys.includes(e.key)) {\n e.preventDefault();\n }\n if (onKeyDown) {\n onKeyDown(e);\n }\n };\n\n /**\n * When clicking the arrow, focus/blur input and open/close dropdown\n */\n const onDropdownArrowClick = () => {\n if (autocompleteRef.current) {\n if (showDropdown) {\n autocompleteRef.current.blur();\n } else {\n autocompleteRef.current.focus();\n setShowDropdown(true);\n }\n }\n };\n\n /**\n * onClick of the input, if it is focused, show the dropdown\n */\n const onInputClick = () => {\n if (document.activeElement === autocompleteRef.current?.input && !showDropdown) {\n setShowDropdown(true);\n }\n };\n\n return (\n <>\n \n \n {label}\n \n {inputErrorSet.size !== 0 && (\n \n Invalid input: \n {Array.from(inputErrorSet).map((char, i) => {\n const charArray = char.split(\"\");\n return (\n \n {\n charArray.map((c, idx) => {\n if (c === \" \") {\n return ({\"\\u23B5\"} );\n }\n return ({c} );\n })\n }\n \n );\n })}\n
\n )}\n placement=\"right\"\n >\n \n \n )}\n \n \n\n >\n );\n});\n\nexport default ErrorCheckingAutocompleteInput;\n","var _path;\nfunction _extends() { _extends = Object.assign ? Object.assign.bind() : 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); }\nimport React from \"react\";\nconst SvgPesticideAutocompleteIcon = _ref => {\n let {\n svgRef,\n title,\n ...props\n } = _ref;\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n width: 17,\n height: 13,\n viewBox: \"0 0 17 13\",\n fill: \"none\",\n ref: svgRef\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", null, title) : null, _path || (_path = /*#__PURE__*/React.createElement(\"path\", {\n fillRule: \"evenodd\",\n clipRule: \"evenodd\",\n d: \"M8.42656 7.94569C6.11965 11.2341 2.59362 11.9962 0.861252 11.915L0.112075 11.8798L0.182335 10.3815L0.931511 10.4166C2.3919 10.4851 5.72478 9.76063 7.64635 6.37331C5.72049 2.89528 2.34151 2.15527 0.868213 2.22479L0.119047 2.26015L0.0483398 0.761814L0.797506 0.726461C2.54929 0.643794 6.12129 1.42477 8.43522 4.79699C10.6746 0.713268 14.4803 0.423653 16.2732 0.885507L16.9994 1.07261L16.6252 2.52518L15.899 2.33808C14.5468 1.98975 11.2153 2.17079 9.4164 6.19217C9.38789 6.2559 9.35897 6.31896 9.32967 6.38136C9.34871 6.42286 9.36759 6.46464 9.38629 6.50672C11.1948 10.5754 14.5421 10.7561 15.8977 10.4047L16.6237 10.2165L17.0001 11.6685L16.2741 11.8567C14.4776 12.3225 10.6761 12.0312 8.42656 7.94569Z\",\n fill: \"#AFBDCA\"\n })));\n};\nconst ForwardRef = /*#__PURE__*/React.forwardRef((props, ref) => /*#__PURE__*/React.createElement(SvgPesticideAutocompleteIcon, _extends({\n svgRef: ref\n}, props)));\nexport default __webpack_public_path__ + \"static/media/pesticideAutocompleteIcon.f2ee365f.svg\";\nexport { ForwardRef as ReactComponent };","import React, {\n useCallback,\n useEffect, useRef, useState,\n} from \"react\";\n// import { debounce } from \"lodash\";\nimport \"./PesticideSampleAutocomplete.css\";\nimport ErrorCheckingAutocompleteInput from \"./ErrorCheckingAutocomplete\";\nimport { INVALID_CHARS, INVALID_CHARS_ESCAPED } from \"../Constant\";\nimport { ReactComponent as PesticideAutocompleteIcon } from \"../../../../assets/images/sample-submission/pesticideAutocompleteIcon.svg\";\nimport { ReactComponent as CloseIcon } from \"../../../../assets/images/sample-submission/blueCloseIcon.svg\";\nimport { getDropdownSuggestionsAndTests } from \"../../../../actions/sampleSubmission\";\n\nconst FIELD_NAME = \"sample_type\";\n\nexport default function PesticideSampleAutocomplete(props) {\n const {\n testName,\n testObj,\n disableTestListMod,\n toggleTestChoice,\n sampleIDHasReplicate,\n pesticideSample,\n setPesticideSample,\n setInputValuesRefs,\n // inputValuesRefs,\n // setInvalidInputFound,\n sampleCategory,\n } = props;\n const dropdownsAbortController = useRef();\n const [options, setOptions] = useState([]);\n\n /** On option click in autocomplete dropdown, set value in parent, auto fill product_name and tests\n * @param {String} selectedOption value of autocomplete option\n */\n const handleSelectOption = (selectedOption) => {\n setPesticideSample(selectedOption.trim());\n };\n\n /**\n * On change, set value of field in parent\n * @param {string} value on change input value\n */\n const onChange = (value) => {\n setPesticideSample(value);\n };\n\n /**\n * Calls api /ssautofill/ to get dropdown options\n */\n const handleLoadOptions = useCallback(async () => {\n const newAbortController = new AbortController();\n if (dropdownsAbortController.current) {\n dropdownsAbortController.current.abort();\n }\n dropdownsAbortController.current = newAbortController;\n const { success, result } = await getDropdownSuggestionsAndTests({ }, newAbortController.signal, sampleCategory);\n if (newAbortController.signal.aborted) {\n return null;\n }\n dropdownsAbortController.current = null;\n if (success) {\n return result;\n }\n return {};\n }, [sampleCategory]);\n\n /**\n * Calls api initially to load sample type\n */\n useEffect(() => {\n (async () => {\n const optionList = await handleLoadOptions();\n if (optionList && optionList[FIELD_NAME]) {\n const values = optionList[FIELD_NAME].map((op) => ({ value: op }));\n setOptions(values);\n }\n })();\n\n return () => {\n setPesticideSample(\"\");\n };\n }, [handleLoadOptions, setPesticideSample]);\n\n return (\n \n \n {testName}\n {!disableTestListMod && (\n
toggleTestChoice(testName, \"deselect\")}>\n \n
\n )}\n
\n \n setInputValuesRefs(FIELD_NAME, input)}\n label=\"\"\n labelDivClassName=\"pesticide-autocomplete-title\"\n inputID=\"pesticide-autocomplete-input\"\n value={pesticideSample}\n suggestions={options}\n invalidChars={[...INVALID_CHARS_ESCAPED]}\n invalidKeys={INVALID_CHARS}\n handleSelectOption={handleSelectOption}\n onChange={(e) => onChange(e)}\n onErrorChange={() => {}}\n customClassName=\"PesticideSampleAutocomplete__Container\"\n placeholderText=\"Enter sample type\"\n />\n \n );\n}\n","var _path, _path2;\nfunction _extends() { _extends = Object.assign ? Object.assign.bind() : 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); }\nimport React from \"react\";\nconst SvgAddSamplePlusIcon = _ref => {\n let {\n svgRef,\n title,\n ...props\n } = _ref;\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n width: 21,\n height: 20,\n viewBox: \"0 0 21 20\",\n fill: \"none\",\n ref: svgRef\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", null, title) : null, _path || (_path = /*#__PURE__*/React.createElement(\"path\", {\n d: \"M10.5 4.16669V15.8334\",\n stroke: \"#F4FBFE\",\n strokeWidth: 2,\n strokeLinecap: \"round\",\n strokeLinejoin: \"round\"\n })), _path2 || (_path2 = /*#__PURE__*/React.createElement(\"path\", {\n d: \"M4.66675 10H16.3334\",\n stroke: \"#F4FBFE\",\n strokeWidth: 2,\n strokeLinecap: \"round\",\n strokeLinejoin: \"round\"\n })));\n};\nconst ForwardRef = /*#__PURE__*/React.forwardRef((props, ref) => /*#__PURE__*/React.createElement(SvgAddSamplePlusIcon, _extends({\n svgRef: ref\n}, props)));\nexport default __webpack_public_path__ + \"static/media/addSamplePlusIcon.2e512a57.svg\";\nexport { ForwardRef as ReactComponent };","import React, {\n useEffect, useState, useMemo, useContext, useRef,\n} from \"react\";\n\nimport \"./AnalysisRequest.css\";\nimport \"../SampleDetails/SampleDetails.css\";\nimport { motion, LayoutGroup } from \"framer-motion/dist/framer-motion\";\nimport { has, isEmpty, filter } from \"lodash\";\nimport debounce from \"lodash/debounce\";\nimport Highlighter from \"react-highlight-words\";\nimport Scrollbar from \"react-scrollbars-custom\";\nimport { toast } from \"react-toastify\";\n\n// import { ReactComponent as AddTestIcon } from \"../../../../../assets/images/sample-submission/addTestIcon.svg\";\n// import ManuallyAddTestSection from \"./ManuallyAddTestSection\";\nimport StyledTooltip from \"../../../../Common/UIComponents/StyledTooltip\";\nimport SampleSubmissionContext from \"../../../SampleSubmissionContext\";\nimport AddTestModal from \"../../../SampleSubmissionModal/AddTestModal\";\nimport { CHAR_LIMITS, replicateTagRegexFirstMatch } from \"../../Constant\";\nimport PesticideSampleAutocomplete from \"../../ReusableComponents/PesticideSampleAutocomplete\";\n\nimport { hasFeature, hasPermission } from \"../../../../../utils/common\";\n\nimport { getTestList } from \"../../../../../actions/sampleSubmission\";\n\nimport { ReactComponent as PlusIcon } from \"../../../../../assets/images/sample-submission/addSamplePlusIcon.svg\";\nimport { ReactComponent as CloseIcon } from \"../../../../../assets/images/sample-submission/blueCloseIcon.svg\";\nimport { ReactComponent as ExclamationIcon } from \"../../../../../assets/images/sample-submission/exclamationIcon.svg\";\nimport searchIcon from \"../../../../../assets/images/sample-submission/searchIcon.svg\";\n\nexport default function AnalysisRequest(props) {\n const {\n clearTestSearch,\n setClearTestSearch,\n testsSelected,\n setTestsSelected,\n saveTestsForNext,\n setSaveTestsForNext,\n customerDetails,\n submissionEditingSample,\n sampleID,\n disableAddSample,\n setInvalidTest,\n testInfoMap,\n pesticideSample,\n setPesticideSample,\n inputValuesRefs,\n setInputValuesRefs,\n setInvalidInputFound,\n sampleCategory,\n AddUpdateSampleButton,\n setShowExitModal,\n } = props;\n\n const [search, setSearch] = useState(\"\");\n const [searched, setSearched] = useState(\"\"); // used for highlighted text after search\n const [testSuggestions, setTestSuggestions] = useState([]);\n const [isLoading, setIsLoading] = useState(true);\n const [isAddTest, setIsAddTest] = useState(false);\n const [isAddTestTip, setIsAddTestTip] = useState(false);\n // const [manuallyAddingTest, setManuallyAddingTest] = useState(true);\n const testSuggestionsScrollbar = useRef();\n const { isLoggedOut, thirdParty } = useContext(SampleSubmissionContext);\n\n /** Get test suggestions based on search input */\n const apiGetTestSuggestions = async (searchInput) => {\n const { success, message, testList } = await getTestList(searchInput, (isLoggedOut && !thirdParty) ? customerDetails.customerID : undefined, sampleCategory);\n if (success) {\n if (clearTestSearch) {\n setSearch(\"\");\n setClearTestSearch(false);\n }\n setTestSuggestions(testList);\n setSearched(searchInput);\n if (testSuggestionsScrollbar.current) {\n testSuggestionsScrollbar.current.scrollerElement.scrollTo({\n top: 0,\n behavior: \"smooth\",\n });\n }\n } else {\n toast.error(message);\n }\n setIsLoading(false);\n };\n\n useEffect(() => {\n const sampleIDHasReplicate = replicateTagRegexFirstMatch.test(sampleID);\n const invalidTests = filter(testsSelected, (testObj) => testObj.replicated && sampleIDHasReplicate);\n setInvalidTest(invalidTests.length > 0);\n }, [testsSelected, sampleID]); // eslint-disable-line\n\n /** Add debouncing feature for the apiGetTestSuggestions function\n * @return {Function} apiGetTestSuggestions function with debouncing feature,\n * invoking apiGetTestSuggestions only after 500ms has passed after the last invocation.\n */\n const debouncedSearch = useMemo(() => debounce(async (searchInput) => {\n await apiGetTestSuggestions(searchInput);\n }, 500), []); // eslint-disable-line\n\n /** Get test suggestions when it mounted */\n useEffect(() => {\n apiGetTestSuggestions(\"\");\n }, []); // eslint-disable-line\n\n /** After user adds a new sample, saves an edited sample, cancels editing, switches the editing sample to another,\n * \"clearTestSearch\" will be set from false to true. We will reset the search input to empty and get all test suggestions. */\n useEffect(() => {\n if (clearTestSearch) {\n apiGetTestSuggestions(\"\");\n }\n }, [clearTestSearch]); // eslint-disable-line\n\n /** Cancel debouncing so after the component is unmounted, the debouncedSearch function will not be executed,\n and state will not be set causing an error. */\n // eslint-disable-next-line arrow-body-style\n useEffect(() => {\n // eslint-disable-next-line consistent-return\n return () => {\n debouncedSearch.cancel();\n };\n }, [debouncedSearch]); // eslint-disable-line\n\n /** Call debounced search when search input is changed */\n const handleChangeSearch = (e) => {\n setSearch(e.target.value);\n debouncedSearch(e.target.value);\n };\n\n /** Search immediately after the user hits enter key */\n const handleHitEnter = (e) => {\n if (e.key === \"Enter\") {\n apiGetTestSuggestions(e.target.value);\n }\n };\n\n /**\n * Add or remove a test from the selected tests\n * @param {String} test test name or test obj\n * @param {String} action If action is \"deselect\", then the test will be removed.\n * Otherwise, the test is added or removed depending on if the selected test set contains that test.\n * Clear all the selected tests\n */\n const toggleTestChoice = (_test, action) => {\n const testsSelectedCopy = { ...testsSelected };\n let test = _test;\n if (typeof test === \"object\") {\n test = _test.name;\n }\n if (action === \"deselect\" || has(testsSelectedCopy, test)) {\n delete testsSelectedCopy[test];\n } else if (action === \"clear\") {\n setTestsSelected({});\n if (submissionEditingSample) {\n setShowExitModal(true);\n }\n return;\n } else {\n testsSelectedCopy[test] = {};\n if (typeof test === \"object\") {\n testsSelectedCopy[test] = { ..._test };\n } else {\n testsSelectedCopy[test] = { ...(testInfoMap.get(test) ?? {}) };\n }\n testsSelectedCopy[test].autofilled = false; // set autofilled to false because test is user-selected\n }\n\n setTestsSelected(testsSelectedCopy);\n if (submissionEditingSample) {\n setShowExitModal(true);\n }\n };\n\n /**\n * Get text for test tooltip\n * @param {Array} display list of display values ex: [{ title: \"Method\", value: \"\"}]\n * @param {Boolean} replicated if test is replicated\n * @param {Boolean} sampleIDHasReplicate if sample has a replicate tag\n * @returns Text containing test method, reporting limit, turnaround time if they exist and the reason for why the button is disabled\n */\n const toolTipText = (display, replicated, sampleIDHasReplicate) => {\n const textLines = [];\n if (sampleIDHasReplicate && replicated) { // disable test\n textLines.push(\"Disabled: Cannot add a replicate test to a sample that is replicated\");\n }\n display.forEach(({ title, value }) => {\n if (value) {\n textLines.push(`${title}: ${value}`);\n }\n });\n return textLines.join(\"\\n\");\n };\n\n const analysisClassName = (disableSelection, name) => {\n let className = \"\";\n if (disableSelection) {\n className = \"disabled-test-suggestion\";\n } else if (has(testsSelected, name)) {\n className = \"selected-test-suggestion\";\n } else {\n className = \"unselected-test-suggestion\";\n }\n return className;\n };\n\n /**\n * Disable pesticides tests which are not selected\n * @param {*} name Pesticide test name\n * @returns {boolean}\n */\n const disableNonSelectedPesticideTests = (name) => {\n if (isEmpty(testsSelected)) {\n return false;\n }\n const testNames = Object.keys(testsSelected);\n const addedPesticideTestName = testNames.find((test) => test.toLowerCase().includes(\"pesticide\"));\n return addedPesticideTestName && name.toLowerCase().includes(\"pesticide\") && addedPesticideTestName !== name && sampleCategory !== \"environment\" && hasFeature(\"special_pesticides\");\n };\n\n let sampleIDHasReplicate = false;\n if (replicateTagRegexFirstMatch.test(sampleID)) sampleIDHasReplicate = true;\n\n const disableTestListMod = (!isLoggedOut || thirdParty) && !hasPermission(\"add_test\");\n const hideSaveForNext = submissionEditingSample || disableTestListMod;\n const tooltipDisable = !!((search.length > 0 && testSuggestions.length === 0) || isAddTestTip);\n\n return (\n \n {isAddTest && (\n
setIsAddTest(false)} testsSelected={testsSelected} toggleTestChoice={toggleTestChoice} searchValue={search} sampleCategory={sampleCategory} />\n )}\n {disableAddSample && (
)}\n \n \n
\n
\n {hasPermission(\"add_test\")\n && (\n
\n
\n { setIsAddTest(!isAddTest); }}\n onMouseEnter={() => { setIsAddTestTip(true); }}\n onMouseLeave={() => { setIsAddTestTip(false); }}\n // disabled={isLoading}\n >\n \n \n \n
\n )}\n
\n\n \n Suggestions\n {disableTestListMod && (\n \n \n \n )}\n \n \n {!isLoading && (\n testSuggestions.length > 0 ? (\n
\n \n {testSuggestions.map(({\n name, replicated, display,\n }) => {\n const disableTest = (sampleIDHasReplicate && replicated) || disableTestListMod || disableNonSelectedPesticideTests(name);\n return (\n \n toggleTestChoice({ name, replicated, display })}\n className={analysisClassName(disableTest, name)}\n >\n \n \n \n );\n })}\n \n \n ) : (\n
\n
No tests found \n {/* {search.trim() && (\n <>\n
\n Click the button below if you still want to add the test\n \n
\n toggleTestChoice(search.trim())}\n className={`AnalysisRequest__UserAddedTest ${has(testsSelected, search.trim()) ? \"selected-test-suggestion\" : \"unselected-test-suggestion\"}`}\n >\n
{search} \n
\n
\n \n >\n )} */}\n
\n ))}\n
\n \n {/* {search && !disableTestListMod && } */}\n \n \n \n
{`Tests Selected (${Object.keys(testsSelected).length})`} \n {\n e.preventDefault();\n e.stopPropagation();\n toggleTestChoice(\"\", \"clear\");\n }}\n >\n Clear All\n \n \n {!hideSaveForNext && (\n \n setSaveTestsForNext(!saveTestsForNext)} />\n setSaveTestsForNext(!saveTestsForNext)} />\n Use in Next Sample \n
\n )}\n \n \n {!isLoading && (\n <>\n {!isEmpty(testsSelected)\n ? (\n \n \n {Array.from(Object.entries(testsSelected)).map(([name, testObj]) => (\n \n \n {name.toLowerCase().includes(\"pesticide\") && sampleCategory !== \"environment\" && hasFeature(\"special_pesticides\") ? (\n \n ) : (\n \n {name}\n {!disableTestListMod && (\n toggleTestChoice(name, \"deselect\")}>\n \n
\n )}\n \n )}\n \n \n ))}\n {/* {manuallyAddingTest && (\n \n \n toggleTestChoice(test, \"deselect\")} />\n \n )} */}\n \n \n )\n : No tests added
}\n >\n )}\n \n \n \n \n );\n}\n","import React from \"react\";\n\nimport StyledButton from \"../../../../Common/UIComponents/StyledButton\";\nimport StyledTooltip from \"../../../../Common/UIComponents/StyledTooltip\";\nimport { CHAR_LIMITS } from \"../../Constant\";\n\nimport { ReactComponent as PlusIcon } from \"../../../../../assets/images/sample-submission/addSamplePlusIcon.svg\";\n\nimport \"../../SubmissionForm.css\";\n\nexport default function AddUpdateSampleButton({\n waitingForAddEditAPI,\n sampleEditingIdx,\n handleSaveEditedSample,\n handleAddSample,\n handleCancelEditSample,\n invalidInputFound,\n invalidTest,\n disableAddSample,\n sampleIDGenerationError,\n generatedSampleID,\n isPesticideSampleEmpty,\n submissionEditingSample,\n isLoading,\n}) {\n /** Can't add samples while editing a sample from a submission */\n if (disableAddSample) {\n return null;\n }\n\n const invalidSampleIDLength = generatedSampleID.length > CHAR_LIMITS.sample_id;\n const disable = waitingForAddEditAPI || invalidInputFound || invalidTest || invalidSampleIDLength || sampleIDGenerationError || isPesticideSampleEmpty;\n let message = \"\";\n if (sampleIDGenerationError) {\n message = \"Failed to generate Sample ID\";\n } else if (invalidInputFound || invalidTest) {\n message = \"Invalid inputs and/or tests\";\n }\n /**\n * Update the edit sample or Edit the submitted sample\n */\n const handleUpdateEdit = async () => {\n if (submissionEditingSample) {\n const submitEdit = true;\n await handleSaveEditedSample(submitEdit);\n } else {\n handleSaveEditedSample();\n }\n };\n\n const onClick = sampleEditingIdx > -1 ? handleUpdateEdit : handleAddSample;\n\n return (\n \n
\n -1 ? \"update-sample\" : \"add-sample\"}`}\n onClick={disable ? null : onClick}\n loading={isLoading}\n >\n \n {sampleEditingIdx > -1 ? \"Update Sample\" : \"Add Sample\"} \n \n \n\n {(!submissionEditingSample && sampleEditingIdx > -1) && (\n
\n Cancel\n \n )}\n
\n );\n}\n","import { replicateTagRegexGlobal } from \"./Constant\";\n\n/**\n * Takes in string and removes replicate tag\n * @param {String} val string that may contain replicate tag\n * @returns {String} string with replicate tag removed\n */\nexport const removeReplicateTag = (val) => val.replace(replicateTagRegexGlobal, \"\");\n\n/**\n * Turn an array of keys into an object with keys set to defaultValue\n * @param {Array} keys\n * @param {*} defaultValue any value (i.e Boolean, String)\n * @returns {Object}\n */\nexport const initializeObjectWithDefaultValue = (keys, defaultValue) => {\n const obj = {};\n keys.forEach((key) => {\n obj[key] = defaultValue;\n });\n return obj;\n};\n","import React from \"react\";\nimport { motion } from \"framer-motion/dist/framer-motion\";\nimport { ReactComponent as MinusIcon } from \"../../../../../assets/images/sample-submission/minusSliderIcon.svg\";\nimport ErrorCheckingAutocompleteInput from \"../../ReusableComponents/ErrorCheckingAutocomplete\";\nimport { INVALID_CHARS, INVALID_CHARS_ESCAPED } from \"../../Constant\";\nimport { removeReplicateTag } from \"../../helpers\";\n\nexport default function SampleDetailsAutocompleteInput({\n setFieldValue,\n handleDeselectField,\n inputValuesSavedForNext,\n inputValues,\n setInputValuesRefs,\n json_field,\n idx,\n toggleSaveForNext,\n sampleFieldsInfo,\n delimiterRegex,\n setFieldInputInvalid,\n charLimit,\n dropdownSuggestionsObj,\n sanitizeDropdown,\n hideSaveForNext,\n sampleIdFields,\n}) {\n const invalidRegexArr = [...INVALID_CHARS_ESCAPED];\n if (delimiterRegex && json_field !== \"sample_id\" && sampleIdFields.has(json_field)) { // if not empty string\n invalidRegexArr.push(delimiterRegex);\n }\n\n /** On option click in autocomplete dropdown, set value in parent, auto fill product_name and tests\n * @param {String} selectedOption value of autocomplete option\n */\n const handleSelectOption = (selectedOption) => {\n setFieldValue(json_field, selectedOption.trim(), true);\n };\n\n /**\n * On change, set value of field in parent\n */\n const onChange = (value) => {\n if (value !== inputValues[json_field]) {\n setFieldValue(json_field, value); // Don't use the trimmed value here to avoid the bad ux of whitespace being removed when the user is in the middle of typing. The input value will be trimmed before api calls (except for autofill)\n }\n };\n\n /** Get field's suggestions for the dropdown list */\n const getDropdownList = () => {\n if (dropdownSuggestionsObj[json_field] && dropdownSuggestionsObj[json_field].length) {\n return sanitizeDropdown(dropdownSuggestionsObj[json_field], true);\n }\n return [];\n };\n\n return (\n \n \n setInputValuesRefs(json_field, input)}\n label={sampleFieldsInfo[json_field].title_field}\n labelDivClassName=\"sample-details-input-title\"\n inputID={`${json_field}-input`}\n value={inputValues[json_field] ?? \"\"}\n suggestions={getDropdownList()}\n invalidChars={invalidRegexArr}\n invalidKeys={INVALID_CHARS}\n handleSelectOption={handleSelectOption}\n onChange={onChange}\n onErrorChange={(inputErrorSet) => setFieldInputInvalid(json_field, inputErrorSet.size > 0)}\n charLimit={charLimit}\n handleSanitizeInputOnAutoFill={(val) => removeReplicateTag(val)}\n />\n handleDeselectField(idx, json_field)}\n onKeyDown={(e) => {\n if (e.key === \"Enter\" || e.key === \" \") {\n handleDeselectField(idx, json_field);\n }\n }}\n tabIndex={0}\n />\n \n {!hideSaveForNext && (\n \n { toggleSaveForNext(json_field); }} />\n { toggleSaveForNext(json_field); }} />\n \n )}\n \n );\n}\n","import React from \"react\";\nimport { ReactComponent as EditIcon } from \"../../../../../assets/images/sample-submission/edit.svg\";\nimport { ReactComponent as UploadImageIcon } from \"../../../../../assets/images/sample-submission/uploadImageIcon.svg\";\nimport \"./UploadImageInput.css\";\n\nexport default function UploadImageInput({\n inputValuesSavedForNext,\n toggleSaveForNext,\n imageSrc,\n setShowUploadImageModal,\n hideSaveForNext,\n}) {\n return (\n <>\n \n
Sample Image \n {!hideSaveForNext && (\n
\n
\n { toggleSaveForNext(\"img\"); }} />\n { toggleSaveForNext(\"img\"); }} />\n
\n
Use in Next Sample \n
\n )}\n
\n \n
setShowUploadImageModal(true)}\n >\n {imageSrc ? (\n
\n ) : (\n
\n )}\n {imageSrc && (\n
setShowUploadImageModal(true)}\n >\n \n
\n )}\n
\n
\n >\n );\n}\n","import { sortBy } from \"lodash\";\nimport { PRODUCT_NAME_FIELDS_SET } from \"./SubmissionForm/Constant\";\n\n/**\n * Sort selected fields so linkReportField and product name are at the top\n * @param {Array} selectedFieldsArr unsorted selected fields array\n */\nexport const getSortedFields = (fieldsArr = [], linkedFields = [], type = \"product\") => sortBy(// eslint-disable-line import/prefer-default-export\n fieldsArr,\n (json_field) => {\n /** If product, linkedFields already sorted in the order it is, need to sort the remaining fields so product name is first */\n let priority;\n const linkFieldIdx = linkedFields.indexOf(json_field);\n if (linkFieldIdx > -1) {\n priority = linkFieldIdx; // maintain linked fields order by assigning priority by index\n } else if (type === \"product\" && PRODUCT_NAME_FIELDS_SET.has(json_field)) { // product name has priority after all linked fields\n priority = linkedFields.length;\n } else {\n priority = linkedFields.length + 1; // lowest priority (after linked fields + product name).\n }\n return priority;\n },\n);\n","import React, {\n useEffect, useState, useRef, useContext, useMemo,\n forwardRef, useImperativeHandle,\n} from \"react\";\n\nimport { motion } from \"framer-motion/dist/framer-motion\";\nimport {\n partition, has, isEmpty, debounce,\n} from \"lodash\";\nimport { Scrollbar } from \"react-scrollbars-custom\";\n\nimport {\n showScrollbarStyle,\n hideScrollbarStyle,\n} from \"../../../../Common/AutoHideScrollbarStyles\";\nimport UploadImageModal from \"../../../../Common/ImageEditModal/UploadImageModal\";\nimport SampleSubmissionContext from \"../../../SampleSubmissionContext\";\nimport { CHAR_LIMITS } from \"../../Constant\";\nimport SampleDetailsAutocompleteInput from \"./SampleDetailsAutocompleteInput\";\nimport UploadImageInput from \"./UploadImageInput\";\n\n// import StyledTooltip from \"../../../../Common/UIComponents/StyledTooltip\";\nimport { hasFeature } from \"../../../../../utils/common\";\nimport { getFileFromS3WithPresigned, getFileNameWithTimestampRemoved } from \"../../../../../utils/helpers\";\nimport { getSortedFields } from \"../../../utils\";\nimport { initializeObjectWithDefaultValue, removeReplicateTag } from \"../../helpers\";\n\nimport { getDropdownSuggestionsAndTests } from \"../../../../../actions/sampleSubmission\";\n\nimport { ReactComponent as AddIcon } from \"../../../../../assets/images/sample-submission/addSamplePlusIcon.svg\";\n\nimport \"./SampleDetails.css\";\n\nconst SampleDetails = forwardRef(({\n inputValuesRefs,\n setInputValuesRefs,\n inputValuesSavedForNext,\n toggleSaveForNext,\n sampleFields,\n sampleFieldsInfo,\n clearSampleDetailsForm,\n setClearSampleDetailsForm,\n draftEditing,\n loadDraftState,\n setLoadDraftState,\n loadSampleEditing,\n setLoadSampleEditing,\n sampleEditing,\n handleClickBackButton,\n loadingFields,\n delimiterRegex,\n setInvalidInputFound,\n savedState,\n loadSavedState,\n setLoadSavedState,\n linkedFields,\n setTestsSelected,\n saveTestsForNext,\n generateSampleID,\n setInputValueAutofilled,\n imageInfoRef, // { originalUrl, editedUrl, file, crop, rotate, scale }\n setImageInfoRef,\n setLoadingImage,\n submissionEditingSample,\n submissionAddingSamples,\n sampleIdFields,\n disableAddSample,\n testInfoMap,\n sampleFromSubmission,\n submissionDetails,\n testsSelected,\n setShowExitModal,\n setIsLoadingTest,\n}, ref) => {\n const [inputValues, setInputValues] = useState(() => initializeObjectWithDefaultValue(sampleFields, \"\"));\n const [inputInvalid, setInputInvalid] = useState(() => initializeObjectWithDefaultValue(sampleFields, false));\n const [selectedFields, setSelectedFields] = useState([]); // Selected fields are the fields selected to input field values\n const [fieldOptions, setFieldOptions] = useState([]); // Field options are shown on the top field pills\n const [dropdownSuggestionsObj, setDropdownSuggestionsObj] = useState({});\n const [poHasChanged, setPoHasChanged] = useState(submissionDetails.poHasChanged);\n const [scrollbarInUse, setScrollbarInUse] = useState();\n const horizontalScrollbarRef = useRef();\n const sampleFieldsSet = new Set(sampleFields);\n const inputValuesInitialization = useRef(true);\n const dropdownsAbortController = useRef();\n const [showUploadImageModal, setShowUploadImageModal] = useState(false);\n const [displayImageSrc, setDisplayImageSrc] = useState(\"\");\n const imageFileType = useRef(\"\");\n const { isLoggedOut, sampleCategory, thirdParty } = useContext(SampleSubmissionContext);\n const enableSuggestions = !isLoggedOut || thirdParty;\n\n const loadImageFromAWS = async (image_path) => {\n setLoadingImage(true);\n let imageUrl;\n if (image_path) {\n const fileBlobObj = await getFileFromS3WithPresigned([image_path], \"private\");\n const imageBlob = fileBlobObj[image_path];\n if (imageBlob) {\n imageUrl = window.URL.createObjectURL(imageBlob);\n imageFileType.current = imageBlob.type;\n }\n setDisplayImageSrc(imageUrl);\n setImageInfoRef({\n originalUrl: imageUrl ?? \"\",\n editedUrl: imageUrl ?? \"\",\n file: imageBlob\n ? new File([imageBlob], getFileNameWithTimestampRemoved(image_path), { type: imageBlob.type })\n : null,\n imageWasEdited: false,\n });\n if (submissionEditingSample) {\n sampleFromSubmission.current.image_src = imageUrl;\n }\n } else {\n setDisplayImageSrc(\"\");\n setImageInfoRef({\n originalUrl: \"\",\n editedUrl: \"\",\n file: null,\n imageWasEdited: false,\n });\n if (submissionEditingSample) {\n sampleFromSubmission.current.image_src = \"\";\n }\n }\n setLoadingImage(false);\n };\n\n /**\n * Get dropdown suggestions based on current inputValues, get corresponding test list\n * @param {Object} currInputValues\n * @returns {Object} {item: [], best_by: [], test_list: [], ...}\n */\n const apiGetDropdownSuggestions = async (currInputValues) => {\n /** Set the po value based on\n * 1. New submission\n * 2. Is adding new sample to a submission\n * 3. Is editing existing sample to a submission\n */\n setIsLoadingTest(true);\n const sample = { po: submissionDetails.poNumber };\n if (submissionAddingSamples) {\n sample.po = submissionAddingSamples.po;\n } else if (submissionEditingSample) {\n sample.po = submissionEditingSample.po;\n }\n\n selectedFields.forEach((field) => {\n if (currInputValues[field]) {\n sample[field] = currInputValues[field];\n }\n });\n const newAbortController = new AbortController();\n if (dropdownsAbortController.current) {\n dropdownsAbortController.current.abort();\n }\n dropdownsAbortController.current = newAbortController;\n const { success, result } = await getDropdownSuggestionsAndTests(sample, newAbortController.signal, sampleCategory);\n if (newAbortController.signal.aborted) {\n return null;\n }\n dropdownsAbortController.current = null;\n if (success) {\n setIsLoadingTest(false);\n return result;\n }\n return {};\n };\n\n /** componentDidMount - set selectedFields, fieldOptions */\n useEffect(() => {\n if (!isEmpty(sampleFieldsInfo)) {\n const [selected, notSelected] = partition(\n sampleFields,\n (json_field) => sampleFieldsInfo[json_field].display === \"1\" || sampleFieldsInfo[json_field].field_autofill === \"1\",\n );\n setSelectedFields(getSortedFields(selected, linkedFields, sampleCategory)); // fields displayed in product report\n setFieldOptions(notSelected); // fields not displayed in product report\n }\n }, [sampleFields]); // eslint-disable-line\n\n /** if savedState is not null, and loadSavedState, reset to savedState vals */\n useEffect(() => {\n if (loadSavedState && savedState !== null) {\n const { fields } = savedState;\n if (\n sampleCategory === \"environment\"\n && (!isLoggedOut || !thirdParty)\n && has(savedState, \"imageInfoRef\")\n ) {\n setImageInfoRef(savedState.imageInfoRef);\n setDisplayImageSrc(savedState.imageInfoRef.editedUrl);\n }\n const [selected, notSelected] = partition(\n sampleFields,\n (json_field) => fields[json_field] !== undefined,\n );\n setSelectedFields(getSortedFields(selected, linkedFields, sampleCategory));\n setFieldOptions(notSelected);\n const updatedInputValues = {};\n sampleFields.forEach((json_field) => {\n updatedInputValues[json_field] = fields[json_field]?.value || \"\";\n });\n setInputValues(updatedInputValues);\n }\n }, [savedState, loadSavedState]); // eslint-disable-line\n\n /** Show sample details of the sample that is being edited */\n useEffect(() => {\n if (!isEmpty(sampleEditing) && loadSampleEditing && !loadSavedState) {\n /** Set tests */\n const tests_selected = {};\n sampleEditing.test_list.forEach((test) => {\n tests_selected[test] = { ...(testInfoMap.get(test) ?? {}) };\n });\n setTestsSelected(tests_selected);\n /** Set selected fields */\n const [selected, notSelected] = partition(\n sampleFields,\n (json_field) => sampleEditing[json_field] !== undefined\n && sampleEditing[json_field] !== \"\",\n );\n setSelectedFields(getSortedFields(selected, linkedFields, sampleCategory));\n setFieldOptions(notSelected);\n /** Set field values, save for next */\n const updatedInputValues = {};\n sampleFields.forEach((json_field) => {\n updatedInputValues[json_field] = sampleEditing[json_field] ?? \"\";\n toggleSaveForNext(json_field, false); // set checkbox to false\n });\n\n setInputValues(updatedInputValues);\n\n /** Set image */\n if (sampleCategory === \"environment\" && (!isLoggedOut || thirdParty)) {\n toggleSaveForNext(\"img\", false);\n if (has(sampleEditing, \"image_src\")) {\n setDisplayImageSrc(sampleEditing.image_src ?? \"\");\n setImageInfoRef({\n originalUrl: sampleEditing.image_src ?? \"\",\n editedUrl: sampleEditing.image_src ?? \"\",\n file: sampleEditing.image_file ?? null,\n imageWasEdited: false,\n });\n imageFileType.current = sampleEditing.image_file?.type ?? \"\";\n } else if (has(sampleEditing, \"image_path\")) {\n loadImageFromAWS(sampleEditing.image_path);\n } else {\n setImageInfoRef({\n originalUrl: \"\",\n editedUrl: \"\",\n file: null,\n imageWasEdited: false,\n });\n imageFileType.current = \"\";\n setDisplayImageSrc(\"\");\n }\n }\n }\n }, [sampleEditing, loadSampleEditing]); // eslint-disable-line\n\n /** Show saved fields from draft object */\n useEffect(() => {\n if (loadDraftState && draftEditing) {\n const { fields: savedFields, test_list } = draftEditing;\n /** Set tests */\n if (test_list.length) {\n const tests_selected = {};\n test_list.forEach((test) => {\n tests_selected[test] = { ...(testInfoMap.get(test) ?? {}) };\n });\n setTestsSelected(tests_selected);\n }\n /** Set selected fields */\n const [selected, notSelected] = partition(\n sampleFields,\n (json_field) => sampleFieldsInfo[json_field].display === \"1\"\n || sampleFieldsInfo[json_field].field_autofill === \"1\"\n || savedFields[json_field] !== undefined,\n );\n setSelectedFields(getSortedFields(selected, linkedFields, sampleCategory));\n setFieldOptions(notSelected);\n /** Set field values, save for next */\n const updatedInputValues = {};\n sampleFields.forEach((json_field) => {\n if (has(savedFields, json_field)) {\n updatedInputValues[json_field] = savedFields[json_field];\n toggleSaveForNext(json_field, true); // on mount, set to true\n } else {\n updatedInputValues[json_field] = \"\";\n toggleSaveForNext(json_field, false); // on mount, set to false\n }\n });\n setInputValues(updatedInputValues);\n\n /** Set image */\n if (sampleCategory === \"environment\" && (!isLoggedOut || thirdParty)) {\n if (has(savedFields, \"image_path\")) {\n loadImageFromAWS(savedFields.image_path);\n toggleSaveForNext(\"img\", true);\n } else {\n setImageInfoRef({\n originalUrl: \"\",\n editedUrl: \"\",\n file: null,\n });\n setDisplayImageSrc(\"\");\n }\n }\n }\n }, [draftEditing, loadDraftState]); // eslint-disable-line\n\n /** When the add/update sample button is clicked, clear fields that are not use-for-next-sample */\n useEffect(() => {\n if (clearSampleDetailsForm) {\n /** Clear tests if not saved for next */\n if (!saveTestsForNext) {\n setTestsSelected({});\n }\n\n /** Clear all fields that are not saved for next */\n selectedFields.forEach((field) => {\n if (!inputValuesSavedForNext[field]) {\n inputValues[field] = \"\";\n }\n });\n\n /** Clear image if environment and not saved for next */\n if (sampleCategory === \"environment\" && !inputValuesSavedForNext.img) {\n setImageInfoRef({\n originalUrl: \"\",\n editedUrl: \"\",\n file: null,\n });\n setDisplayImageSrc(\"\");\n imageFileType.current = \"\";\n }\n setInputValues({ ...inputValues });\n }\n }, [clearSampleDetailsForm]); // eslint-disable-line\n\n /**\n * Make API call to get new dropdown suggestions and tests to autofill\n * After clearing the form, set clearSampleDetailsForm back to false.\n * After loading saved state, set loadSavedState back to false.\n * After loading draft, set loadDraft back to false.\n * Make the call to generate the sample id as input values change.\n */\n useEffect(() => {\n /* Set dropdown suggestions, autofill tests */\n if (enableSuggestions\n && ((!loadDraftState && !loadSavedState && !submissionEditingSample) || !inputValuesInitialization.current)) { // only call dropdowns api after actual draft/saved/submissionEditing state values set (the first time this useEffect is fired is when inputs are initialized to empty)\n debouncedHandleSetDropdownsAndTests(inputValues, // eslint-disable-line no-use-before-define\n clearSampleDetailsForm || loadDraftState,\n loadSavedState || loadSampleEditing);\n }\n\n /* Set load states back to false in this useEffect if dropdowns are disabled (if enabled, these states will be set back to false in handleSetDropdownsAndTests) */\n if (!enableSuggestions) {\n setLoadStatesToFalse(); // eslint-disable-line no-use-before-define\n }\n\n /* Generate Sample ID */\n generateSampleID(\n inputValues,\n submissionEditingSample\n ? submissionEditingSample.sample.sample_id\n : sampleEditing?.sample_id,\n );\n\n if (submissionEditingSample) {\n setShowExitModal(true);\n }\n\n /* After inputValues initialized to empty, set inputValuesInitialization to false */\n if (inputValuesInitialization.current) {\n inputValuesInitialization.current = false;\n }\n }, [inputValues, sampleFields]); // eslint-disable-line\n\n /** Set invalidInputFound in parent */\n useEffect(() => {\n setInvalidInputFound(\n Array.from(Object.values(inputInvalid)).some((val) => val === true),\n );\n }, [inputInvalid]); // eslint-disable-line\n /** Back ref from the sample details */\n useImperativeHandle(ref, () => ({\n backFunction() {\n if (!submissionAddingSamples && !submissionEditingSample) {\n handleClickBackButton();\n }\n },\n }));\n\n /**\n * Set the field value in state\n * @param {String} field json_field\n * @param {String} val value of field\n * @param {Boolean} autofilled if field is autofilled or not\n */\n const setFieldValue = (field, val, autofilled = false) => {\n if (sampleFieldsSet.has(field)) {\n // if false, do nothing\n inputValues[field] = val;\n setInputValues({ ...inputValues });\n setInputValueAutofilled(field, val, autofilled);\n if (inputValuesSavedForNext[field] === undefined) {\n // make sure key exists in saved for next object on mount\n toggleSaveForNext(field, false); // checkbox should be unchecked initially\n }\n }\n };\n\n const sanitizeDropdown = (preArray, returnArrayofObjs = false) => {\n const sanitizedArray = [];\n preArray.forEach((val) => {\n if (val !== null && val !== undefined && val !== \"\") {\n const tagRemoved = removeReplicateTag(val);\n if (tagRemoved.trim()) {\n if (returnArrayofObjs) {\n sanitizedArray.push({ value: tagRemoved });\n } else {\n sanitizedArray.push(tagRemoved);\n }\n }\n }\n });\n return sanitizedArray;\n };\n\n /**\n * Set loadSampleEditing, loadDraftState, loadSavedState, clearSampleDetailsForm to false\n */\n const setLoadStatesToFalse = () => {\n if (!inputValuesInitialization.current) { // set to false after actual sample editing/draft/saved state values set\n if (clearSampleDetailsForm) {\n setClearSampleDetailsForm(false);\n }\n if (loadSampleEditing) { // set to false after actual sample editing values set\n setLoadSampleEditing(false);\n }\n if (loadDraftState) { // set to false after actual draft values set\n setLoadDraftState(false);\n }\n if (loadSavedState) { // set to false after actual saved state values set\n setLoadSavedState(false);\n }\n }\n };\n\n /**\n * When inputValues changes, make api call to get filtered dropdowns and tests to autofill\n * @param {Boolean} considerSavedForNext do not overwrite saved for next when autofilling after clearing\n * @param {Boolean} disableAutofill do not overwrite if autofill disabled (loading saved state or sample to edit)\n */\n const handleSetDropdownsAndTests = async (currInputValues, considerSavedForNext = false, disableAutofill = false) => {\n const newDropdownObj = await apiGetDropdownSuggestions(currInputValues);\n if (newDropdownObj !== null) { // if the call wasn't cancelled\n setDropdownSuggestionsObj(newDropdownObj);\n /* Autofill tests */\n const keepTests = (considerSavedForNext && saveTestsForNext) || disableAutofill;\n /** Overwrite the test if:\n * 1. The current company has po dropdown options and\n * 2. User changes the po value in the landing page\n */\n if (!keepTests || poHasChanged) {\n /** We need to set the poHasChanged back to false once it is true after the first occurrence */\n if (poHasChanged) {\n setPoHasChanged(false);\n }\n const testList = newDropdownObj.test_list ?? [];\n const newTestsObj = {};\n testList.forEach((test) => {\n newTestsObj[test] = { ...(testInfoMap.get(test) ?? {}) };\n });\n setTestsSelected(newTestsObj);\n }\n setLoadStatesToFalse();\n }\n };\n\n /**\n * Debounce handleSetDropdownsAndTests, will wait until 500ms have elapsed to call again.\n * useMemo keeps the debounced function instance the same between rerenders (more performant than useCallback),\n * the function will only reinitialize when a dependency array value updates (needed if function uses state/prop that changes i.e. sampleList)\n * @return {Function} debounced handleSetDropdownsAndTests\n */\n const debouncedHandleSetDropdownsAndTests = useMemo(() => debounce((currInputValues, considerSavedForNext, disableAutofill) => {\n handleSetDropdownsAndTests(currInputValues, considerSavedForNext, disableAutofill);\n }, 500), [selectedFields, saveTestsForNext, testInfoMap, clearSampleDetailsForm, loadDraftState, loadSavedState, loadSampleEditing]); // eslint-disable-line\n\n /**\n * Set if field value is invalid in state\n * @param {String} field json_field\n * @param {Boolean} invalid true if invalid\n */\n const setFieldInputInvalid = (field, invalid) => {\n inputInvalid[field] = invalid;\n setInputInvalid({ ...inputInvalid });\n };\n\n /**\n * Add field to selected array, remove it from options\n * @param {Number} idx index of the field in the fieldOptions array\n */\n const handleSelectField = (idx) => {\n const field = fieldOptions[idx];\n selectedFields.push(field);\n fieldOptions.splice(idx, 1); // remove item at that idx\n setSelectedFields(getSortedFields([...selectedFields], linkedFields, sampleCategory));\n setFieldOptions([...fieldOptions]);\n if (!has(inputValues, field) || inputValues[field] !== \"\") {\n setFieldValue(field, \"\");\n }\n if (\n !has(inputValuesSavedForNext, field)\n || inputValuesSavedForNext[field]\n ) {\n toggleSaveForNext(field, false); // set checkbox to false\n }\n };\n\n /**\n * When user clicks the delete button on an input field, remove from selected fields and add to field option\n * @param {Number} idx index of the field in the selectedFields array\n * @param {String} field json_field\n */\n const handleDeselectField = (idx, field) => {\n fieldOptions.push(selectedFields[idx]);\n selectedFields.splice(idx, 1); // remove item at that idx\n setSelectedFields(getSortedFields([...selectedFields], linkedFields, sampleCategory));\n setFieldOptions([...fieldOptions]);\n if (inputValues[field] !== \"\") {\n setFieldValue(field, \"\");\n }\n setInputInvalid({ ...inputInvalid, [field]: false });\n if (inputValuesSavedForNext[field]) {\n // make sure to uncheck checkbox\n toggleSaveForNext(field, false);\n }\n };\n\n /**\n * Divert horizontal scroll to vertical scroll\n * @param {WheelEvent} e scroll event\n */\n const horizontalToVerticalScroll = (e) => {\n horizontalScrollbarRef.current.scrollLeft += e.deltaX + e.deltaY;\n };\n\n /**\n * Checks if tests includes pesticides\n * @returns {boolean}\n */\n const hasPesticideTest = useMemo(() => {\n const containsPesticide = Object.keys(testsSelected).findIndex((test) => test.toLowerCase().includes(\"pesticide\")) !== -1;\n return containsPesticide && sampleCategory !== \"environment\" && hasFeature(\"special_pesticides\");\n }, [testsSelected, sampleCategory]);\n\n const hideSaveForNext = Boolean(submissionEditingSample);\n\n const sampleFieldsContainerStyle = { height: \"40px\", width: \"100%\" };\n\n return (\n <>\n \n \n
\n {disableAddSample && (\n
\n )}\n
\n {/* {!submissionAddingSamples\n && !submissionEditingSample && (\n
\n {\n if (isEmpty(sampleEditing) && (e.key === \"Enter\" || e.key === \" \")) {\n handleClickBackButton();\n }\n }}\n />\n \n )} */}\n
\n
Sample Details \n
\n\n {!loadingFields && (\n <>\n {fieldOptions.length > 0 && (\n
setScrollbarInUse(true)}\n onMouseLeave={() => setScrollbarInUse(false)}\n ref={horizontalScrollbarRef}\n onWheel={horizontalToVerticalScroll}\n >\n \n {fieldOptions.map((json_field, idx) => (\n handleSelectField(idx)}\n >\n {sampleFieldsInfo[json_field].title_field} \n \n \n ))}\n \n \n )}\n\n
\n {!selectedFields.length ? (\n
\n No Sample Details Fields added\n \n ) : (\n <>\n {!hideSaveForNext && (\n
\n
\n \n
\n Use in Next Sample\n
\n
\n
\n
\n \n )}\n
\n \n {selectedFields.map((json_field, idx) => {\n if (hasPesticideTest && json_field === \"sample_type\") return null;\n return (\n \n );\n })}\n \n \n >\n )}\n {sampleCategory === \"environment\" && (!isLoggedOut || thirdParty) && (\n <>\n
\n
\n >\n )}\n
\n >\n )}\n
\n
\n >\n );\n});\n\nexport default SampleDetails;\n","import React, { useEffect } from \"react\";\nimport { ReactComponent as ExclamationIcon } from \"../../../../assets/images/sample-submission/exclamationIcon.svg\";\nimport StyledTooltip from \"../../../Common/UIComponents/StyledTooltip\";\nimport { CHAR_LIMITS } from \"../Constant\";\nimport MaxCharacterCount from \"../ReusableComponents/MaxCharacterCount\";\nimport \"./SampleID.css\";\n\nexport default function SampleID({\n sampleID, disableAddSample, sampleIDGenerationError, submissionEditingSample, onLoad,\n}) {\n useEffect(() => {\n onLoad();\n }, [onLoad]);\n const invalidSampleIDLength = sampleID.length > CHAR_LIMITS.sample_id;\n const showError = invalidSampleIDLength || sampleIDGenerationError;\n\n let message = \"Sample ID is auto-generated by user inputted data\";\n if (sampleIDGenerationError) {\n message = \"Failed to generate Sample ID\";\n } else if (invalidSampleIDLength) {\n message = \"Sample ID is too long, please fix your inputs\";\n }\n\n return (\n \n {disableAddSample && (
)}\n
Sample ID \n
\n \n \n
\n \n {CHAR_LIMITS.sample_id && (\n \n )}\n
\n
\n );\n}\n","import React, { useState, useEffect } from \"react\";\nimport moment from \"moment\";\n\nexport default function TimeFromNow({ time, dateFormat }) {\n const [timeFromNow, setTimeFromNow] = useState(\"\");\n\n /** Compares time to current local time and gets timeFromNow.\n * If time is over a week ago, setTimeFromNow to\n * the date formatted with dateFormat instead.\n */\n const calculateTimeFromNow = () => {\n if (time === undefined || time === \"\") {\n setTimeFromNow(\"\");\n } else {\n const momentTime = moment(new Date(time));\n const _timeFromNow = momentTime.fromNow();\n // console.log(timeFromNow);\n if (_timeFromNow.includes(\"second\")) {\n setTimeFromNow(\"Just Now\");\n } else if (_timeFromNow.includes(\"week\")) {\n setTimeFromNow(moment(momentTime, dateFormat));\n } else {\n /** a min/an hour ago becomes 1 min/hour ago */\n const regex = /^a |^an /;\n setTimeFromNow(_timeFromNow.replace(regex, \"1 \"));\n }\n }\n };\n\n /** On mount or when time prop changes, set up the interval.\n * Every second, update timeFromNow state.\n * On unmount or when time prop changes, clear interval.\n */\n useEffect(() => {\n calculateTimeFromNow(); // get initial timeFromNow on mount\n const interval = setInterval(calculateTimeFromNow, 1000);\n return () => clearInterval(interval);\n }, [time]); // eslint-disable-line\n // console.log(time, timeFromNow);\n return (\n {timeFromNow} \n );\n}\n","var _path;\nfunction _extends() { _extends = Object.assign ? Object.assign.bind() : 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); }\nimport React from \"react\";\nconst SvgBlueRightArrow = _ref => {\n let {\n svgRef,\n title,\n ...props\n } = _ref;\n return /*#__PURE__*/React.createElement(\"svg\", _extends({\n width: 15,\n height: 14,\n viewBox: \"0 0 15 14\",\n fill: \"none\",\n ref: svgRef\n }, props), title ? /*#__PURE__*/React.createElement(\"title\", null, title) : null, _path || (_path = /*#__PURE__*/React.createElement(\"path\", {\n d: \"M0.832682 7.83317L10.9743 7.83317L6.31602 12.4915L7.49935 13.6665L14.166 6.99984L7.49935 0.33317L6.32435 1.50817L10.9743 6.1665L0.832682 6.1665L0.832682 7.83317Z\",\n fill: \"#26ABE1\"\n })));\n};\nconst ForwardRef = /*#__PURE__*/React.forwardRef((props, ref) => /*#__PURE__*/React.createElement(SvgBlueRightArrow, _extends({\n svgRef: ref\n}, props)));\nexport default __webpack_public_path__ + \"static/media/blueRightArrow.3e811868.svg\";\nexport { ForwardRef as ReactComponent };","import React, { useState, useRef, useEffect } from \"react\";\n\nimport { motion } from \"framer-motion/dist/framer-motion\";\nimport Scrollbar from \"react-scrollbars-custom\";\n\nimport {\n showScrollbarStyle,\n hideScrollbarStyle,\n} from \"../../../../Common/AutoHideScrollbarStyles\";\nimport { CHAR_LIMITS } from \"../../Constant\";\n\nimport { getFileFromS3WithPresigned, getFileNameWithTimestampRemoved } from \"../../../../../utils/helpers\";\n\nimport { ReactComponent as EditIcon } from \"../../../../../assets/images/sample-submission/edit.svg\";\nimport { ReactComponent as GarbageCan } from \"../../../../../assets/images/sample-submission/hoveredGarbageCan.svg\";\n\nimport \"../../../MainPage/Submissions/SampleCard.css\";\nimport \"./AddedSampleCard.css\";\n\nexport default function AddedSampleCard({\n sample,\n sampleEditingIdx,\n idx,\n handleEditSample,\n handleDeleteSample,\n sampleFields,\n sampleFieldsInfo,\n setClearTestSearch,\n submissionEditingSample,\n updateSample,\n}) {\n const [showTestView, setShowTestView] = useState(false);\n const [loadingImage, setLoadingImage] = useState(false);\n const [imageSrc, setImageSrc] = useState(sample.image_src ?? \"\");\n const [scrollbarInUse, setScrollbarInUse] = useState();\n const sampleCardRef = useRef();\n\n /**\n * Load image from AWS\n * @param {String} image_path path to image file in aws\n */\n const loadImageFromAWS = async (image_path) => {\n setLoadingImage(true);\n if (image_path) {\n const fileBlobObj = await getFileFromS3WithPresigned([image_path], \"private\");\n const imageBlob = fileBlobObj[image_path];\n if (imageBlob) {\n const image_src = window.URL.createObjectURL(imageBlob);\n setImageSrc(image_src);\n if (!submissionEditingSample) {\n updateSample(idx, {\n ...sample,\n image_src,\n image_file: new File([imageBlob], getFileNameWithTimestampRemoved(image_path), { type: imageBlob.type }),\n });\n }\n }\n }\n setLoadingImage(false);\n };\n\n useEffect(() => {\n if (sample.image_path && !sample.image_src) {\n loadImageFromAWS(sample.image_path);\n } else if (sample.image_src) {\n setImageSrc(sample.image_src);\n } else {\n setImageSrc(\"\");\n }\n }, [sample.image_path, sample.image_src]); // eslint-disable-line\n\n /** when sample is being edited, scroll sample into view */\n useEffect(() => {\n if (sampleEditingIdx === idx && sampleCardRef.current !== null) {\n sampleCardRef.current.scrollIntoView({\n behavior: \"smooth\",\n block: \"nearest\",\n inline: \"start\",\n });\n }\n }, [sampleEditingIdx]); // eslint-disable-line\n\n /** Enable editing mode only when user is not editing that sample */\n const handleClickEdit = () => {\n if (idx !== sampleEditingIdx) {\n handleEditSample(idx);\n setClearTestSearch(true);\n }\n };\n\n // Excel uploads can create drafts where both Sample ID and Sample Type character limits are not enforced by the API along with the test list.\n // Therefore, added samples may have errors that users must resolve before submitting.\n const sampleIDCharLimitExceeded = sample.sample_id.length > CHAR_LIMITS.sample_id;\n const sampleTypeCharLimitExceeded = sample.sample_type.length > CHAR_LIMITS.sample_type;\n const sampleTestsMissing = sample.test_list.length === 0;\n\n return (\n \n {loadingImage &&
}\n {showTestView ? (\n setScrollbarInUse(true)}\n onMouseLeave={() => setScrollbarInUse(false)}\n >\n \n
\n {sample.test_list.map((testName, testIdx) => (\n {testName} \n ))}\n \n
\n \n ) : (\n setScrollbarInUse(true)}\n onMouseLeave={() => setScrollbarInUse(false)}\n >\n \n
\n \n \n Sample ID \n {sample.sample_id} \n \n {sampleFields.map((json_field) => {\n if (\n sample[json_field] !== \"\"\n && sample[json_field] !== undefined\n && json_field !== \"sample_id\"\n ) {\n return (\n \n {sampleFieldsInfo[json_field].title_field} \n {sample[json_field]} \n \n );\n }\n return null;\n })}\n {imageSrc !== \"\" && (\n \n Image \n \n \n
\n
\n \n \n )}\n \n
\n
\n \n )}\n\n \n
\n {!submissionEditingSample && (\n handleDeleteSample(idx)}\n className=\"added-sample-delete-icon\"\n >\n delete icon \n \n )}\n \n edit icon \n \n
\n
setShowTestView(!showTestView)}\n >\n
\n {showTestView\n ? \"Sample Details\"\n : `${sample.test_list.length} Tests added`}\n
\n
\n
\n \n );\n}\n","import React from \"react\";\nimport Scrollbar from \"react-scrollbars-custom\";\nimport { AnimatePresence } from \"framer-motion/dist/framer-motion\";\nimport AddedSampleCard from \"./AddedSampleCard\";\n\nexport default function AddedSamplesList({\n sampleList,\n handleEditSample,\n handleDeleteSample,\n sampleFields,\n sampleFieldsInfo,\n sampleEditingIdx,\n sampleListScrollbar,\n setClearTestSearch,\n submissionEditingSample,\n updateSample,\n}) {\n return (\n \n \n
\n {sampleList.map((sample, idx) => (\n \n ))}\n \n
\n \n );\n}\n","import React from \"react\";\n\nimport TimeFromNow from \"../../../../Common/TimeFromNow\";\nimport StyledTooltip from \"../../../../Common/UIComponents/StyledTooltip\";\nimport { CHAR_LIMITS } from \"../../Constant\";\nimport AddedSamplesList from \"./AddedSamplesList\";\n\nimport { ReactComponent as Arrow } from \"../../../../../assets/images/sample-submission/blueRightArrow.svg\";\n\nimport \"../../SubmissionForm.css\";\n\nexport default function SubmissionCol({\n sampleList,\n draftLastSavedTime,\n sampleFields,\n sampleFieldsInfo,\n handleEditSample,\n handleDeleteSample,\n sampleEditingIdx,\n sampleListScrollbar,\n handleSubmitButtonClick,\n setClearTestSearch,\n submissionEditingSample,\n updateSample,\n}) {\n /**\n * Checks for errors in the sample list, such as exceeding character limits or missing tests.\n * @return {boolean} True if any sample has an error, false otherwise\n */\n const checkForSampleErrors = () => {\n if (sampleList.length === 0) return false;\n if (sampleEditingIdx > -1) return true;\n\n return sampleList.some((sample) => {\n const sampleIDCharLimitExceeded = sample.sample_id.length > CHAR_LIMITS.sample_id;\n const sampleTypeCharLimitExceeded = sample.sample_type.length > CHAR_LIMITS.sample_type;\n const sampleTestsMissing = sample.test_list.length === 0;\n\n return sampleIDCharLimitExceeded || sampleTypeCharLimitExceeded || sampleTestsMissing;\n });\n };\n\n /**\n * Returns an error message if the submission is in an invalid state.\n * @return {string} An error message if the submission cannot be submitted, otherwise an empty string.\n */\n const getSubmissionErrorText = () => {\n if (sampleEditingIdx > -1) {\n return \"Cannot submit while editing\";\n }\n if (checkForSampleErrors()) {\n return \"Please correct the invalid sample inputs before proceeding.\";\n }\n return \"\";\n };\n\n /**\n * Returns the class name for the submit button based on its state.\n * @return {string} The class name for the submit button, including a disabled class if the button is disabled.\n */\n const getSubmitButtonClass = () => {\n const isDisabled = sampleEditingIdx > -1 || checkForSampleErrors(sampleList);\n return `sample-submission-submit-button ${isDisabled ? \"sample-submission-submit-button-disabled\" : \"\"}`;\n };\n\n return (\n \n
\n
\n
\n
\n {submissionEditingSample ? \"Editing Sample\" : `${sampleList.length} Samples added`} \n {sampleList.length > 0 && ( )}\n
\n {sampleList.length > 0 && (\n
\n )}\n
\n \n Submit \n \n \n \n
\n
\n );\n}\n","import React, {\n forwardRef,\n useContext,\n useEffect,\n useMemo,\n useImperativeHandle,\n useState,\n} from \"react\";\n\nimport { isEmpty } from \"lodash\";\n\nimport SampleFunctionContext from \"../../SampleFunctionContext\";\nimport SampleSubmissionContext from \"../../SampleSubmissionContext\";\nimport AnalysisRequest from \"./AnalysisRequest/AnalysisRequest\";\nimport AddUpdateSampleButton from \"./Buttons/AddUpdateSampleButton\";\nimport SampleDetails from \"./SampleDetails/SampleDetails\";\nimport SampleID from \"./SampleID\";\nimport SubmissionCol from \"./SubmissionCol/SubmissionCol\";\n// import ExitButton from \"./Buttons/ExitButton\";\n\nimport { hasFeature } from \"../../../../utils/common\";\n\nimport \"./SampleDetailsPage.css\";\n\nconst SampleDetailsPage = forwardRef((props, ref) => {\n const {\n inputValuesRefs,\n setInputValuesRefs,\n inputValuesSavedForNext,\n toggleSaveForNext,\n clearSampleDetailsForm,\n setClearSampleDetailsForm,\n loadDraftState,\n setLoadDraftState,\n loadSampleEditing,\n setLoadSampleEditing,\n sampleEditing,\n handleGoBackToAddressPage,\n setInvalidInputFound,\n savedState,\n loadSavedState,\n setLoadSavedState,\n setTestsSelected,\n saveTestsForNext,\n testsSelected,\n generateSampleID,\n sampleIDGenerationError,\n setInputValueAutofilled,\n handleGoBackToMainPage,\n generatedSampleID,\n clearTestSearch,\n setClearTestSearch,\n setSaveTestsForNext,\n customerDetails,\n waitingForAddEditAPI,\n sampleEditingIdx,\n handleSaveEditedSample,\n handleAddSample,\n handleCancelEditSample,\n invalidInputFound,\n sampleList,\n handleEditSample,\n handleDeleteClick,\n sampleListScrollbar,\n draftLastSavedTime,\n handleSubmitButtonClick,\n draftEditing,\n sampleFields,\n sampleFieldsInfo,\n delimiterRegex,\n linkedFields,\n imageInfoRef,\n setImageInfoRef,\n setLoadingImage,\n submissionEditingSample,\n submissionAddingSamples,\n sampleIdFields,\n updateSample,\n invalidTest,\n setInvalidTest,\n testInfoMap,\n sampleFromSubmission,\n submissionDetails,\n pesticideSample,\n setPesticideSample,\n sampleCategory,\n setShowExitModal,\n isLoadingSampleId,\n setIsLoadingSampleId,\n } = props;\n const [sampleIDLoaded, setSampleIDLoaded] = useState(false);\n const [addLoading, setAddLoading] = useState(false);\n const [isLoadingTest, setIsLoadingTest] = useState(false);\n const { isLoggedOut, thirdParty } = useContext(SampleSubmissionContext);\n const { backRef } = useContext(SampleFunctionContext);\n const disableAddSample = submissionEditingSample && sampleEditingIdx === -1; // disables inputs, tests, and hides (not just disables) add sample button\n /** Close ref for the sample submission details */\n useImperativeHandle(ref, () => ({\n closeFunction() {\n if (!isLoggedOut) {\n handleGoBackToMainPage();\n }\n },\n }));\n\n /**\n * Check if pesticide sample type field is empty for pesticide\n */\n const isPesticideSampleEmpty = useMemo(() => {\n if (isEmpty(testsSelected)) {\n return false;\n }\n const testNames = Object.keys(testsSelected);\n const addedPesticideTestName = testNames.find((test) => test.toLowerCase().includes(\"pesticide\"));\n return addedPesticideTestName && !pesticideSample.trim() && sampleCategory !== \"environment\" && hasFeature(\"special_pesticides\");\n }, [testsSelected, pesticideSample, sampleCategory]);\n\n useEffect(() => {\n if (sampleEditing && Object.keys(sampleEditing).length > 0) {\n const hasPesticide = sampleEditing.test_list.find((test) => test.toLowerCase().includes(\"pesticide\"));\n if (hasPesticide && sampleCategory !== \"environment\" && hasFeature(\"special_pesticides\")) {\n setPesticideSample(sampleEditing.sample_type);\n }\n }\n }, [sampleEditing, setPesticideSample, sampleCategory]);\n\n useEffect(() => {\n if (isLoadingSampleId || isLoadingTest) {\n setAddLoading(true);\n } else {\n setAddLoading(false);\n }\n }, [isLoadingSampleId, isLoadingTest]);\n\n /**\n *Customized button for add or updatung the sample submission details\n */\n const addSampleButton = () => (\n \n );\n\n return (\n <>\n \n \n {/* {!isLoggedOut && (\n \n )} */}\n
\n \n {(!isLoggedOut || thirdParty) && (\n
{\n setSampleIDLoaded(true);\n }}\n />\n )}\n {sampleIDLoaded && (\n \n )}\n \n { !submissionEditingSample\n && (\n \n )}\n >\n );\n});\n\nexport default SampleDetailsPage;\n","import React, {\n useEffect, useState, useRef, useContext,\n} from \"react\";\n\nimport Scrollbar from \"react-scrollbars-custom\";\nimport { toast } from \"react-toastify\";\n\nimport StyledButton from \"../../../Common/UIComponents/StyledButton\";\nimport StyledTooltip from \"../../../Common/UIComponents/StyledTooltip\";\nimport SampleSubmissionContext from \"../../SampleSubmissionContext\";\nimport { CHAR_LIMITS } from \"../Constant\";\nimport ErrorCheckingAutocompleteInput from \"../ReusableComponents/ErrorCheckingAutocomplete\";\nimport MaxCharacterCount from \"../ReusableComponents/MaxCharacterCount\";\n\nimport { getCustomerAddress, saveDraft, getDropdownSuggestionsAndTests } from \"../../../../actions/sampleSubmission\";\n\nimport { ReactComponent as Arrow } from \"../../../../assets/images/sample-submission/blueRightArrow.svg\";\nimport { ReactComponent as ExclamationIcon } from \"../../../../assets/images/sample-submission/exclamationIcon.svg\";\n\nimport \"./SubmissionDetailsAddressPage.css\";\n\nexport default function SubmissionDetailsAddressPage({\n handleGoBackToMainPage,\n submissionDetails,\n setSubmissionDetails,\n setShowAddressPage,\n customerDetails,\n setCustomerDetails,\n sampleCategory,\n setSubmissionNameNav,\n}) {\n const [customerAddress, setCustomerAddress] = useState({});\n const [submissionName, setSubmissionName] = useState(submissionDetails.submissionName || \"\");\n const [poNumber, setPONumber] = useState(submissionDetails.poNumber || \"\");\n const [customerIDInternal, setCustomerIDInternal] = useState(customerDetails.customerID || \"\");\n const [submittedBy, setSubmittedBy] = useState(customerDetails.submittedBy || \"\");\n const [userEmail, setUserEmail] = useState(customerDetails.userEmail || \"\");\n const submissionNameRef = useRef();\n const customerIDRef = useRef();\n const poRef = useRef();\n const [poOptions, setPoOptions] = useState([]);\n const [disableButton, setDisableButton] = useState(true);\n const [invalidCharsSet, setInvalidCharsSet] = useState(new Set());\n const { isLoggedOut, thirdParty } = useContext(SampleSubmissionContext);\n\n async function apiGetCustomerAddress(customer_id) {\n const result = await getCustomerAddress(customer_id, sampleCategory);\n if (result.success) {\n const addressArr = [];\n if (result.address.address_1) {\n addressArr.push(result.address.address_1);\n }\n if (result.address.address_2) {\n addressArr.push(result.address.address_2);\n }\n result.address.address_concat = addressArr.join(\", \");\n setCustomerAddress(result.address);\n if (isLoggedOut && !thirdParty) {\n setDisableButton(false);\n }\n } else {\n setCustomerAddress({});\n if (isLoggedOut && !thirdParty) {\n toast.error(result.message);\n setDisableButton(true);\n }\n }\n if (!isLoggedOut || thirdParty) {\n setDisableButton(false);\n }\n return result;\n }\n\n /**\n * Make an api call to get the po options list.\n */\n async function apiGetPoOptions() {\n const { result } = await getDropdownSuggestionsAndTests({}, null, sampleCategory);\n if (result.po && result.po.length > 0) {\n setPoOptions(result.po.map((item) => ({ value: item })));\n }\n }\n\n /** componentDidMount - get customer address */\n useEffect(() => {\n if ((!isLoggedOut || thirdParty) || customerIDInternal !== \"\") {\n apiGetCustomerAddress((isLoggedOut && !thirdParty) ? customerIDInternal : undefined);\n apiGetPoOptions();\n }\n }, []); // eslint-disable-line\n\n /**\n * When submission details are set in the parent (when editing a draft),\n * set this component's submission name and po number\n */\n useEffect(() => {\n setSubmissionName(submissionDetails.submissionName);\n setSubmissionNameNav(submissionDetails.submissionName);\n setPONumber(submissionDetails.poNumber);\n }, [submissionDetails]); // eslint-disable-line\n\n /**\n * When user clicks continue, check if submission name filled out.\n * If it is filled out, set submission details in parent and\n * show the sample form page.\n */\n const handleClickContinue = async () => {\n const nameTrimmed = submissionName.trim();\n const poTrimmed = poNumber.trim();\n const customerIDTrimmed = customerIDInternal.trim();\n const inputsWithError = [];\n\n const submissionNameCharLimitExceeded = nameTrimmed.length > CHAR_LIMITS.submission_name;\n const poCharLimitExceeded = poTrimmed.length > CHAR_LIMITS.po;\n\n // Handle missing inputs or invalid characters\n if (((isLoggedOut && !thirdParty) && !customerIDTrimmed) || !nameTrimmed || invalidCharsSet.size) {\n if ((isLoggedOut && !thirdParty) && !customerIDTrimmed) {\n toast.error(\"Customer ID is required\");\n customerIDRef.current.classList.add(\"sample-submission-input-error\");\n inputsWithError.push(customerIDRef.current);\n }\n if (!nameTrimmed) {\n toast.error(\"Submission name is required\");\n submissionNameRef.current.classList.add(\"sample-submission-input-error\");\n inputsWithError.push(submissionNameRef.current);\n } else if (invalidCharsSet.size) {\n toast.error(\"Invalid submission name\");\n inputsWithError.push(submissionNameRef.current);\n }\n if (inputsWithError.length > 0) {\n inputsWithError[0].focus();\n }\n return;\n }\n\n // Handle character limit errors\n if (submissionNameCharLimitExceeded || poCharLimitExceeded) {\n if (submissionNameCharLimitExceeded) {\n toast.error(\"Submission Name Character Limit Exceeded\");\n }\n if (poCharLimitExceeded) {\n toast.error(\"PO Character Limit Exceeded\");\n }\n return;\n }\n\n // Proceed with submission if no errors\n if ((nameTrimmed !== submissionDetails.submissionName || poTrimmed !== submissionDetails.poNumber)) {\n const { submissionID } = (!isLoggedOut || thirdParty) ? await saveDraft({\n submissionName: nameTrimmed,\n poNumber: poTrimmed,\n submissionID: submissionDetails.submissionID,\n sample_category: sampleCategory,\n }) : { submissionID: undefined };\n\n /** We need to use the poHasChanged in the SampleDetails component\n * for the handleSetDropdownsAndTests().\n * We use this vaiable to determine if the current selected test list should be overwritten or not.\n * If the current company has a po dropdown options and user changes the po value from draft, we need to overwrite\n * the selected test list based on the new ssautofill/ response.\n */\n const oldPo = submissionDetails.poNumber ?? poTrimmed;\n const poHasChanged = oldPo !== poTrimmed && poOptions.length > 0;\n setSubmissionDetails({\n submissionName: nameTrimmed,\n poNumber: poTrimmed,\n submissionID: submissionID ?? submissionDetails.submissionID,\n poHasChanged,\n });\n }\n setCustomerDetails({ customerID: customerIDTrimmed, submittedBy, userEmail });\n setShowAddressPage(false);\n };\n\n /**\n * When user clicks back button, check if submission name is valid.\n * If it is valid and submission name and po have changed from parent,\n * call handleGoBackToMainPage\n */\n const handleClickBackButton = async () => {\n const nameTrimmed = submissionName.trim();\n const poTrimmed = poNumber.trim();\n if (invalidCharsSet.size) {\n toast.error(\"Invalid submission name\");\n submissionNameRef.current.focus();\n return;\n }\n if (nameTrimmed && (nameTrimmed !== submissionDetails.submissionName || poTrimmed !== submissionDetails.poNumber)) {\n await saveDraft({\n submissionName: nameTrimmed,\n poNumber: poTrimmed,\n submissionID: submissionDetails.submissionID,\n sample_category: sampleCategory,\n });\n }\n handleGoBackToMainPage();\n };\n\n /**\n * On change of submission name input, check if the name is invalid\n * @param {Event} e get value of input from on change event\n */\n const onSubmissionNameChange = (e) => {\n const invalidCharsArr = [\"\\\\/\", \"\\\\\\\\\", \"\\\\.json\"];\n const invalidRegex = new RegExp(invalidCharsArr.join(\"|\"), \"g\");\n const name = e.target.value;\n const matches = name.match(invalidRegex);\n if (matches !== null) {\n setInvalidCharsSet(new Set(matches));\n submissionNameRef.current.classList.add(\"sample-submission-input-error\");\n } else {\n setInvalidCharsSet(new Set());\n submissionNameRef.current.classList.remove(\"sample-submission-input-error\");\n }\n setSubmissionName(name);\n setSubmissionNameNav(name);\n };\n\n /**\n * On change of customer id, update state and remove error border\n * @param {Event} e get value of input from on change event\n */\n const onCustomerIDChange = (e) => {\n customerIDRef.current.classList.remove(\"sample-submission-input-error\");\n setCustomerIDInternal(e.target.value);\n if (!disableButton) {\n setDisableButton(true);\n }\n };\n\n /**\n * When user clicks away from customerID input, make api call to customer info\n */\n const onCustomerIDBlur = async () => {\n const trimmedCustomerIDInternal = customerIDInternal.trim();\n if (trimmedCustomerIDInternal) {\n const result = await apiGetCustomerAddress(trimmedCustomerIDInternal);\n if (result.success) {\n setSubmittedBy(result.address.contact_name);\n setUserEmail(result.address.email);\n customerIDRef.current.classList.remove(\"sample-submission-input-error\");\n if (document.activeElement !== submissionNameRef.current && document.activeElement !== poRef.current) {\n submissionNameRef.current.focus();\n }\n return;\n }\n if (document.activeElement !== submissionNameRef.current && document.activeElement !== poRef.current) {\n customerIDRef.current.focus();\n }\n customerIDRef.current.classList.add(\"sample-submission-input-error\");\n } else {\n setCustomerAddress({});\n }\n setSubmittedBy(\"\");\n setUserEmail(\"\");\n };\n\n /** on key down in input, check if key is invalid, if yes, don't let user input key\n * @param {Event} e KeyDown event\n */\n const onKeyDown = (e) => {\n const invalidKeys = [\"/\", \"\\\\\"];\n if (invalidKeys.includes(e.key)) {\n e.preventDefault();\n }\n };\n\n return (\n <>\n \n
\n
\n {!isLoggedOut && (\n
{\n if (e.key === \"Enter\" || e.key === \" \") {\n handleClickBackButton(submissionName, poNumber);\n }\n }}\n className=\"sample-submission-form-back-button SubmissionDetailsAddressForms-back\"\n />\n )}\n \n
\n
\n
Submission Details \n
\n
\n {(isLoggedOut && !thirdParty) && (\n
\n
Customer ID * \n
\n {\n if (e.key === \"Enter\") {\n customerIDRef.current.blur();\n }\n }}\n className=\"submission-address-short-input\"\n />\n
\n
\n )}\n
\n
\n Submission Name * \n {invalidCharsSet.size > 0 && (\n \n Invalid input: \n {Array.from(invalidCharsSet).map((char, i) => (\n {char} \n ))}\n
\n )}\n placement=\"right\"\n >\n
\n \n )}\n
\n
\n CHAR_LIMITS.submission_name && \"submission-address-short-input--OverLimit\"}`}\n maxLength={CHAR_LIMITS.submission_name}\n />\n {CHAR_LIMITS.submission_name && (\n \n )}\n
\n
\n
\n
#PO \n
\n poRef}\n value={poNumber}\n charLimit={CHAR_LIMITS.po}\n handleSelectOption={(value) => setPONumber(value)}\n onChange={(value) => setPONumber(value)}\n customClassName=\"submission-address-po-input\"\n customPopupClassName=\"submission-address-po-input-popup\"\n customArrowClassName=\"submission-address-po-input-dropdown-arrow\"\n customMaxCharClassName=\"submission-address-po-input-max-char\"\n suggestions={poOptions}\n />\n
\n
\n
\n \n
\n
\n \n \n