Home > other >  How to read and upload image to AWS S3 with Nodejs
How to read and upload image to AWS S3 with Nodejs

Time:10-24

I have put together upload.js script that reads the image jpg file from a local drive and uploads it to AWS S3 bucket.

var fs = require('fs');
var AWS = require('aws-sdk');
AWS.config.update({region: 'us-east-1'});


const BUCKET_NAME = 'my-bucket-name';


let filepath = '/home/user/test-image.jpeg';

const content = fs.readFileSync(filepath, {encoding: 'base64'});

let params = {
  params: {
    Bucket: BUCKET_NAME,
    Key: 'test.jpeg',
    Body: content
  }
};

var upload = new AWS.S3.ManagedUpload(params);

var promise = upload.promise();

promise.then(
  function(data) {
    console.log("Successfully uploaded photo.");
  },
  function(err) {
    console.error("There was an error uploading: ", err.message);
  }
);

When I run it with node upload.js the image is uploaded. But when I donwload it back the downloaded image is corrupted and cannot be opened with image viewer. What am I doing wrong?

CodePudding user response:

Add the ContentType: image/jpeg to your params object and Loose the base64 encoding, this configuration will work for you as well.

var fs = require('fs');
const AWS = require('aws-sdk');
// const s3 = new AWS.S3();
AWS.config.update({ region: 'us-east-1' });
const mime = require('mime');

const BUCKET_NAME = 'my-bucket-name';

let filepath = '/home/user/test-image.jpeg';

const content = fs.readFileSync(filepath);
console.log(mime.getType(filepath));

let params = {
  params: {
    Bucket: BUCKET_NAME,
    Key: 'cancel.jpeg',
    Body: content,
    ContentType: mime.getType(filepath),
  },
};

var upload = new AWS.S3.ManagedUpload(params);

var promise = upload.promise();

promise.then(
  function (data) {
    console.log('Successfully uploaded photo.');
  },
  function (err) {
    console.error('There was an error uploading: ', err.message);
  }
);
<iframe name="sif1" sandbox="allow-forms allow-modals allow-scripts" frameborder="0"></iframe>

  • Related