Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Uploading files in react by react-dropzone and formik

I have two components, first is Formik form:

<Formik
  initialValues={{files: []}}
  onSubmit={values => {
  console.log(values)}}>
    {props => (
      <form onSubmit={props.handleSubmit}>
        <UploadComponent/>
        <button type="submit"></button>
      </form>
    )}
</Formik>

Second is UploadComponent:

const UploadComponent = () => {
  const [files, setFiles] = useState([]);
  const {getRootProps, getInputProps, isDragActive} = useDropzone({
    accept: 'image/*',
    onDrop: acceptedFiles => {
      setFiles(acceptedFiles.map(file => Object.assign(file, {
        preview: URL.createObjectURL(file)
      })))
    }
  })
  return (
    <div>
      <div {...getRootProps({className: 'dropzone'})}>
        <input {...getInputProps()} />
        <p>Drag and drop some files here, or click to select files</p>
      </div>
   </div>
  )

I want to get these files as values to Formik, I added some props to UploadComponent, like

value={props.values.files}
onChange={props.handleChange}
onBlur={props.handleBlur}
name='files'

I expect to get an array of uploaded files in formik. Instead I get initial value of files (empty array). How to get these files and pass them into the formik form byreact-dropzone?

like image 756
ArcMech Avatar asked Mar 03 '23 02:03

ArcMech


1 Answers

You should pass Formik props setFieldValue down to UploadComponent and use it to set returned value from UploadComponent

Formik form:

 render={({ values, handleSubmit, setFieldValue }) => {
            return (
              <form onSubmit={handleSubmit}>
                <div className="form-group">
                  <label htmlFor="file">Multiple files upload</label>

                  <UploadComponent setFieldValue={setFieldValue} />//here


                   // list of uploaded files  
                  {values.files &&
                    values.files.map((file, i) => (
                      <li key={i}>
                        {`File:${file.name} Type:${file.type} Size:${
                          file.size
                        } bytes`}{" "}
                      </li>
                    ))}
                </div>
                <button type="submit" className="btn btn-primary">
                  submit
                </button>
              </form>


UploadComponent:

 const UploadComponent = props => {
  const { setFieldValue } = props;
  const { getRootProps, getInputProps, isDragActive } = useDropzone({
    accept: "image/*",
    onDrop: acceptedFiles => {
      setFieldValue("files", acceptedFiles);
    }
  });
  return (
            .
            .
            .


sample codesansbox,Hope be helpful

like image 171
Alex Avatar answered Mar 24 '23 20:03

Alex