使用 node.js 将文件上传到 Firebase 存储中的文件夹

问题描述 投票:0回答:3

我是上传文件的新手,我想将不同产品的图像上传到 Firebase 存储和应用程序中需要的另一个文件,一个产品可以有很多图像,所以我想为每个产品创建一个文件夹,名称该文件夹将是产品的 ID。

在代码中:我使用 @google-cloud/storage 库将文件上传到 firebase 存储中,但我在文档中搜索,我无法创建文件夹然后将其上传到文件夹。

这里是我的代码:

我创建 multer 的中间件以将其传递到端点,并检查文件类型。

const express = require("express");
const Multer = require("multer");
const { Storage } = require("@google-cloud/storage")


const storage = new Storage({
    projectId: process.env.PROJECT_FIREBASE_ID,
    keyFilename: "hawat-service.json",
});
const bucket = storage.bucket(process.env.BUCKET_NAME);

const multer = Multer({
    storage: Multer.memoryStorage(),
    fileFilter: (req, file, cb) => {
        checkFileType(req, file, cb);
    }
})


const checkFileType = (req ,file, cb) => {
    if (file.fieldname == 'cover' || file.fieldname == 'images') {
        if (!file.originalname.match(/\.(jpg|JPG|jpeg|JPEG|png|PNG|gif|GIF)$/)) {
              req.error = new Error( "Only images are allowed")
            return  cb(null, false);
        }
    } else if (file.fieldname == 'card' || file.fieldname == 'licence') {
        if (!file.originalname.match(/\.(pdf|jpg|JPG|jpeg|JPEG|png|PNG|gif|GIF)$/)) {
           req.error = new Error("Only images and pdf are allowed")
            return  cb(null, false);

        }
    }
    return cb(null, true)
}


module.exports = (req, res, next) => {


    return multer.fields([{ name: 'cover', maxCount: 1 },
    { name: 'images', maxCount: 5 }, { name: 'card', maxCount: 1 },
    { name: 'licence', maxCount: 1 }
])
        (req, res, () => {
            if (req.error) return res.status(400).send( {message : req.error.message })
            next()
        })
       
}

上传文件的功能是

const express = require("express");
const Multer = require("multer");
const { Storage } = require("@google-cloud/storage");


const storage = new Storage({
  projectId: process.env.PROJECT_FIREBASE_ID,
  keyFilename: "hawat-service.json",
});

const bucket = storage.bucket(process.env.BUCKET_NAME);

module.exports = {
  upload: async ( file) => {
    return new Promise((resolve, reject) => {
      let newFileName = `${file.originalname}_${Date.now()}`;
  
      let fileUpload = bucket.file(newFileName);

      const createStream = fileUpload.createWriteStream({
          metadata: {
              contentType: file.mimetype
          }
      });

      createStream.on('error', (error) => {
        console.log("error in uploading is" , error)
          reject('Something is wrong! Unable to upload at the moment.');
      });

      createStream.on('finish', () => {
          // The public URL can be used to directly access the file via HTTP.
          const url = `https://storage.googleapis.com/${bucket.name}/${fileUpload.name}`;
       
      //   storage.bucket(process.env.BUCKET_NAME).file(fileUpload.name).makePublic();
     

             resolve(url);
      });

      createStream.end(file.buffer);
  });
  

终点是

  router.post('/add-product' , auth, multer , seller.onAddProduct)

onAddProduct 函数是一个可以从用户接收多个文件的函数。

那么如何为每个产品创建一个文件夹,然后上传文件夹中的文件?

另外,文件夹创建后如何删除?

node.js express google-cloud-storage firebase-storage multer
3个回答
2
投票

我使用的方法与您使用的方法不同,但您可以使用我的解决方案作为案例研究

  await storage.bucket(bucketName).upload(filename, {
        destination:"{Foldername}/{Filename}",
})

0
投票

Google Cloud Storage 中的文件夹并不是真正的东西。正如您在此文档中所见:

gsutil 在云存储服务支持的“平面”名称空间之上提供了分层文件树的错觉。对于服务来说,对象

gs://your-bucket/abc/def.txt
只是一个名称中恰好有
"/"
字符的对象。没有
"abc"
目录,只有一个具有给定名称的对象

所以您在 Cloud Storage 中看到的文件夹只是模拟文件夹结构的另一个对象,真正重要的是对象路径。

在你的情况下,你可以通过两种方式去做你想做的事情,你可以:

  • 通过创建一个以尾部斜杠结尾的对象来创建一个模拟的空目录。例如,要在存储桶的根目录下创建一个名为

    foo
    的子目录,您可以创建一个名为
    foo/
    的空对象(大小为 0),然后上传包含其完整路径的文件。

  • 只需上传包含所需“子目录”的完整路径的文件,当您从 GCS 获取它时,它看起来就像位于模拟目录中。

我个人会使用后者,因为您只需 1 步而不是 2 步即可获得相同的结果。


0
投票

如果你想在云存储中创建一个空文件夹,你可以这样做:

const userId = "your_user_id"

// Folder name. Notice the slash at the end of the path
const folderName = `users/${userId}/`;

// Create a folder
await bucket.file(folderName).save("");

创建新文件夹后,您可以通过设置目标将文件上传到那里:

const destination = `${folderName}${fileName}`;

await bucket.upload(file, {
  destination,
})

但实际上您不需要将创建文件夹作为单独的步骤。您可以如上所述在

bucket.upload(...)
中为您的文件设置完整的目的地。

© www.soinside.com 2019 - 2024. All rights reserved.