通过express将zip解压缩到文件夹节点

9 javascript zip node.js express

我试图找到一个例子,我可以发送一个拉链(如邮差)并在我的处理程序中获取此zip并解压缩 它如此指定的文件夹 我没有找到很多拉链使用的例子express 我想在路径中解压缩web/app

我尝试下面的东西对我来说不起作用,zip文件没有在指​​定的文件夹中解压缩,任何想法我做错了什么?

https://nodejs.org/api/zlib.html#zlib_zlib

var zlib = require('zlib');
var fs = require('fs');
const dir = path.join(__dirname, 'web/app/');

if (req.file.mimetype === 'application/zip') {

    var unzip = zlib.createUnzip();

    var read = fs.createReadStream(req.file);
    var write = fs.createWriteStream(dir);
    //Transform stream which is unzipping the zipped file
    read.pipe(unzip).pipe(write);   
    console.log("unZipped Successfully");

}
Run Code Online (Sandbox Code Playgroud)

任何工作示例都会非常有用,或者参考哪里可以解决问题......

调试时我看到这是代码失败的时候

var read = fs.createReadStream(req.file);

任何想法为什么?

我也试过了

var read = fs.createReadStream(req.file.body);

我没有看到错误,原因等的问题.

当我改变它

var read = fs.createReadStream(req.file.buffer);

程序没有退出,我能够运行它直到记录器console.log("unZipped Successfully");但没有任何事情发生...

如果 在我的上下文中有https://www.npmjs.com/package/yauzl yauzl和multer的任何示例它会很棒

更新 - 这是邮递员的请求

在此输入图像描述

RED*_*SAD 7

首先,zlib不支持解压zip文件。

我建议formidable处理文件,因为

  1. 它的战斗测试
  2. 使用最广泛
  3. 避免编写样板代码,例如从请求中读取文件流、存储和处理错误
  4. 易于配置

先决条件
使用npm i -S extract-zip formidable express或安装依赖项yarn add extract-zip formidable express

您的问题的最小解决方案formidableextract-zip

const express = require('express');
const fs = require('fs');
const extract = require('extract-zip')
const formidable = require('formidable');
const path = require('path');
const uploadDir = path.join(__dirname, '/uploads/');
const extractDir = path.join(__dirname, '/app/');
if (!fs.existsSync(uploadDir)) {
  fs.mkdirSync(uploadDir);
}
if (!fs.existsSync(extractDir)) {
  fs.mkdirSync(extractDir);
}

const server = express();

const uploadMedia = (req, res, next) => {
  const form = new formidable.IncomingForm();
  // file size limit 100MB. change according to your needs
  form.maxFileSize = 100 * 1024 * 1024;
  form.keepExtensions = true;
  form.multiples = true;
  form.uploadDir = uploadDir;

  // collect all form files and fileds and pass to its callback
  form.parse(req, (err, fields, files) => {
    // when form parsing fails throw error
    if (err) return res.status(500).json({ error: err });

    if (Object.keys(files).length === 0) return res.status(400).json({ message: "no files uploaded" });
    
    // Iterate all uploaded files and get their path, extension, final extraction path
    const filesInfo = Object.keys(files).map((key) => {
      const file = files[key];
      const filePath = file.path;
      const fileExt = path.extname(file.name);
      const fileName = path.basename(file.name, fileExt);
      const destDir = path.join(extractDir, fileName);

      return { filePath, fileExt, destDir };
    });

    // Check whether uploaded files are zip files
    const validFiles = filesInfo.every(({ fileExt }) => fileExt === '.zip');

    // if uploaded files are not zip files, return error
    if (!validFiles) return res.status(400).json({ message: "unsupported file type" });

    res.status(200).json({ uploaded: true });

    // iterate through each file path and extract them
    filesInfo.forEach(({filePath, destDir}) => {
      // create directory with timestamp to prevent overwrite same directory names
      extract(filePath, { dir: `${destDir}_${new Date().getTime()}` }, (err) => {
        if (err) console.error('extraction failed.');
      });
    });
  });

  // runs when new file detected in upload stream
  form.on('fileBegin', function (name, file) {
    // get the file base name `index.css.zip` => `index.html`
    const fileName = path.basename(file.name, path.extname(file.name));
    const fileExt = path.extname(file.name);
    // create files with timestamp to prevent overwrite same file names
    file.path = path.join(uploadDir, `${fileName}_${new Date().getTime()}${fileExt}`);
  });
}

server.post('/upload', uploadMedia);

server.listen(3000, (err) => {
  if (err) throw err;
});
Run Code Online (Sandbox Code Playgroud)

此解决方案适用于单个/多个文件上传。此解决方案的一个问题是,uploaded虽然服务器抛出错误,但错误的文件类型将上传到目录。

用邮递员测试: 邮递员形象


归档时间:

查看次数:

2272 次

最近记录:

7 年,1 月 前