如何使用 Node.js 将 base64 编码的图像(字符串)直接上传到 Google Cloud Storage 存储桶?

IT技术 javascript node.js google-cloud-storage google-cloud-platform
2021-03-03 14:04:28

目前,我正在使用@google-cloud/storage NPM 包将文件直接上传到 Google Cloud Storage 存储桶。这需要一些技巧,因为我只有图像的 base64 编码字符串。我必须:

  • 解码字符串
  • 将其另存为文件
  • 将文件路径发送到以下脚本以上传到 Google Cloud Storage
  • 删除本地文件

我想避免将文件完全存储在文件系统中,因为我使用的是 Google App Engine,并且如果删除操作由于某种原因不起作用,我不想使文件系统过载/将垃圾文件留在那里。这是我的上传脚本现在的样子:

// Convert the base64 string back to an image to upload into the Google Cloud Storage bucket
var base64Img = require('base64-img');
var filePath = base64Img.imgSync(req.body.base64Image, 'user-uploads', 'image-name');

// Instantiate the GCP Storage instance
var gcs = require('@google-cloud/storage')(),
    bucket = gcs.bucket('google-cloud-storage-bucket-name');

// Upload the image to the bucket
bucket.upload(__dirname.slice(0, -15) + filePath, {
    destination: 'profile-images/576dba00c1346abe12fb502a-original.jpg',
    public: true,
    validation: 'md5'
}, function(error, file) {

    if (error) {
        sails.log.error(error);
    }

    return res.ok('Image uploaded');
});

反正有没有直接上传图像的base64编码字符串,而不必将其转换为文件然后使用路径上传?

6个回答

我认为,解决方案是使用file.createWriteStreambucket.upload函数包装在 Google Cloud Node SDK 中的功能。

我对流的经验很少,所以如果这不起作用,请尝试忍受我。

首先,我们需要获取 base64 数据并将其放入流中。为此,我们将包含该stream库,从 base64 数据创建一个缓冲区,并将该缓冲区添加到流的末尾。

var stream = require('stream');
var bufferStream = new stream.PassThrough();
bufferStream.end(Buffer.from(req.body.base64Image, 'base64'));

更多关于解码 base64创建流的信息

然后,我们将通过管道将流传输到由file.createWriteStream函数创建的写入流中

var gcs = require('@google-cloud/storage')({
  projectId: 'grape-spaceship-123',
  keyFilename: '/path/to/keyfile.json'
});

//Define bucket.
var myBucket = gcs.bucket('my-bucket');
//Define file & file name.
var file = myBucket.file('my-file.jpg');
//Pipe the 'bufferStream' into a 'file.createWriteStream' method.
bufferStream.pipe(file.createWriteStream({
    metadata: {
      contentType: 'image/jpeg',
      metadata: {
        custom: 'metadata'
      }
    },
    public: true,
    validation: "md5"
  }))
  .on('error', function(err) {})
  .on('finish', function() {
    // The file upload is complete.
  });

信息file.createWriteStream文件文档bucket.upload以及bucket.uploadNode SDK 中方法代码

所以上面代码的工作方式是先定义你想放文件的bucket,然后定义文件和文件名。我们不在这里设置上传选项。然后bufferStream我们将刚刚创建变量通过管道传输到file.createWriteStream我们之前讨论方法中。在这些选项中,我们定义了您想要实施的元数据和其他选项。直接查看 Github上的Node 代码以了解它们如何分解bucket.upload功能非常有帮助,并建议您也这样做。最后,我们附加几个事件,用于上传完成和出错的时间。

感谢您发布此信息!我实际上做了类似的事情,除了我使用了file.save() API,它是createWriteStream.
2021-04-23 14:04:28
@Nag 你到底是怎么做到的?你有源代码我们可以看看吗??我在这方面很挣扎。我正在尝试从 Firebase Cloud Functions 将 base64 编码的图像字符串上传到 Firebase Storage
2021-04-26 14:04:28
请注意,由于安全问题,不推荐使用 Buffer 构造函数。我们应该Buffer.from(req.body.base64Image, 'base64')改用。
2021-04-27 14:04:28
@Nag 这绝对有效!我通读了那个 API,但没有注意到它的操作与您正在寻找的操作相匹配。很高兴你能弄清楚。
2021-04-29 14:04:28
@krlozadan 请看下面我的回答。我不确定 Cloud Storage 和 Firebase Storage 之间有什么区别,因此我无法对 Firebase 发表评论。希望这可以帮助。
2021-05-15 14:04:28

响应@krlozadan 上面的请求,发布我的答案版本:

// Convert the base64 string back to an image to upload into the Google Cloud Storage bucket
var mimeTypes = require('mimetypes');

var image = req.body.profile.image,
    mimeType = image.match(/data:([a-zA-Z0-9]+\/[a-zA-Z0-9-.+]+).*,.*/)[1],
    fileName = req.profile.id + '-original.' + mimeTypes.detectExtension(mimeType),
    base64EncodedImageString = image.replace(/^data:image\/\w+;base64,/, ''),
    imageBuffer = new Buffer(base64EncodedImageString, 'base64');

// Instantiate the GCP Storage instance
var gcs = require('@google-cloud/storage')(),
    bucket = gcs.bucket('my-bucket');

// Upload the image to the bucket
var file = bucket.file('profile-images/' + fileName);

file.save(imageBuffer, {
    metadata: { contentType: mimeType },
    public: true,
    validation: 'md5'
}, function(error) {

    if (error) {
        return res.serverError('Unable to upload the image.');
    }

    return res.ok('Uploaded');
});

这对我来说效果很好。忽略前几行中的一些附加逻辑,因为它们仅与我正在构建的应用程序相关。

如果要将字符串保存为 Google Cloud Storage 中的文件,可以使用以下file.save方法轻松完成

const {Storage} = require('@google-cloud/storage');
const storage = new Storage();
const myBucket = storage.bucket('my-bucket');

const file = myBucket.file('my-file.txt');
const contents = 'This is the contents of the file.';

file.save(contents).then(() => console.log('done'));
问题是关于上传“base64 编码图像”这不起作用。
2021-04-27 14:04:28
如果您设置contents为这个,这适用于 base64 字符串,其中data是 base64 编码的文件:Buffer.from(data.replace(/^data:image\/(png|gif|jpeg);base64,/, ''), 'base64');
2021-05-11 14:04:28

:) 什么问题!!已经尝试过并遇到问题图像已上传到 firebase 存储但没有下载,只是加载器正在四处移动......花了时间之后......通过下载成功将图像上传到 firebase 存储......有访问令牌中的问题...

check the screenshot

在此处输入图片说明

如果您检查右侧底部的文件位置部分,则有一个选项“创建访问令牌”,如果您在那里手动创建访问令牌,则不会显示任何“访问令牌”,然后刷新页面图像将显示...所以现在的问题是如何通过代码创建它......

只需使用下面的代码来创建访问令牌

const uuidv4 = require('uuid/v4');
const uuid = uuidv4();
metadata: { firebaseStorageDownloadTokens: uuid }

下面给出了用于将图像上传到 firebase 存储上的存储图像的完整代码

const functions = require('firebase-functions')
var firebase = require('firebase');
var express = require('express');
var bodyParser = require("body-parser");

在此处输入图片说明

const uuidv4 = require('uuid/v4');
const uuid = uuidv4();

    const os = require('os')
    const path = require('path')
    const cors = require('cors')({ origin: true })
    const Busboy = require('busboy')
    const fs = require('fs')
    var admin = require("firebase-admin");


    var serviceAccount = {
        "type": "service_account",
        "project_id": "xxxxxx",
        "private_key_id": "xxxxxx",
        "private_key": "-----BEGIN PRIVATE KEY-----\jr5x+4AvctKLonBafg\nElTg3Cj7pAEbUfIO9I44zZ8=\n-----END PRIVATE KEY-----\n",
        "client_email": "xxxx@xxxx.iam.gserviceaccount.com",
        "client_id": "xxxxxxxx",
        "auth_uri": "https://accounts.google.com/o/oauth2/auth",
        "token_uri": "https://oauth2.googleapis.com/token",
        "auth_provider_x509_cert_url": "https://www.googleapis.com/oauth2/v1/certs",
        "client_x509_cert_url": "https://www.googleapis.com/robot/v1/metadata/x509/firebase-adminsdk-5rmdm%40xxxxx.iam.gserviceaccount.com"
      }

    admin.initializeApp({
        credential: admin.credential.cert(serviceAccount),
        storageBucket: "xxxxx-xxxx" // use your storage bucket name
    });


    const app = express();
    app.use(bodyParser.urlencoded({ extended: false }));
    app.use(bodyParser.json());
app.post('/uploadFile', (req, response) => {
    response.set('Access-Control-Allow-Origin', '*');
    const busboy = new Busboy({ headers: req.headers })
    let uploadData = null
    busboy.on('file', (fieldname, file, filename, encoding, mimetype) => {
        const filepath = path.join(os.tmpdir(), filename)
        uploadData = { file: filepath, type: mimetype }
        console.log("-------------->>",filepath)
        file.pipe(fs.createWriteStream(filepath))
      })

      busboy.on('finish', () => {
        const bucket = admin.storage().bucket();
        bucket.upload(uploadData.file, {
            uploadType: 'media',
            metadata: {
              metadata: { firebaseStorageDownloadTokens: uuid,
                contentType: uploadData.type,
              },
            },
          })

          .catch(err => {
            res.status(500).json({
              error: err,
            })
          })
      })
      busboy.end(req.rawBody)
   });




exports.widgets = functions.https.onRequest(app);
感谢您分享您的代码!您能否也分享一下您的请求是如何格式化的(POST 请求的正文是什么?)
2021-04-25 14:04:28

您必须将 base64 转换为图像缓冲区,然后按如下方式上传,您需要提供image_data_from_html变量作为从 HTML 事件中提取的数据。

const base64Text = image_data_from_html.split(';base64,').pop();
const imageBuffer = Buffer.from(base64Text, 'base64');
const contentType = data.image_data.split(';base64,')[0].split(':')[1];
const fileName = 'myimage.png';
const imageUrl = 'https://storage.googleapis.com/bucket-url/some_path/' + fileName;

await admin.storage().bucket().file('some_path/' + fileName).save(imageBuffer, {
    public: true,
    gzip: true,
    metadata: {
        contentType,
        cacheControl: 'public, max-age=31536000',
    }
});

console.log(imageUrl);
值得指出的是,如果您的 base64 编码字符串实际上是一个 dataURL(参见:developer.mozilla.org/en-US/docs/Web/HTTP/Basics_of_HTTP/...),就像您从画布或织物生成的那样,那么您需要此解决方案的第一行来删除额外的 URL 部分。为我工作。
2021-05-12 14:04:28