Skip to content

Commit

Permalink
✨ Add form for questionnaire import
Browse files Browse the repository at this point in the history
Signed-off-by: ibolton336 <[email protected]>
  • Loading branch information
ibolton336 committed Aug 23, 2023
1 parent 8ce3163 commit 8176e70
Show file tree
Hide file tree
Showing 3 changed files with 175 additions and 2 deletions.
6 changes: 5 additions & 1 deletion client/public/locales/en/translation.json
Original file line number Diff line number Diff line change
Expand Up @@ -95,7 +95,10 @@
"discardAssessment": "The assessment for <1>{{applicationName}}</1> will be discarded, as well as the review result. Do you wish to continue?",
"leavePage": "Are you sure you want to leave this page? Be sure to save your changes, or they will be lost.",
"pageError": "Oops! Something went wrong.",
"refreshPage": "Try to refresh your page or contact your admin."
"refreshPage": "Try to refresh your page or contact your admin.",
"maxfileSize": "mas file size of 1 mb exceeded. please upload a smaller file.",
"dragAndDropFile": "Drag and drop your file here or upload one.",
"uploadYamlFile": "Upload your YAML file"
},
"title": {
"applicationAnalysis": "Application analysis",
Expand Down Expand Up @@ -359,6 +362,7 @@
"unknown": "Unknown",
"unsuitableForContainers": "Unsuitable for containers",
"uploadApplicationFile": "Upload your application file",
"uploadYamlFile": "Upload your YAML file",
"url": "URL",
"user": "User",
"version": "Version",
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -50,6 +50,7 @@ import { getAxiosErrorMessage } from "@app/utils/utils";
import { Questionnaire } from "@app/api/models";
import { useHistory } from "react-router-dom";
import { Paths } from "@app/Paths";
import { ImportQuestionnaireForm } from "@app/pages/assessment/import-questionnaire-form/import-questionnaire-form";

const AssessmentSettings: React.FC = () => {
const { t } = useTranslation();
Expand Down Expand Up @@ -375,7 +376,7 @@ const AssessmentSettings: React.FC = () => {
isOpen={isImportModal}
onClose={() => setIsImportModal(false)}
>
<Text>TODO Import questionnaire component</Text>
<ImportQuestionnaireForm onSaved={() => setIsImportModal(false)} />
</Modal>
<Modal
id="download.template.modal"
Expand Down
Original file line number Diff line number Diff line change
@@ -0,0 +1,168 @@
import React, { useState } from "react";
import { AxiosResponse } from "axios";
import { useTranslation } from "react-i18next";
import * as yup from "yup";

import {
ActionGroup,
Button,
ButtonVariant,
FileUpload,
Form,
FormHelperText,
HelperText,
HelperTextItem,
} from "@patternfly/react-core";

import { HookFormPFGroupController } from "@app/components/HookFormPFFields";
import { useForm } from "react-hook-form";
import { FileLoadError, IReadFile } from "@app/api/models";
import { yupResolver } from "@hookform/resolvers/yup";
import { useCreateFileMutation } from "@app/queries/targets";

export interface ImportQuestionnaireFormProps {
onSaved: (response?: AxiosResponse) => void;
}
export interface ImportQuestionnaireFormValues {
yamlFile: IReadFile;
}

export const yamlFileSchema: yup.SchemaOf<IReadFile> = yup.object({
fileName: yup.string().required(),
fullFile: yup.mixed<File>(),
loadError: yup.mixed<FileLoadError>(),
loadPercentage: yup.number(),
loadResult: yup.mixed<"danger" | "success" | undefined>(),
data: yup.string(),
responseID: yup.number(),
});

export const ImportQuestionnaireForm: React.FC<
ImportQuestionnaireFormProps
> = ({ onSaved }) => {
const { t } = useTranslation();

const [filename, setFilename] = useState<string>();
const [isFileRejected, setIsFileRejected] = useState(false);
const validationSchema: yup.SchemaOf<ImportQuestionnaireFormValues> = yup
.object()
.shape({
yamlFile: yamlFileSchema,
});
const methods = useForm<ImportQuestionnaireFormValues>({
resolver: yupResolver(validationSchema),
mode: "onChange",
});

const {
handleSubmit,
formState: { isSubmitting, isValidating, isValid, isDirty },
getValues,
setValue,
control,
watch,
setFocus,
clearErrors,
trigger,
reset,
} = methods;

const { mutateAsync: createYamlFileAsync } = useCreateFileMutation();

const handleFileUpload = async (file: File) => {
setFilename(file.name);
const formFile = new FormData();
formFile.append("file", file);

const newYamlFile: IReadFile = {
fileName: file.name,
fullFile: file,
};

return createYamlFileAsync({
formData: formFile,
file: newYamlFile,
});
};

const onSubmit = (values: ImportQuestionnaireFormValues) => {
console.log("values", values);
onSaved();
};
return (
<Form onSubmit={handleSubmit(onSubmit)}>
<HookFormPFGroupController
control={control}
name="yamlFile"
label={t("terms.uploadYamlFile")}
fieldId="yamlFile"
helperText={t("dialog.uploadYamlFile")}
renderInput={({ field: { onChange, name }, fieldState: { error } }) => (
<FileUpload
id={`${name}-file-upload`}
name={name}
value={filename}
filename={filename}
filenamePlaceholder={t("dialog.dragAndDropFile")}
dropzoneProps={{
accept: {
"text/yaml": [".yml", ".yaml"],
},
maxSize: 1000000,
onDropRejected: (event) => {
const currentFile = event[0];
if (currentFile.file.size > 1000000) {
methods.setError(name, {
type: "custom",
message: t("dialog.maxFileSize"),
});
}
setIsFileRejected(true);
},
}}
validated={isFileRejected || error ? "error" : "default"}
onFileInputChange={async (_, file) => {
console.log("uploading file", file);
//TODO: handle new api here. This is just a placeholder.
handleFileUpload(file)
.then((res) => {
setFocus(name);
clearErrors(name);
trigger(name);
})
.catch((err) => {
//Handle new api error here
});
}}
onClearClick={() => {
//TODO
console.log("clearing file");
}}
browseButtonText="Upload"
/>
)}
/>

{isFileRejected && (
<FormHelperText>
<HelperText>
<HelperTextItem variant="error">
You should select a YAML file.
</HelperTextItem>
</HelperText>
</FormHelperText>
)}
<ActionGroup>
<Button
type="submit"
aria-label="submit"
id="import-questionnaire-submit-button"
variant={ButtonVariant.primary}
isDisabled={!isValid || isSubmitting || isValidating || !isDirty}
>
{t("actions.import")}
</Button>
</ActionGroup>
</Form>
);
};

0 comments on commit 8176e70

Please sign in to comment.