All files / src/form/csv CsvUploadComponent.tsx

27.67% Statements 31/112
19.6% Branches 10/51
23.07% Functions 6/26
28.3% Lines 30/106

Press n or j to go to the next uncovered block, b, p or k for the previous block.

1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315                                                66x           10x 10x 10x   10x 10x 10x 10x 10x 10x 10x 10x 10x 10x   10x   10x 7x 1x       7x         10x                   10x                                                                                                             10x 3x 3x 3x 3x 3x 3x     10x                                                                                                                                                                                                                                                                                                                                                     1x                      
import React, { ReactElement, useEffect, useState } from 'react';
import { Button, Popover, List, message, Tooltip, Alert, Space } from 'antd';
import Dragger from 'antd/lib/upload/Dragger';
import { CSVDownload } from 'react-csv';
import {
  UploadOutlined, CloudUploadOutlined, FileSearchOutlined, WarningOutlined
} from '@ant-design/icons';
import { useTranslation } from 'react-i18next';
 
import {
  CsvOperateComponentPanelMaxWidth,
  CsvTemplateAdditionalComments,
  NumberOfCsvPreviewLine,
  CustomIcon
} from '@config/base';
import { uploadCsvs } from '@utils/FetchUtils';
import { ExpandableContentComponent } from '../../components';
import ImportRecordComponent, { ImportRecordProps } from '../cells/ImportRecord';
import { CsvUploadProps } from '@props/RecordProps';
import { getCsvHeader, getCsvHeaderTranslated } from '@utils/CsvUtils';
import { stopPropagationAndPreventDefault } from "@utils/ObjectUtils";
import { UploadFile } from 'antd/lib/upload/interface';
import { removePackagePart } from '@utils/StringUtils';
 
const CsvUploadComponent = (props: CsvUploadProps): ReactElement => {
 
  const {
    columns, fetchDataCallback, domainName, ownerId, ownerClass,
    columnNameInOwnerClass, ownerColumn, zIndex, visiblePopover,
    setVisiblePopoverCallback
  } = props;
  const { t } = useTranslation();
  const open = (visiblePopover === 'csvUpload');
 
  const MultipleFileMode = false;
  const [uploading, setUploading] = useState<boolean>(false);
  const [uploaded, setUploaded] = useState<boolean>(false);
  const [importRecord, setImportRecord] = useState<ImportRecordProps>({} as ImportRecordProps);
  const [previewContent, setPreviewContent] = useState<string>("");
  const [hasPreview, setHasPreview] = useState<boolean>(false);
  const [fileList, setFileList] = useState<Array<UploadFile>>([]);
  const [downloadCsv, setDownloadCsv] = useState<boolean>(false);
  const [errorMessage, setErrorMessage] = useState<string>("");
  const [showTimeoutInfo, setShowTimeoutInfo] = useState<boolean>(true);
 
  const noFileSelected = (fileList.length === 0);
 
  useEffect(() => {
    window.addEventListener("click", (e: MouseEvent) => {
      Iif (visiblePopover === 'csvUpload') {
        setVisiblePopoverCallback(undefined, e);
      }
    });
    return () => window.removeEventListener("click", (e: MouseEvent) => {
      setVisiblePopoverCallback(undefined, e);
    });
  }, [setVisiblePopoverCallback, visiblePopover]);
 
  const prepareDownloadTemplate = (domainName: string): Array<Array<string>> => {
    const result = [] as Array<Array<string>>;
    result.push(getCsvHeader(columns));
    result.push(getCsvHeaderTranslated(domainName, columns));
    CsvTemplateAdditionalComments.forEach(line => result.push(line.map(c => t(c))));
    // 等待 200ms 后再将 downloadCsv 的值设置为 false
    setTimeout(() => setDownloadCsv(false), 200);
    return result;
  };
 
  const handleUpload = (): void => {
    const formData = new FormData();
    fileList.forEach((file: UploadFile): void => {
      // eslint-disable-next-line @typescript-eslint/ban-ts-comment
      // @ts-ignore
      formData.append('files[]', file);
    });
    if (ownerClass != null) {
      formData.append("ownerClass", ownerClass);
    }
    if (ownerId != null) {
      formData.append("ownerId", ownerId.toString());
    }
    if (columnNameInOwnerClass != null) {
      formData.append("columnNameInOwnerClass", columnNameInOwnerClass);
    }
    if (ownerColumn != null) {
      formData.append("ownerColumn", ownerColumn);
    }
    uploadCsvs({
      data: formData,
      domainName: domainName
    }).then(json => {
      const hasErrorInJson = ('error' in json);
      setUploaded(!hasErrorInJson);
      if (hasErrorInJson) {
        setErrorMessage(JSON.stringify(json));
        setImportRecord({} as ImportRecordProps);
        setHasPreview(true);
      } else if ('data' in json) {
        setImportRecord(json?.data);
        setErrorMessage("");
        if (json?.status === "running") {
          setShowTimeoutInfo(true);
          setImportRecord({} as ImportRecordProps);
          setUploaded(false);
        } else if (json?.data?.status === "SUCCESS") {
          setFileList([]);
          setHasPreview(false);
          setPreviewContent("");
        }
        fetchDataCallback();
      }
    }).catch(error => {
      console.error('Error uploading csv file:', error);
      setUploaded(false);
      setErrorMessage(error);
      fetchDataCallback();
    }).finally(() => {
      setUploading(false);
    });
    setUploading(true);
  };
 
  // Hide the popup when switch to different domain list page
  useEffect(() => {
    setUploaded(false);
    setImportRecord({} as ImportRecordProps);
    setPreviewContent("");
    setHasPreview(false);
    setErrorMessage("");
    setShowTimeoutInfo(false);
  }, [domainName]);
 
  return (
    <Popover
      open={open}
      title={undefined}
      placement="bottom"
      trigger="click"
      overlayStyle={{ zIndex: zIndex + 1 }}
      overlayClassName="csv-upload-popover-container"
      content={(
        <div
          className="csv-upload-container"
          onClick={(e: React.MouseEvent<HTMLElement>) => {
            stopPropagationAndPreventDefault(e);
          }}
        >
          <List>
            <List.Item>
              {t('1. Download CSV template')}
              <Button
                type="primary"
                size="small"
                style={{ margin: "5px" }}
              >
                {<span onClick={() => setDownloadCsv(true)}>{t('HERE')}</span>}
                {
                  downloadCsv && <CSVDownload
                    data={prepareDownloadTemplate(domainName)}
                    filename={t("Import csv template", { domainName: t(`domainTitle:${removePackagePart(domainName)}`) })}
                    key={`${domainName}-csv-template`}
                    target="_blank"
                  />
                }
              </Button>
              {t('and prepare the data')}
            </List.Item>
            <List.Item>
              {t('2. Select or drag the file below and click')}
              <Tooltip
                title={
                  t(noFileSelected ? "Please select a CSV file first" : "Click to upload selected file")
                }
              >
                <Button
                  type="primary"
                  size="small"
                  style={{ margin: "5px" }}
                  loading={uploading}
                  disabled={noFileSelected}
                  onClick={handleUpload}
                >
                  {(uploading ? t("Uploading") : t("Upload"))}
                </Button>
              </Tooltip>
              {showTimeoutInfo && <Alert
                         type='warning'
                         message={<span>
                                    {t('Import still on going')}
                                    <a
                                      href="/#"
                                      onClick={() => window.open('/ImportRecord/list', "_blank")}
                                      style={{ paddingLeft: "0.2rem",paddingRight: "0.4rem" }}
                                    >{t('Click here')} <CustomIcon type='icon-link' /></a>
                                    {t('See import result or close this page')}
                                  </span>}
                         showIcon={true}
                         closable={true}
                       />
              }
              <div style={{ width: "97%", margin: "auto", paddingTop: "5px" }}>
                <Dragger
                  accept=".csv,.CSV"
                  multiple={false}
                  action=""
                  onChange={(info) => {
                    const { status } = info.file;
                    if (status === 'done') {
                      message.success(t('FileImportSuccessfully', { fileName: info.file.name }));
                    } else if (status === 'error') {
                      message.error(t('FileImportFailed', { fileName: info.file.name }));
                    }
                  }}
                  beforeUpload={(file) => {
                    if (MultipleFileMode) {
                      setFileList([...fileList, file]);
                    } else {
                      setFileList([file]);
                    }
                    const reader = new FileReader();
                    //用户选择了文件之后的处理
                    reader.onload = (): void => {
                      const content: string = (reader.result) as string;
                      const hasContent = (content != null && content.length > 0);
                      if (hasContent) {
                        let preview = content.split(/\r\n|\n/,
                          NumberOfCsvPreviewLine).join("\n");
                        const previewTmp: string[] = [];
                        // 截取最后十行在界面上显示预览
                        if (content.split(/\r\n|\n/).length >= 11) {
                          const contents = content.split(/\r\n|\n/);
                          const tmp = contents.filter((element, index) =>
                            index >= contents.length - 10 || index === 0);
                          tmp.forEach(element => previewTmp.push(element));
                          preview = previewTmp.join("\n");
                        }
                        setHasPreview(true);
                        setPreviewContent(preview);
                      } else {
                        setHasPreview(false);
                        setPreviewContent("");
                      }
                    };
                    reader.readAsText(file);
                    return false;
                  }}
                  onRemove={(file) => {
                    const newFileList = fileList.filter(f => f.uid !== file.uid);
                    setFileList(newFileList);
                  }}
                  fileList={fileList}
                >
                  <p className="ant-upload-drag-icon">
                    <UploadOutlined />
                  </p>
                  <p className="ant-upload-text">{t('Click or drag file to this area to upload')}</p>
                  <p className="ant-upload-hint" />
                </Dragger>
                {hasPreview &&
                  <ExpandableContentComponent
                    content={previewContent}
                    icon={(<FileSearchOutlined />)}
                    showDownload={false}
                    title={t('CsvPreview', { num: NumberOfCsvPreviewLine })}
                    customStyle={{
                      width: "100%",
                      margin: "auto",
                      marginTop: "10px",
                      maxWidth: CsvOperateComponentPanelMaxWidth,
                    }}
                    initDisplay={!uploaded && errorMessage === ""}
                  />}
              </div>
              {uploaded && errorMessage == "" &&
                 <ImportRecordComponent
                   domainName={domainName}
                   importRecord={importRecord}
                   uploaded={uploaded}
                   zIndex={zIndex}
                 />
              }
              {errorMessage !== "" &&
               <ExpandableContentComponent
                 content={errorMessage}
                 icon={(<WarningOutlined />)}
                 showDownload={true}
                 title={t('Import error message')}
                 breakLine={true}
                 initDisplay={errorMessage !== ""}
                 customStyle={{
                   marginTop: "1rem",
                   color: "red"
                 }}
               />
              }
            </List.Item>
          </List>
        </div>
      )}
    >
      <Space
        className="link-icon link-icon-with-label"
        size={2}
        onClick={(e) => setVisiblePopoverCallback(open ? undefined : 'csvUpload', e)}
        title={t("Upload data using CSV file")}
      >
        <CloudUploadOutlined />
        {t('Import')}
      </Space>
    </Popover>
  );
};
 
export default CsvUploadComponent;