Converting image-file into base64 in express nodejs

16,851

Solution 1

You will need to use Multer middleware to handle multipart/form-data.

const express = require('express')
const multer  = require('multer')
const upload = multer({ dest: 'uploads/' })

const app = express()

app.post('/file_upload', upload.single('example'), (req, res, next) => {
  // req.file is the `example` file or whatever you have on the `name` attribute: <input type="file" name="example" />
  // I believe it is a `Buffer` object.
  const encoded = req.file.buffer.toString('base64')
  console.log(encoded)
})

2018-10-24: See David's comment below.

2019-06-11: Fixed example based on comments. It is indeed req.file.buffer: https://github.com/expressjs/multer/blob/master/storage/memory.js#L8

Solution 2

As the previous answer wasn't working for me, I'm sharing this other one that worked. I made with the multer library getting the file and then transforming it to base64

const multer  = require('multer')
const upload = multer({});

router.post('/uploadlogo', upload.single('logo'), (req, res, next) => {
    // encoded has the base64 of your file
    const encoded = req.file.buffer.toString('base64');
});
Share:
16,851
Saurabh
Author by

Saurabh

Updated on June 26, 2022

Comments

  • Saurabh
    Saurabh almost 2 years

    I am trying to convert an image file into base64, so I can store in base64 string form in mongoDB.

    This is how I am trying to do that:

    router.post('/file_upload',function(req,res){
    
      function base64_encode(file) {
        var bitmap = fs.readFileSync(file);
        return new Buffer(bitmap).toString('base64');
    }
    
      var ImageFileToSave =  base64_encode(req.body.file);
    
      console.log(ImageFileToSave);
    
    
    })
    

    On Client side:

    <form action="/file_upload" method="POST" enctype="multipart/form-
     data">
    <input type="file" name="file" />
    <input type="submit" value="Upload File" />
    </form>
    

    This is the error that I am getting

    TypeError: path must be a string or Buffer

    how can I convert that image file(eg:image.jpg) into base64?