All files / react-app/src/components/Inputs upload.tsx

100% Statements 43/43
88.23% Branches 15/17
100% Functions 11/11
100% Lines 40/40

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                                                                                            77x 1180x 1180x 1180x 1180x 1180x   21240x 21240x         1180x   1180x 37x 1x         36x 1x           35x 1x           1180x   37x 37x 34x   34x   34x 34x 32x 32x   32x             32x   2x         2x         2x         34x 34x     34x 34x           1180x                                           1x 1x 3x                                                                                             9x                 77x  
import { X } from "lucide-react";
import { useCallback, useState } from "react";
import { FileError, FileRejection, useDropzone } from "react-dropzone";
import { attachmentSchema } from "shared-types";
import { FILE_TYPES } from "shared-types/uploads";
import { v4 as uuidv4 } from "uuid";
import { z } from "zod";
 
import * as I from "@/components/Inputs";
import { LoadingSpinner } from "@/components/LoadingSpinner"; // Import your LoadingSpinner component
import { cn } from "@/utils";
 
import { extractBucketAndKeyFromUrl, getPresignedUrl, uploadToS3 } from "./uploadUtilities";
 
type Attachment = z.infer<typeof attachmentSchema>;
 
type UploadProps = {
  maxFiles?: number;
  files: Attachment[];
  setFiles: (files: Attachment[]) => void;
  dataTestId?: string;
};
 
/**
 * Upload component for handling file uploads with drag-and-drop functionality.
 *
 * @param {Object} props - The properties object.
 * @param {number} props.maxFiles - The maximum number of files that can be uploaded.
 * @param {Attachment[]} props.files - The current list of uploaded files.
 * @param {Function} props.setFiles - Function to update the list of uploaded files.
 * @param {string} props.dataTestId - The data-testid attribute for testing purposes.
 *
 * @returns {JSX.Element} The rendered Upload component.
 *
 * @component
 * @example
 * const [files, setFiles] = useState<Attachment[]>([]);
 * return (
 *   <Upload
 *     maxFiles={5}
 *     files={files}
 *     setFiles={setFiles}
 *     dataTestId="file-upload"
 *   />
 * );
 */
export const Upload = ({ maxFiles, files, setFiles, dataTestId }: UploadProps) => {
  const [isUploading, setIsUploading] = useState(false); // New state for tracking upload status
  const [rejectedFiles, setRejectedFiles] = useState<FileRejection[]>([]);
  const uniqueId = uuidv4();
  const MAX_FILE_SIZE = 80 * 1024 * 1024; //80 MB
  const accept = FILE_TYPES.reduce(
    (acc, { mime, extension }) => {
      acc[mime] = acc[mime] ? [...acc[mime], extension] : [extension];
      return acc;
    },
    {} as Record<string, string[]>,
  );
 
  const existingFileNames = files.map((file) => file.filename);
 
  const validateFile = (file: File) => {
    if (existingFileNames.includes(file.name)) {
      return {
        code: "file-already-exists",
        message: `File with name "${file.name}" already exists.`,
      };
    }
    if (file.size > MAX_FILE_SIZE) {
      return {
        code: "file-too-big",
        message: `File "${file.name}" is too large to upload.`,
      };
    }
    // The error message by default for drop zone is really wordy so this will replace that.  We filter it on the output
    if (!Object.keys(accept).includes(file.type)) {
      return {
        code: "file-invalid-type-replacement",
        message: `File "${file.name}" has an invalid type.`,
      };
    }
  };
  const onDrop = useCallback(
    async (acceptedFiles: File[], fileRejections: FileRejection[]) => {
      setRejectedFiles(fileRejections);
      if (fileRejections.length === 0) {
        setIsUploading(true); // Set uploading to true
 
        const processedFiles = await Promise.all(
          acceptedFiles.map(async (file) => {
            try {
              const url = await getPresignedUrl(file.name);
              const { bucket, key } = extractBucketAndKeyFromUrl(url);
              await uploadToS3(file, url);
 
              const attachment: Attachment = {
                filename: file.name,
                title: file.name.split(".").slice(0, -1).join("."),
                bucket,
                key,
                uploadDate: Date.now(),
              };
              return attachment;
            } catch {
              const fileError: FileError = {
                message: `Failed to upload ${file.name}`,
                code: "fail-to-upload",
              };
 
              const uploadError: FileRejection = {
                file: file,
                errors: [fileError],
              };
 
              setRejectedFiles((prev) => [...prev, uploadError]);
            }
          }),
        );
 
        const validAttachments = processedFiles.filter(
          (attachment) => attachment !== null,
        ) as Attachment[];
 
        setFiles([...files, ...validAttachments]);
        setIsUploading(false); // Set uploading to false when done
      }
    },
    [files, setFiles],
  );
 
  const { getRootProps, getInputProps, isDragActive } = useDropzone({
    onDrop,
    accept,
    validator: validateFile,
    maxFiles,
    maxSize: MAX_FILE_SIZE,
    disabled: isUploading, // Disable dropzone while uploading
  });
 
  return (
    <>
      {files.length > 0 && (
        <div className="my-2 flex flex-wrap gap-2">
          {files.map((file) => (
            <div
              data-testid={`${file.filename}-chip`}
              className="flex border-2 rounded-md py-1 pl-2.5 pr-1 border-sky-500 items-center"
              key={file.filename}
            >
              <span className="text-sky-700">{file.filename}</span>
              <I.Button
                onClick={(e) => {
                  e.preventDefault();
                  setRejectedFiles([]);
                  setFiles(files.filter((a) => a.filename !== file.filename));
                }}
                variant="ghost"
                className="p-0 h-0"
                data-testid={`${dataTestId}-remove-file-${file.filename}`}
              >
                <X className="ml-2 text-sky-700 w-5" />
              </I.Button>
            </div>
          ))}
        </div>
      )}
 
      {isUploading ? (
        <LoadingSpinner /> // Render the loading spinner when uploading
      ) : (
        <div
          {...getRootProps()}
          className={cn(
            "w-full flex items-center justify-center border border-dashed border-[#71767a] py-6 rounded-sm",
            isDragActive && "border-blue-700",
          )}
        >
          <p>
            Drag file here or{" "}
            <span
              data-testid={`${dataTestId}-click`}
              className="text-sky-700 underline hover:cursor-pointer"
            >
              choose from folder
            </span>
          </p>
          <label htmlFor={`upload-${uniqueId}`} className="sr-only">
            Drag file here or choose from folder
          </label>
          <input
            id={`upload-${uniqueId}`}
            {...getInputProps()}
            data-testid={`${dataTestId}-upload`}
          />
        </div>
      )}
 
      {rejectedFiles.length > 0 && (
        <span className="text-[0.8rem] font-medium text-destructive">
          {rejectedFiles.flatMap(({ file, errors }) =>
            errors
              .filter((e) => e.code !== "file-invalid-type" && e.code !== "file-too-large")
              .map((e) => <p key={`${file.name}-${e.code}`}>{e.message}</p>),
          )}
        </span>
      )}
    </>
  );
};
 
Upload.displayName = "Upload";