通过Node.js将base64编码的图像上传到Amazon S3


99

昨天我做了一个深夜的编码会议,并创建了一个小的node.js / JS(实际上是CoffeeScript,但是CoffeeScript只是JavaScript,所以可以说是JS)应用程序。

目标是什么:

  1. 客户端(通过socket.io)将canvas datauri(png)发送到服务器
  2. 服务器将图像上传到亚马逊s3

步骤1完成。

服务器现在有一个字符串

data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAMgAAADICAYAAACt...

我的问题是:将数据“流” /上传到Amazon S3并在那里创建实际图像的下一步什么?

knox https://github.com/LearnBoost/knox似乎是一个很棒的库,可以向S3添加内容,但是我缺少的是base64编码图像字符串和实际上传操作之间的粘合

欢迎任何想法,指针和反馈。


Answers:


209

对于仍在努力解决此问题的人们。这是我与本机aws-sdk一起使用的方法。

var AWS = require('aws-sdk');
AWS.config.loadFromPath('./s3_config.json');
var s3Bucket = new AWS.S3( { params: {Bucket: 'myBucket'} } );

在您的路由器方法中:-ContentType应该设置为图像文件的内容类型

  buf = Buffer.from(req.body.imageBinary.replace(/^data:image\/\w+;base64,/, ""),'base64')
  var data = {
    Key: req.body.userId, 
    Body: buf,
    ContentEncoding: 'base64',
    ContentType: 'image/jpeg'
  };
  s3Bucket.putObject(data, function(err, data){
      if (err) { 
        console.log(err);
        console.log('Error uploading data: ', data); 
      } else {
        console.log('succesfully uploaded the image!');
      }
  });

s3_config.json文件是:-

{
  "accessKeyId":"xxxxxxxxxxxxxxxx",
  "secretAccessKey":"xxxxxxxxxxxxxx",
  "region":"us-east-1"
}

2
[MissingRequiredParameter:在参数中缺少必需的键'Key']
Nichole A. Miler,2016年

1
密钥:req.body.userId我使用userId作为发布数据中的密钥...很久以前了...但是您可以将任何字符串声明为密钥。为确保已存在的文件不被覆盖,请保持密钥唯一。
Divyanshu Das

@Divyanshu感谢您提供的有用示例。我有两个疑问:How to make S3 generates a unique KEY to prevent from overriding files?If I don't set the ContentType, when I download the files I won't be able to get the correct file?我的意思是,我会得到这样一个损坏的文件?提前致谢!
alexventuraio

2
@Marklar位置路径基本上是关键-例如,如果您的存储桶名称是-bucketone并且密钥名称是xyz.png,则文件路径将是bucketone.s3.amazonaws.com/xyz.png
Divyanshu Das

2
@Divyanshu感谢您的出色回答!这对我帮助很大。但是,我认为这ContentEncoding: 'base64'是不正确的,因为new Buffer(..., 'base64')会将base64编码的字符串解码为其二进制表示形式。
香川修平

17

好的,这就是如何将画布数据保存到文件的答案

基本上在我的代码中像这样

buf = new Buffer(data.dataurl.replace(/^data:image\/\w+;base64,/, ""),'base64')


req = knoxClient.put('/images/'+filename, {
             'Content-Length': buf.length,
             'Content-Type':'image/png'
  })

req.on('response', (res) ->
  if res.statusCode is 200
      console.log('saved to %s', req.url)
      socket.emit('upload success', imgurl: req.url)
  else
      console.log('error %d', req.statusCode)
  )

req.end(buf)

1
缓冲区对象会抛出错误“缓冲区未定义”,您能给我解决方案吗?
NaveenG '16

我也遇到同样的错误。您是否有解决方案
克里希纳

1
@NaveenG这是一个节点示例,也许您使用的是纯JS?
Pointi '18

7

这是我遇到的一篇文章的代码,发布在下面:

const imageUpload = async (base64) => {

  const AWS = require('aws-sdk');

  const { ACCESS_KEY_ID, SECRET_ACCESS_KEY, AWS_REGION, S3_BUCKET } = process.env;

  AWS.config.setPromisesDependency(require('bluebird'));
  AWS.config.update({ accessKeyId: ACCESS_KEY_ID, secretAccessKey: SECRET_ACCESS_KEY, region: AWS_REGION });

  const s3 = new AWS.S3();

  const base64Data = new Buffer.from(base64.replace(/^data:image\/\w+;base64,/, ""), 'base64');

  const type = base64.split(';')[0].split('/')[1];

  const userId = 1;

  const params = {
    Bucket: S3_BUCKET,
    Key: `${userId}.${type}`, // type is not required
    Body: base64Data,
    ACL: 'public-read',
    ContentEncoding: 'base64', // required
    ContentType: `image/${type}` // required. Notice the back ticks
  }

  let location = '';
  let key = '';
  try {
    const { Location, Key } = await s3.upload(params).promise();
    location = Location;
    key = Key;
  } catch (error) {
  }

  console.log(location, key);

  return location;

}

module.exports = imageUpload;

了解更多:http : //docs.aws.amazon.com/AWSJavaScriptSDK/latest/AWS/S3.html#upload-property

积分:https : //medium.com/@mayneweb/upload-a-base64-image-data-from-nodejs-to-aws-s3-bucket-6c1bd945420f


4

可接受的答案非常有用,但是如果有人需要接受任何文件而不只是图像,则此正则表达式非常有用:

/^data:.+;base64,/

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.