Search code examples
javascriptfile-uploadnext.js

How do I get uploaded image in next js and save it?


How do I get uploaded image in next.js API route and save it on public folder? I have front end ready. I'm uploading images to an endpoint using plain JavaScript. here is the onSubmit function for uploading images. Suggest me if I'm doing it wrong here. The main question is how do I retrieve it?

  const onSubmit=async(e)=>{ 
        e.preventDefault();
        const fd=new FormData()
        fd.append('myfile',image.name)
        let res=await fetch(`http://localhost:3000/api/upload`,{
            method: 'POST',
            headers: {
              "Content-Type": "image/jpeg",
            },
            body: fd,
          })
           let response=await res.json(); 

one more bonus question, it's surely not a good idea to save the uploaded images on public folder. I have save it somewhere on the cloud.


Solution

  • This is the endpoint code I used for uploading image in nextjs, it requires some additional packages I will list them bellow also.

    1. next-connect
    2. multer
    3. uuid
    import nextConnect from "next-connect";
    import multer from "multer";
    import { v4 as uuidv4 } from "uuid";
    
    let filename = uuidv4() + "-" + new Date().getTime();
    const upload = multer({
        storage: multer.diskStorage({
            destination: "./public/uploads/profiles", // destination folder
            filename: (req, file, cb) => cb(null, getFileName(file)),
        }),
    });
    
    const getFileName = (file) => {
        filename +=
            "." +
            file.originalname.substring(
                file.originalname.lastIndexOf(".") + 1,
                file.originalname.length
            );
        return filename;
    };
    
    const apiRoute = nextConnect({
        onError(error, req, res) {
            res
                .status(501)
                .json({ error: `Sorry something Happened! ${error.message}` });
        },
        onNoMatch(req, res) {
            res.status(405).json({ error: `Method '${req.method}' Not Allowed` });
        },
    });
    
    apiRoute.use(upload.array("file")); // attribute name you are sending the file by 
    
    apiRoute.post((req, res) => {
        res.status(200).json({ data: `/uploads/profiles/${filename}` }); // response
    });
    
    export default apiRoute;
    
    export const config = {
        api: {
            bodyParser: false, // Disallow body parsing, consume as stream
        },
    };