I am trying out the new functions of Next.js 13 with the /app
folder, but in a simple client-side component that handles an input form, I am trying to use FileReader
but receive an error when browsing.
This is the summary of the code:
JavaScript
x
36
36
1
"use client";
2
import React, { useState, useEffect } from "react";
3
import { useRouter } from "next/navigation";
4
import useStore from "../app/store";
5
6
export default function FileUploader() {
7
const [files, setFiles] = useState([]);
8
const router = useRouter();
9
const addFile = useStore((state) => state.addFile);
10
11
const fileReader = new FileReader();
12
13
const onFileSelect = (event) => {
14
event.preventDefault();
15
setFiles(event.target.files);
16
console.log(event.target.files);
17
};
18
19
useEffect(() => {
20
if (files[0] == null) return;
21
let FileToString = fileReader.readAsText(files[0]); // get error at this line
22
addFile(FileToString);
23
24
router.push("/file/" + filename);
25
}, [files]);
26
27
return (
28
<input
29
id="dropzone-file"
30
type="file"
31
className="fileInput"
32
onChange={onFileSelect}
33
/>
34
);
35
}
36
Error:
JavaScript
1
6
1
wait - compiling
2
event - compiled client and server successfully in 3.4s (758 modules)
3
ReferenceError: FileReader is not defined
4
at FileUploader (webpack-internal:///(sc_client)/./components/FileUploader.js:27:24)
5
6
What am I doing wrong?
Advertisement
Answer
Like accessing window
, any browser-specific code in Next.js needs to run on the client. If you want to use FileReader
, which is part of the browser API, add it to your useEffect
, like so:
JavaScript
1
5
1
useEffect(() => {
2
const fileReader = new FileReader();
3
// ...
4
}, [files]);
5
This way, Next.js won’t look for the definition of a FileReader
while building your component, which is causing your current error.